chosen
int64 353
41.8M
| rejected
int64 287
41.8M
| chosen_rank
int64 1
2
| rejected_rank
int64 2
3
| top_level_parent
int64 189
41.8M
| split
large_stringclasses 1
value | chosen_prompt
large_stringlengths 236
19.5k
| rejected_prompt
large_stringlengths 209
18k
|
---|---|---|---|---|---|---|---|
36,389,827 | 36,388,614 | 1 | 2 | 36,387,874 | train | <story><title>My First Impressions of Nix</title><url>https://mtlynch.io/notes/nix-first-impressions/</url></story><parent_chain><item><author>henrydark</author><text>I agree with everything but the last statement. This all comes down to: do you consider memoization to be state.<p>I predict people&#x27;s answers to this question will come from experience with memoization. Here&#x27;s mine: I kept trying to get nix to build tensorflow locally, so that I would get the avx512 benefits of the big, but gpu-less machine I had. I hadn&#x27;t realized some other derivation had already downloaded tensorflow from online cache, so didn&#x27;t have avx512 enabled. I kept making shells, trying tensorflow, seeing it doesn&#x27;t have support. The solution was to tell nix to disregard the nix store, in order to force the local build. This experience has left me with the concrete feeling that the nix store is full-on state, and I the user must be aware of it.</text></item><item><author>danieldk</author><text>Just to elaborate a bit for those not familiar to Nix (slightly simplified to exclude recent support for content addressing). Nix work with derivations, a derivation is basically a data structure that specifies how a package is built. Derivations are normally not created by hand but using a function (eg. <i>stdenv.mkDerivation</i>).<p>When you ask Nix to build a package, it hashes a normalized form of derivation data structure. This hash is useful in various ways, but one way it is used [1] is to look up whether the derivation is already in the Nix Store. Because if it is, there is no need to build it. So Nix looks up whether<p><pre><code> &#x2F;nix&#x2F;&lt;the_derivation_hash&gt;
</code></pre>
exists. If it exists, the build is done. If it doesn&#x27;t exist and you have a binary cache configured (which by default is the binary cache provided by the NixOS project), Nix will look up the derivation hash in the binary cache. If it exists in the binary cache, Nix will download the path to the local Nix store. After that<p><pre><code> &#x2F;nix&#x2F;&lt;the_derivation_hash&gt;
</code></pre>
exists in the store and the build is done (without building anything). Only if that fails, Nix will actually build the derivation.<p>Now, one of the cool things about Nix is that it is derivations all the way down. So, it&#x27;s not that just what we traditionally think of as packages is a derivation, but people wrap up all kinds of things as derivations, including configuration, etc. Since derivations are usually generated by functions, there are all kinds of useful functions that make derivations for eg.: single configuration files, scripts, etc.<p>In the end, building a NixOS system generation is just building a derivation. nixos-rebuild switches to a different generation by just setting a bunch of symlinks to an output path in the store containing that system generation (<i>&#x2F;nix&#x2F;&lt;system_config_derivation_hash</i>).<p>At any rate, when <i>you make a one-line change to a 200-line Nix configuration</i>, Nix does have state to keep track of what it needs to rebuild or not. Nix will just try to build the derivation (and its dependencies), but it hashes the derivations, finds that their output paths are already in the store.<p>Some might argue that then the store is state. But it&#x27;s not, at build time you are evaluating a pure function with memoization (the Nix Store).<p>[1] There is also a package name and version in the store path, but lets keep it simple.</text></item><item><author>hamandcheese</author><text>&gt; Nix, on the other hand, does have a concept of state. If you make a one-line change to a 200-line Nix configuration, it doesn’t have to re-do all the work from the other 199 lines. It can evaluate the state of the system against the configuration file and recognize that it just has to apply the one-line change. And that change usually happens in a few seconds.<p>The author seems to have some misguided ideas about Nix. Nix is not fast because it is stateful. It is fast because it is functional and reproducible, which allows for caching without compromising correctness. I don&#x27;t want to split hairs, but referentially transparent caching like this is not quite what I&#x27;d call state.<p>Yes, there is some statefulness in system activation, but this is not what makes Nix Nix -- quite the opposite.</text></item></parent_chain><comment><author>dezgeg</author><text>&gt; The solution was to tell nix to disregard the nix store, in order to force the local build.<p>If this actually led to avx512 being enabled in the package, then that&#x27;s a bug. Nix builds should not be dependant on the machine doing the compilation, all such autodetection should be disabled via configure flag or patched out.<p>Then, the right way to enable avx512 would be to pass some &#x27;enable avx512 please&#x27; flag to the package&#x27;s configure flags. Which would then trigger recompilation, without any &#x27;disregard the nix store, in order to force the local build&#x27; options.</text></comment> | <story><title>My First Impressions of Nix</title><url>https://mtlynch.io/notes/nix-first-impressions/</url></story><parent_chain><item><author>henrydark</author><text>I agree with everything but the last statement. This all comes down to: do you consider memoization to be state.<p>I predict people&#x27;s answers to this question will come from experience with memoization. Here&#x27;s mine: I kept trying to get nix to build tensorflow locally, so that I would get the avx512 benefits of the big, but gpu-less machine I had. I hadn&#x27;t realized some other derivation had already downloaded tensorflow from online cache, so didn&#x27;t have avx512 enabled. I kept making shells, trying tensorflow, seeing it doesn&#x27;t have support. The solution was to tell nix to disregard the nix store, in order to force the local build. This experience has left me with the concrete feeling that the nix store is full-on state, and I the user must be aware of it.</text></item><item><author>danieldk</author><text>Just to elaborate a bit for those not familiar to Nix (slightly simplified to exclude recent support for content addressing). Nix work with derivations, a derivation is basically a data structure that specifies how a package is built. Derivations are normally not created by hand but using a function (eg. <i>stdenv.mkDerivation</i>).<p>When you ask Nix to build a package, it hashes a normalized form of derivation data structure. This hash is useful in various ways, but one way it is used [1] is to look up whether the derivation is already in the Nix Store. Because if it is, there is no need to build it. So Nix looks up whether<p><pre><code> &#x2F;nix&#x2F;&lt;the_derivation_hash&gt;
</code></pre>
exists. If it exists, the build is done. If it doesn&#x27;t exist and you have a binary cache configured (which by default is the binary cache provided by the NixOS project), Nix will look up the derivation hash in the binary cache. If it exists in the binary cache, Nix will download the path to the local Nix store. After that<p><pre><code> &#x2F;nix&#x2F;&lt;the_derivation_hash&gt;
</code></pre>
exists in the store and the build is done (without building anything). Only if that fails, Nix will actually build the derivation.<p>Now, one of the cool things about Nix is that it is derivations all the way down. So, it&#x27;s not that just what we traditionally think of as packages is a derivation, but people wrap up all kinds of things as derivations, including configuration, etc. Since derivations are usually generated by functions, there are all kinds of useful functions that make derivations for eg.: single configuration files, scripts, etc.<p>In the end, building a NixOS system generation is just building a derivation. nixos-rebuild switches to a different generation by just setting a bunch of symlinks to an output path in the store containing that system generation (<i>&#x2F;nix&#x2F;&lt;system_config_derivation_hash</i>).<p>At any rate, when <i>you make a one-line change to a 200-line Nix configuration</i>, Nix does have state to keep track of what it needs to rebuild or not. Nix will just try to build the derivation (and its dependencies), but it hashes the derivations, finds that their output paths are already in the store.<p>Some might argue that then the store is state. But it&#x27;s not, at build time you are evaluating a pure function with memoization (the Nix Store).<p>[1] There is also a package name and version in the store path, but lets keep it simple.</text></item><item><author>hamandcheese</author><text>&gt; Nix, on the other hand, does have a concept of state. If you make a one-line change to a 200-line Nix configuration, it doesn’t have to re-do all the work from the other 199 lines. It can evaluate the state of the system against the configuration file and recognize that it just has to apply the one-line change. And that change usually happens in a few seconds.<p>The author seems to have some misguided ideas about Nix. Nix is not fast because it is stateful. It is fast because it is functional and reproducible, which allows for caching without compromising correctness. I don&#x27;t want to split hairs, but referentially transparent caching like this is not quite what I&#x27;d call state.<p>Yes, there is some statefulness in system activation, but this is not what makes Nix Nix -- quite the opposite.</text></item></parent_chain><comment><author>hamandcheese</author><text>Yes, you have unfortunately discovered that sometimes the hardware itself is an input that isn&#x27;t always captured explicitly, but also isn&#x27;t controlled for with sandboxing. Ideally enabling avx512 would be an explicit input to the tensorflow package, but based on your experience it sounds like this feature is detected during the build automatically.<p>I hope that issues like this get better over time thanks to projects like Trustix, which would make non-reproducibility like this more apparent.</text></comment> |
15,637,952 | 15,637,276 | 1 | 2 | 15,622,518 | train | <story><title>Facebook Says It’s Policing Fake Accounts, but They’re Still Easy to Spot</title><url>https://www.nytimes.com/2017/11/03/technology/facebook-fake-accounts.html</url></story><parent_chain><item><author>menacingly</author><text>I get that facebook my have complicated motives here, but I don&#x27;t know that &quot;easy to spot&quot; is a good yardstick.<p>First, there are the countless instances where something is trivial for a single person to suss out that doesn&#x27;t scale.<p>Second, and perhaps most importantly, I don&#x27;t think simple hunches about fake accounts are really actionable here. Having an account that &quot;originated in the Middle East&quot; that now presents as an &quot;attractive woman&quot; is not really a clear-cut case for having your account terminated.<p>I get that we really really want to be able to draw a hard line between people who behave in &quot;weird&quot; ways and organized influence attempts, but I don&#x27;t think we can get there. It&#x27;s starting to sound like &quot;bots&quot; and &quot;fake news&quot; have disagreeable opinions baked into the definition.</text></item></parent_chain><comment><author>jmcqk6</author><text>&gt;First, there are the countless instances where something is trivial for a single person to suss out that doesn&#x27;t scale.<p>This is an interesting argument to me. It&#x27;s basically conceding a shittier solution, because we &quot;can&#x27;t scale&quot; the effective one. As we talk more and more about automation, I think this is similar to what we&#x27;ve seen in meat space with things like tools.<p>I&#x27;ve heard so many people complain about chinese hammers or socket wrenches (though I also know there are quality chinese tools out there) or many other examples. Things mass produced cheaply are lesser quality, but we&#x27;re willing to make the trade off as a society because we get things for cheaper.<p>And now we see this in the information economy. Even though we know a human doing this work would be much more effective, we&#x27;re not going to do it because the cost is too high.</text></comment> | <story><title>Facebook Says It’s Policing Fake Accounts, but They’re Still Easy to Spot</title><url>https://www.nytimes.com/2017/11/03/technology/facebook-fake-accounts.html</url></story><parent_chain><item><author>menacingly</author><text>I get that facebook my have complicated motives here, but I don&#x27;t know that &quot;easy to spot&quot; is a good yardstick.<p>First, there are the countless instances where something is trivial for a single person to suss out that doesn&#x27;t scale.<p>Second, and perhaps most importantly, I don&#x27;t think simple hunches about fake accounts are really actionable here. Having an account that &quot;originated in the Middle East&quot; that now presents as an &quot;attractive woman&quot; is not really a clear-cut case for having your account terminated.<p>I get that we really really want to be able to draw a hard line between people who behave in &quot;weird&quot; ways and organized influence attempts, but I don&#x27;t think we can get there. It&#x27;s starting to sound like &quot;bots&quot; and &quot;fake news&quot; have disagreeable opinions baked into the definition.</text></item></parent_chain><comment><author>marcinzm</author><text>The issue is also one of false-positives. Even if you could spot fake accounts 100% of the time if you also flagged 1% of legitimate accounts as fake by that approach then it&#x27;s non-viable. Remember that at Facebooks scale a 1% false-positive rate means 20 MILLION accounts. That&#x27;s too much to even try sending for manual review.</text></comment> |
20,995,381 | 20,995,372 | 1 | 3 | 20,994,076 | train | <story><title>Catastrophic effects of working as a Facebook moderator</title><url>https://www.theguardian.com/technology/2019/sep/17/revealed-catastrophic-effects-working-facebook-moderator</url></story><parent_chain><item><author>TheOperator</author><text>&gt;They also said others were pushed towards the far right by the amount of hate speech and fake news they read every day.<p>There&#x27;s something wrong with mainstream reporting if mere exposure to social media turns people far right. It really strikes me that people are trapped in some pretty strong filter bubbles to the point mere exposure is enough to change political belief.<p>Spend a week on a far right community and you&#x27;ll be shown more stats that point to a far-right conclusion than you can critically evaluate. In any internet discussion of police racism for instance FBI crime stats will be mentioned in a heartbeat but I don&#x27;t think I&#x27;ve seen a mainstream journo bring them up once. Social media and mainstream media fundamentally follows different schemas of information simply because even bringing up certain data can cause a mainstream journo reputational damage.<p>This is also causing an inverse filter bubble where hateful ideas which actually have refutations don&#x27;t get refuted because people refuse to discuss the ideas on principle. Much of the data cited is crap and much of the interpretations are crap but they&#x27;re not meaningfully contested.</text></item></parent_chain><comment><author>caconym_</author><text>&gt; There&#x27;s something wrong with mainstream reporting if mere exposure to social media turns people far right. It really strikes me that people are trapped in some pretty strong filter bubbles to the point mere exposure is enough to change political belief.<p>A different conclusion to draw from this is that far-right interests are responsible for the majority of the objectionable content on social media. One might further suggest that said content is deliberate propaganda, designed to push people to the right, and that this is a central pillar of their strategy that isn&#x27;t shared to the same degree or extreme by other political factions.<p>This isn&#x27;t &quot;mere exposure&quot;. I haven&#x27;t read the article so please correct me if I&#x27;m wrong but this is a job, a place they go to sit every day to be bombarded with this crap. To some extent they <i>have</i> to sit and let it wash over them—I don&#x27;t imagine the people doing these jobs have much career mobility. IMO it&#x27;s not realistic to suggest that if they were just better-informed, they wouldn&#x27;t suffer these effects. The mind is not an inviolable fortress—no matter how strong you think your defenses are, they can be worn down.</text></comment> | <story><title>Catastrophic effects of working as a Facebook moderator</title><url>https://www.theguardian.com/technology/2019/sep/17/revealed-catastrophic-effects-working-facebook-moderator</url></story><parent_chain><item><author>TheOperator</author><text>&gt;They also said others were pushed towards the far right by the amount of hate speech and fake news they read every day.<p>There&#x27;s something wrong with mainstream reporting if mere exposure to social media turns people far right. It really strikes me that people are trapped in some pretty strong filter bubbles to the point mere exposure is enough to change political belief.<p>Spend a week on a far right community and you&#x27;ll be shown more stats that point to a far-right conclusion than you can critically evaluate. In any internet discussion of police racism for instance FBI crime stats will be mentioned in a heartbeat but I don&#x27;t think I&#x27;ve seen a mainstream journo bring them up once. Social media and mainstream media fundamentally follows different schemas of information simply because even bringing up certain data can cause a mainstream journo reputational damage.<p>This is also causing an inverse filter bubble where hateful ideas which actually have refutations don&#x27;t get refuted because people refuse to discuss the ideas on principle. Much of the data cited is crap and much of the interpretations are crap but they&#x27;re not meaningfully contested.</text></item></parent_chain><comment><author>cm2012</author><text>I think it&#x27;s more that there are personality types that really want a community feel like they belong to and are thus easily persuadable. Social media was a huge factor in radicalizing people to Islamic terrorism, and that ended when the networks started censoring that stuff.</text></comment> |
28,577,892 | 28,576,850 | 1 | 2 | 28,576,564 | train | <story><title>Gimp 2.10.28</title><url>https://www.gimp.org/news/2021/09/18/gimp-2-10-28-released/</url></story><parent_chain></parent_chain><comment><author>Andrex</author><text>&gt; You may have noticed that GIMP 2.10.24’s macOS DMG was released months late. Even this only happened because Jehan spent days to fix the build on the remote build server, bit by bit, without any local access to a macOS machine, nor any ways to run and test himself.<p>Anyone here want to pool some money and send this guy a Mac Mini off eBay or something?</text></comment> | <story><title>Gimp 2.10.28</title><url>https://www.gimp.org/news/2021/09/18/gimp-2-10-28-released/</url></story><parent_chain></parent_chain><comment><author>h2odragon</author><text>&gt; Very slow file dialogs: it used to happen when network devices were slow or unavailable, or pluggable devices disconnected, or even because of fake floppy drives configured in the BIOS. GLib was using an inappropriate Windows API to get some information about drives. This has been fixed!<p>Cool! I think that bug helped me get my wife to accept an Ubuntu install instead of trying to stick with Win7 last year; it had caused her enough pain to notice, apparently. She mentioned &quot;it doesn&#x27;t grovel when I swap flash cards&quot; specifically after the switch.</text></comment> |
24,526,742 | 24,526,393 | 1 | 2 | 24,522,378 | train | <story><title>Survivor of CIA Torture and Rendition Supports Assange at Extradition Trial</title><url>https://dissenter.substack.com/p/khaled-el-masri-survivor-of-cia-torture</url></story><parent_chain></parent_chain><comment><author>doublesCs</author><text>&gt; The European Court of Human Rights (ECHR) confirmed nine years after that El Masri was “severely beaten, sodomized, shackled, and hooded, and subjected total sensory deprivation—carried out in the presence of state officials of Macedonia and within its jurisdiction.”<p>&gt; Macedonia’s “government was consequently responsible for those acts performed by foreign officials…Those measures had been used with premeditation, the aim being to cause Mr. Masri severe pain and suffering in order to obtain information,” the ECHR additionally found.<p>&gt; (...)<p>&gt; “The U.S. diplomatic cables revealed the extent of pressure brought upon the German authorities (and in parallel, relevant Spanish authorities) not to act upon the clear evidence of criminal acts by the USA even though by then exposed,” Goetz added.<p>Then some Americans are confused that many in the western world don&#x27;t like American influence. I find it outrageous that these things happen, and I wouldn&#x27;t want my government to consider such a country an ally.</text></comment> | <story><title>Survivor of CIA Torture and Rendition Supports Assange at Extradition Trial</title><url>https://dissenter.substack.com/p/khaled-el-masri-survivor-of-cia-torture</url></story><parent_chain></parent_chain><comment><author>elmo2you</author><text>&gt; .. in the United States, it will likely be excluded as irrelevant because the Espionage Act does not allow a public interest defense.<p>Remind me again, what made the USA any better than North Korea or any other off-the-rails criminal regime?<p>If this statement about the Espionage Act is correct, then why is there even a discussion whether Assange will get a fair trial in the USA? It&#x27;s plain as daylight that he never will, even for that specific fact only.<p>In fact, any country that signed and ratified the UN&#x27;s UDHR, should be barred from extraditing anyone to the USA. Especially for cases like these.<p>If this involved an African, Asian or a Middle Eastern country, the USA and EU would no doubt threaten with bombing the country into submission, if they would continue to violate basic human right in order to cover up their criminal actions.</text></comment> |
12,294,783 | 12,294,694 | 1 | 2 | 12,294,193 | train | <story><title>The SEC has temporarily halted trading of Neuromama Ltd.</title><url>https://www.bloomberg.com/news/articles/2016-08-15/a-35-billion-stock-was-just-halted-on-manipulation-concerns</url></story><parent_chain><item><author>ChuckMcM</author><text>This sounds pretty amazing but I can&#x27;t figure out bindings for all the pronouns.<p>Who are the short sellers? Who are the brokers? are they complicit? Is one of them acting as the market maker for the stock? When the con is exploded and the money gets paid back, where did it come from? The short sellers? the brokers? thin air?</text></item><item><author>thegranderson</author><text>Very helpful explanation from a thread about this on reddit (narrated from the first person perspective of the scammer):<p>It&#x27;s pretty beautiful in an illegal sort of way:
So the clever short sellers borrow and sell 100,000 shares of stock at $2 each, hoping to profit when it crashes to zero.<p>By hypothesis, there are no buyers. But we buy. We buy those 100,000 shares for $2 each, laying out $200,000.
Now we own 300.1 million shares, out of 300 million outstanding.<p>On Thursday we go to our brokers and say &quot;you know what, we changed our minds, we want our stock back from whoever you loaned it to.&quot;<p>So the brokers call in the short sales.<p>The short sellers can&#x27;t borrow the stock anywhere else. We own it all. So they have to close out their short sales by buying in the stock.<p>But they can&#x27;t buy the stock anywhere else either. We own it all. So they have to buy it from us.
How much do we charge?<p>Yeah, $15. Or $20 or whatever, I don&#x27;t know. We can charge whatever we want. If the short sellers don&#x27;t buy the stock, they&#x27;re breaking the law. So they&#x27;ll pay whatever we ask.<p>They pay $20 to buy back the shares they sold us at $2, making us a $1.8 million profit.<p>source: <a href="https:&#x2F;&#x2F;www.reddit.com&#x2F;r&#x2F;investing&#x2F;comments&#x2F;4wvlkv&#x2F;a_scam_with_354b_market_cap_dafuq&#x2F;d6absj0" rel="nofollow">https:&#x2F;&#x2F;www.reddit.com&#x2F;r&#x2F;investing&#x2F;comments&#x2F;4wvlkv&#x2F;a_scam_wi...</a><p>[edit: formatting]</text></item><item><author>Animats</author><text>Trading was just halted in Neuromama (OTC:NERO), a startup with a $35 billion market cap. They have a search engine (<a href="https:&#x2F;&#x2F;neuromama.com&#x2F;" rel="nofollow">https:&#x2F;&#x2F;neuromama.com&#x2F;</a>), a social network (<a href="http:&#x2F;&#x2F;vica.life&#x2F;" rel="nofollow">http:&#x2F;&#x2F;vica.life&#x2F;</a>), and claim &quot;heavy ion fusion&quot; and oceanfront property in Mexico. The CEO got out of prison 6 years ago.<p>WTF?</text></item></parent_chain><comment><author>kevinpet</author><text>Eve finds NeuroMama, a worthless stack of nothing but shady documents, and importantly, without a significant number of shares available to borrow. She knows how to manipulate markets and doesn&#x27;t care much for legality. Eve buys a significant position in NeuroMama over a period of time. She can do this cheaply, but slightly drives up the price.<p>Alice sees that the stock price has increased and this puts it on her radar of companies to investigate. She sees that NeuroMama is a worthless stack of nothing but shady incorporation papers. Alice thinks the stock value will decline. She goes to her broker, Bob, to borrow shares so that she can short sell. Bob calls around Long Island and locates some shares belonging to Eve for Alice to borrow.<p>Alice offers these shares for sale. Eve buys up a significant portion of them and puts them back on the market for sale at a massive markup.<p>Eve calls back her shares. Alice is required to return the shares to Eve. But Alice has sold those shares, so she must buy them back. She tries to find anyone to buy them from. Unfortunately, Eve is the only one selling, so Alice must pay Eve&#x27;s price.<p>The only money that has changed hands is between Alice and Eve. There was no $34B, only a small fraction of the shares changing hands at highly inflated prices. If Eve is caught she&#x27;ll need to disgorge her earnings to Alice.</text></comment> | <story><title>The SEC has temporarily halted trading of Neuromama Ltd.</title><url>https://www.bloomberg.com/news/articles/2016-08-15/a-35-billion-stock-was-just-halted-on-manipulation-concerns</url></story><parent_chain><item><author>ChuckMcM</author><text>This sounds pretty amazing but I can&#x27;t figure out bindings for all the pronouns.<p>Who are the short sellers? Who are the brokers? are they complicit? Is one of them acting as the market maker for the stock? When the con is exploded and the money gets paid back, where did it come from? The short sellers? the brokers? thin air?</text></item><item><author>thegranderson</author><text>Very helpful explanation from a thread about this on reddit (narrated from the first person perspective of the scammer):<p>It&#x27;s pretty beautiful in an illegal sort of way:
So the clever short sellers borrow and sell 100,000 shares of stock at $2 each, hoping to profit when it crashes to zero.<p>By hypothesis, there are no buyers. But we buy. We buy those 100,000 shares for $2 each, laying out $200,000.
Now we own 300.1 million shares, out of 300 million outstanding.<p>On Thursday we go to our brokers and say &quot;you know what, we changed our minds, we want our stock back from whoever you loaned it to.&quot;<p>So the brokers call in the short sales.<p>The short sellers can&#x27;t borrow the stock anywhere else. We own it all. So they have to close out their short sales by buying in the stock.<p>But they can&#x27;t buy the stock anywhere else either. We own it all. So they have to buy it from us.
How much do we charge?<p>Yeah, $15. Or $20 or whatever, I don&#x27;t know. We can charge whatever we want. If the short sellers don&#x27;t buy the stock, they&#x27;re breaking the law. So they&#x27;ll pay whatever we ask.<p>They pay $20 to buy back the shares they sold us at $2, making us a $1.8 million profit.<p>source: <a href="https:&#x2F;&#x2F;www.reddit.com&#x2F;r&#x2F;investing&#x2F;comments&#x2F;4wvlkv&#x2F;a_scam_with_354b_market_cap_dafuq&#x2F;d6absj0" rel="nofollow">https:&#x2F;&#x2F;www.reddit.com&#x2F;r&#x2F;investing&#x2F;comments&#x2F;4wvlkv&#x2F;a_scam_wi...</a><p>[edit: formatting]</text></item><item><author>Animats</author><text>Trading was just halted in Neuromama (OTC:NERO), a startup with a $35 billion market cap. They have a search engine (<a href="https:&#x2F;&#x2F;neuromama.com&#x2F;" rel="nofollow">https:&#x2F;&#x2F;neuromama.com&#x2F;</a>), a social network (<a href="http:&#x2F;&#x2F;vica.life&#x2F;" rel="nofollow">http:&#x2F;&#x2F;vica.life&#x2F;</a>), and claim &quot;heavy ion fusion&quot; and oceanfront property in Mexico. The CEO got out of prison 6 years ago.<p>WTF?</text></item></parent_chain><comment><author>elevensies</author><text>This is a typical short squeeze. ( <a href="https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Short_squeeze" rel="nofollow">https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Short_squeeze</a> ) [ With the caveat that I&#x27;m far from an expert on this, I just have a collection of documents of many failed corners and very few successful corners. ]<p>The short sellers are anyone with a negative outlook on the stock. For example, some hedge funds do 50% buying, 50% short selling, so in theory they are neutral to overall market conditions.<p>The brokers in this case have been permitted to lend out the stock to earn extra money, the short sellers are ordinary customers of the brokers, the short sellers don&#x27;t necessarily have any special relationship with the brokers.<p>The market maker would be buying as much as selling, and not holding any position over extended time, so they don&#x27;t influence this event.<p>In theory, the short sellers have to pay up to meet their obligations.</text></comment> |
21,896,765 | 21,896,658 | 1 | 2 | 21,890,872 | train | <story><title>Is College Still Worth It? The New Calculus of Falling Returns [pdf]</title><url>https://www.stlouisfed.org/~/media/files/pdfs/hfs/is-college-worth-it/emmons_kent_ricketts_college_still_worth_it.pdf</url></story><parent_chain><item><author>seem_2211</author><text>I have a degree from a no-name university in New Zealand. I&#x27;d do it again for a few pragmatic reasons.<p>1: Lots of companies will reject you on sight without a degree. I don&#x27;t think it&#x27;s a good thing, but it is reality.<p>2: With a degree your ability to move overseas dramatically improves. I moved to America after graduating. I flat out couldn&#x27;t have done that without a degree. Points based systems immigration systems like New Zealand have dramatic bonuses for people with degrees.<p>3: You don&#x27;t have to jump through the hoops and explain why you don&#x27;t have a degree all the time. Stupid reason I know, but it&#x27;s something I&#x27;ve seen friends without degrees have to do constantly - and not just in career situations. As I mentioned, I went to a no-name university. If you live in NZ, you&#x27;ll know it. If you&#x27;re an American, chances are, you&#x27;ve never heard of it. But because I have a degree, it doesn&#x27;t ever really come up.<p>4: The cost isn&#x27;t that bad, when you spread it out over a career. My degree &amp; living costs cost about $60k NZD (~$40k USD). That&#x27;s $1k USD &#x2F; year, or $.50 per hour. Considering how my income has multiplied in the few years since I&#x27;ve graduated (SF wages help tremendously here), the actual cost is barely anything, even when you control for the opportunity cost of studying.<p>Where I think College returns make a lot less sense<p>• Paying out of state tuition for lifestyle reasons, when you&#x27;re going into a relatively low paid field afterwards (e.g. teaching).<p>• Paying private school tuition at a school without a strong reputation<p>• Grad school, in general, seems to be a rip off</text></item></parent_chain><comment><author>amiga_500</author><text>You didn&#x27;t go to uni in the USA and the paper is by the St Louis Fed on USA grads.<p>You took your degree in a country with far lower inequality and better inward education investment, and then jumped over to work in a country that doesn&#x27;t tax people enough to support USA students.<p>I&#x27;d imagine that is pretty good value.</text></comment> | <story><title>Is College Still Worth It? The New Calculus of Falling Returns [pdf]</title><url>https://www.stlouisfed.org/~/media/files/pdfs/hfs/is-college-worth-it/emmons_kent_ricketts_college_still_worth_it.pdf</url></story><parent_chain><item><author>seem_2211</author><text>I have a degree from a no-name university in New Zealand. I&#x27;d do it again for a few pragmatic reasons.<p>1: Lots of companies will reject you on sight without a degree. I don&#x27;t think it&#x27;s a good thing, but it is reality.<p>2: With a degree your ability to move overseas dramatically improves. I moved to America after graduating. I flat out couldn&#x27;t have done that without a degree. Points based systems immigration systems like New Zealand have dramatic bonuses for people with degrees.<p>3: You don&#x27;t have to jump through the hoops and explain why you don&#x27;t have a degree all the time. Stupid reason I know, but it&#x27;s something I&#x27;ve seen friends without degrees have to do constantly - and not just in career situations. As I mentioned, I went to a no-name university. If you live in NZ, you&#x27;ll know it. If you&#x27;re an American, chances are, you&#x27;ve never heard of it. But because I have a degree, it doesn&#x27;t ever really come up.<p>4: The cost isn&#x27;t that bad, when you spread it out over a career. My degree &amp; living costs cost about $60k NZD (~$40k USD). That&#x27;s $1k USD &#x2F; year, or $.50 per hour. Considering how my income has multiplied in the few years since I&#x27;ve graduated (SF wages help tremendously here), the actual cost is barely anything, even when you control for the opportunity cost of studying.<p>Where I think College returns make a lot less sense<p>• Paying out of state tuition for lifestyle reasons, when you&#x27;re going into a relatively low paid field afterwards (e.g. teaching).<p>• Paying private school tuition at a school without a strong reputation<p>• Grad school, in general, seems to be a rip off</text></item></parent_chain><comment><author>xenihn</author><text>Moving overseas is the top benefit of having a relevant (not just any) degree IMO. I&#x27;m grateful that American cities are still the best places in the world to work as a software engineer, but that could always change. I&#x27;m hoping a non-STEM degree combined with 6+ years of experience will still let me move around easily.</text></comment> |
4,616,364 | 4,616,140 | 1 | 2 | 4,616,081 | train | <story><title>Zip Bomb</title><url>http://en.wikipedia.org/wiki/Zip_bomb</url></story><parent_chain></parent_chain><comment><author>jefffoster</author><text>I found a similar file to this (a zip file that contains itself) and e-mailed it to a friend at work. He never received it, but I thought nothing of it (I assumed the email filters just destroyed it).<p>A days later the mail server stops working and the sysadmin turns up at my desk. Turns out the anti-virus scanner had been unzipping and scanning repeatedly. It eventually filled up the entire disk and bad things happened.</text></comment> | <story><title>Zip Bomb</title><url>http://en.wikipedia.org/wiki/Zip_bomb</url></story><parent_chain></parent_chain><comment><author>simoncoggins</author><text>I've seen something similar with a PNG file for user supplied profile image [1]. The image was a 10000x10000 all black PNG image which compresses to a pretty small file size.<p>Unless you validate the image dimensions as well as the file size it may cause problems, for instance when GD is used to try to resize it exhausted the memory limit.<p>[1] <a href="https://bugs.launchpad.net/mahara/+bug/784978" rel="nofollow">https://bugs.launchpad.net/mahara/+bug/784978</a></text></comment> |
19,668,324 | 19,668,445 | 1 | 2 | 19,666,991 | train | <story><title>Notre-Dame cathedral: Firefighters tackle blaze in Paris</title><url>https://www.bbc.co.uk/news/world-europe-47941794</url></story><parent_chain><item><author>timothevs</author><text>Today, we are all French. As a student of European History, I want to curl up and cry. I proposed to my beautiful wife of 11 years beneath the spire of Notre Dame. We fell in love walking along the bouquinistes. There is a terrible empty feeling in my heart this afternoon. It is like losing a part of myself this day.<p>Yes, I know the Notre Dame will be built again. But that might not happen till after I am long gone.</text></item></parent_chain><comment><author>MR4D</author><text>You have a great story (albeit with a touch of sadness).<p>I would think that this type of event would bring the French together in a way like few other events could. I&#x27;d expect Gilets Jaunes movement to subside quickly.<p>Yes, today we are all French - and expect that we all want to see Our Lady rebuilt. Faster, better, stronger, and much more fire-retardant than in the past.<p>The Windsor Castle fire of 1992 was refurbished in 5 years, [0] and although a national treasure, it was not at the level of the Notre Dame. But it was rebuilt, and was even completed ahead of schedule.<p>The cost doesn&#x27;t matter - it will probably be well over a billion. But you will see concerts, TV specials, and all sorts of fund raisers to rebuild her.<p>And in this you will see the best thing of all - the French (and even people like me who are only French on occasions like this) showing our love to rebuild her.<p><i>This is the message you should hold in your heart today - one of love and empathy, and dare I say, the grace of God that she was intended to foster.</i><p>[0] - <a href="https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;1992_Windsor_Castle_fire" rel="nofollow">https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;1992_Windsor_Castle_fire</a></text></comment> | <story><title>Notre-Dame cathedral: Firefighters tackle blaze in Paris</title><url>https://www.bbc.co.uk/news/world-europe-47941794</url></story><parent_chain><item><author>timothevs</author><text>Today, we are all French. As a student of European History, I want to curl up and cry. I proposed to my beautiful wife of 11 years beneath the spire of Notre Dame. We fell in love walking along the bouquinistes. There is a terrible empty feeling in my heart this afternoon. It is like losing a part of myself this day.<p>Yes, I know the Notre Dame will be built again. But that might not happen till after I am long gone.</text></item></parent_chain><comment><author>treis</author><text>&gt;Yes, I know the Notre Dame will be built again. But that might not happen till after I am long gone.<p>The cathedral is made of stone. It will survive the fire and won&#x27;t need to be rebuilt. &quot;Just&quot; a new roof will be needed and remediation for the fire. Just in quotes because clearly that&#x27;s still a massive undertaking which will take years and a whole lot of dollars.<p>The spire is clearly a great loss. As are the statues that were on the roof. Hopefully the stained glass makes it out ok, but that&#x27;s probably optimistic. There&#x27;s also the artifacts and art work in the interior that will be damaged. But the iconic bell towers remain. The statues on the facade are likely undamaged. The interior nave and apse will survive. After restoration it will still be essentially the same even if we lose some irreplaceable artifacts.</text></comment> |
9,552,027 | 9,552,226 | 1 | 2 | 9,551,378 | train | <story><title>JavaScript at 20</title><url>http://brendaneich.github.io/ModernWeb.tw-2015/</url></story><parent_chain><item><author>teacup50</author><text>There are no end of alternatives out there today, from mobile platforms to research languages exploring a myriad of aspects of computer science.<p>Just let me know when browser vendors are going to break down the two-tiered system, and let us run the legion of alternatives alongside -- instead of under -- JavaScript.<p>Or, they could take their own medicine, and try and write the browser in JS.</text></item><item><author>knightofmars</author><text>&quot;Haters gonna hate.&quot; Anyone claiming that JS is the &quot;worst thing to happen to the web&quot; and&#x2F;or that some other language would miraculously solve all of the problems present in JS should do the following, &quot;Go create it.&quot; Don&#x27;t whine about the barriers and how a new language would never be adopted because &quot;JS is already everywhere.&quot; There are plenty of people already trying to solve this problem by actively doing something. I&#x27;ve worked with enough engineers that love to criticize every design choice made but when it comes to asking them what the better alternative is they have nothing to say. They just &quot;know&quot; there&#x27;s a better way. Well, stop using your intuition based rationalizing that there&#x27;s a problem and start using your creative and logical faculties to actually solve the &quot;perceived&quot; problem before presenting a criticism. Or at a minimum present a well thought out and actionable direction towards the solution.</text></item></parent_chain><comment><author>pcwalton</author><text>&gt; Just let me know when browser vendors are going to break down the two-tiered system, and let us run those myriad of alternatives alongside -- instead of under -- JavaScript.<p>The complexity of doing that would be needlessly high compared to just improving JavaScript. Having to integrate a C++ DOM with a JS DOM is hard enough. Think about how you handle cross-language cycles…<p>&gt; Or, they could take their own medicine, and try and write the browser in JS.<p>You mean like Firefox?</text></comment> | <story><title>JavaScript at 20</title><url>http://brendaneich.github.io/ModernWeb.tw-2015/</url></story><parent_chain><item><author>teacup50</author><text>There are no end of alternatives out there today, from mobile platforms to research languages exploring a myriad of aspects of computer science.<p>Just let me know when browser vendors are going to break down the two-tiered system, and let us run the legion of alternatives alongside -- instead of under -- JavaScript.<p>Or, they could take their own medicine, and try and write the browser in JS.</text></item><item><author>knightofmars</author><text>&quot;Haters gonna hate.&quot; Anyone claiming that JS is the &quot;worst thing to happen to the web&quot; and&#x2F;or that some other language would miraculously solve all of the problems present in JS should do the following, &quot;Go create it.&quot; Don&#x27;t whine about the barriers and how a new language would never be adopted because &quot;JS is already everywhere.&quot; There are plenty of people already trying to solve this problem by actively doing something. I&#x27;ve worked with enough engineers that love to criticize every design choice made but when it comes to asking them what the better alternative is they have nothing to say. They just &quot;know&quot; there&#x27;s a better way. Well, stop using your intuition based rationalizing that there&#x27;s a problem and start using your creative and logical faculties to actually solve the &quot;perceived&quot; problem before presenting a criticism. Or at a minimum present a well thought out and actionable direction towards the solution.</text></item></parent_chain><comment><author>ender7</author><text>Chrome was trying to do this: <a href="https:&#x2F;&#x2F;developer.chrome.com&#x2F;native-client" rel="nofollow">https:&#x2F;&#x2F;developer.chrome.com&#x2F;native-client</a><p>However, cries of foul &quot;vendor lockin&quot; erupted. So I dunno what to tell you, man.</text></comment> |
18,157,152 | 18,156,982 | 1 | 3 | 18,156,929 | train | <story><title>Microsoft open sources parts of Minecraft: Java Edition</title><url>https://minecraft.net/en-us/article/programmers-play-minecrafts-inner-workings</url></story><parent_chain></parent_chain><comment><author>ssl232</author><text>Of note is the Minecraft website from 2011 [1], where Markus Persson said: &quot;Once sales start dying and a minimum time has passed, I will release the game source code as some kind of open source. I&#x27;m not very happy with the draconian nature of (L)GPL, nor do I believe the other licenses have much merit other than to boost the egos of the original authors, so I might just possibly release it all as public domain.&quot;<p>[1] <a href="http:&#x2F;&#x2F;web.archive.org&#x2F;web&#x2F;20110920065648&#x2F;http:&#x2F;&#x2F;www.minecraft.net&#x2F;game" rel="nofollow">http:&#x2F;&#x2F;web.archive.org&#x2F;web&#x2F;20110920065648&#x2F;http:&#x2F;&#x2F;www.minecra...</a></text></comment> | <story><title>Microsoft open sources parts of Minecraft: Java Edition</title><url>https://minecraft.net/en-us/article/programmers-play-minecrafts-inner-workings</url></story><parent_chain></parent_chain><comment><author>aw1621107</author><text>The code is being open-sourced as MIT-licensed libraries. The libraries mentioned in the article are Brigadier [0], a command parser and dispatcher, and Data Fixer Upper [1], which is used to migrate older chunk data to newer versions of Minecraft.<p>Apparently more libraries are in the pipeline to be open-sourced alone these two. One possibility is Blaze3D, which is a rewrite of the rendering engine that is planned on being included in Minecraft 1.14.<p><pre><code> [0]: https:&#x2F;&#x2F;github.com&#x2F;Mojang&#x2F;brigadier
[1]: https:&#x2F;&#x2F;github.com&#x2F;Mojang&#x2F;DataFixerUpper</code></pre></text></comment> |
18,580,687 | 18,580,672 | 1 | 2 | 18,579,114 | train | <story><title>The Octopus Is Smart as Heck, But Why?</title><url>https://www.nytimes.com/2018/11/30/science/animal-intelligence-octopus-cephalopods.html</url></story><parent_chain><item><author>jaggednad</author><text>One theory why primates evolved big brains is because they had hands. Big brains for an animal like a gazelle don’t pay off because, without hands, there isn’t much a gazelle can do with that big brain. Better it use that energy for bigger leg muscles. Primates evolves hands so they could better grasp branches, but, once they had hands, there was a lot more they could do with them, like make tools. A bigger brain for a creature with hands is an evolutionary advantage, because that bigger brain allows complex behaviors that can be carried out with hands. I bet octopuses are intelligent for a similar reason. Its body is like one big hand, and there are lots of complex behaviors it can carry out with those tentacles. Similar for its color changing skin. There are many complex and useful ways that skin can be used, so it pays to have a big brain. The important point is that the bodily appendages came first, and those appendages made it actually useful to have a big brain. I find it more surprising that dolphins became intelligent, but the article is right that living in groups capable of communication and cooperation can similarly make big brains pay off, because the animal can engage in complex group behaviors.</text></item></parent_chain><comment><author>Nasrudith</author><text>Well I think the bigger issue for gazelles is energy density period - brains are calorie hogs and it doesn&#x27;t take much cunning to track down grass. Grass eating is the opposite direction in a food strategy - going for abundant but low density food instead of chasing higher density.<p>A diverse diet is a bit of a hallmark of intelligence in itself in that they are able to use their brains to get more food to make it worth the investment - similarly to complex group behavior I guess.<p>Hermit crabs for instance are shockingly intelligent for crustaceans, especially for ones of their size. I know that improperly shut lids which while closed have enough play - they cold push from the inside causing them to rotate on their axis and let them escape. That isn&#x27;t quite tool use but recognizing tools unlike anything in nature and how to manipulate them to get what they want.<p>Hermit crabs have both and live in large social groups and eat a diverse diet as well.</text></comment> | <story><title>The Octopus Is Smart as Heck, But Why?</title><url>https://www.nytimes.com/2018/11/30/science/animal-intelligence-octopus-cephalopods.html</url></story><parent_chain><item><author>jaggednad</author><text>One theory why primates evolved big brains is because they had hands. Big brains for an animal like a gazelle don’t pay off because, without hands, there isn’t much a gazelle can do with that big brain. Better it use that energy for bigger leg muscles. Primates evolves hands so they could better grasp branches, but, once they had hands, there was a lot more they could do with them, like make tools. A bigger brain for a creature with hands is an evolutionary advantage, because that bigger brain allows complex behaviors that can be carried out with hands. I bet octopuses are intelligent for a similar reason. Its body is like one big hand, and there are lots of complex behaviors it can carry out with those tentacles. Similar for its color changing skin. There are many complex and useful ways that skin can be used, so it pays to have a big brain. The important point is that the bodily appendages came first, and those appendages made it actually useful to have a big brain. I find it more surprising that dolphins became intelligent, but the article is right that living in groups capable of communication and cooperation can similarly make big brains pay off, because the animal can engage in complex group behaviors.</text></item></parent_chain><comment><author>warent</author><text>When you&#x27;re saying &quot;Big brains&quot; I assume you mean a higher level of cognition and awareness in some general sense, not a physically larger brain.<p>First I think you&#x27;re getting the cause&#x2F;effect of evolution backwards. For example, primates did not evolve hands so they could better grasp branches, but rather they better grasp branches because they evolved hands and so had a higher rate of survival.<p>So the question isn&#x27;t so much &quot;what causes complex intelligence&quot; (your proposal being hands) but rather &quot;why hasn&#x27;t complex intelligence appeared for something like the gazelle family tree?&quot;<p>It&#x27;s an interesting hypothesis to say that perhaps it&#x27;s because they don&#x27;t have hands, but there are innumerable other factors that could also be an influence, I doubt it comes down to a lack of hands.<p>I&#x27;m not a biologist though so take what I&#x27;m saying here with a gigantic grain of salt.</text></comment> |
1,811,726 | 1,810,762 | 1 | 2 | 1,810,487 | train | <story><title>Knockout: JS library for rich UIs, declarative bindings, and dependency tracking</title><url>http://knockoutjs.com/</url></story><parent_chain></parent_chain><comment><author>jluxenberg</author><text>FYI, in case you were wondering as I was, whether it is legal to add arbitrary properties to HTML tags:<p><i>"The data-bind attribute isn’t native to HTML, though it is perfectly OK (it’s strictly compliant in HTML 5, and causes no problems with HTML 4 even though a validator will point out that it’s an unrecognized attribute)."</i></text></comment> | <story><title>Knockout: JS library for rich UIs, declarative bindings, and dependency tracking</title><url>http://knockoutjs.com/</url></story><parent_chain></parent_chain><comment><author>vmind</author><text>It's good to see more developments in this area, as I liked the management offered by projects such as SproutCore, but the stack as a whole was very heavyweight.<p>I did work on my own take, using some of the ideas from SproutCore, though didn't get very far in polish (<a href="http://github.com/erudites/eventful" rel="nofollow">http://github.com/erudites/eventful</a>)<p>I've only had a brief look, but the dependency tracking looks much cleaner than other solutions I've seen for partial template redrawing.<p>Do Backbone and Knockout interact well, or are there conflicts in getting them to play nicely together?</text></comment> |
35,056,591 | 35,056,761 | 1 | 2 | 35,055,839 | train | <story><title>Hi again @elonmusk</title><url>https://twitter.com/iamharaldur/status/1633082707835080705</url></story><parent_chain><item><author>thinkingkong</author><text>What I can&#x27;t understand about Elon&#x27;s approach is how easy it would be to do nothing. Like he could easily just ignore these tweets and not have a massive public thread where he gets eviscerated. I can appreciate that there are a large number of people who will come to a billionaires defence, for whatever reason but surely it would be easier to just send the tweet to HR with a &quot;?&quot;.</text></item></parent_chain><comment><author>neaden</author><text>It&#x27;s because he is a bully and enjoys feeling powerful by being snarky to someone less powerful to him and then having a bunch of people compliment him for doing it. Like I wish that wasn&#x27;t the reason and was willing to give him the benefit of the doubt for awhile but it&#x27;s pretty clear at this point it&#x27;s just because he likes to do it.</text></comment> | <story><title>Hi again @elonmusk</title><url>https://twitter.com/iamharaldur/status/1633082707835080705</url></story><parent_chain><item><author>thinkingkong</author><text>What I can&#x27;t understand about Elon&#x27;s approach is how easy it would be to do nothing. Like he could easily just ignore these tweets and not have a massive public thread where he gets eviscerated. I can appreciate that there are a large number of people who will come to a billionaires defence, for whatever reason but surely it would be easier to just send the tweet to HR with a &quot;?&quot;.</text></item></parent_chain><comment><author>Veen</author><text>You have wonder what goes on in Musk&#x27;s head. He lays off a guy with a fairly large Twitter following, who is quite wealthy, having founded a company that sold to Twitter, and is a well-known philanthropist in his own country, who also happens to have muscular dystrophy.<p>The guy politely tries to get his attention to find out whether he still has a job. And Musk&#x27;s response is to interrogate him publicly, mock him, and accuse him of using his disability as an excuse to avoid work.<p>It&#x27;s cretinous in so many different ways it&#x27;s hard to see how the stupidest person would think it a sensible course of action.</text></comment> |
14,555,817 | 14,555,808 | 1 | 3 | 14,552,030 | train | <story><title>The blockchain paradox: Why DLTs may do little to transform the economy</title><url>https://www.oii.ox.ac.uk/blog/the-blockchain-paradox-why-distributed-ledger-technologies-may-do-little-to-transform-the-economy/</url></story><parent_chain><item><author>russdpale</author><text>With bitcoin, it is agreed upon using byzantine consensus. The only way a bad actor can manipulate the ledger is if they own enough nodes to gain a majority, which is virtually impossible. After just a handful of bit times is economically and mathematically impossible to reverse the contract.<p>I suggest listening to this Tim Ferris podcast with Nick Szabo: <a href="http:&#x2F;&#x2F;tim.blog&#x2F;2017&#x2F;06&#x2F;04&#x2F;nick-szabo&#x2F;" rel="nofollow">http:&#x2F;&#x2F;tim.blog&#x2F;2017&#x2F;06&#x2F;04&#x2F;nick-szabo&#x2F;</a><p>The entire idea is that no arbiter is truly neutral, no third party is truly trustworthy. Block chain is the onset of FAT protocols and trustful computing.<p>If the poor of the world can understand the social mobility that crypto currency affords them, there will be no stopping it, in my opinion.</text></item><item><author>rockmeamedee</author><text>I agree with this article.<p>Proponents of blockchain tech argue its revolutionary quality is its ability to act as a decentralized and trustless database. But I don&#x27;t ever hear them sort through the issue of how to agree on the schema for this trustless database.<p>For a group of people to use a decentralized DB, they have to agree as to what to store in it, and how to store it. They need to form consensus about how the system will work, and how the data will flow.<p>For example I&#x27;ve seen people on here mention applications such as a decentralized stock exchange, and a decentralized hotel rooms marketplace.<p>For either of these, it&#x27;s necessary to get all the users of the system in a room and agree what is in scope and what is not, and in general what can be done with the system and how. At this point they already have a consensus, they trust each other, they might as well just set up a centralized database run by a 3rd party that manages the system, keeps it up to date and adds upgrades, instead of building it on the blockchain and hoping there are no major bugs in the cloud code and that it will live off gas.<p>For the stock exchange, that&#x27;s exactly what we already have. We have institutions that are dedicated to running exchanges, which act as neutral arbiters. They use regular old centralised databases. When they have bugs in their code or the system makes a mistake they can even roll back trades, which they couldn&#x27;t do on the blockchain.<p>Essentially this is the same argument as OP. The 3rd party&#x27;s act of ironing out issues, deciding what the rules are and how they interact is synonymous with OP&#x27;s term &quot;governance&quot;. We agree that using&#x2F;running the system is different than defining&#x2F;implementing the system and the latter can&#x27;t be done trustlessly.<p>And also governance gets a lot easier when you also run the system centralized ;)</text></item></parent_chain><comment><author>sciyoshi</author><text>OP&#x27;s argument is that this distributed consensus algorithm works only if there is already consensus about which algorithm to use in the first place! If you and I disagree about which block history is valid (for example, because my history includes blocks with a lower difficulty), then the assumptions are no longer valid and there&#x27;s a hard fork. Also, note that a 51% attack can only exclude transactions or allow double spending - the ledger still can&#x27;t be arbitrarily manipulated since transactions are signed by private keys.</text></comment> | <story><title>The blockchain paradox: Why DLTs may do little to transform the economy</title><url>https://www.oii.ox.ac.uk/blog/the-blockchain-paradox-why-distributed-ledger-technologies-may-do-little-to-transform-the-economy/</url></story><parent_chain><item><author>russdpale</author><text>With bitcoin, it is agreed upon using byzantine consensus. The only way a bad actor can manipulate the ledger is if they own enough nodes to gain a majority, which is virtually impossible. After just a handful of bit times is economically and mathematically impossible to reverse the contract.<p>I suggest listening to this Tim Ferris podcast with Nick Szabo: <a href="http:&#x2F;&#x2F;tim.blog&#x2F;2017&#x2F;06&#x2F;04&#x2F;nick-szabo&#x2F;" rel="nofollow">http:&#x2F;&#x2F;tim.blog&#x2F;2017&#x2F;06&#x2F;04&#x2F;nick-szabo&#x2F;</a><p>The entire idea is that no arbiter is truly neutral, no third party is truly trustworthy. Block chain is the onset of FAT protocols and trustful computing.<p>If the poor of the world can understand the social mobility that crypto currency affords them, there will be no stopping it, in my opinion.</text></item><item><author>rockmeamedee</author><text>I agree with this article.<p>Proponents of blockchain tech argue its revolutionary quality is its ability to act as a decentralized and trustless database. But I don&#x27;t ever hear them sort through the issue of how to agree on the schema for this trustless database.<p>For a group of people to use a decentralized DB, they have to agree as to what to store in it, and how to store it. They need to form consensus about how the system will work, and how the data will flow.<p>For example I&#x27;ve seen people on here mention applications such as a decentralized stock exchange, and a decentralized hotel rooms marketplace.<p>For either of these, it&#x27;s necessary to get all the users of the system in a room and agree what is in scope and what is not, and in general what can be done with the system and how. At this point they already have a consensus, they trust each other, they might as well just set up a centralized database run by a 3rd party that manages the system, keeps it up to date and adds upgrades, instead of building it on the blockchain and hoping there are no major bugs in the cloud code and that it will live off gas.<p>For the stock exchange, that&#x27;s exactly what we already have. We have institutions that are dedicated to running exchanges, which act as neutral arbiters. They use regular old centralised databases. When they have bugs in their code or the system makes a mistake they can even roll back trades, which they couldn&#x27;t do on the blockchain.<p>Essentially this is the same argument as OP. The 3rd party&#x27;s act of ironing out issues, deciding what the rules are and how they interact is synonymous with OP&#x27;s term &quot;governance&quot;. We agree that using&#x2F;running the system is different than defining&#x2F;implementing the system and the latter can&#x27;t be done trustlessly.<p>And also governance gets a lot easier when you also run the system centralized ;)</text></item></parent_chain><comment><author>jakewins</author><text>&gt; If the poor of the world can understand the social mobility that crypto currency affords them<p>Can you expand on how crypto currencies relate to positive social mobility?<p>Off-handedly it seems to me it would be the opposite, although I&#x27;m admittedly fuzzy on this..<p>In theory crypto currencies reduce rent-seeking from intermediaries; since much financial rent seeking is established as percentages of an exchange (like a credit card transfer), removing those rents will give bigger net advantages to those transferring large amounts than those transferring small ones.<p>Not saying removing rent seeking is bad (it&#x27;s awesome!), but I don&#x27;t see how that does anything but increase the difficulty for someone with low capital to catch up; rather it should be doing the opposite.</text></comment> |
20,016,869 | 20,016,380 | 1 | 2 | 20,015,944 | train | <story><title>Google's New Manager Student Workbook</title><url>https://docs.google.com/presentation/d/1DpxBRSE2FwxNazRMUOozf-MVRChCqCr7m7p1Fl_gx4U/edit#slide=id.p6</url></story><parent_chain></parent_chain><comment><author>theDoug</author><text>This is not what Google uses, but shares many similarities, so the title of &quot;Google&#x27;s&quot; isn&#x27;t fully correct.<p>This is an example from <a href="https:&#x2F;&#x2F;rework.withgoogle.com&#x2F;guides&#x2F;" rel="nofollow">https:&#x2F;&#x2F;rework.withgoogle.com&#x2F;guides&#x2F;</a></text></comment> | <story><title>Google's New Manager Student Workbook</title><url>https://docs.google.com/presentation/d/1DpxBRSE2FwxNazRMUOozf-MVRChCqCr7m7p1Fl_gx4U/edit#slide=id.p6</url></story><parent_chain></parent_chain><comment><author>lpolzer</author><text>It looks good. Of course the real question is whether it&#x27;s just lip service to look good, or whether the company as a whole really wholeheartedly embodies these values. From what I heard from Google employees online, in a lot of situations political power plays still trump other values like compassion and empathy.</text></comment> |
37,512,953 | 37,509,727 | 1 | 3 | 37,507,916 | train | <story><title>Bacteria generate electricity from wastewater</title><url>https://actu.epfl.ch/news/bacteria-generate-electricity-from-wastewater/</url></story><parent_chain></parent_chain><comment><author>mpreda</author><text>I think researching in the opposite direction has more potential. Let me explain:<p>what we want isn&#x27;t to generate electricity through bacteria that digests wastewater -- what we want is to feed electricity to the bacteria that digests wastewater, just to enable that bacteria to do it better, faster, and &quot;wider&quot;.<p>Let&#x27;s imagine I have a septic tank behind the house. I don&#x27;t need to find out how I can run a LED light from the bacteria in the tank. What I want is to plug that biosystem to electrical power, so that the septic tank biorection is 100x speeded up, in a 10x smaller tank. Even if it uses up a few Watts of power.<p>And, once we do that, think of the possibilities that open up: once you feed power into the biosystem, it becomes energetically possible to drive bioreactions in the opposite direction from the energy gradient, basically driving the reaction &quot;up the hill&quot; with electrical power. Now that&#x27;s something!</text></comment> | <story><title>Bacteria generate electricity from wastewater</title><url>https://actu.epfl.ch/news/bacteria-generate-electricity-from-wastewater/</url></story><parent_chain></parent_chain><comment><author>Rygian</author><text>From the &quot;supplemental information&quot; [1] part of the actual paper [2], the levels of current are measured in μA and tenths of volts (ie. in the order of μW of power).<p>What is fully unclear to me is how (or whether) that power can be harvested and put to any electrical use. Or perhaps it is only of chemical interest?<p>[1] <a href="https:&#x2F;&#x2F;www.cell.com&#x2F;cms&#x2F;10.1016&#x2F;j.joule.2023.08.006&#x2F;attachment&#x2F;517b3268-378a-494e-a5c6-020a6aebcb29&#x2F;mmc1.pdf" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.cell.com&#x2F;cms&#x2F;10.1016&#x2F;j.joule.2023.08.006&#x2F;attachm...</a>
[2] <a href="https:&#x2F;&#x2F;www.cell.com&#x2F;joule&#x2F;fulltext&#x2F;S2542-4351(23)00352-5?_returnURL=https%3A%2F%2Flinkinghub.elsevier.com%2Fretrieve%2Fpii%2FS2542435123003525%3Fshowall%3Dtrue" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.cell.com&#x2F;joule&#x2F;fulltext&#x2F;S2542-4351(23)00352-5?_r...</a></text></comment> |
27,466,720 | 27,466,893 | 1 | 2 | 27,461,970 | train | <story><title>The work-from-home future is destroying bosses' brains</title><url>https://ez.substack.com/p/the-work-from-home-future-is-destroying</url></story><parent_chain><item><author>idrios</author><text>I&#x27;m surprised this perspective is not made more often. It&#x27;s now much easier to work past 5 or 6pm or whenever you would normally end. Needing to return home to your family is no longer an excuse to stop working because you can be with your family while at work. All it takes is one developer on your team working evenings or weekends for the other developers to feel like they need to be working late too. There&#x27;s also the fact that managers right now are more concerned about whether their team is working enough, rather than being concerned about their team working too much.</text></item><item><author>thenewwazoo</author><text>Did it really double, or did boundaries erode? My company has been very clear in that they are measuring our productivity and <i>also</i> our working hours. Managers are being instructed to be <i>very</i> clear about establishing work&#x2F;life boundaries (with the specifics being based on individual need). We similarly saw an increase in productivity, but the increase was far smaller once normalized for hours worked.</text></item><item><author>leros</author><text>One of the interesting things that happened at my company is that productivity instantly doubled when we started working remotely. The reality at my company is that people are only getting 20 hours or so of work done in the office - the rest is socialization, pointless meetings, lunches, or trying to look busy. When we went home for lockdown and kept working 40 hour weeks, not only did productive output double, but everyone burned out in a few weeks.<p>In my opinion, the reality of working from home is that 20-30 hour work weeks need to be acceptable and we should use the rest of our time on non-working things, just like we did in the office, but now that time can be more meaningful to us.</text></item></parent_chain><comment><author>ricardobeat</author><text>I find myself doing the opposite. It&#x27;s much easier for me to step away at 6pm sharp knowing that if anything happens I can jump back in an instant, vs the worry of being the first to leave the office, and being stuck in a train for a half hour.</text></comment> | <story><title>The work-from-home future is destroying bosses' brains</title><url>https://ez.substack.com/p/the-work-from-home-future-is-destroying</url></story><parent_chain><item><author>idrios</author><text>I&#x27;m surprised this perspective is not made more often. It&#x27;s now much easier to work past 5 or 6pm or whenever you would normally end. Needing to return home to your family is no longer an excuse to stop working because you can be with your family while at work. All it takes is one developer on your team working evenings or weekends for the other developers to feel like they need to be working late too. There&#x27;s also the fact that managers right now are more concerned about whether their team is working enough, rather than being concerned about their team working too much.</text></item><item><author>thenewwazoo</author><text>Did it really double, or did boundaries erode? My company has been very clear in that they are measuring our productivity and <i>also</i> our working hours. Managers are being instructed to be <i>very</i> clear about establishing work&#x2F;life boundaries (with the specifics being based on individual need). We similarly saw an increase in productivity, but the increase was far smaller once normalized for hours worked.</text></item><item><author>leros</author><text>One of the interesting things that happened at my company is that productivity instantly doubled when we started working remotely. The reality at my company is that people are only getting 20 hours or so of work done in the office - the rest is socialization, pointless meetings, lunches, or trying to look busy. When we went home for lockdown and kept working 40 hour weeks, not only did productive output double, but everyone burned out in a few weeks.<p>In my opinion, the reality of working from home is that 20-30 hour work weeks need to be acceptable and we should use the rest of our time on non-working things, just like we did in the office, but now that time can be more meaningful to us.</text></item></parent_chain><comment><author>lamontcg</author><text>As someone who has done full time WFH for more than 5 years one skill you need to pick up is the ability to shut down around 5-6pm and avoid work on the weekends, which actually takes some self-discipline.</text></comment> |
13,525,277 | 13,524,919 | 1 | 3 | 13,521,699 | train | <story><title>Hollywood as We Know It Is Over</title><url>http://www.vanityfair.com/news/2017/01/why-hollywood-as-we-know-it-is-already-over</url></story><parent_chain><item><author>paganel</author><text>&gt; Viewers today expect incredible production value.<p>Not really, no. I expect interesting movies, and I&#x27;d say being an interesting movie doesn&#x27;t have anything to do with CGI. I&#x27;m a film buff through and through and it almost literally pains me when I see that people involved in the movie industry don&#x27;t seem to understand what their problem is: they don&#x27;t make films for grown-ups anymore.<p>The only outlet that has provided interesting movie-like content in the last 10-15 years was television. There&#x27;s almost no CGI in shows like The Wire, The Sopranos, Black Mirror (to just name a few), shows that have made me casually think about them while I was riding the tramway and the like years after I had last seen them.<p>I miss great movies.</text></item><item><author>Animats</author><text>Production cost is a problem, and technology has made it worse. Look at that long, long list of animators and technicians at the end of any effects-heavy film today. A cast of thousands.<p>In the late 1990s, when I was working on physics engines for animation, I was talking to a major Hollywood director. He&#x27;d done some of the first films that had both live and photorealistic CGI characters. He wanted to get the cost down, so he could make $20 million movies. At $20 million, he could direct; at $100 million, he was running a huge operation that had to have everything pre-planned in great detail.<p>His model was the early CGI cartoon, &quot;Reboot&quot;. Reboot was a weekly half hour cartoon made by a staff of about 30. He wanted to get to that level of productivity at theater quality - make a 2 hour film in a month with 30 people.<p>That didn&#x27;t happen. Not even close.<p>It&#x27;s been tried. &quot;Sky Captain and the World of Tomorrow&quot; started as a low-budget picture rendered on Macs. In that film, if nobody touches it, it&#x27;s CG. Ended up costing $70 million. Worldwide box office $50 million. Fail. &quot;Iron Sky&quot; was made for €7.5 million. Worldwide box office $11.5 million. Fail.<p>There were successful low budget directors in the past, Roger Corman being the prime example. (His autobiography is titled &quot;How I made a hundred movies in Hollywood and never lost a dime&quot;.) It&#x27;s harder to do that today. Viewers today expect incredible production value. Most TV shows have more production value today than 70s movies did. Hollywood has so many people on set because they bring a team together on short notice to do a job, then disband the team. They need many competent people with different skills to make that work. If you cut corners, it looks like Youtube crap.<p>On big movies, we&#x27;ve mostly replaced set painters and carpenters with people who sit at workstations and do the same job with CG models. &quot;Big&quot; is now cheap, but &quot;detailed&quot; remains expensive. Procedural visual content generation can generate good landscapes and vegetation now (check out SpeedTree), but as yet, nobody has been able to procedurally generate one convincing block of a city street seen at ground level. Making GTA V cost $265 million. Not seeing an incoming reduction in production cost.<p>Netflix has no huge advantage. HBO is in the same position - they make content to sell to their own customers, and know exactly what sold. Data collection is retrospective. Trying to figure out what movies will be box office failures in advance remains hard. That&#x27;s why Hollywood generates so many sequels - predictability.</text></item></parent_chain><comment><author>racl101</author><text>Agreed.<p>I don&#x27;t think there&#x27;s any CGI in Pulp Fiction (1994) and it cost around $9 million to make in 1994 dollars. It made around $200 million worldwide. Whiplash (2014) , a more recent movie with little to no CGI, cost $3.3 million to make and made around $49 million worldwide.<p>The point is that people want interesting, well written movies with great stories. If that warrants CGI sure, but it&#x27;s not a requirement.<p>A boring movie is not good. But a boring and expensive movie is terrible and that&#x27;s what&#x27;s mainly being put out: boring and expensive movies.<p>As far as movies with huge production budgets for every great movie with a justified fair amount of CGI there&#x27;s tens of crappy ones many that break even or don&#x27;t make their money back.<p>Creatively speaking there&#x27;s probably never been a worse time for big Hollyood movies.</text></comment> | <story><title>Hollywood as We Know It Is Over</title><url>http://www.vanityfair.com/news/2017/01/why-hollywood-as-we-know-it-is-already-over</url></story><parent_chain><item><author>paganel</author><text>&gt; Viewers today expect incredible production value.<p>Not really, no. I expect interesting movies, and I&#x27;d say being an interesting movie doesn&#x27;t have anything to do with CGI. I&#x27;m a film buff through and through and it almost literally pains me when I see that people involved in the movie industry don&#x27;t seem to understand what their problem is: they don&#x27;t make films for grown-ups anymore.<p>The only outlet that has provided interesting movie-like content in the last 10-15 years was television. There&#x27;s almost no CGI in shows like The Wire, The Sopranos, Black Mirror (to just name a few), shows that have made me casually think about them while I was riding the tramway and the like years after I had last seen them.<p>I miss great movies.</text></item><item><author>Animats</author><text>Production cost is a problem, and technology has made it worse. Look at that long, long list of animators and technicians at the end of any effects-heavy film today. A cast of thousands.<p>In the late 1990s, when I was working on physics engines for animation, I was talking to a major Hollywood director. He&#x27;d done some of the first films that had both live and photorealistic CGI characters. He wanted to get the cost down, so he could make $20 million movies. At $20 million, he could direct; at $100 million, he was running a huge operation that had to have everything pre-planned in great detail.<p>His model was the early CGI cartoon, &quot;Reboot&quot;. Reboot was a weekly half hour cartoon made by a staff of about 30. He wanted to get to that level of productivity at theater quality - make a 2 hour film in a month with 30 people.<p>That didn&#x27;t happen. Not even close.<p>It&#x27;s been tried. &quot;Sky Captain and the World of Tomorrow&quot; started as a low-budget picture rendered on Macs. In that film, if nobody touches it, it&#x27;s CG. Ended up costing $70 million. Worldwide box office $50 million. Fail. &quot;Iron Sky&quot; was made for €7.5 million. Worldwide box office $11.5 million. Fail.<p>There were successful low budget directors in the past, Roger Corman being the prime example. (His autobiography is titled &quot;How I made a hundred movies in Hollywood and never lost a dime&quot;.) It&#x27;s harder to do that today. Viewers today expect incredible production value. Most TV shows have more production value today than 70s movies did. Hollywood has so many people on set because they bring a team together on short notice to do a job, then disband the team. They need many competent people with different skills to make that work. If you cut corners, it looks like Youtube crap.<p>On big movies, we&#x27;ve mostly replaced set painters and carpenters with people who sit at workstations and do the same job with CG models. &quot;Big&quot; is now cheap, but &quot;detailed&quot; remains expensive. Procedural visual content generation can generate good landscapes and vegetation now (check out SpeedTree), but as yet, nobody has been able to procedurally generate one convincing block of a city street seen at ground level. Making GTA V cost $265 million. Not seeing an incoming reduction in production cost.<p>Netflix has no huge advantage. HBO is in the same position - they make content to sell to their own customers, and know exactly what sold. Data collection is retrospective. Trying to figure out what movies will be box office failures in advance remains hard. That&#x27;s why Hollywood generates so many sequels - predictability.</text></item></parent_chain><comment><author>Alex3917</author><text>&gt; they don&#x27;t make films for grown-ups anymore.<p>In NYC there is an entire indie film district with four or five theaters within a few blocks. There is still good stuff being made, just not by Hollywood.</text></comment> |
22,828,505 | 22,827,983 | 1 | 2 | 22,826,236 | train | <story><title>Show HN: A stupid website for animating images on top of videos (HTML5 and WASM)</title><url>https://madeitfor.fun/</url></story><parent_chain></parent_chain><comment><author>TrevorSundberg</author><text>The original inspiration for this was a very old video from 2007, the 300 PG version:
<a href="https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=gNqiSkd1M6k" rel="nofollow">https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=gNqiSkd1M6k</a><p>I had originally named this project Cake Town as an homage to a scene in that video, however the domain cake.town was taken so I chose <a href="https:&#x2F;&#x2F;madeitfor.fun&#x2F;" rel="nofollow">https:&#x2F;&#x2F;madeitfor.fun&#x2F;</a> instead :)<p>The goal was to be able to animate images and gifs over a video with controls that worked easily on both mobile and desktop, all on a website. I started to realize that with more things being compiled to WebAssembly, I could take advantage of video encoding directly on the page (no server encoding required). The web is truly a powerful platform!</text></comment> | <story><title>Show HN: A stupid website for animating images on top of videos (HTML5 and WASM)</title><url>https://madeitfor.fun/</url></story><parent_chain></parent_chain><comment><author>transitivebs</author><text>This is really awesome -- was interesting to see FFmpeg being used fully client-side.<p>I had previously used this ffmpeg WASM port (<a href="https:&#x2F;&#x2F;github.com&#x2F;Kagami&#x2F;ffmpeg.js" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;Kagami&#x2F;ffmpeg.js</a>) and hadn&#x27;t seen the one you&#x27;re using before (<a href="https:&#x2F;&#x2F;github.com&#x2F;ffmpegjs&#x2F;ffmpeg.js" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;ffmpegjs&#x2F;ffmpeg.js</a>). Any thoughts on their pros &amp; cons?<p>Also, I&#x27;m the maintainer of the awesome-ffmpeg list - mind if I add this to there?</text></comment> |
19,686,009 | 19,686,165 | 1 | 3 | 19,684,688 | train | <story><title>Microsoft turned down facial-recognition sales on human rights concerns</title><url>https://www.reuters.com/article/us-microsoft-ai/microsoft-turned-down-facial-recognition-sales-on-human-rights-concerns-idUSKCN1RS2FV</url></story><parent_chain><item><author>ergothus</author><text>I&#x27;ve been harsh to Microsoft in the past (for what I consider good reasons) but I want to give credit where credit is due - this is exactly the sort of behavior that many have been asking for from companies. Foresee a problem, don&#x27;t do the thing.<p>It doesn&#x27;t matter that there&#x27;s an argument of this refusal being good business - truth is, big companies being confident that consumer outrage won&#x27;t translate into enough market impact to say they shouldn&#x27;t do the bad thing has become the norm. Nice to see an instance where that&#x27;s the not the case.</text></item></parent_chain><comment><author>amrrs</author><text>In the other news, Microsoft accused of being &#x27;complicit&#x27; in persecution of 1 million Muslims after helping China develop sinister AI capabilities.<p><a href="http:&#x2F;&#x2F;www.businessinsider.com&#x2F;microsoft-china-muslim-crackdown-ai-partnership-complicit-2019-4" rel="nofollow">http:&#x2F;&#x2F;www.businessinsider.com&#x2F;microsoft-china-muslim-crackd...</a></text></comment> | <story><title>Microsoft turned down facial-recognition sales on human rights concerns</title><url>https://www.reuters.com/article/us-microsoft-ai/microsoft-turned-down-facial-recognition-sales-on-human-rights-concerns-idUSKCN1RS2FV</url></story><parent_chain><item><author>ergothus</author><text>I&#x27;ve been harsh to Microsoft in the past (for what I consider good reasons) but I want to give credit where credit is due - this is exactly the sort of behavior that many have been asking for from companies. Foresee a problem, don&#x27;t do the thing.<p>It doesn&#x27;t matter that there&#x27;s an argument of this refusal being good business - truth is, big companies being confident that consumer outrage won&#x27;t translate into enough market impact to say they shouldn&#x27;t do the bad thing has become the norm. Nice to see an instance where that&#x27;s the not the case.</text></item></parent_chain><comment><author>ddebernardy</author><text>Isn&#x27;t the actual problem lawsuit related?<p>If I am not mistaking, the shareholders are entitled to sue under the current doctrine for not acting in their best interest.<p>MS would arguably defend itself making the case that key employees might resign, or key accounts might leave, or whatever else its legal team comes up with. MS might even win such a case for all we know.<p>Still, a court case could be an unwanted distraction. Or an interesting test case, depending on viewpoint.</text></comment> |
37,262,211 | 37,261,672 | 1 | 3 | 37,259,225 | train | <story><title>Unpacking Elixir: Concurrency</title><url>https://underjord.io/unpacking-elixir-concurrency.html</url></story><parent_chain><item><author>tombert</author><text>Disckaimer: I have never used Elixir in any serious capacity, but I have done a good chunk of Erlang.<p>Concurrency in Erlang sort of frustrates me...not because it&#x27;s bad, but because when I use it I start getting pissed at how annoying concurrency is in nearly every other language. So much of distributed systems tooling in 2023 is basically just there to port over Erlang constructs to more mainstream languages.<p>Obviously you can get a working distributed system by gluing together caches and queues and busses and RPC, but Erlang gives you all that out of the box, and it all works.</text></item></parent_chain><comment><author>hinkley</author><text><p><pre><code> Any sufficiently complicated distributed program contains an ad hoc, informally-specified, bug-ridden, slow implementation of half of Erlang</code></pre></text></comment> | <story><title>Unpacking Elixir: Concurrency</title><url>https://underjord.io/unpacking-elixir-concurrency.html</url></story><parent_chain><item><author>tombert</author><text>Disckaimer: I have never used Elixir in any serious capacity, but I have done a good chunk of Erlang.<p>Concurrency in Erlang sort of frustrates me...not because it&#x27;s bad, but because when I use it I start getting pissed at how annoying concurrency is in nearly every other language. So much of distributed systems tooling in 2023 is basically just there to port over Erlang constructs to more mainstream languages.<p>Obviously you can get a working distributed system by gluing together caches and queues and busses and RPC, but Erlang gives you all that out of the box, and it all works.</text></item></parent_chain><comment><author>macintux</author><text>I fell in love with Erlang pretty quickly, and it’s hard for me to enjoy writing other languages. Simple concise syntax, pattern matching, immutability, error handling without branches all over the place, concurrency… it’s hard to walk away from that.</text></comment> |
26,634,378 | 26,634,453 | 1 | 2 | 26,626,900 | train | <story><title>What I learned living in a trailer in the Utah desert for two decades</title><url>https://www.outsideonline.com/2421817/moab-trailer-mark-sundeen-essay</url></story><parent_chain></parent_chain><comment><author>afpx</author><text>&quot;Now 26, I moved back to L.A. to publish a magazine and go to grad school and write a book ...&quot;<p>I&#x27;m embarrassed to be a little jealous. I grew up in a similar place, albeit more like &quot;Trailer park boys&quot; and &quot;Gummo&quot; than a romantic western. And, the best outcome one&#x27;d hope for a school&#x27;s valedictorian is to not die of opioids or poor health before they&#x27;re 26.<p>Anyway, I&#x27;d love to read similar types of stories from other countries. For instance, how about a Chinese boy who abandons his studies at Peking University in Beijing to move to Xinjiang and back again. Is there such a thing?</text></comment> | <story><title>What I learned living in a trailer in the Utah desert for two decades</title><url>https://www.outsideonline.com/2421817/moab-trailer-mark-sundeen-essay</url></story><parent_chain></parent_chain><comment><author>lioeters</author><text>Thanks for posting this link - I resonated with the writing and his experiences.<p>The story brought back memories of my own wandering days, struggles learning to love, the American land and people I met along the way. There were real feelings and insight in his words, like listening to a weather-worn man telling his life story by a camp fire.<p>Here are some books by Mark Sundeen:<p>- The Unsettlers: In Search of the Good Life in Today&#x27;s America (2017)<p>- The Man Who Quit Money (2012)<p>- North by Northwestern: A Seafaring Family on Deadly Alaskan Waters (2011)</text></comment> |
16,524,207 | 16,524,189 | 1 | 2 | 16,523,670 | train | <story><title>European Union plans to tax tech giants on local revenue</title><url>https://techcrunch.com/2018/03/05/european-union-plans-to-tax-tech-giants-on-local-revenue/</url></story><parent_chain><item><author>meddlepal</author><text>Taxing on revenue rather than profit feels wrong. If you run a loss you&#x27;re still on the hook for taxes? That doesn&#x27;t make sense to me.<p>How far can the EU push before these companies decide it is not worth having actual businesses there?</text></item></parent_chain><comment><author>Barrin92</author><text>&gt;How far can the EU push before these companies decide it is not worth having actual businesses there?<p>Given that it&#x27;s one of the single biggest and lucrative markets on the planet, much farther I would guess.<p>People are way too screamish about the threat of companies running away. Service providers aren&#x27;t going to abandon hundreds of millions of high income users.</text></comment> | <story><title>European Union plans to tax tech giants on local revenue</title><url>https://techcrunch.com/2018/03/05/european-union-plans-to-tax-tech-giants-on-local-revenue/</url></story><parent_chain><item><author>meddlepal</author><text>Taxing on revenue rather than profit feels wrong. If you run a loss you&#x27;re still on the hook for taxes? That doesn&#x27;t make sense to me.<p>How far can the EU push before these companies decide it is not worth having actual businesses there?</text></item></parent_chain><comment><author>matthewmacleod</author><text><i>Taxing on revenue rather than profit feels wrong. If you run a loss you&#x27;re still on the hook for taxes? That doesn&#x27;t make sense to me.</i><p>True, in that it would better to fix the underlying problems that allow companies to pretend they have no profit. In practice though, it’s not likely to be a problem.<p><i>How far can the EU push before these companies decide it is not worth having actual businesses there?</i><p>Very, very far. They’re not being pushed much at the moment.</text></comment> |
1,354,566 | 1,354,562 | 1 | 2 | 1,354,391 | train | <story><title>Why I Switched to Git From Mercurial</title><url>http://blog.extracheese.org/2010/05/why-i-switched-to-git-from-mercurial.html</url></story><parent_chain><item><author>pilif</author><text>personally, I really don't get the complaints about git's UI. OK. I understand the confusion about what checkout does, though on the other hand, once you know that, it won't happen to you.<p>But a revision control system failing to not corrupt or crash depending on the data you put into it is, frankly, no revision control system.<p>Just like a database failing to return the same data back that you told it to store and without telling you a problem occurred at store time is no database either (<i>cough</i> mysql <i>cough</i>).</text></item></parent_chain><comment><author>danh</author><text>"I really don't get the complaints about git's UI"<p>I think it's because git's data model is so minimal and elegant, and the UI is anything but.<p>For me, it's not so much that the UI is quite bad (which it is), but that it could have been brilliant.</text></comment> | <story><title>Why I Switched to Git From Mercurial</title><url>http://blog.extracheese.org/2010/05/why-i-switched-to-git-from-mercurial.html</url></story><parent_chain><item><author>pilif</author><text>personally, I really don't get the complaints about git's UI. OK. I understand the confusion about what checkout does, though on the other hand, once you know that, it won't happen to you.<p>But a revision control system failing to not corrupt or crash depending on the data you put into it is, frankly, no revision control system.<p>Just like a database failing to return the same data back that you told it to store and without telling you a problem occurred at store time is no database either (<i>cough</i> mysql <i>cough</i>).</text></item></parent_chain><comment><author>davidw</author><text>&#62; I really don't get the complaints about git's UI<p>I would group mine into two main categories:<p>* Error messages that are confusing.<p>* <i>Requiring</i> that the user knows a fair number of options to commands. You can get by in svn without knowing many options to pass to commands, but with git, you're going to sink if you don't.</text></comment> |
35,760,968 | 35,759,671 | 1 | 2 | 35,758,842 | train | <story><title>Microsoft quietly supported legislation to make it easier to fix devices</title><url>https://grist.org/technology/microsoft-right-to-repair-quietly-supported-legislation-to-make-it-easier-to-fix-devices-heres-why-thats-a-big-deal/</url></story><parent_chain><item><author>rychco</author><text>Lobbyists butchered this legislation. Many of the suggested edits[1] by lobbyists to weaken the original - made it into the bill verbatim [2]. How do New Yorkers feel about unelected parties writing their laws?<p>[1] <a href="https:&#x2F;&#x2F;www.documentcloud.org&#x2F;documents&#x2F;23599780-technets-proposed-changes-to-digital-fair-repair-act" rel="nofollow">https:&#x2F;&#x2F;www.documentcloud.org&#x2F;documents&#x2F;23599780-technets-pr...</a>
[2] <a href="https:&#x2F;&#x2F;assembly.state.ny.us&#x2F;leg&#x2F;?default_fld=&amp;bn=S01320&amp;term=2023&amp;Summary=Y&amp;Actions=Y&amp;Text=Y&amp;Committee%26nbspVotes=Y&amp;Floor%26nbspVotes=Y#S01320" rel="nofollow">https:&#x2F;&#x2F;assembly.state.ny.us&#x2F;leg&#x2F;?default_fld=&amp;bn=S01320&amp;ter...</a></text></item><item><author>dawidpotocki</author><text>&gt; Later that year, though, the right-to-repair movement scored some big wins. […] The very next day, New York’s legislature passed the bill that would later become the nation’s first electronics right-to-repair law.<p>It&#x27;s hard to call it a &quot;win&quot;. It has been sabotaged by the governor Kathy Hochul at the last minute, a year after it passed with supermajority. She was waiting a whole year to sign the bill and at the end decided add loopholes which made the bill worse than useless. People now think that the problem is solved when in reality nothing has been done.</text></item></parent_chain><comment><author>frankfrankfrank</author><text>Most people don’t care and definitely don’t pay nearly as close attention as should be required to have the right to vote, let alone those who are payed massive amounts of money to manipulate corrupted politicians. Corruption is now or at the very least is well on its way to becoming systemic.</text></comment> | <story><title>Microsoft quietly supported legislation to make it easier to fix devices</title><url>https://grist.org/technology/microsoft-right-to-repair-quietly-supported-legislation-to-make-it-easier-to-fix-devices-heres-why-thats-a-big-deal/</url></story><parent_chain><item><author>rychco</author><text>Lobbyists butchered this legislation. Many of the suggested edits[1] by lobbyists to weaken the original - made it into the bill verbatim [2]. How do New Yorkers feel about unelected parties writing their laws?<p>[1] <a href="https:&#x2F;&#x2F;www.documentcloud.org&#x2F;documents&#x2F;23599780-technets-proposed-changes-to-digital-fair-repair-act" rel="nofollow">https:&#x2F;&#x2F;www.documentcloud.org&#x2F;documents&#x2F;23599780-technets-pr...</a>
[2] <a href="https:&#x2F;&#x2F;assembly.state.ny.us&#x2F;leg&#x2F;?default_fld=&amp;bn=S01320&amp;term=2023&amp;Summary=Y&amp;Actions=Y&amp;Text=Y&amp;Committee%26nbspVotes=Y&amp;Floor%26nbspVotes=Y#S01320" rel="nofollow">https:&#x2F;&#x2F;assembly.state.ny.us&#x2F;leg&#x2F;?default_fld=&amp;bn=S01320&amp;ter...</a></text></item><item><author>dawidpotocki</author><text>&gt; Later that year, though, the right-to-repair movement scored some big wins. […] The very next day, New York’s legislature passed the bill that would later become the nation’s first electronics right-to-repair law.<p>It&#x27;s hard to call it a &quot;win&quot;. It has been sabotaged by the governor Kathy Hochul at the last minute, a year after it passed with supermajority. She was waiting a whole year to sign the bill and at the end decided add loopholes which made the bill worse than useless. People now think that the problem is solved when in reality nothing has been done.</text></item></parent_chain><comment><author>kyrra</author><text>Most lawmakers are lawyers. Meaning most of the time when they are writing laws in things, they are not th experts on such things. That the purpose of public comment periods, Publix hearings, and lobbyists being able to help craft laws.<p>Now, this seems to be a failure where there were not protests raised to this amendments or the lawmakers ignored such things. Either way, the point of lobbyists is to allow industry experts to provide input. If there is nothing wrong with their suggestions, I don&#x27;t see a problem with verbatim including of their wording.<p>(I disagree with how the NY law was changed, but there are reasons lobbying exists).</text></comment> |
8,032,608 | 8,032,516 | 1 | 3 | 8,032,271 | train | <story><title>Intestinal bacteria may influence our moods</title><url>http://www.cbc.ca/news/gut-feeling-how-intestinal-bacteria-may-influence-our-moods-1.2701037</url></story><parent_chain></parent_chain><comment><author>jmhain</author><text>Be very careful with probiotics; just loading your system with random strains of bacteria from your local health food store can have serious consequences. I have IBS and an anxiety disorder that had been in remission for years. I tried Primadophilus Optima and it wrecked me. I went from a mild IBS-C to severe IBS-D, and my panic attacks came back with an intensity unlike anything I&#x27;ve ever experienced.<p>I don&#x27;t doubt that intestinal bacteria are related to IBS and anxiety disorders and that certain probiotic treatments may help. But such supplementation should be based on detailed research of each of the strains taken, much of which does not even exist yet.</text></comment> | <story><title>Intestinal bacteria may influence our moods</title><url>http://www.cbc.ca/news/gut-feeling-how-intestinal-bacteria-may-influence-our-moods-1.2701037</url></story><parent_chain></parent_chain><comment><author>curiousDog</author><text>I must agree with this. I&#x27;ve been suffering from IBS for a while now. Anytime I have a flare up, I most certainly have severe anxiety (and it&#x27;s not just anxiety of having to deal with the flare up. Anxiety symptoms like chest pain, shortness of breath, weakness just show up). I&#x27;ve tried a few probiotics but didn&#x27;t see any noticeable difference though.</text></comment> |
22,419,639 | 22,419,550 | 1 | 3 | 22,419,424 | train | <story><title>San Francisco declares state of emergency to prepare for coronavirus</title><url>https://www.businessinsider.com/san-francisco-state-of-emergency-coronavirus-covid19-outbreak-2020-2#the-citys-tech-conference-scene-has-also-taken-a-hit-1</url></story><parent_chain><item><author>fluxsauce</author><text>While the sensationalist headline is technically accurate, both the headline and the linked article bury the intent and context of the declaration. In short, don&#x27;t panic.<p><a href="https:&#x2F;&#x2F;www.sfchronicle.com&#x2F;bayarea&#x2F;article&#x2F;SF-mayor-London-Breed-declares-state-of-emergency-15083811.php" rel="nofollow">https:&#x2F;&#x2F;www.sfchronicle.com&#x2F;bayarea&#x2F;article&#x2F;SF-mayor-London-...</a><p>&gt; There have been no confirmed coronavirus cases in San Francisco to date, but as infections continue to rise across the world, “we need to allocate more resources to make sure we are prepared,” Breed said at a press conference announcing the emergency declaration.<p>&gt; “To be clear, this declaration of emergency is all about preparedness. By declaring a state of emergency we are prioritizing the safety of our communities by being prepared.”</text></item></parent_chain><comment><author>koheripbal</author><text>I feel like the debate between the &quot;don&#x27;t panic&quot; crowd and the &quot;preppers&quot; is a useless semantic debate between extremists.<p>You want to react the <i>appropriate</i> amount. For the time being, you should go about your normal routine, but like the CDC said today, you should <i>prepare</i> for some major lifestyle disruptions.</text></comment> | <story><title>San Francisco declares state of emergency to prepare for coronavirus</title><url>https://www.businessinsider.com/san-francisco-state-of-emergency-coronavirus-covid19-outbreak-2020-2#the-citys-tech-conference-scene-has-also-taken-a-hit-1</url></story><parent_chain><item><author>fluxsauce</author><text>While the sensationalist headline is technically accurate, both the headline and the linked article bury the intent and context of the declaration. In short, don&#x27;t panic.<p><a href="https:&#x2F;&#x2F;www.sfchronicle.com&#x2F;bayarea&#x2F;article&#x2F;SF-mayor-London-Breed-declares-state-of-emergency-15083811.php" rel="nofollow">https:&#x2F;&#x2F;www.sfchronicle.com&#x2F;bayarea&#x2F;article&#x2F;SF-mayor-London-...</a><p>&gt; There have been no confirmed coronavirus cases in San Francisco to date, but as infections continue to rise across the world, “we need to allocate more resources to make sure we are prepared,” Breed said at a press conference announcing the emergency declaration.<p>&gt; “To be clear, this declaration of emergency is all about preparedness. By declaring a state of emergency we are prioritizing the safety of our communities by being prepared.”</text></item></parent_chain><comment><author>d1zzy</author><text>I&#x27;m curious how this &quot;state of emergency&quot; declaration works when everyone is doing it. AFAIK a lot of &quot;state of emergency&quot; declarations are about fund allocations from central sources (state, federal) and that works fine when it&#x27;s used for exceptional cases&#x2F;natural disasters but I doubt this will scale well when the entire country enters a state of emergency. I guess we shall see.</text></comment> |
2,891,961 | 2,891,989 | 1 | 2 | 2,891,246 | train | <story><title>Court allows Samsung Galaxy Tab to again sell in Europe</title><url>http://gigaom.com/mobile/court-allows-samsung-galaxy-tab-to-again-sell-in-europe/</url></story><parent_chain><item><author>jsight</author><text>&#62; I agree with you, but you have to admit Samsung is pretty
&#62; clearly copying Apple's trade dress. It's the only tablet
&#62; that could be confused with the iPad at a glance.<p>I don't think I have to admit that. Is it really any more iPad like (at a glance) than this:<p><a href="http://www.bhphotovideo.com/c/product/759029-REG/Motorola_00001NARGNLX_Xoom_Wi_Fi_10_1_Tablet.html" rel="nofollow">http://www.bhphotovideo.com/c/product/759029-REG/Motorola_00...</a></text></item><item><author>sjs</author><text>I agree with you, but you have to admit Samsung is pretty clearly copying Apple's trade dress. It's the <i>only</i> tablet that could be confused with the iPad at a glance. Especially for non-geeks.<p>If Apple weren't suing everyone else too they would have a lot more general credibility in my eyes. By suing everyone they just look scared of competition.</text></item><item><author>davedx</author><text>I'm getting pretty tired of these stories and tech companies in general. At the end of the day it's a touch screen that can connect to the Internet and run some software. When will the patent/IP madness end?</text></item></parent_chain><comment><author>watty</author><text>No, to many non-geeks all tablets appear to be "iPads" and all touch screen phones "iPhones". Apple has had superior marketing and sales but they certainly weren't the first to use a touchscreen display. How many ways can you make a device with a touchscreen display? Can you imagine if this happened to TVs or computer monitors?</text></comment> | <story><title>Court allows Samsung Galaxy Tab to again sell in Europe</title><url>http://gigaom.com/mobile/court-allows-samsung-galaxy-tab-to-again-sell-in-europe/</url></story><parent_chain><item><author>jsight</author><text>&#62; I agree with you, but you have to admit Samsung is pretty
&#62; clearly copying Apple's trade dress. It's the only tablet
&#62; that could be confused with the iPad at a glance.<p>I don't think I have to admit that. Is it really any more iPad like (at a glance) than this:<p><a href="http://www.bhphotovideo.com/c/product/759029-REG/Motorola_00001NARGNLX_Xoom_Wi_Fi_10_1_Tablet.html" rel="nofollow">http://www.bhphotovideo.com/c/product/759029-REG/Motorola_00...</a></text></item><item><author>sjs</author><text>I agree with you, but you have to admit Samsung is pretty clearly copying Apple's trade dress. It's the <i>only</i> tablet that could be confused with the iPad at a glance. Especially for non-geeks.<p>If Apple weren't suing everyone else too they would have a lot more general credibility in my eyes. By suing everyone they just look scared of competition.</text></item><item><author>davedx</author><text>I'm getting pretty tired of these stories and tech companies in general. At the end of the day it's a touch screen that can connect to the Internet and run some software. When will the patent/IP madness end?</text></item></parent_chain><comment><author>glassx</author><text>Depends on your "at a glance" definition, but yeah, photos don't do it much justice. Both the Xoom and the 2.0 Galaxy look nothing like an iPad 'in real life'. It's like comparing a Vaio to a MacBook, only the form factor is the same.<p>(I have no idea about the new Galaxy but I suspect it's the same - EDIT: by "the same" I mean different from an iPad)</text></comment> |
15,232,456 | 15,231,559 | 1 | 2 | 15,230,476 | train | <story><title>iPhone 8</title><url>https://www.apple.com/iphone-8/</url></story><parent_chain><item><author>Androider</author><text>Neat, wireless charging, exactly like I had on my Nexus 5, around 5 years ago :) The best thing about the iPhone 8 is that it might finally make wireless chargers more commonplace, they are extremely convenient as Android users have been trying to tell for years.<p>Here&#x27;s another one trick Apple might want to pick up on: I own both an iPhone 7 and a Nexus 6P, and the fingerprint sensor being in the middle of the back on 6P is unquestionably a better choice (Samsung messes up the placement). You can pick up the phone, unlock, and pull down the notification shade in one single natural motion. Maybe a few years from now...</text></item></parent_chain><comment><author>always_good</author><text>I thought the fingerprint scanner on the back would be a good feature until I realized 90% of my phone usage involves me pulling it out of my pocket.<p>- On my iPhone, I just pinch it with my thumb on the home button while I pull it out.<p>- On my Pixel, I have to take it out and then unlock it.<p>Also, when the phone is resting on a table, I can just unlock my iPhone by touching the home button. With the Pixel, I have to turn it over first. When all I wanted to do was read a message I just received, possibly with dirty hands.<p>So putting the unlock on the back of the phone doesn&#x27;t seem very well thought out at all.</text></comment> | <story><title>iPhone 8</title><url>https://www.apple.com/iphone-8/</url></story><parent_chain><item><author>Androider</author><text>Neat, wireless charging, exactly like I had on my Nexus 5, around 5 years ago :) The best thing about the iPhone 8 is that it might finally make wireless chargers more commonplace, they are extremely convenient as Android users have been trying to tell for years.<p>Here&#x27;s another one trick Apple might want to pick up on: I own both an iPhone 7 and a Nexus 6P, and the fingerprint sensor being in the middle of the back on 6P is unquestionably a better choice (Samsung messes up the placement). You can pick up the phone, unlock, and pull down the notification shade in one single natural motion. Maybe a few years from now...</text></item></parent_chain><comment><author>Osmium</author><text>&gt; Neat, wireless charging, exactly like I had on my Nexus 5, around 5 years ago :)<p>And I think we can all be grateful Apple decided to go with the Qi standard here rather than roll their own! What a mess that would have been...</text></comment> |
33,483,088 | 33,482,615 | 1 | 2 | 33,482,196 | train | <story><title>Yellowstone to Yukon Conservation Initiative</title><url>https://y2y.net/</url></story><parent_chain></parent_chain><comment><author>WalterBright</author><text>This is such a fine initiative. If I was President this sort of thing would be a priority (connecting all the national parks in the US). Vote for me 2024!</text></comment> | <story><title>Yellowstone to Yukon Conservation Initiative</title><url>https://y2y.net/</url></story><parent_chain></parent_chain><comment><author>tony_cannistra</author><text>For tldr;&#x2F;context, the Y2Y initiative&#x27;s main goal is to establish (or, re-establish) &quot;habitat connectivity&quot;––the idea that organisms can move freely within an ecosystem without too much deleterious impact of human interactions.<p>This is incredibly ambitious, because the &quot;Yukon to Yellowstone&quot; region is massive –– 2,100 miles long, from northern Canada to the Western US.<p>One of the landmark achievements of this organization is not necessarily any particular kind of project but rather their skill in bringing together really diverse stakeholders across a massive geography to work toward this goal.<p>But, because &quot;connectivity&quot; is really the primary mission, and because roads&#x2F;highways are some of the most substantial human barriers to habitat connectivity, a large majority of Y2Y projects involve making roads safer for wildlife––and people too.</text></comment> |
37,202,122 | 37,200,381 | 1 | 3 | 37,197,257 | train | <story><title>Don’t build a general purpose API to power your own front end (2021)</title><url>https://max.engineer/server-informed-ui</url></story><parent_chain><item><author>hakunin</author><text>One extra thing I have confirmed after writing this article: it&#x27;s usually a bad idea to reuse back-end data in multiple places on the front-end.<p>If you think about functions or object constructors in general, it kind of makes sense. One of the most important architectural practices I&#x27;ve ever discovered is: don&#x27;t pass in the parameters that you have, pass in the parameters that the function needs. So if you have companyName, and you are constructing a page that has a title, you shouldn&#x27;t pass it companyName: companyName, you should pass it pageTitle: companyName (parameter name: parameter value). It&#x27;s crucial that the parameter is named after what is needed, not what you have. This is kind of the essence of what the article is suggesting.<p>If your front-end is reusing a lot of fields from back-end, it&#x27;s likely that you&#x27;re passing it what you have in your database&#x2F;resources, and not what it needs — fields for constructing the UI, configuring the views. Moreover, I rarely see front-end going through the exercise of defining exactly what they need. The article encourages more of that.<p>Once the front-end starts reusing the generic back-end fields everywhere, you lose track of your use-cases. Everything you ship from the back-end becomes potentially important for mysterious reasons that not even front-end can easily understand anymore. Front-end already built complex dependency trees based on these generic fields. If you actually untangle these trees, it might turn out that your front-end can only exist in 5 different &quot;modes&quot;, but you can no longer see that in the tangled mess. You can no longer streamline and optimize these 5 configurations.<p>So to summarize: pass what is needed, not what you have is a good general architectural rule that&#x27;s also applicable between back-end and front-end.</text></item></parent_chain><comment><author>jmilloy</author><text>This and the article strike me initially as completely wrong, which makes it very interesting. I still want a clear separation between the &quot;model&quot; and the &quot;view&quot;, and I guess I tend to assume that this corresponds to the front-end and back-end. Maybe that&#x27;s a poor assumption.<p>What I see here is that the &quot;view&quot; is split across the front-end and the back-end. Or in other words, the back-end contains both the model and the JSON API as a view. I think this is what is meant by &quot;I suggest you stop treating your frontend as some generic API client, and start treating it as a half of your app.&quot;<p>I still want a clean separation between the model, e.g. companyName, and the view, e.g. pageTitle. Somewhere, there needs to be the explicit logic (in the back-end part of the view) that says that the the pageTitle for page A is the companyName. It&#x27;s okay for many different views to &quot;reuse&quot; fields from the model, but each view should have its own front-end and back-end components. That the view is split across a front-end&#x2F;back-end divide through the nature of the web-stack doesn&#x27;t change the fact that each view should remain distinct from the other views.<p>So I can agree in the sense that the alternative where you create a general-purpose JSON API as a model <i>and</i> view in the back-end, and then essentially code up an <i>additional</i> model and view for each front-end page&#x2F;element with logic to convert the API data into the necessary content is a waste of time.</text></comment> | <story><title>Don’t build a general purpose API to power your own front end (2021)</title><url>https://max.engineer/server-informed-ui</url></story><parent_chain><item><author>hakunin</author><text>One extra thing I have confirmed after writing this article: it&#x27;s usually a bad idea to reuse back-end data in multiple places on the front-end.<p>If you think about functions or object constructors in general, it kind of makes sense. One of the most important architectural practices I&#x27;ve ever discovered is: don&#x27;t pass in the parameters that you have, pass in the parameters that the function needs. So if you have companyName, and you are constructing a page that has a title, you shouldn&#x27;t pass it companyName: companyName, you should pass it pageTitle: companyName (parameter name: parameter value). It&#x27;s crucial that the parameter is named after what is needed, not what you have. This is kind of the essence of what the article is suggesting.<p>If your front-end is reusing a lot of fields from back-end, it&#x27;s likely that you&#x27;re passing it what you have in your database&#x2F;resources, and not what it needs — fields for constructing the UI, configuring the views. Moreover, I rarely see front-end going through the exercise of defining exactly what they need. The article encourages more of that.<p>Once the front-end starts reusing the generic back-end fields everywhere, you lose track of your use-cases. Everything you ship from the back-end becomes potentially important for mysterious reasons that not even front-end can easily understand anymore. Front-end already built complex dependency trees based on these generic fields. If you actually untangle these trees, it might turn out that your front-end can only exist in 5 different &quot;modes&quot;, but you can no longer see that in the tangled mess. You can no longer streamline and optimize these 5 configurations.<p>So to summarize: pass what is needed, not what you have is a good general architectural rule that&#x27;s also applicable between back-end and front-end.</text></item></parent_chain><comment><author>jlawson</author><text>It&#x27;s an example of the general rule to name&#x2F;implement functions according to what they do, not how they&#x27;re used.<p>Stated another way, when building a tool, don&#x27;t let information about the incidental context leak into the design of the tool itself. It should be designed to serve its intended purpose independent of when, how, where, or why it was built. This way, it won&#x27;t break when that context changes, or when it&#x27;s used in a new context.</text></comment> |
3,256,294 | 3,256,303 | 1 | 3 | 3,256,194 | train | <story><title>Norway: an Eden with wifi</title><url>http://www.ft.com/cms/s/2/5749fbb8-100d-11e1-a468-00144feabdc0.html#axzz1e9fRYOFZ</url></story><parent_chain></parent_chain><comment><author>vetler</author><text>We still complain.<p>About the high prices. How short the summer is. The cold. The rain. The snow. All the people on welfare. That we can't buy beer after 18:00 om weekdays and 20:00 on Saturdays (and not at all on Sundays).<p>Norway might not be very exciting, though. After all, we're only 5 million people, which is like half of Paris.<p>Although I don't work there anymore, Opera is hiring[0], and it has a multinational workforce and English is the working language.<p>Other benefits not mentioned in the article is 5 weeks paid vacation and Norwegian management style[1].<p>[0]: <a href="http://www.opera.com/company/jobs/" rel="nofollow">http://www.opera.com/company/jobs/</a>
[1]: <a href="http://www.worldbusinessculture.com/Norwegian-Management-Style.html" rel="nofollow">http://www.worldbusinessculture.com/Norwegian-Management-Sty...</a></text></comment> | <story><title>Norway: an Eden with wifi</title><url>http://www.ft.com/cms/s/2/5749fbb8-100d-11e1-a468-00144feabdc0.html#axzz1e9fRYOFZ</url></story><parent_chain></parent_chain><comment><author>barredo</author><text>&#62; “We’ve become spoiled,” one Norwegian told me. “Lazy,” said another. “Petroholics,” diagnosed a third."<p>Does the Norwegian society as a whole feel this way? What about other oil-prosperous small countries such as the Emirates or Kuwait? Are the cases comparables?<p>What are the Norwegian govt plans for the long-time future when their oil is over? (it's long for that, i know).</text></comment> |
10,041,712 | 10,041,990 | 1 | 2 | 10,041,561 | train | <story><title>Windows 10 IoT Core for Raspberry Pi 2</title><url>https://blogs.windows.com/buildingapps/2015/08/10/hello-windows-10-iot-core/</url></story><parent_chain></parent_chain><comment><author>tigeba</author><text>When they released this a couple of months ago I was pretty excited to try it out. I think the barrier to installation is a bit high. First install Windows 10, then custom install of VS, install IoT Templates, then about 30 more steps before you get the image to flash on your SD. How about a link to the image I can blast on the SD and kick the tires without a couple hours of downloading and installing prerequisites?</text></comment> | <story><title>Windows 10 IoT Core for Raspberry Pi 2</title><url>https://blogs.windows.com/buildingapps/2015/08/10/hello-windows-10-iot-core/</url></story><parent_chain></parent_chain><comment><author>escobar</author><text>There&#x27;s a heading that reads:<p>&gt; Developers, Developers, Developers<p>I&#x27;ve always cracked up whenever I see Ballmer&#x27;s developers video, so I was pretty happy that Microsoft&#x27;s IoT team has a sense of humor and was able to get that approved (if they had to)<p>reference if you haven&#x27;t seen the original Ballmer video: <a href="https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=Vhh_GeBPOhs" rel="nofollow">https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=Vhh_GeBPOhs</a></text></comment> |
30,728,633 | 30,728,890 | 1 | 2 | 30,728,110 | train | <story><title>How Putin’s Oligarchs Bought London</title><url>https://www.newyorker.com/magazine/2022/03/28/how-putins-oligarchs-bought-london</url></story><parent_chain><item><author>miohtama</author><text>Dubai is currently the go-to destination of shady money. It’s the next Monaco&#x2F;Swizerland. The local rulers have de facto control over government, jurisdictional and businesses. Any money is welcome as long as the right parties get their share - the rule of the law does not apply as long as you hire the right lawyer and advisors. It’s still the US ally in Middle East and so far, Dubai&#x2F;UAE has had a blind eye on their lax money-laundering practice.<p>Here is a good article from The Economist on the situation. I apologise for the low quality of photo of the page.<p><a href="https:&#x2F;&#x2F;twitter.com&#x2F;moo9000&#x2F;status&#x2F;1504425086073413639" rel="nofollow">https:&#x2F;&#x2F;twitter.com&#x2F;moo9000&#x2F;status&#x2F;1504425086073413639</a></text></item><item><author>i_like_waiting</author><text>I am realistically wondering now, what changes does this bring.
If London won&#x27;t be interesting anymore for oligarchs, what will happen with prices of accomodation in center?
If Switzerland is not a neutral country anymore, where will the money go?<p>There should be prisoners dilemma and therefore some country should emerge to fill this &quot;market need&quot;</text></item></parent_chain><comment><author>selectodude</author><text>For those who don&#x27;t want to try to read a picture of a magazine embedded in a tweet:<p><a href="https:&#x2F;&#x2F;www.economist.com&#x2F;middle-east-and-africa&#x2F;2022&#x2F;02&#x2F;26&#x2F;the-uae-tries-to-crack-down-on-dirty-money" rel="nofollow">https:&#x2F;&#x2F;www.economist.com&#x2F;middle-east-and-africa&#x2F;2022&#x2F;02&#x2F;26&#x2F;...</a></text></comment> | <story><title>How Putin’s Oligarchs Bought London</title><url>https://www.newyorker.com/magazine/2022/03/28/how-putins-oligarchs-bought-london</url></story><parent_chain><item><author>miohtama</author><text>Dubai is currently the go-to destination of shady money. It’s the next Monaco&#x2F;Swizerland. The local rulers have de facto control over government, jurisdictional and businesses. Any money is welcome as long as the right parties get their share - the rule of the law does not apply as long as you hire the right lawyer and advisors. It’s still the US ally in Middle East and so far, Dubai&#x2F;UAE has had a blind eye on their lax money-laundering practice.<p>Here is a good article from The Economist on the situation. I apologise for the low quality of photo of the page.<p><a href="https:&#x2F;&#x2F;twitter.com&#x2F;moo9000&#x2F;status&#x2F;1504425086073413639" rel="nofollow">https:&#x2F;&#x2F;twitter.com&#x2F;moo9000&#x2F;status&#x2F;1504425086073413639</a></text></item><item><author>i_like_waiting</author><text>I am realistically wondering now, what changes does this bring.
If London won&#x27;t be interesting anymore for oligarchs, what will happen with prices of accomodation in center?
If Switzerland is not a neutral country anymore, where will the money go?<p>There should be prisoners dilemma and therefore some country should emerge to fill this &quot;market need&quot;</text></item></parent_chain><comment><author>mullingitover</author><text>&gt; The local rulers have de facto control over government, jurisdictional and businesses<p>&gt; ...the rule of the law does not apply...<p>All of these should be red flags - even if you yourself are shady, you <i>want</i> strong property rights and rule of law, not whatever the local despot feels like doing that day.</text></comment> |
10,744,177 | 10,742,754 | 1 | 3 | 10,742,752 | train | <story><title>Kojima Productions</title><url>http://www.kojimaproductions.jp/</url></story><parent_chain></parent_chain><comment><author>andresmanz</author><text>Wonderful, writing my application now. That&#x27;s why I learned Japanese in the first place, and some day it <i>has</i> to pay off!<p>(Well, the experience alone was worth the effort, of course.)</text></comment> | <story><title>Kojima Productions</title><url>http://www.kojimaproductions.jp/</url></story><parent_chain></parent_chain><comment><author>minimaxir</author><text>Context: This is the reformed Kojima Productions after the <i>kerfuffle</i> between Hideo Kojima and Konami.</text></comment> |
37,460,439 | 37,459,921 | 1 | 3 | 37,459,495 | train | <story><title>Knightmare: A DevOps Cautionary Tale (2014)</title><url>https://dougseven.com/2014/04/17/knightmare-a-devops-cautionary-tale/</url></story><parent_chain><item><author>ledauphin</author><text>The blame here may indeed lie with whoever decided that reusing an old flag was a good idea. As anyone who has been in software development for any time can attest, this decision was not necessarily - and perhaps not even likely - made by a &quot;developer.&quot;</text></item><item><author>lopkeny12ko</author><text>I&#x27;m not sure how automated deployments would have solved this problem. In fact, if anything, it would have magnified the impact and fallout of the problem.<p>Substitute &quot;a developer forgot to upload the code to one of the servers&quot; for &quot;the deployment agent errored while downloading the new binary&#x2F;code onto the server and a bug in the agent prevented the error from being surfaced.&quot; Now you have the same failure mode, and the impact happens even faster.<p>The blame here lies squarely with the developers--the code was written in a non-backwards-compatible way.</text></item></parent_chain><comment><author>manicennui</author><text>9 times out of 10, I see developers making the mistakes that everyone seems to want to blame on non-technical people. There is a massive amount of software being written by people with a wide range of capabilities, and a large number of developers never master the basics. It doesn&#x27;t help that some of the worst tools &quot;win&quot; and offer little protection against many basic mistakes.</text></comment> | <story><title>Knightmare: A DevOps Cautionary Tale (2014)</title><url>https://dougseven.com/2014/04/17/knightmare-a-devops-cautionary-tale/</url></story><parent_chain><item><author>ledauphin</author><text>The blame here may indeed lie with whoever decided that reusing an old flag was a good idea. As anyone who has been in software development for any time can attest, this decision was not necessarily - and perhaps not even likely - made by a &quot;developer.&quot;</text></item><item><author>lopkeny12ko</author><text>I&#x27;m not sure how automated deployments would have solved this problem. In fact, if anything, it would have magnified the impact and fallout of the problem.<p>Substitute &quot;a developer forgot to upload the code to one of the servers&quot; for &quot;the deployment agent errored while downloading the new binary&#x2F;code onto the server and a bug in the agent prevented the error from being surfaced.&quot; Now you have the same failure mode, and the impact happens even faster.<p>The blame here lies squarely with the developers--the code was written in a non-backwards-compatible way.</text></item></parent_chain><comment><author>andersa</author><text>I wonder if this code was written in c++ or similar, the flags were actually a bitfield, and they repurposed it because they ran out of bits.<p>Need a space here? Oh, let&#x27;s throw out this junk nobody used in 8 years and there we go...</text></comment> |
6,158,308 | 6,158,137 | 1 | 2 | 6,157,935 | train | <story><title>Intro to CoffeeScript</title><url>http://aseemk.com/blog/intro-to-coffeescript</url></story><parent_chain></parent_chain><comment><author>zalew</author><text>&gt; <i>What I find sad, though, is that most people who dislike CoffeeScript don’t truly know it. They haven’t taken the time to really learn it, or even try it. Their reactions are usually knee-jerk, or based on fallacies. [...] The explanation for most people’s dislike of CoffeeScript is probably our natural resistance to new things and our comfort in what we know. </i><p>Oh, wow. I&#x27;ve been using CoffeeScript for about a year for the usual front-end crap, not long ago I re-evaluated Coffee for the second time before starting a full-JS project and certainly won&#x27;t use it. While I&#x27;m a fan of bracketless whitespace significant langs (Python, Sass, Haml) CS&#x27;s is just bonkers and you never know when a single space will bite you by compiling to a completely different code you had in mind. The ecosystem is weak not to say non-existent comparing to JS, and every JS solution and example out there from minor jquery stuff through SPA frameworks to mobile UI builders is in, well, JS (duh!), so public code reusability becomes a ridiculous task of converting to CS, only to compile it to JS once again. I still use CoffeeScript for small front-end work, meanwhile for any bigger work I find CS an obstacle over JS, and an unnecessary step between my idea and working code; especially when the JS ecosystem has grown a lot of tools to help you deal with what pisses you off (underscore&#x2F;lodash as an example come to mind).<p>And from the slide:<p>&gt; <i>And as of July 2013, it&#x27;s also the tenth most popular language on GitHub! That&#x27;s more than Objective-C, ActionScript, C#, Clojure, Go, Groovy, Scala</i><p>Yay github charts as evidence of industry value.<p>Knee-jerk, fallacies, resistance? Call it what you want and good luck. Meanwhile, I will use coffee to keep me awake, not to write apps with.<p>&#x2F;&#x2F;edit: care to explain the downvote?</text></comment> | <story><title>Intro to CoffeeScript</title><url>http://aseemk.com/blog/intro-to-coffeescript</url></story><parent_chain></parent_chain><comment><author>sdevlin</author><text>&gt; The explanation for most people’s dislike of CoffeeScript is probably our natural resistance to new things and our comfort in what we know.<p>This is a mildly insulting, as is the invocation of Blub.<p>CoffeeScript doesn&#x27;t have a ton of exotic features. String interpolation, list comprehensions, and class definitions (!) are all familiar to programmers from other languages.<p>I&#x27;m guessing that a lot of people have weighed CoffeeScript&#x27;s feature set against its overhead and decided the trade just isn&#x27;t worth it.</text></comment> |
29,077,222 | 29,076,077 | 1 | 2 | 29,073,899 | train | <story><title>Culture shock</title><url>https://siddhesh.substack.com/p/culture-shock</url></story><parent_chain><item><author>ameen</author><text>As an Indian in the states - my observation was that obesity in the US seems like a class issue. Most well-off folks are fit and working out is woven into their lifestyles. Others can&#x27;t as they&#x27;re probably working 2-3 jobs to make ends meet.</text></item><item><author>hn_throwaway_99</author><text>&gt; There&#x27;s a couple of things in there that are just correlated to the fact that the author is around young&#x2F;wealthy people, like the low obesity rate, fancy cars, shirtless dudes, book-reading in public.<p>I mean, he was on a university campus, so fit young people reading books isn&#x27;t that much of a surprise. But I agree with you, US is a nation of extremes in some ways. There are places I&#x27;ve been in the US where quite literally every single person I saw was morbidly obese, including children.</text></item><item><author>e4d5</author><text>Hey, as another Indian immigrant here I do want to say that most of these observations are spot on.<p>There&#x27;s a couple of things in there that are just correlated to the fact that the author is around young&#x2F;wealthy people, like the low obesity rate, fancy cars, shirtless dudes, book-reading in public. I had quite a surprise when I started working at a smaller town and consistently started seeing older and grumpier people.<p>Culture shock is real. For me personally, I didn&#x27;t feel like I was going through anything unusual in my first 3-4 months in the US, but later a lot of my choices at the time made sense through that lens.</text></item></parent_chain><comment><author>birksherty</author><text>It&#x27;s not work out or time but diet that makes people obese. They probably eat fast food, sugary drinks, packaged food a lot everyday instead of unprocessed food like meat, veg, fruits, nuts.<p>Edit: Poor people in India are thin and rich are fat, quite opposite, again due to diet. Indian poor can&#x27;t afford fast food in chain restaurants daily, must cook which is cheaper.</text></comment> | <story><title>Culture shock</title><url>https://siddhesh.substack.com/p/culture-shock</url></story><parent_chain><item><author>ameen</author><text>As an Indian in the states - my observation was that obesity in the US seems like a class issue. Most well-off folks are fit and working out is woven into their lifestyles. Others can&#x27;t as they&#x27;re probably working 2-3 jobs to make ends meet.</text></item><item><author>hn_throwaway_99</author><text>&gt; There&#x27;s a couple of things in there that are just correlated to the fact that the author is around young&#x2F;wealthy people, like the low obesity rate, fancy cars, shirtless dudes, book-reading in public.<p>I mean, he was on a university campus, so fit young people reading books isn&#x27;t that much of a surprise. But I agree with you, US is a nation of extremes in some ways. There are places I&#x27;ve been in the US where quite literally every single person I saw was morbidly obese, including children.</text></item><item><author>e4d5</author><text>Hey, as another Indian immigrant here I do want to say that most of these observations are spot on.<p>There&#x27;s a couple of things in there that are just correlated to the fact that the author is around young&#x2F;wealthy people, like the low obesity rate, fancy cars, shirtless dudes, book-reading in public. I had quite a surprise when I started working at a smaller town and consistently started seeing older and grumpier people.<p>Culture shock is real. For me personally, I didn&#x27;t feel like I was going through anything unusual in my first 3-4 months in the US, but later a lot of my choices at the time made sense through that lens.</text></item></parent_chain><comment><author>medvezhenok</author><text>Indeed - the U.S. has some of the most extreme health differences between the top end and bottom end of the income spectrum (roughly correlated to class). At the top end, the outcomes (and health measures) are better than anywhere in the world, while at the bottom end they are below most first-world nations:<p><a href="http:&#x2F;&#x2F;www.equality-of-opportunity.org&#x2F;health&#x2F;" rel="nofollow">http:&#x2F;&#x2F;www.equality-of-opportunity.org&#x2F;health&#x2F;</a></text></comment> |
17,844,893 | 17,843,296 | 1 | 2 | 17,841,431 | train | <story><title>Skim reading is the new normal. The effect on society is profound</title><url>https://www.theguardian.com/commentisfree/2018/aug/25/skim-reading-new-normal-maryanne-wolf</url></story><parent_chain><item><author>nkcmr</author><text>Did anyone else click through to the article and think: “okay, try not to skim the article about how bad skim-reading is!”?<p>I really like this article. It is aligning with very formless thoughts I have been having over the past year about the varying qualities of information and how it can affect your minds health. Much like a food diet, I have been thinking that it is wise to cultivate a healthy “information diet” in order to preserve good mental health.<p>Amid frustration with my degrading attention span last year, I swore off a lot of the social media things (Twitter, most of all) to see if I could regain the ability to actually get through some books. The results were quite astonishing in my case, I was able to crack through a few books and actually focus on side projects.<p>Unfortunately, I am not as optimistic as the writer here that we will be able to pull out of it. Much like modern society battles overweightness, diabetes and all kinds of ailments that stem from poor diet, I think we will suffer a similar fate when it comes to moderating our information intake.</text></item></parent_chain><comment><author>jnurmine</author><text>I think it is not about your attention span degrading. It is a matter of adaptation to too many things competing for our attention, and the desire to consume all this information. (It is an interesting question as such as to actually why one has to consume all this)<p>There are advertorials, advertisements, tweets, news entries, status updates, articles, books, mailing lists, and everything in between.<p>Since there are too many things, one needs to prioritize. But to prioritize one has to understand the value: Is there anything new for me? Will it be entertaining? Will it be factual? Will it support my point of views? Will it challenge my point of views? Is it trustworthy? Is it plausible? Is there a hidden agenda? Is it propaganda? Whose points does it support? And so on.<p>And how to find out at least some of these without reading the entire text? Skim it!<p>Now, skimming usually gives enough information about the value. But when done deliberately, one can not only assess the value, but often get the main point(s) quickly too. (Call it &quot;speed reading&quot;)<p>I&#x27;ve had (and still have) this same &quot;problem&quot;, but I don&#x27;t consider it a problem anymore. Skimming is good, but one has to be able to turn it off.<p>This is what I do: skim, for quick screening and early out to avoid wasting time. Then, if there&#x27;s not much time available, speed read, do a 2nd and maybe 3rd pass of skimming.<p>If there&#x27;s plenty of time and information seems worthwhile, then sit down and start reading as if there&#x27;s nothing else you can do. Like you were stuck on a cottage without your phone&#x2F;tablet and it rains outside -- reading is the only thing you can do without getting bored or going to sleep. (I don&#x27;t know if you can relate to this idea, you can find your own memory with a similar idea)<p>Since I already know there is some value, it motivates me to go on.<p>Now, when it comes to fact books, I try not to read from cover to cover, but chapter to chapter and then re-evaluate. Fiction books are different, since it&#x27;s usually for entertainment (and of course sometimes for interesting ideas).<p>So, I am optimistic that people will learn new strategies and not all hope is lost.</text></comment> | <story><title>Skim reading is the new normal. The effect on society is profound</title><url>https://www.theguardian.com/commentisfree/2018/aug/25/skim-reading-new-normal-maryanne-wolf</url></story><parent_chain><item><author>nkcmr</author><text>Did anyone else click through to the article and think: “okay, try not to skim the article about how bad skim-reading is!”?<p>I really like this article. It is aligning with very formless thoughts I have been having over the past year about the varying qualities of information and how it can affect your minds health. Much like a food diet, I have been thinking that it is wise to cultivate a healthy “information diet” in order to preserve good mental health.<p>Amid frustration with my degrading attention span last year, I swore off a lot of the social media things (Twitter, most of all) to see if I could regain the ability to actually get through some books. The results were quite astonishing in my case, I was able to crack through a few books and actually focus on side projects.<p>Unfortunately, I am not as optimistic as the writer here that we will be able to pull out of it. Much like modern society battles overweightness, diabetes and all kinds of ailments that stem from poor diet, I think we will suffer a similar fate when it comes to moderating our information intake.</text></item></parent_chain><comment><author>isostatic</author><text>Forget the article, I skim read your comment.<p>I think much is to do with the format - reading on a small screen I feel I skim more than on a desktop monitor.</text></comment> |
19,257,664 | 19,256,969 | 1 | 3 | 19,255,227 | train | <story><title>ETS Isn't TLS and You Shouldn't Use It</title><url>https://www.eff.org/deeplinks/2019/02/ets-isnt-tls-and-you-shouldnt-use-it</url></story><parent_chain></parent_chain><comment><author>Animats</author><text>We need a big budget cut in the &quot;homeland security&quot; area. All this interception is not paying off. The biggest &quot;terrorist event&quot; in the US since 2001 was the guy who shot up a gay nightclub in Orlando FL in 2017. That was a solo nutcase; there was no planning chatter to intercept. The Boston Marathon bombing was two brothers. The San Bernardino shooting was a husband and wife.<p>What&#x27;s discouraging terrorism is the US&#x27;s overreaction outside the US. It&#x27;s become very clear to terrorist organizations that if they attack the US, the US is going to hit back, even if it&#x27;s insanely expensive and causes collateral damage. The people in charge, and many people around them, end up dead.<p>Remember ISIS, the Islamic State? ISIS is down to 1.5 square miles, surrounded, and everybody but the most fanatical fighters is surrendering. The holdouts have days to live.<p>We don&#x27;t need more Big Brother.</text></comment> | <story><title>ETS Isn't TLS and You Shouldn't Use It</title><url>https://www.eff.org/deeplinks/2019/02/ets-isnt-tls-and-you-shouldnt-use-it</url></story><parent_chain></parent_chain><comment><author>nneonneo</author><text>It’s worth reading the mailing list posts by BITS (the main proponent of ETS) here: <a href="https:&#x2F;&#x2F;mailarchive.ietf.org&#x2F;arch&#x2F;msg&#x2F;tls&#x2F;KQIyNhPk8K6jOoe2ScdPZ8E08RE" rel="nofollow">https:&#x2F;&#x2F;mailarchive.ietf.org&#x2F;arch&#x2F;msg&#x2F;tls&#x2F;KQIyNhPk8K6jOoe2Sc...</a>. The replies are pretty informative. You can see here the message in which BITS starts to consider fixed DH keys, which were implemented in ETS: <a href="https:&#x2F;&#x2F;mailarchive.ietf.org&#x2F;arch&#x2F;msg&#x2F;tls&#x2F;3d7TM0g_EdtMzhgmcPn_Xb-ZFjY" rel="nofollow">https:&#x2F;&#x2F;mailarchive.ietf.org&#x2F;arch&#x2F;msg&#x2F;tls&#x2F;3d7TM0g_EdtMzhgmcP...</a><p>&gt; Tue, 27 September 2016 18:21 UTC<p>&gt; The various suggestions for creating fixed&#x2F;static Diffie Hellman keys raise interesting possibilities. We would like to understand these ideas better at a technical level and are initiating research into this potential solution.<p>The core argument made by BITS is that they need a way to log TLS traffic such that it can be decrypted later, in order to provide data retention in line with regulations. While this could be done by logging all ephemeral keys generated by the servers, BITS argues that this isn’t practical due to their use of dedicated packet logging hardware that is key-ignorant. Instead they want to use non-forward-secret TLS so they can decrypt past messages easily. Their beef with TLS 1.3 is that it removes all non-FS key exchange methods, and further that by explicitly obsoleting TLS 1.2 as a standard pushes them to have to adopt 1.3 in an enterprise environment (or risk current&#x2F;future regulatory scrutiny over their use of an obsoleted standard). Hence why they want to develop a competing, active standard with non-FS key exchange.</text></comment> |
6,667,577 | 6,667,242 | 1 | 2 | 6,663,866 | train | <story><title>In Latvia, young people discover new passions in bad economic times</title><url>http://www.washingtonpost.com/world/in-latvia-young-people-discover-new-passions-in-bad-economic-times/2013/07/29/ac638cac-efbf-11e2-8c36-0e868255a989_story.html</url></story><parent_chain><item><author>shitgoose</author><text>In order to put this quick history in a broader context, you may want to mention that Latvia was part of Russian empire for 200 years before gaining independence around 1920. Soviets occupied Latvia 20 years later in 1940.<p>Statement about &quot;Nazi war machine crushing Latvia&quot; is not entirely accurate - on the contrary, Latvia was part of Nazi war machine: e.g. <a href="https://en.wikipedia.org/wiki/Latvian_Legion_Day" rel="nofollow">https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Latvian_Legion_Day</a></text></item><item><author>gaius</author><text>A quick history lesson for those who haven&#x27;t been to Latvia, this is a country that has been screwed by history in a way that is hard to imagine. First, they were occupied by the Soviets, with all that entailed, purges, gulags and so on. Then they were occupied by the Nazis, and things got a whole lot worse. Then after WW2, the Soviets again, keen to punish the Latvians for daring to &quot;let&quot; the Nazi war machine crush them beneath its jackboots. Stalin has some ideas about <i>lebensraum</i> of his own, and instigated a mass programme of exiling Latvians and importing Russians. Even today, they are still finding pockets of Latvians deep inside Russia, relocated there by Stalin, cut off from the world, and asking them if they want to come home. Think about that for a second.<p>These people have a resilience that no pampered Westerner can really understand, they&#x27;ll survive this like they have everything else.</text></item></parent_chain><comment><author>daliusd</author><text>Wikipedia article you are pointing at clearly says &quot;The day has been controversial as the Legion is seen by some as Nazi and the Legion Day itself as a Nazi honouring, while others hold that the Legion was a purely military unit fighting against the Soviet Union that had occupied Latvia in 1940 and was not itself responsible for any of Nazi war crimes.&quot;<p>While you present that as clearly Nazi. That&#x27;s not the case.<p>Still we can go even deeper in history and found some historic relations between Latvia and Germany.</text></comment> | <story><title>In Latvia, young people discover new passions in bad economic times</title><url>http://www.washingtonpost.com/world/in-latvia-young-people-discover-new-passions-in-bad-economic-times/2013/07/29/ac638cac-efbf-11e2-8c36-0e868255a989_story.html</url></story><parent_chain><item><author>shitgoose</author><text>In order to put this quick history in a broader context, you may want to mention that Latvia was part of Russian empire for 200 years before gaining independence around 1920. Soviets occupied Latvia 20 years later in 1940.<p>Statement about &quot;Nazi war machine crushing Latvia&quot; is not entirely accurate - on the contrary, Latvia was part of Nazi war machine: e.g. <a href="https://en.wikipedia.org/wiki/Latvian_Legion_Day" rel="nofollow">https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Latvian_Legion_Day</a></text></item><item><author>gaius</author><text>A quick history lesson for those who haven&#x27;t been to Latvia, this is a country that has been screwed by history in a way that is hard to imagine. First, they were occupied by the Soviets, with all that entailed, purges, gulags and so on. Then they were occupied by the Nazis, and things got a whole lot worse. Then after WW2, the Soviets again, keen to punish the Latvians for daring to &quot;let&quot; the Nazi war machine crush them beneath its jackboots. Stalin has some ideas about <i>lebensraum</i> of his own, and instigated a mass programme of exiling Latvians and importing Russians. Even today, they are still finding pockets of Latvians deep inside Russia, relocated there by Stalin, cut off from the world, and asking them if they want to come home. Think about that for a second.<p>These people have a resilience that no pampered Westerner can really understand, they&#x27;ll survive this like they have everything else.</text></item></parent_chain><comment><author>ghostdiver</author><text>Germans had many allies during WWII, almost every country conquered by Germans had some &quot;legion&quot; in Werhmaht(name of german army), even in UK there was some nazi&#x2F;german political party.</text></comment> |
25,820,509 | 25,817,103 | 1 | 2 | 25,816,297 | train | <story><title>I looked at all the ways Microsoft Teams tracks users</title><url>https://www.zdnet.com/article/i-looked-at-all-the-ways-microsoft-teams-tracks-users-and-my-head-is-spinning/</url></story><parent_chain><item><author>branon</author><text>Teams is Skype, but worse. Seriously, it&#x27;s just reskinned Skype with bolt-ons.<p>You can see &quot;skype&quot; present in the address bar sometimes when you load Teams in a browser. The Teams desktop application (at least on Linux) has references to Skype as well.<p>Teams routinely uses between 200 and 500 MB of memory to run, which makes it the 2nd most memory-intensive program on my computer.<p>On top of that, it doesn&#x27;t even work that well. The entire app is slow on mobile, compared with desktop&#x2F;web where only some parts are slow. Feature parity across platforms is very poor. You can&#x27;t even join audio calls in Firefox, let alone use video.<p>Some of the features that work well (searching for reaction GIFs) seem unnecessary, and it&#x27;s almost insulting to see the amount of add-ins and superfluous crap that&#x27;s available when the core of the program&#x2F;service is so lacking in comparison.<p>The only positive thing I can say about Teams is that its integration with the rest of Microsoft&#x27;s services is convenient. It&#x27;s nice to be able to see my calendar in Teams without opening Outlook. Tools for scheduling&#x2F;joining&#x2F;managing meetings also work well. If coworkers share Microsoft documents in a Teams channel, clicking them will (sluggishly) open the document in Teams, ready for editing.<p>Outside of integration, the search function works passably, but is painfully slow. Group audio&#x2F;video calls work fine too, but then again, they also worked fine back when the app was called Skype.<p>All of the things that work, however, are damaged by how lukewarm and _slow_ the overall experience is. Even features as basic as IM are half-baked. Not many messages fit on the screen at once, and scrolling up to see past messages is a nightmare, since messages lazy-load only when they are made visible, or the scroll bar will reset its position and snap back down to the bottom.<p>I read the article and the bullet-pointed list of data that Teams tracks doesn&#x27;t seem like all that big of a deal to me. It makes sense that analytics would be running on everything you type into Teams. Always assume anything you use for work is wiretapped to hell and back, doubly so if Big Tech is involved. I am much more concerned about the fact that I don&#x27;t even get a functional IM client out of the arrangement.</text></item><item><author>arpyzo</author><text>I personally find Teams to be an abomination.<p>I asked my wife the other day, who isn&#x27;t familiar with Slack or Teams, to look at the interfaces and tell me how to IM an individual. She glanced at Slack and pointed to the list of users. She looked at Teams and said &quot;I have no idea&quot;.<p>Slack practically invites me to reach out to people. Teams OTOH makes me want to send an email. Now you can add this tracking to the list of things I detest about Teams.</text></item></parent_chain><comment><author>russellendicott</author><text>Have you noticed that you can&#x27;t copy and paste all the text from a conversation?<p>At least the feature request has 2900 upvotes.<p><a href="https:&#x2F;&#x2F;microsoftteams.uservoice.com&#x2F;forums&#x2F;555103-public&#x2F;suggestions&#x2F;31918531-allow-copying-whole-chat-conversations#comments" rel="nofollow">https:&#x2F;&#x2F;microsoftteams.uservoice.com&#x2F;forums&#x2F;555103-public&#x2F;su...</a></text></comment> | <story><title>I looked at all the ways Microsoft Teams tracks users</title><url>https://www.zdnet.com/article/i-looked-at-all-the-ways-microsoft-teams-tracks-users-and-my-head-is-spinning/</url></story><parent_chain><item><author>branon</author><text>Teams is Skype, but worse. Seriously, it&#x27;s just reskinned Skype with bolt-ons.<p>You can see &quot;skype&quot; present in the address bar sometimes when you load Teams in a browser. The Teams desktop application (at least on Linux) has references to Skype as well.<p>Teams routinely uses between 200 and 500 MB of memory to run, which makes it the 2nd most memory-intensive program on my computer.<p>On top of that, it doesn&#x27;t even work that well. The entire app is slow on mobile, compared with desktop&#x2F;web where only some parts are slow. Feature parity across platforms is very poor. You can&#x27;t even join audio calls in Firefox, let alone use video.<p>Some of the features that work well (searching for reaction GIFs) seem unnecessary, and it&#x27;s almost insulting to see the amount of add-ins and superfluous crap that&#x27;s available when the core of the program&#x2F;service is so lacking in comparison.<p>The only positive thing I can say about Teams is that its integration with the rest of Microsoft&#x27;s services is convenient. It&#x27;s nice to be able to see my calendar in Teams without opening Outlook. Tools for scheduling&#x2F;joining&#x2F;managing meetings also work well. If coworkers share Microsoft documents in a Teams channel, clicking them will (sluggishly) open the document in Teams, ready for editing.<p>Outside of integration, the search function works passably, but is painfully slow. Group audio&#x2F;video calls work fine too, but then again, they also worked fine back when the app was called Skype.<p>All of the things that work, however, are damaged by how lukewarm and _slow_ the overall experience is. Even features as basic as IM are half-baked. Not many messages fit on the screen at once, and scrolling up to see past messages is a nightmare, since messages lazy-load only when they are made visible, or the scroll bar will reset its position and snap back down to the bottom.<p>I read the article and the bullet-pointed list of data that Teams tracks doesn&#x27;t seem like all that big of a deal to me. It makes sense that analytics would be running on everything you type into Teams. Always assume anything you use for work is wiretapped to hell and back, doubly so if Big Tech is involved. I am much more concerned about the fact that I don&#x27;t even get a functional IM client out of the arrangement.</text></item><item><author>arpyzo</author><text>I personally find Teams to be an abomination.<p>I asked my wife the other day, who isn&#x27;t familiar with Slack or Teams, to look at the interfaces and tell me how to IM an individual. She glanced at Slack and pointed to the list of users. She looked at Teams and said &quot;I have no idea&quot;.<p>Slack practically invites me to reach out to people. Teams OTOH makes me want to send an email. Now you can add this tracking to the list of things I detest about Teams.</text></item></parent_chain><comment><author>userbinator</author><text>As someone who has worked on thirdparty clients for IM since the days of MSN Messenger (MSNP), the degradation is sad to see and extremely obvious.<p>The backend protocol that Teams uses <i>is</i> essentially MS-Skype (as opposed to the &quot;OG Skype&quot; binary P2P one), with some Teams-specific additions. Even the authentication token is called the &quot;skypetoken&quot;. The only good thing about that is it should make a thirdparty Teams client relatively straightforward, given that things like <a href="https:&#x2F;&#x2F;github.com&#x2F;EionRobb&#x2F;skype4pidgin" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;EionRobb&#x2F;skype4pidgin</a> already exist.<p>All the users see and complain about is the horrid sluggishness, and Electron and the &quot;webapp everything&quot; craze is mostly responsible for that, but the backend protocol itself is also a bloated abomination.<p>A long time ago I wrote an MSNP client and used it right until MS finally shut down the servers a few years ago. It was a native Win32 application in a single binary &lt;32KB and barely took any memory (at most a few MB). No audio or video, but IM and presence worked perfectly. Like HTTP, FTP, SMTP, and the other oldschool Internet protocols, MSNP is also a text-based protocol that runs directly over a socket. You could almost use it from a netcat if you really wanted to. It wasn&#x27;t perfect but everything about it was in some ways <i>sane</i>. If I remember correctly, a single message would be a few dozen bytes of overhead.<p>The Teams&#x2F;MS-Skype protocol is a stark contrast. It runs over HTTPS, which is an advantage in some ways with the current trend of stuffing other protocols over it, but it&#x27;s not like they simply took MSNP and tunneled it over HTTPS, which would&#x27;ve been a far saner approach --- it&#x27;s radically different and everything is far less efficient and more complex to handle as a result. JSON everywhere. Each message has several hundred bytes of overhead, and more like kilobytes if you count the HTTP layer and everything below it. Things are split between .skype.com and .messenger.live.com with no real consistency. Trying to get presence to actually work reliably has been a nightmare (the official client apparently has problems with that too...) I&#x27;m not surprised there&#x27;s no official documentation on the API&#x2F;protocol, because it&#x27;s a bloody mess. As you may guess, I have been trying to write a native client for it.<p><i>Some of the features that work well (searching for reaction GIFs) seem unnecessary, and it&#x27;s almost insulting to see the amount of add-ins and superfluous crap that&#x27;s available when the core of the program&#x2F;service is so lacking in comparison.</i><p>This may be a rather controversial point, but software quality overall seems to have taken a steep nosedive not long after the whole &quot;everyone can code&#x2F;diversity&#x2F;inclusion&quot; movement took off. Yes, apparently everyone can code --- just not very well. I think things like all this proliferation of mostly-useless features are a symptom of that. We are simply seeing the results of quantity over quality in an industry which has shifted to rewarding sheer participation and &quot;disruptive change&quot; over a carefully deliberated path to perfection.</text></comment> |
39,140,373 | 39,139,619 | 1 | 2 | 39,132,453 | train | <story><title>Apple announces changes to iOS, Safari, and the App Store in the European Union</title><url>https://www.apple.com/newsroom/2024/01/apple-announces-changes-to-ios-safari-and-the-app-store-in-the-european-union/</url></story><parent_chain><item><author>jerbear4328</author><text>That one virus on the App Store was one of, if not the biggest known instance of a virus on the App Store, and your article gives a number four times smaller than half a billion. From your [1]:<p>&gt; But now, thanks to emails published as part of Apple&#x27;s trial against Epic Games, we finally know how many iPhone users were impacted: 128 million in total, of which 18 million were in the US.<p>&gt; &quot;In total, 128M customers have downloaded the 2500+ apps that were affected LTD. Those customers drove 203M downloads of the 2500+ affected apps LTD,&quot; Dale Bagwell, who was Apple&#x27;s manager of iTunes customer experience at the time, wrote in one of the emails.<p>&gt; Apple also disclosed the apps that included the malicious code, some incredibly popular such as WeChat and the Chinese version of Angry Birds 2.<p>Still a huge deal, particularly in China, but considering all the virus really did was collect some device info (less information than most ad networks) (and maybe it was able to open URLs and popups on command)[1] and it was the biggest virus on the App Store ever (that I can find), maybe not as awful as you suggest.<p>The scams on the App Store, yeah that&#x27;s pretty bad. Though, can you point me at a marketplace as big as the App Store without loads of scams?<p>[1]: <a href="https:&#x2F;&#x2F;www.lookout.com&#x2F;blog&#x2F;xcodeghost#what-does-it-do" rel="nofollow">https:&#x2F;&#x2F;www.lookout.com&#x2F;blog&#x2F;xcodeghost#what-does-it-do</a></text></item><item><author>heavyset_go</author><text>&gt; <i>Yes, it&#x27;s been Apple&#x27;s modus operandi with the App Store from the start: trick consumers into thinking the App Store being a monopoly is the only thing that can protect them against malware, illicit and questionable app content, pirated software, scams, and fraud.</i><p>Which is ironic, considering that the App Store is likely one of the largest malware distribution vectors on the planet.<p>Looking at one virus alone, the App Store distributed half of a billion copies of it to iPhones and iPads[1]. Similarly, there are multimillion dollar scams on the App Store, as well[2].<p>[1] <a href="https:&#x2F;&#x2F;www.vice.com&#x2F;en&#x2F;article&#x2F;n7bbmz&#x2F;the-fortnite-trial-is-exposing-details-about-the-biggest-iphone-hack-of-all-time" rel="nofollow">https:&#x2F;&#x2F;www.vice.com&#x2F;en&#x2F;article&#x2F;n7bbmz&#x2F;the-fortnite-trial-is...</a><p>[2] <a href="https:&#x2F;&#x2F;www.theverge.com&#x2F;2021&#x2F;2&#x2F;8&#x2F;22272849&#x2F;apple-app-store-scams-ios-fraud-reviews-ratings-flicktype" rel="nofollow">https:&#x2F;&#x2F;www.theverge.com&#x2F;2021&#x2F;2&#x2F;8&#x2F;22272849&#x2F;apple-app-store-s...</a></text></item><item><author>mil22</author><text>Yes, it&#x27;s been Apple&#x27;s modus operandi with the App Store from the start: trick consumers into thinking the App Store being a monopoly is the only thing that can protect them against malware, illicit and questionable app content, pirated software, scams, and fraud.<p>Most consumers understand those concepts and fear those things. Most understand nothing about the economic impact of monopolies and anti-competitive business behavior and the harms they cause consumers in the form of higher prices, lack of innovation, reduced choice, and poorer quality products and services.<p>So Apple plays off those fears by using language consumers understand, making them actually want the very monopoly that is being forced on them and actually harming them while making billions for Apple.<p>It&#x27;s unethical behavior, no more defensible than Sam Bankman-Fried&#x27;s effective altruism, a.k.a. &quot;mostly a front.&quot; This is all right out of Apple&#x27;s standard playbook.</text></item><item><author>mmaunder</author><text>Apple is going full frontal attack and saying the DMA creates security risks in the headline, and then repeating that messaging throughout the article. Hard to believe the ECJ is going to stand by and watch Apple convince millions that the EU is working to harm their constituents security but that Apple is here to save them.</text></item><item><author>mil22</author><text>Luckily, the EU included substantial anti-circumvention provisions in the DMA. I&#x27;m not a lawyer, but based on the excerpts from the regulations below, it seems likely the EU would have grounds to open legal proceedings against Apple&#x27;s new rules.<p><a href="https:&#x2F;&#x2F;eur-lex.europa.eu&#x2F;legal-content&#x2F;EN&#x2F;TXT&#x2F;PDF&#x2F;?uri=CELEX:32022R1925" rel="nofollow">https:&#x2F;&#x2F;eur-lex.europa.eu&#x2F;legal-content&#x2F;EN&#x2F;TXT&#x2F;PDF&#x2F;?uri=CELE...</a><p>&quot;Article 13: Anti-circumvention<p>4. The gatekeeper shall not engage in any behaviour that undermines effective compliance with the obligations of
Articles 5, 6 and 7 regardless of whether that behaviour is of a contractual, commercial or technical nature, or of any other
nature, or consists in the use of behavioural techniques or interface design.<p>7. Where the gatekeeper circumvents or attempts to circumvent any of the obligations in Article 5, 6, or 7 in a manner
described in paragraphs 4, 5 and 6 of this Article, the Commission may open proceedings pursuant to Article 20 and adopt
an implementing act referred to in Article 8(2) in order to specify the measures that the gatekeeper is to implement.&quot;</text></item></parent_chain><comment><author>thefz</author><text>Apple uses the excuse of security to hold a monopoly.<p>You are shown that this is by no means as secure as they want you to believe.<p>Then you argue that &quot;of course, with a market that big!&quot;<p>So basically you are proving that Apple uses the excuse of security to hold a monopoly.</text></comment> | <story><title>Apple announces changes to iOS, Safari, and the App Store in the European Union</title><url>https://www.apple.com/newsroom/2024/01/apple-announces-changes-to-ios-safari-and-the-app-store-in-the-european-union/</url></story><parent_chain><item><author>jerbear4328</author><text>That one virus on the App Store was one of, if not the biggest known instance of a virus on the App Store, and your article gives a number four times smaller than half a billion. From your [1]:<p>&gt; But now, thanks to emails published as part of Apple&#x27;s trial against Epic Games, we finally know how many iPhone users were impacted: 128 million in total, of which 18 million were in the US.<p>&gt; &quot;In total, 128M customers have downloaded the 2500+ apps that were affected LTD. Those customers drove 203M downloads of the 2500+ affected apps LTD,&quot; Dale Bagwell, who was Apple&#x27;s manager of iTunes customer experience at the time, wrote in one of the emails.<p>&gt; Apple also disclosed the apps that included the malicious code, some incredibly popular such as WeChat and the Chinese version of Angry Birds 2.<p>Still a huge deal, particularly in China, but considering all the virus really did was collect some device info (less information than most ad networks) (and maybe it was able to open URLs and popups on command)[1] and it was the biggest virus on the App Store ever (that I can find), maybe not as awful as you suggest.<p>The scams on the App Store, yeah that&#x27;s pretty bad. Though, can you point me at a marketplace as big as the App Store without loads of scams?<p>[1]: <a href="https:&#x2F;&#x2F;www.lookout.com&#x2F;blog&#x2F;xcodeghost#what-does-it-do" rel="nofollow">https:&#x2F;&#x2F;www.lookout.com&#x2F;blog&#x2F;xcodeghost#what-does-it-do</a></text></item><item><author>heavyset_go</author><text>&gt; <i>Yes, it&#x27;s been Apple&#x27;s modus operandi with the App Store from the start: trick consumers into thinking the App Store being a monopoly is the only thing that can protect them against malware, illicit and questionable app content, pirated software, scams, and fraud.</i><p>Which is ironic, considering that the App Store is likely one of the largest malware distribution vectors on the planet.<p>Looking at one virus alone, the App Store distributed half of a billion copies of it to iPhones and iPads[1]. Similarly, there are multimillion dollar scams on the App Store, as well[2].<p>[1] <a href="https:&#x2F;&#x2F;www.vice.com&#x2F;en&#x2F;article&#x2F;n7bbmz&#x2F;the-fortnite-trial-is-exposing-details-about-the-biggest-iphone-hack-of-all-time" rel="nofollow">https:&#x2F;&#x2F;www.vice.com&#x2F;en&#x2F;article&#x2F;n7bbmz&#x2F;the-fortnite-trial-is...</a><p>[2] <a href="https:&#x2F;&#x2F;www.theverge.com&#x2F;2021&#x2F;2&#x2F;8&#x2F;22272849&#x2F;apple-app-store-scams-ios-fraud-reviews-ratings-flicktype" rel="nofollow">https:&#x2F;&#x2F;www.theverge.com&#x2F;2021&#x2F;2&#x2F;8&#x2F;22272849&#x2F;apple-app-store-s...</a></text></item><item><author>mil22</author><text>Yes, it&#x27;s been Apple&#x27;s modus operandi with the App Store from the start: trick consumers into thinking the App Store being a monopoly is the only thing that can protect them against malware, illicit and questionable app content, pirated software, scams, and fraud.<p>Most consumers understand those concepts and fear those things. Most understand nothing about the economic impact of monopolies and anti-competitive business behavior and the harms they cause consumers in the form of higher prices, lack of innovation, reduced choice, and poorer quality products and services.<p>So Apple plays off those fears by using language consumers understand, making them actually want the very monopoly that is being forced on them and actually harming them while making billions for Apple.<p>It&#x27;s unethical behavior, no more defensible than Sam Bankman-Fried&#x27;s effective altruism, a.k.a. &quot;mostly a front.&quot; This is all right out of Apple&#x27;s standard playbook.</text></item><item><author>mmaunder</author><text>Apple is going full frontal attack and saying the DMA creates security risks in the headline, and then repeating that messaging throughout the article. Hard to believe the ECJ is going to stand by and watch Apple convince millions that the EU is working to harm their constituents security but that Apple is here to save them.</text></item><item><author>mil22</author><text>Luckily, the EU included substantial anti-circumvention provisions in the DMA. I&#x27;m not a lawyer, but based on the excerpts from the regulations below, it seems likely the EU would have grounds to open legal proceedings against Apple&#x27;s new rules.<p><a href="https:&#x2F;&#x2F;eur-lex.europa.eu&#x2F;legal-content&#x2F;EN&#x2F;TXT&#x2F;PDF&#x2F;?uri=CELEX:32022R1925" rel="nofollow">https:&#x2F;&#x2F;eur-lex.europa.eu&#x2F;legal-content&#x2F;EN&#x2F;TXT&#x2F;PDF&#x2F;?uri=CELE...</a><p>&quot;Article 13: Anti-circumvention<p>4. The gatekeeper shall not engage in any behaviour that undermines effective compliance with the obligations of
Articles 5, 6 and 7 regardless of whether that behaviour is of a contractual, commercial or technical nature, or of any other
nature, or consists in the use of behavioural techniques or interface design.<p>7. Where the gatekeeper circumvents or attempts to circumvent any of the obligations in Article 5, 6, or 7 in a manner
described in paragraphs 4, 5 and 6 of this Article, the Commission may open proceedings pursuant to Article 20 and adopt
an implementing act referred to in Article 8(2) in order to specify the measures that the gatekeeper is to implement.&quot;</text></item></parent_chain><comment><author>pjerem</author><text>&gt; all the virus really did was collect some device info (less information than most ad networks)<p>Nah, that would mean that what really protects iOS users from malwares is just a good sandboxing mechanism and not the &quot;human&quot; control of the App Store. That would also mean that bypassing the App Store shouldn’t be a real security issue.</text></comment> |
32,411,488 | 32,409,916 | 1 | 3 | 32,409,102 | train | <story><title>The strength of the strong force</title><url>https://phys.org/news/2022-08-strength-strong.html</url></story><parent_chain></parent_chain><comment><author>dataflow</author><text>I just can&#x27;t wrap my head around how non-inverse-square-laws are supposed to work for forces. Why doesn&#x27;t this (and MOND) violate a fundamental law? I thought the point of inverse square laws was that we have a point source, area increases with r^2, energy is radiated symmetrically in space, and thus energy at any given point has to drop off with 1&#x2F;r^2 in order for total energy to remain constant. So how is a non inverse square law supposed to work? How can we not be violating something fundamental like conservation of energy, number of dimensions in space, spherical symmetry, causality, etc.?</text></comment> | <story><title>The strength of the strong force</title><url>https://phys.org/news/2022-08-strength-strong.html</url></story><parent_chain></parent_chain><comment><author>RandomWorker</author><text>This baffles me, both gravity and electromagnetic forces drop off with increasing distance. Anyone familiar with the theoretical basis for this? I assume this has really weird consequences for unification of all forces. I believe when I was studying physics they said that strong and electromagnetic were very similar (at short distances).</text></comment> |
26,156,273 | 26,156,577 | 1 | 2 | 26,154,608 | train | <story><title>TikTok hit with consumer law breaches complaints across Europe</title><url>https://www.reuters.com/article/us-tiktok-eu/tiktok-hit-with-consumer-law-breaches-complaints-across-europe-idUSKBN2AG0S8</url></story><parent_chain></parent_chain><comment><author>j1elo</author><text>Say there is this new law that forbids to smoke inside public places (read: restaurants, bars, pubs). For the sake of the metaphor, say these places received some benefit from tobacco companies from having people smoke, so naturally they react to this law by remembering in the most annoying ways how you cannot smoke inside <i>because of</i> those pesky lawmakers (and not because people really voted in favor of less smoking in public places). For example, by creating smoke-friendly spaces where allowed, leaving less and more cluttered space for the smoke-free tables; and giving priority to the orders that come from smoker areas.<p>This is the cookie modal. It&#x27;s the pages that show obtuse cookie modals the ones choosing to follow an aggressive anti-user approach. The fact that seemingly ALL of them are aggressive or use obscure techniques only shows how ingrained this smoking problem was all around.<p>EDIT -- the thing about this comparison is that those things happened when they implemented the anti-smoking laws in my country. You would see smoke-preferential areas, or in most places which didn&#x27;t make the cut to have one, customers were all angry because they weren&#x27;t able to smoke a cigarette after their lunch. But give it time, and years later most if not all restaurants and customers have accepted the new situation, offering an overall better experience for everybody involved. And I think that&#x27;s what will eventually happen with the cookie law now that the GDPR has made more obvious and annoying the whole process.</text></comment> | <story><title>TikTok hit with consumer law breaches complaints across Europe</title><url>https://www.reuters.com/article/us-tiktok-eu/tiktok-hit-with-consumer-law-breaches-complaints-across-europe-idUSKBN2AG0S8</url></story><parent_chain></parent_chain><comment><author>forgotmypw17</author><text>I recently spoke with an older brother of a young man, about 13, who is heavily addicted to TikTok. His brother told me that he has been skipping school to stay on his phone, and that when his phone is taken away, he flies into a screaming rage, and runs down the street barefoot.</text></comment> |
36,729,552 | 36,729,488 | 1 | 2 | 36,726,670 | train | <story><title>The deindustrialization of Germany</title><url>https://www.politico.eu/article/rust-belt-on-the-rhine-the-deindustrialization-of-germany/</url></story><parent_chain><item><author>tdrz</author><text>I found the article quite good but has missed a couple of points that need to be mentioned:<p>1. The attitude of the average German consumer<p>It seems to me that one of the national sports in Germany is to find cheaper deals for pretty much anything (and then brag about it). Even if it&#x27;s fractions of a euro! After trimming down on everything that they could, the manufacturers and service providers had to finally reduce quality. This happened to such an extent that the famous &quot;Made in Germany&quot; is now meaningless, if not worse.<p>2. The attitude of the average German manager<p>&quot;I am your boss, you are the employee, now shut up and do as I say&quot; attitude does not work well in knowledge-based industries like Software. And I believe this is one of the reasons why Germany is behind in digitalization, let alone in digital innovation.</text></item></parent_chain><comment><author>aeyes</author><text>1. Made in Germany for consumer products might be worth less today but the export of industrial supplies like machines, chemicals and materials are much more important to the economy as a whole. Outside of Germany it is still quite respected - to the point where foreign companies give themselves and their products German sounding names while slapping German flags on their boxes to sell more.<p>2. Why software Made in Germany doesn&#x27;t work well has a number of reasons but I&#x27;d say that it is primarily because it is much harder to raise capital for things that only might work 1 out of 50 times. People who start businesses are much more risk-averse and most try to be profitable or self-financed from year 1. This makes them uncompetitive in innovative sectors.</text></comment> | <story><title>The deindustrialization of Germany</title><url>https://www.politico.eu/article/rust-belt-on-the-rhine-the-deindustrialization-of-germany/</url></story><parent_chain><item><author>tdrz</author><text>I found the article quite good but has missed a couple of points that need to be mentioned:<p>1. The attitude of the average German consumer<p>It seems to me that one of the national sports in Germany is to find cheaper deals for pretty much anything (and then brag about it). Even if it&#x27;s fractions of a euro! After trimming down on everything that they could, the manufacturers and service providers had to finally reduce quality. This happened to such an extent that the famous &quot;Made in Germany&quot; is now meaningless, if not worse.<p>2. The attitude of the average German manager<p>&quot;I am your boss, you are the employee, now shut up and do as I say&quot; attitude does not work well in knowledge-based industries like Software. And I believe this is one of the reasons why Germany is behind in digitalization, let alone in digital innovation.</text></item></parent_chain><comment><author>patall</author><text>&gt; I am your boss, you are the employee, now shut up and do as I say<p>This would also not work in engineering and never did. In fact, it&#x27;s likely one of reasons why german engineering was so good: because people would (and still do) tell their boss bluntly what is wrong.</text></comment> |
15,803,912 | 15,803,442 | 1 | 3 | 15,802,885 | train | <story><title>What's a reference in Rust?</title><url>https://jvns.ca/blog/2017/11/27/rust-ref/</url></story><parent_chain></parent_chain><comment><author>kibwen</author><text><i>&gt; In Rust, a boxed pointer sometimes includes an extra word (a “vtable pointer”) and sometimes don’t. It depends on whether the T in Box&lt;T&gt; is a type or a trait. Don’t ask me more, I do not know more.</i><p>For those wanting to know more about this, the idea is that types whose size is unknown at compile-time receive this two-word representation. I tend to refer to these as &quot;fat pointers&quot;, which is terminology from Cyclone (though Cyclone&#x27;s fat pointers serve a different purpose). More documentation on these can be found at <a href="https:&#x2F;&#x2F;doc.rust-lang.org&#x2F;beta&#x2F;nomicon&#x2F;exotic-sizes.html#dynamically-sized-types-dsts" rel="nofollow">https:&#x2F;&#x2F;doc.rust-lang.org&#x2F;beta&#x2F;nomicon&#x2F;exotic-sizes.html#dyn...</a> and in the section in the book on slices (terminology taken from Go, whose slices are similar though with an extra word) <a href="https:&#x2F;&#x2F;doc.rust-lang.org&#x2F;book&#x2F;second-edition&#x2F;ch04-03-slices.html#string-slices" rel="nofollow">https:&#x2F;&#x2F;doc.rust-lang.org&#x2F;book&#x2F;second-edition&#x2F;ch04-03-slices...</a></text></comment> | <story><title>What's a reference in Rust?</title><url>https://jvns.ca/blog/2017/11/27/rust-ref/</url></story><parent_chain></parent_chain><comment><author>codefined</author><text>As someone who has just spent the last 15 minutes escaping to HN from Rust due to reference errors, this was amazingly useful and actually helped me fix the error I was getting.</text></comment> |
40,198,043 | 40,198,001 | 1 | 3 | 40,195,480 | train | <story><title>Open-source alternative to Heroku, Vercel, and Netlify</title><url>https://github.com/Dokploy/dokploy</url></story><parent_chain></parent_chain><comment><author>ognarb</author><text>This is not open source, just take a look at the license.<p><a href="https:&#x2F;&#x2F;github.com&#x2F;Dokploy&#x2F;dokploy&#x2F;blob&#x2F;main&#x2F;LICENSE.MD">https:&#x2F;&#x2F;github.com&#x2F;Dokploy&#x2F;dokploy&#x2F;blob&#x2F;main&#x2F;LICENSE.MD</a></text></comment> | <story><title>Open-source alternative to Heroku, Vercel, and Netlify</title><url>https://github.com/Dokploy/dokploy</url></story><parent_chain></parent_chain><comment><author>heap_perms</author><text>The word &quot;Open-Source&quot; is misleading and should be removed from the title.</text></comment> |
2,584,879 | 2,584,860 | 1 | 2 | 2,584,752 | train | <story><title>C'mon, stop writing Java for Android</title><url>http://robots.thoughtbot.com/post/5836463058/scala-a-better-java-for-android</url></story><parent_chain></parent_chain><comment><author>jamesbritt</author><text><i>So what’s stopping you from using Scala for your Android app?</i><p>Mirah.<p>While Mirah is still beta-ish I prefer it to Scala. Maybe it's because I'm already familiar with Ruby, but the "multi paradigm" (i.e. no paradigm) nature of Scala leaves me cold. It's kinda-sorta OO, kinda-sorta functional. But the functional part gives no guarantees of referential transparency or immutable state, so the killer value of FP is lost.<p>But, language rant aside, even if Scala were the cat's meow, you still have to include the Scala base libraries with every app. Proguard may help, but it seems wasteful.<p>Mirah, OTOH, compiles down to straight-up JVM byte code. No supporting runtime libs are needed. Very slick.</text></comment> | <story><title>C'mon, stop writing Java for Android</title><url>http://robots.thoughtbot.com/post/5836463058/scala-a-better-java-for-android</url></story><parent_chain></parent_chain><comment><author>wccrawford</author><text>I'm underwhelmed. At that level, I find the Java version more readable. (I know, I know, the horror.)<p>But to answer the question posed: Community. I started messing with Mirah, but there's just not much community yet. Any questions you have is a new one. And nobody knows the answer yet. That's fine if you like figuring things out and have time... But drop either of those and it's just a headache.</text></comment> |
16,106,219 | 16,106,090 | 1 | 2 | 16,104,958 | train | <story><title>Introduction to reverse engineering and assembly</title><url>http://kakaroto.homelinux.net/2017/11/introduction-to-reverse-engineering-and-assembly/</url></story><parent_chain></parent_chain><comment><author>itsmemattchung</author><text>Beyond reverse engineering, learning assembly made me appreciate what really goes on underneath the hood of my machine while I program in a higher level language such as C or Python. If you want a more comprehensive introduction to not only assembly, but the system as a whole, I cannot recommend this book enough: Computer System&#x27;s from a programmer&#x27;s perspective.<p>Self studying that book -- along with the free video lectures[1] by the authors -- equipped me practical knowledge that&#x27;s applicable as a software engineer who strives to grasp an understanding of the entire system.<p>[1] <a href="https:&#x2F;&#x2F;scs.hosted.panopto.com&#x2F;Panopto&#x2F;Pages&#x2F;Sessions&#x2F;List.aspx#folderID=%22b96d90ae-9871-4fae-91e2-b1627b43e25e%22" rel="nofollow">https:&#x2F;&#x2F;scs.hosted.panopto.com&#x2F;Panopto&#x2F;Pages&#x2F;Sessions&#x2F;List.a...</a></text></comment> | <story><title>Introduction to reverse engineering and assembly</title><url>http://kakaroto.homelinux.net/2017/11/introduction-to-reverse-engineering-and-assembly/</url></story><parent_chain></parent_chain><comment><author>CurtMonash</author><text>I was taught assembler in my second year at school,
It&#x27;s kind of like construction work
With a toothpick, for a tool<p><pre><code> ~ The Eternal Flame, by Bob Kanefsky
</code></pre>
<a href="https:&#x2F;&#x2F;genius.com&#x2F;Bob-kanefsky-eternal-flame-lyrics" rel="nofollow">https:&#x2F;&#x2F;genius.com&#x2F;Bob-kanefsky-eternal-flame-lyrics</a><p><a href="https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=u-7qFAuFGao" rel="nofollow">https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=u-7qFAuFGao</a></text></comment> |
3,494,320 | 3,494,313 | 1 | 3 | 3,494,146 | train | <story><title>Investigate Dodd and the MPAA for bribery after public threats to congress</title><url>http://wh.gov/KiE</url><text></text></story><parent_chain></parent_chain><comment><author>zecho</author><text>While this is funny, bribery has a very specific meaning, and every politician learned it very well during the whole Jack Abramhoff scandal.<p>What the MPAA, and Chris Dodd, are suggesting here is that they're less willing to make campaign contributions (on the up-and-up, as dubious as the up-and-up has become post-Citizen's United).<p>I'm quickly tiring of the hyperbole from both sides of the issue. As the days go on, this is clearly becoming less a matter of facts at hand and more a boiling over of old media vs. new media attitudes that have been simmering for 15 years.<p>I know what this conflict is like first hand. I work on the tech/web side of an old media company. Everything becomes us vs. them, and everything appears on the surface to have ulterior motive, when in fact it almost always first stems from a serious lack of understanding, which breeds frustration, which breeds paranoia, which breeds stupid bills like SOPA, with actual ulterior motives and all.<p>Honestly, I'm interested what types of companies PG and YC think will "kill Hollywood." My feeling is that killing it will necessitate a much, much more understanding and symbiotic approach to Hollywood than many on HN are willing to acknowledge.</text></comment> | <story><title>Investigate Dodd and the MPAA for bribery after public threats to congress</title><url>http://wh.gov/KiE</url><text></text></story><parent_chain></parent_chain><comment><author>dmoy</author><text>Yes there is a huge problem with American politics, but I don't know that only going after people who PUBLICLY admit this is the right direction. It might be a good start, but I really feel that you'd need more overarching change to actually make a difference.</text></comment> |
4,965,523 | 4,965,015 | 1 | 3 | 4,964,917 | train | <story><title>30 days with Windows Phone 8 — Perspective from an admitted iOS addict</title><url>http://thenextweb.com/microsoft/2012/12/22/30-days-with-windows-phone-8-perspective-from-an-admitted-ios-addict/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed:+TheNextWebMicrosoft+(The+Next+Web+Microsoft)</url></story><parent_chain></parent_chain><comment><author>jsz0</author><text>Every time I've used a WP device I've walked away disappointed. Haven't done an extended test just 10-15 minutes on various devices. If I had to point to any one thing that leaves me disappointed it's probably the excessive amount of scrolling and swiping required. Even on the larger display devices the amount of information I can see without scrolling/swiping is a fraction of what I'm used to from iOS/Android. It leaves me with kind of a stuck-in-the-mud feeling that I'm just doing a lot of extra work to access the same amount of information. The same type of problem pops up with apps in a different way. They tend to be fairly basic and lacking features. I guess this is to be expected for a relatively young platform but it's really difficult to step away from these iOS/Android apps that just have so much more functionality. Between the apps and UI style it almost just feels to me more like a glorified feature phone. People said the same thing about the iPhone but it had some really killer features. To get a real web browser I was happy to give up the unified messages system on my BlackBerry. I can't really find the killer features in WP that would justify the trade-offs. Honestly every interaction I've had with WP so far makes me very happy to return to iOS/Android where all my apps pack tons of information on the screen and have just about every feature I need.</text></comment> | <story><title>30 days with Windows Phone 8 — Perspective from an admitted iOS addict</title><url>http://thenextweb.com/microsoft/2012/12/22/30-days-with-windows-phone-8-perspective-from-an-admitted-ios-addict/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed:+TheNextWebMicrosoft+(The+Next+Web+Microsoft)</url></story><parent_chain></parent_chain><comment><author>rogerbinns</author><text>One factor I also look at is what happens when you want to write some code on your computer and put it on your device (it does say "Hacker" at the top left).<p>Only Android scores well in this respect and it looks like none of the competition really cares.</text></comment> |
7,469,645 | 7,469,469 | 1 | 3 | 7,469,237 | train | <story><title>Oculus Joins Facebook</title><url>http://www.oculusvr.com/blog/oculus-joins-facebook/</url></story><parent_chain><item><author>c0ur7n3y</author><text>Oculus just went from something incredibly amazing that I couldn&#x27;t wait to be a part of to something that I want nothing to do with. I suspect I&#x27;m not alone. Humans are emotional creatures, not always driven by strict rationality. Maybe I&#x27;ll feel differently in a year.</text></item></parent_chain><comment><author>archgrove</author><text>Amen, and I don&#x27;t really know why. I was on the fence about ordering one of the new Crystal Cove based devkits. Now I certainly won&#x27;t. I&#x27;ll wait to see how it shakes out; to see if low latency panels now take a backseat to an onboard camera for that special &quot;social experience&quot;.<p>I guess it&#x27;s because I was excited about the gaming and &quot;new experience&quot; potential, and the hope that a young company full of smart people would excel in that space. Unfortunately, the only association I can muster between gaming and Facebook is the spamfest Farmville. The biggest experience I can think of is the data mining.<p>VR is one of the few upcoming tech changes I can actually see adding &quot;delight&quot; to my computing experience. Alas, I&#x27;ve never experienced any delight with Facebook; at best, I&#x27;ve managed grudging tolerance. I think I&#x27;m sad at the loss of what might have been.</text></comment> | <story><title>Oculus Joins Facebook</title><url>http://www.oculusvr.com/blog/oculus-joins-facebook/</url></story><parent_chain><item><author>c0ur7n3y</author><text>Oculus just went from something incredibly amazing that I couldn&#x27;t wait to be a part of to something that I want nothing to do with. I suspect I&#x27;m not alone. Humans are emotional creatures, not always driven by strict rationality. Maybe I&#x27;ll feel differently in a year.</text></item></parent_chain><comment><author>WalterSear</author><text>I came here to say exactly this.<p>There will be others, though. Lots of others.</text></comment> |
31,610,562 | 31,607,908 | 1 | 2 | 31,600,817 | train | <story><title>Record labels dig their own grave, and the shovel is called TikTok</title><url>https://tedgioia.substack.com/p/record-labels-dig-their-own-grave</url></story><parent_chain><item><author>Coolerbythelake</author><text>Being a musician and audio engineer right now for 30 years, I see all this and I simply shake my head. I&#x27;ve long given up the hopes of monetary success for my music. One thing that remains is the energy exchange between an artist and the audience in a live setting. If you love music and you are not an emotional robot you know what I am talking about. Software can&#x27;t replicate that and the artistry in the performer knows how to heighten and transmit content in that moment. This act of creating and adapting to the feedback and pushing energy back and forth is the only reason I&#x27;m still playing music. Computers don&#x27;t do that. Tik tok doesn&#x27;t do that in 30 seconds. Pop music has been reduced to the equivalent of taking a shit and a lot of people don&#x27;t know it.</text></item></parent_chain><comment><author>G4E</author><text>I love music and as far as I know, I&#x27;m not a robot. However, I really dislike live events.
Of courses, there are a lot if different set up, but we&#x27;re talking small gigs in a local place.<p>I can&#x27;t describe it other than &quot;sensors overloads&quot; (maybe I am a robot...). Too loud (the sound, but also the crowd). Too many peoples, too crowded. The smell of cheap beer, sweat, smoke... It&#x27;s simply too much for me. I feel the urge to go far from that place, as quickly as possible.<p>I know your point was more about &quot;a simple thing to support and enjoy your local artists&quot;, but live events are&#x27;nt for everybody sadly.</text></comment> | <story><title>Record labels dig their own grave, and the shovel is called TikTok</title><url>https://tedgioia.substack.com/p/record-labels-dig-their-own-grave</url></story><parent_chain><item><author>Coolerbythelake</author><text>Being a musician and audio engineer right now for 30 years, I see all this and I simply shake my head. I&#x27;ve long given up the hopes of monetary success for my music. One thing that remains is the energy exchange between an artist and the audience in a live setting. If you love music and you are not an emotional robot you know what I am talking about. Software can&#x27;t replicate that and the artistry in the performer knows how to heighten and transmit content in that moment. This act of creating and adapting to the feedback and pushing energy back and forth is the only reason I&#x27;m still playing music. Computers don&#x27;t do that. Tik tok doesn&#x27;t do that in 30 seconds. Pop music has been reduced to the equivalent of taking a shit and a lot of people don&#x27;t know it.</text></item></parent_chain><comment><author>popcorncowboy</author><text>&gt; Pop music has been reduced to the equivalent of taking a shit and a lot of people don&#x27;t know it.<p>This made me laugh pretty hard for a few minutes, I had tears in my eyes. Thank you.<p>Your humour is of course all the more pithy for exactly capturing the situation. Further, it applies everywhere that industrial-scale (internet-scale?) culture exists. Music, art, film, tv-shows, news, writing. We min-max everything at the altar of the algorithm, because... &quot;reach&quot;. Or something. Money. I don&#x27;t know. Whatever. It&#x27;s hard to care about taking a shit.</text></comment> |
19,561,831 | 19,561,436 | 1 | 2 | 19,561,242 | train | <story><title>New year, same old plans</title><url>http://lighttable.com/2019/03/31/New-year-old-plans/</url></story><parent_chain></parent_chain><comment><author>mortdeus</author><text>One thing that bothers me about new code editors&#x2F;IDEs is that their developers really don&#x27;t do a good enough job researching and deriving inspiration from the editors that already exist.<p>For example, I have yet to find any modern editor that draws inspiration from the brilliantly designed ideas used in Plan 9&#x27;s &#x27;sam&#x27; and &#x27;acme&#x27; editors.<p>For example structured regexps, 3 button mouse chording, and the &#x27;plumb&#x27; feature thats basically a context-aware, smarter version of a unix pipe between two executables.<p>I mean i can go on and on but another thing that i find absolutely annoying about newer editors is that they all use Webkit as the base of their apps core foundation.<p>This makes it irritating to consider trying to make changes to the code that I believe would overall improve the editor and make it more useful. (at least as far as im concerned)<p>I can literally make a list a mile long of things I like in other editors and wish i could see condensed into one ultimate code editor to supplant all code editors that had come before.</text></comment> | <story><title>New year, same old plans</title><url>http://lighttable.com/2019/03/31/New-year-old-plans/</url></story><parent_chain></parent_chain><comment><author>newcrobuzon</author><text>Any idea what happened to Chris Granger and the original LightTable&#x2F;Eve plans? If I am not mistaken they took some VC money right? How did that work out? Would be really interested to hear their story and lessons learned.<p>Aside from that I was a big LightTable fan and really enjoyed its inline instarepl and other features, so it is definitely great to see that LT is not completely forgotten! Kudos!</text></comment> |
39,140,833 | 39,140,853 | 1 | 2 | 39,140,269 | train | <story><title>Tailwind Isn't for Me</title><url>https://www.spicyweb.dev/why-tailwind-isnt-for-me/</url></story><parent_chain><item><author>PUSH_AX</author><text>I love tailwind. I strongly feel that most modern CSS solutions are massively overthought. In engineering we have bigger problems to solve than a key&#x2F;value list that makes a div blue.<p>Tailwind removes the thinking around CSS, naming, preprocessors etc etc, it just lets me write good CSS and focus on components and other engineering problems.<p>I seem to be one of the few people who can read CSS properties horizontally as well as vertically, so I&#x27;m all good on most peoples major complaint.</text></item></parent_chain><comment><author>dbbk</author><text>Why not Styled Components? I&#x27;ve been using them for years now and I&#x27;m extremely productive.<p>Tailwind on the other hand looks like a hellish nightmare, horizontal reading, proprietary syntax, no selector targeting of other components.</text></comment> | <story><title>Tailwind Isn't for Me</title><url>https://www.spicyweb.dev/why-tailwind-isnt-for-me/</url></story><parent_chain><item><author>PUSH_AX</author><text>I love tailwind. I strongly feel that most modern CSS solutions are massively overthought. In engineering we have bigger problems to solve than a key&#x2F;value list that makes a div blue.<p>Tailwind removes the thinking around CSS, naming, preprocessors etc etc, it just lets me write good CSS and focus on components and other engineering problems.<p>I seem to be one of the few people who can read CSS properties horizontally as well as vertically, so I&#x27;m all good on most peoples major complaint.</text></item></parent_chain><comment><author>ellinoora</author><text>My biggest issue with Tailwind is point #5 on the article: Tailwind encourages div&#x2F;span-tag soup. Together with the class name soup my HTML becomes unreadable.</text></comment> |
31,932,357 | 31,931,869 | 1 | 3 | 31,930,008 | train | <story><title>Swedish Radio created fake pharmacy, reveals how Facebook stored sensitive data</title><url>https://sverigesradio.se/artikel/swedish-radio-created-fake-pharmacy-reveals-how-facebook-stored-sensitive-information</url></story><parent_chain><item><author>FrenchDevRemote</author><text>I&#x27;ll bite too.<p>If you don&#x27;t have superbowl ads money, or already have a huge following, data and A&#x2F;B testing is probably the only way to be profitable while doing e-commerce on your own website<p>Those are tools designed to market products, not handle super sensitive data, it&#x27;s kind of like using hotjar to record sessions on your (super confidential) website to find pain points and bugs, only to whine that hotjar stores data about your users actions, that&#x27;s the entire reason why you&#x27;re a customer.<p>I really don&#x27;t get the fuss.<p>I don&#x27;t even get the point of advertising pharmacies, you don&#x27;t need medicines to be advertised to you, it&#x27;s even crazier that a part of the price of your meds would be &quot;facebook ads budget&quot;<p>And tbh I have more trust in the reliability of the infrastructure behind FB ads than in the spaghetti PHP code written in 2005 by a contractor for those pharmacies, or in the windows XP&#x2F;vista computers that their employees use.<p>If I had to bet on who&#x27;s getting hacked, I wouldn&#x27;t bet on Facebook.</text></item><item><author>vanderZwan</author><text>&gt; <i>Whether it&#x27;s nefarious is debatable</i><p>Ok, I&#x27;ll bite: try to debate how it <i>isn&#x27;t</i> nefarious, because I sincerely cannot think of an argument.</text></item><item><author>mekkkkkk</author><text>The reason is almost always to be able to do conversion tracking. I.e. to follow the trail from a specific ad campaign to a completed purchase in order to evaluate the campaign performance. There are of course ways to do this while preserving anonymity of the individual customers, but it&#x27;s way too easy to mess up and&#x2F;or give in to the allure of providing too much detail in the quest to further evaluate user behavior.<p>The tools are built to make it as easy as possible to provide as much data as possible about the users. Whether it&#x27;s nefarious is debatable, but FB should definitely have some checks and balances on what they allow to be stored on their own platform.</text></item><item><author>andrelaszlo</author><text>Also by SR, in the last couple of weeks:<p>- The Swedish healthcare company Kry has built a service for digital patient calls that has leaked doctors &#x27;and patients&#x27; contact information to Facebook. <a href="https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;health-service-marketed-as-secure-leaked-patient-information-to-facebook" rel="nofollow">https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;health-service-marketed-as-...</a><p>- The state-owned pharmacy chain Apoteket has sent detailed information about its online customers and their purchases to Facebook, Swedish Radio News can reveal. <a href="https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;pharmacy-passed-information-about-online-customers-to-facebook" rel="nofollow">https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;pharmacy-passed-information...</a><p>Why the f** is everyone sending our data to FB by default? It&#x27;s not enough to uninstall FB; you can&#x27;t even go buy prescription medicine without them knowing, apparently.</text></item></parent_chain><comment><author>epicide</author><text>&gt; And tbh I have more trust in the reliability of the infrastructure behind FB ads than in the spaghetti PHP code written in 2005 by a contractor for those pharmacies, or in the windows XP&#x2F;vista computers that their employees use.<p>You are comparing <i>security</i> in response to an issue about <i>privacy</i>. Facebook&#x27;s security around data that they shouldn&#x27;t have in the first place is irrelevant.<p>Additionally, even a contractor today still <i>could not</i> create feature parity with Facebook as they do not have the network effect of Facebook. That&#x27;s assuming the company&#x2F;contractor would even try to build all of it themselves.</text></comment> | <story><title>Swedish Radio created fake pharmacy, reveals how Facebook stored sensitive data</title><url>https://sverigesradio.se/artikel/swedish-radio-created-fake-pharmacy-reveals-how-facebook-stored-sensitive-information</url></story><parent_chain><item><author>FrenchDevRemote</author><text>I&#x27;ll bite too.<p>If you don&#x27;t have superbowl ads money, or already have a huge following, data and A&#x2F;B testing is probably the only way to be profitable while doing e-commerce on your own website<p>Those are tools designed to market products, not handle super sensitive data, it&#x27;s kind of like using hotjar to record sessions on your (super confidential) website to find pain points and bugs, only to whine that hotjar stores data about your users actions, that&#x27;s the entire reason why you&#x27;re a customer.<p>I really don&#x27;t get the fuss.<p>I don&#x27;t even get the point of advertising pharmacies, you don&#x27;t need medicines to be advertised to you, it&#x27;s even crazier that a part of the price of your meds would be &quot;facebook ads budget&quot;<p>And tbh I have more trust in the reliability of the infrastructure behind FB ads than in the spaghetti PHP code written in 2005 by a contractor for those pharmacies, or in the windows XP&#x2F;vista computers that their employees use.<p>If I had to bet on who&#x27;s getting hacked, I wouldn&#x27;t bet on Facebook.</text></item><item><author>vanderZwan</author><text>&gt; <i>Whether it&#x27;s nefarious is debatable</i><p>Ok, I&#x27;ll bite: try to debate how it <i>isn&#x27;t</i> nefarious, because I sincerely cannot think of an argument.</text></item><item><author>mekkkkkk</author><text>The reason is almost always to be able to do conversion tracking. I.e. to follow the trail from a specific ad campaign to a completed purchase in order to evaluate the campaign performance. There are of course ways to do this while preserving anonymity of the individual customers, but it&#x27;s way too easy to mess up and&#x2F;or give in to the allure of providing too much detail in the quest to further evaluate user behavior.<p>The tools are built to make it as easy as possible to provide as much data as possible about the users. Whether it&#x27;s nefarious is debatable, but FB should definitely have some checks and balances on what they allow to be stored on their own platform.</text></item><item><author>andrelaszlo</author><text>Also by SR, in the last couple of weeks:<p>- The Swedish healthcare company Kry has built a service for digital patient calls that has leaked doctors &#x27;and patients&#x27; contact information to Facebook. <a href="https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;health-service-marketed-as-secure-leaked-patient-information-to-facebook" rel="nofollow">https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;health-service-marketed-as-...</a><p>- The state-owned pharmacy chain Apoteket has sent detailed information about its online customers and their purchases to Facebook, Swedish Radio News can reveal. <a href="https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;pharmacy-passed-information-about-online-customers-to-facebook" rel="nofollow">https:&#x2F;&#x2F;sverigesradio.se&#x2F;artikel&#x2F;pharmacy-passed-information...</a><p>Why the f** is everyone sending our data to FB by default? It&#x27;s not enough to uninstall FB; you can&#x27;t even go buy prescription medicine without them knowing, apparently.</text></item></parent_chain><comment><author>vanderZwan</author><text>&gt; <i>Those are tools designed to market products, not handle super sensitive data, it&#x27;s kind of like using hotjar to record sessions on your (super confidential) website to find pain points and bugs, only to whine that hotjar stores data about your users actions, that&#x27;s the entire reason why you&#x27;re a customer.</i><p>In which case it is nefarious to advertise that they do handle super sensitive data correctly. Which Facebook does.<p>&gt; <i>If I had to bet on who&#x27;s getting hacked, I wouldn&#x27;t bet on Facebook.</i><p>This is moving the goalposts.</text></comment> |
29,702,655 | 29,701,681 | 1 | 3 | 29,700,961 | train | <story><title>E.O. Wilson has died</title><url>https://www.reuters.com/lifestyle/science/obituary-modern-day-darwin-eo-wilson-dies-92-2021-12-27/</url></story><parent_chain></parent_chain><comment><author>Jugurtha</author><text>E.O. Wilson comes up when you get into the &quot;actor model&quot;[0], especially with this quote:<p>&gt;<i>“A colony of ants is more than just an aggregate of insects that are living together. One ant is no ant.”</i><p>Many publications and articles on the topic of actors reference it at some point.<p>- [0]: <a href="https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Actor_model" rel="nofollow">https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Actor_model</a></text></comment> | <story><title>E.O. Wilson has died</title><url>https://www.reuters.com/lifestyle/science/obituary-modern-day-darwin-eo-wilson-dies-92-2021-12-27/</url></story><parent_chain></parent_chain><comment><author>sunstone</author><text>One of the giants. &quot;Consilience&quot; is one of his books that&#x27;s well worth reading. Small book, small words, short sentences and huge ideas.</text></comment> |
34,820,676 | 34,820,736 | 1 | 3 | 34,818,379 | train | <story><title>Half of Americans now believe that news organizations deliberately mislead them</title><url>https://fortune.com/2023/02/15/trust-in-media-low-misinform-mislead-biased-republicans-democrats-poll-gallup/</url></story><parent_chain><item><author>jawns</author><text>I formerly worked as a news editor at a metro daily newspaper, and before that I worked at various other news outlets and magazines.<p>Here&#x27;s the reality: The average journalist values the truth and desires to report on the news with accuracy and fairness. I worked with a bunch of really talented reporters and editors throughout my career, and almost without exception, they highly valued those things. Moreover, many have an anti-authoritarian bent, and that leads to a desire to expose corruption, rather than protect it.<p>But ...<p>* I&#x27;ve seen publishers kill stories because they thought it would make advertisers unhappy.<p>* I&#x27;ve seen senior execs put pressure on editors to downplay stories that painted the region in a bad light.<p>* I&#x27;ve seen a political campaign refuse to permit a certain reporter to attend their campaign events because they didn&#x27;t like that the reporter wasn&#x27;t acting like a PR tool.<p>* I&#x27;ve seen budgets for &quot;watchdog journalism&quot; become slowly starved, in favor of clickbait.<p>And unfortunately, most of the public doesn&#x27;t see the difference between the reporters on the ground (who are, by and large, genuinely trying to do a good job) and the publishers and other people running the business (who are really trying to make money and exert influence).<p>Granted, there are certainly news orgs where objectivity and accuracy are not ideals that are valued, and unfortunately that&#x27;s where a lot of eyeballs end up these days, because so many people just want their existing biases to be re-inforced.<p>But what America really needs is more media literacy, so we can better distinguish the former from the latter. We, as a society, are SO BAD at this. Our B.S. detectors have lots of false positives and false negatives. We look to the wrong signals to determine whether a news report is trustworthy. We fail to evaluate information critically as long as it validates our pre-existing views. We have a hard time separating facts from opinions.<p>This lack of media literacy is worrisome enough, but now we&#x27;ve got political leaders capitalizing on the fact that we&#x27;re bad at this and actively trying to delegitimize the media (as if it&#x27;s a single thing) because it serves their own purposes.</text></item></parent_chain><comment><author>fidgewidge</author><text><i>&gt; The average journalist values the truth and desires to report on the news with accuracy and fairness</i><p>The average journalist <i>thinks</i> they value the truth, accuracy and fairness. Observed behavior is very different to this flattering self portrait which is why they aren&#x27;t trusted.<p>Actual behaviors of real journalists that create distrust which can&#x27;t be blamed on advertisers or editors:<p>- Accepting large grants from billionaire foundations that are tied to pushing specific agendas and views. Example: look at how much money the Gates Foundation gives out in journalism grants tied to his personal agenda.<p>- Publishing stories that contain obvious &quot;errors&quot; (invariably convenient for their pre-existing agenda). Example: the NYT published a front page that consisted solely of the names of 1000 people who had supposedly died of COVID. It was meant to scare people and it took some rando on twitter about half an hour to notice that the 6th name on the list was of a person who had been murdered.<p>- Refusing to admit when they&#x27;ve misled people in the past, disinterest in publishing post mortems of their failures. Example: the lack of contrition over the Russiagate conspiracy theory.<p>- Point blank refusal to challenge certain types of sources because they think it&#x27;s immoral to do so. Example: the BBC decided some years ago that climate change was &quot;settled science&quot; and that it was morally wrong to report on anything that might reduce faith in the &quot;consensus&quot;. This is the opposite of the classical conception of journalism (challenging authority, digging up scandals, get both sides of the story etc).<p>- Relying heavily on sources that are widely known to be discredited. Example: Fauci stated early on in COVID that he lied about masks in official statements to the press, specifically to manipulate people&#x27;s behavior. This did not stop the press using him as a trusted authoritative source. Another example: the way the press constantly cites academic &quot;experts&quot; whose papers are known to not replicate or which have major methodology problems.<p>There&#x27;s way more.</text></comment> | <story><title>Half of Americans now believe that news organizations deliberately mislead them</title><url>https://fortune.com/2023/02/15/trust-in-media-low-misinform-mislead-biased-republicans-democrats-poll-gallup/</url></story><parent_chain><item><author>jawns</author><text>I formerly worked as a news editor at a metro daily newspaper, and before that I worked at various other news outlets and magazines.<p>Here&#x27;s the reality: The average journalist values the truth and desires to report on the news with accuracy and fairness. I worked with a bunch of really talented reporters and editors throughout my career, and almost without exception, they highly valued those things. Moreover, many have an anti-authoritarian bent, and that leads to a desire to expose corruption, rather than protect it.<p>But ...<p>* I&#x27;ve seen publishers kill stories because they thought it would make advertisers unhappy.<p>* I&#x27;ve seen senior execs put pressure on editors to downplay stories that painted the region in a bad light.<p>* I&#x27;ve seen a political campaign refuse to permit a certain reporter to attend their campaign events because they didn&#x27;t like that the reporter wasn&#x27;t acting like a PR tool.<p>* I&#x27;ve seen budgets for &quot;watchdog journalism&quot; become slowly starved, in favor of clickbait.<p>And unfortunately, most of the public doesn&#x27;t see the difference between the reporters on the ground (who are, by and large, genuinely trying to do a good job) and the publishers and other people running the business (who are really trying to make money and exert influence).<p>Granted, there are certainly news orgs where objectivity and accuracy are not ideals that are valued, and unfortunately that&#x27;s where a lot of eyeballs end up these days, because so many people just want their existing biases to be re-inforced.<p>But what America really needs is more media literacy, so we can better distinguish the former from the latter. We, as a society, are SO BAD at this. Our B.S. detectors have lots of false positives and false negatives. We look to the wrong signals to determine whether a news report is trustworthy. We fail to evaluate information critically as long as it validates our pre-existing views. We have a hard time separating facts from opinions.<p>This lack of media literacy is worrisome enough, but now we&#x27;ve got political leaders capitalizing on the fact that we&#x27;re bad at this and actively trying to delegitimize the media (as if it&#x27;s a single thing) because it serves their own purposes.</text></item></parent_chain><comment><author>cm2187</author><text>None of the reasons you mention cover what I observe every day in news (tv and printed) from all sides: stories not fitting the narrative being sinkholed, hit pieces on political opponents, puff pieces on friendly political figures, half of the truth always being presented (never both sides of an argument). The ideological bias is obvious and I don&#x27;t believe this is honest journalists being coerced into this behaviour. In fact things like the various NYT drama spread over twitter when someone writes anything that deviates from the dogma shows this seems to be coming from the newsroom, not the editors or advertisers.<p>Journalists are welcome to burn their own reputation, it is theirs. But don&#x27;t blame others.</text></comment> |
3,697,976 | 3,697,979 | 1 | 3 | 3,697,490 | train | <story><title>Arm unveils 1mm x 1mm 32bit chip: "years of battery life"</title><url>http://www.bbc.co.uk/news/mobile/technology-17345934</url></story><parent_chain><item><author>sambeau</author><text>ARM is a brilliant (if not the poster-boy) example of why the UK government should be investing in new technology companies rather than car manufacturing and banking.</text></item></parent_chain><comment><author>gaius</author><text>I suppose you are too young to remember "picking winners", Harold Wilson, British Leyland, Red Robbo... Or more directly, Grundy and their NewBrain vs Acorn... Historically, government meddling in industry in the UK has been a disaster.</text></comment> | <story><title>Arm unveils 1mm x 1mm 32bit chip: "years of battery life"</title><url>http://www.bbc.co.uk/news/mobile/technology-17345934</url></story><parent_chain><item><author>sambeau</author><text>ARM is a brilliant (if not the poster-boy) example of why the UK government should be investing in new technology companies rather than car manufacturing and banking.</text></item></parent_chain><comment><author>andrewmu</author><text>I think many people are assuming this means direct investment but maintaining a high quality, accessible education system is arguably more important.</text></comment> |
24,027,224 | 24,027,112 | 1 | 2 | 24,024,876 | train | <story><title>Blue Team Rust: What Is “Memory Safety”, Really?</title><url>https://tiemoko.com/blog/blue-team-rust/</url></story><parent_chain><item><author>burntsushi</author><text>Calling an unsafe function can only be done inside an unsafe block.</text></item><item><author>Animats</author><text><i>Today we can guarantee (barring compiler errors) memory safety in safe rust, but not unsafe rust.</i><p>Not quite. An unsafe function can export its lack of safety to other code. If an unsafe function can be called with parameters which make it violate memory safety, it opens a hole in memory safety.</text></item><item><author>staticassertion</author><text>One thing I&#x27;ve realized with Rust is that its guarantees are a moving target. Today we can guarantee (barring compiler errors) memory safety in safe rust, but not unsafe rust.<p>But that story is improving. For one thing, we have people working to build safe abstractions for more unsafe use cases, at zero cost. We also have people improving fuzzing, and in theory safe rust code grows at a much faster rate than unsafe rust code, so fuzzing is far more tractable. We have people working on proving more about rust code, even when unsafe is around.<p>I&#x27;m quite excited to see how far Rust is able to go, I don&#x27;t believe the state today is the end at all.</text></item></parent_chain><comment><author>the_duke</author><text>I assume OP s point is that unsoundness or UB in an unsafe block is not contained in that block, but can taint safe code anywhere in the program. Which is true.</text></comment> | <story><title>Blue Team Rust: What Is “Memory Safety”, Really?</title><url>https://tiemoko.com/blog/blue-team-rust/</url></story><parent_chain><item><author>burntsushi</author><text>Calling an unsafe function can only be done inside an unsafe block.</text></item><item><author>Animats</author><text><i>Today we can guarantee (barring compiler errors) memory safety in safe rust, but not unsafe rust.</i><p>Not quite. An unsafe function can export its lack of safety to other code. If an unsafe function can be called with parameters which make it violate memory safety, it opens a hole in memory safety.</text></item><item><author>staticassertion</author><text>One thing I&#x27;ve realized with Rust is that its guarantees are a moving target. Today we can guarantee (barring compiler errors) memory safety in safe rust, but not unsafe rust.<p>But that story is improving. For one thing, we have people working to build safe abstractions for more unsafe use cases, at zero cost. We also have people improving fuzzing, and in theory safe rust code grows at a much faster rate than unsafe rust code, so fuzzing is far more tractable. We have people working on proving more about rust code, even when unsafe is around.<p>I&#x27;m quite excited to see how far Rust is able to go, I don&#x27;t believe the state today is the end at all.</text></item></parent_chain><comment><author>saagarjha</author><text>I’m unsure what you’re responding to. As I understood it, the comment took issue with saying that you can make guarantees about safe Rust but not unsafe Rust because unsafe Rust is not verified in that way and opens the door to violating guarantees in your “safe” code if your bugs leak out.</text></comment> |
28,245,891 | 28,245,625 | 1 | 2 | 28,245,049 | train | <story><title>Google is shutting down its Android Auto mobile app in favor of Google Assistant</title><url>https://www.theverge.com/2021/8/20/22633755/google-android-auto-for-phone-screens-shutting-down-android-12-google-assistant-driving-mode</url></story><parent_chain><item><author>jfoster</author><text>The fact that the situation exists where Google has two products that do the same thing and one of them has the same name as another of their products that does something different is just bad news overall. It&#x27;s great that this specific instance will be resolved soon but are Google, as an organisation, learning any broader lessons at all?</text></item><item><author>Someone1234</author><text>Just in case some people are confused: There are two different things with the same name -<p>- Android Auto vehicle communication technology that mirrors your phone&#x27;s screen to a vehicle&#x27;s head unit.<p>- Android Auto phone app that displays the same interface on your phone&#x27;s screen like a normal app (e.g. mount your phone up high and use directly, or use some other screen mirroring technology to send it to the head unit).<p>Only the SECOND is being discontinued, not the first. This is <i>still</i> bad news for people who rely on it, but has no impact on Android Auto communications system.</text></item></parent_chain><comment><author>odux</author><text>In this case, these are very complementary and can even be considered the same thing. the core Android auto idea is to give a driving interface with limited features, less distractions, large legible texts etc. It is by default displayed in the car displays but there can be cars which do not support this. For those situations Google had a solution to display the same interface on the phone. This was especially useful for people to get used to this technology before upgrading their car. Google probably decided that there are enough bee cars and enough after market units with this technology that they don&#x27;t have to support this anymore. I think it is too early considering there are a lot of older cars on the road and there is a acute shortage of new cars.</text></comment> | <story><title>Google is shutting down its Android Auto mobile app in favor of Google Assistant</title><url>https://www.theverge.com/2021/8/20/22633755/google-android-auto-for-phone-screens-shutting-down-android-12-google-assistant-driving-mode</url></story><parent_chain><item><author>jfoster</author><text>The fact that the situation exists where Google has two products that do the same thing and one of them has the same name as another of their products that does something different is just bad news overall. It&#x27;s great that this specific instance will be resolved soon but are Google, as an organisation, learning any broader lessons at all?</text></item><item><author>Someone1234</author><text>Just in case some people are confused: There are two different things with the same name -<p>- Android Auto vehicle communication technology that mirrors your phone&#x27;s screen to a vehicle&#x27;s head unit.<p>- Android Auto phone app that displays the same interface on your phone&#x27;s screen like a normal app (e.g. mount your phone up high and use directly, or use some other screen mirroring technology to send it to the head unit).<p>Only the SECOND is being discontinued, not the first. This is <i>still</i> bad news for people who rely on it, but has no impact on Android Auto communications system.</text></item></parent_chain><comment><author>scld</author><text>The lesson, I guess, is that if you print money from some other dominant business unit, you don&#x27;t have to have any other good ideas or execution.</text></comment> |
27,098,150 | 27,096,198 | 1 | 2 | 27,095,345 | train | <story><title>Elon Musk, master promoter</title><url>https://keith404.medium.com/elon-musk-the-master-promoter-a-case-study-3b8eae65b8f7</url></story><parent_chain><item><author>willeh</author><text>It is like mankind woke up one day in 1980s and gave up on the future, a world that had gone the first powered flight to landing on the moon in a generation, woke up that one morning realizing the problems that this evolution has caused. We started rewarding the pessimists pointing out the problems, the zero-sum gamers of wall street. Our universities emptied of optimists and filled up with problematizing relativists... These pessimists are smart of course, we are destroying our planet, our political economy is unjust, our chances of survival are slim to none. On the whole this depression of the human soul produces more accurate predictions, but the prognosis becomes self fulfilling and we stagnate.<p>I think we need the dreamers today more than ever, to find the unlikely solutions that are closer than we think, to find the miracles of the cosmos stil hidden from us and to find a better live for us all. Let&#x27;s all dare to dream.</text></item></parent_chain><comment><author>passivate</author><text>100% agree. To add, even here on HN, pessimism is very much rampant. So many comments here are just about unfairly dumping on an individual or an organization or just pointing out &quot;flaws&quot; by analyzing someones hard work in 10 seconds before writing a comment. I truly believe some of this is due to over-confidence in ones abilities. With the widespread access to knowledge, it is tempting to feel like an expert without actually having any hands-on experience on the topic. Covid has shown that quite amply.<p>We should celebrate the downfall of so called &#x27;gatekeepers&#x27; of knowledge, and average joe&#x27;s being able to disrupt entrenched players in industries. But at the same time I believe we need to be very humble, and not overvalue knowledge and information over experience and hard-work.</text></comment> | <story><title>Elon Musk, master promoter</title><url>https://keith404.medium.com/elon-musk-the-master-promoter-a-case-study-3b8eae65b8f7</url></story><parent_chain><item><author>willeh</author><text>It is like mankind woke up one day in 1980s and gave up on the future, a world that had gone the first powered flight to landing on the moon in a generation, woke up that one morning realizing the problems that this evolution has caused. We started rewarding the pessimists pointing out the problems, the zero-sum gamers of wall street. Our universities emptied of optimists and filled up with problematizing relativists... These pessimists are smart of course, we are destroying our planet, our political economy is unjust, our chances of survival are slim to none. On the whole this depression of the human soul produces more accurate predictions, but the prognosis becomes self fulfilling and we stagnate.<p>I think we need the dreamers today more than ever, to find the unlikely solutions that are closer than we think, to find the miracles of the cosmos stil hidden from us and to find a better live for us all. Let&#x27;s all dare to dream.</text></item></parent_chain><comment><author>soared</author><text>I don’t understand this viewpoint unless it’s literally just rose colored glasses. Is your argument that nothing cool has been invented in the past 40 years?<p>Dude you can instantly speak face to face (digitally) with someone anywhere in the entire world right now. I play games with a group of people who’ve never met, but chat all the time from all over the world. I can travel the world renting other people’s homes, have a device that translates my speech into theirs, can look up their history in seconds, don’t need to use a map, and it’s all way way cheaper than it was in the 80s.<p>There are dreamers and they are changing the world, you’re just too much of a pessimist to see it yourself.</text></comment> |
13,853,185 | 13,851,981 | 1 | 3 | 13,846,887 | train | <story><title>Update: CRISPR</title><url>http://www.radiolab.org/story/update-crispr/</url></story><parent_chain></parent_chain><comment><author>greggman</author><text>First off let me say I&#x27;m 100% for this tech because IMO there&#x27;s no way to stop progress. You can&#x27;t control 7+ billion people.<p>That said, the first thing that came to my mind when they mentioned putting the CRISPR engine in new cells so they make more of the same and spread kind of like a virus... They mentioned they tried it and it worked first time. So, unless I&#x27;m missing something, it&#x27;s only a short matter of time before some disgruntled person could try to destroy the world&#x27;s food supply or cause many other large scale issues.<p>Maybe that&#x27;s harder than it sounds but it just seemed like a crazy amount of power for any one person with access to the tech to have. And, unlike nukes there&#x27;s really no way to prevent this power from getting stronger, easier, and more accessible. Nukes you need the fuel. This you mostly just need the knowledge.<p>Sorry I&#x27;m not suggesting any course of action. It&#x27;s just I believe we won&#x27;t make it past The Great Filter because as tech progresses it gets easier and easier for a single person to destroy the world. Embedding the CRISPR engine so it spreads seemed like a step in that direction.</text></comment> | <story><title>Update: CRISPR</title><url>http://www.radiolab.org/story/update-crispr/</url></story><parent_chain></parent_chain><comment><author>cyanbane</author><text>Fantastic piece. This makes me wonder if we today are technically the &quot;backup&quot;. The (potential) last non-CRISPR gene-driven generation that someone in the future may have to revert to.</text></comment> |
35,197,393 | 35,183,959 | 1 | 2 | 35,178,986 | train | <story><title>Google discontinues Google Glass for enterprise</title><url>https://www.google.com/glass/start/</url></story><parent_chain><item><author>phpisthebest</author><text>2 &quot;Seasons&quot; of a netflix show is not even 1 season of broadcast... Most Broadcast shows run 20-24 Episodes per Season. Netflix is 10 at the most, some 6 episodes. per &quot;season&quot;<p>That is part of their problem, and why the cancellations feel even more abrupt and why people do not want to invest time in them. it is hard to tell a compelling story in 6 episodes of TV. So if a netflix series get 2 seasons, 12 Episode. it is just starting... even though to netflix thinks it should have a captive audience. that would just be the midseason of a Broadcast show<p>Most of the popular shows on broadcast would never had made it to be popular under the netflix model of 1000 shows @ 6 episodes...</text></item><item><author>toyg</author><text>I don&#x27;t think Netflix has a particular problem; maintaining series for more than a couple of seasons has always been hard in broadcasting. It&#x27;s easier to spot now because people have complete visibility: instead of caring about a couple of series in key time slots, they can know care about <i>all</i> series, so it&#x27;s more noticeable that most series die a sad death. Addressing off-ramps in a nicer way would be an innovation. The problem is that production costs are so high, that keeping a losing franchise running is extremely expensive.<p>On the other hand, Google plays in a field where maintenance costs are a rounding error. You can basically freeze a product and keep it running forever for pennies, and these products get embedded in our daily lives, which is why killing it looks so bad - I can always pick up a new series with zero effort, whereas migrating off a productive service takes time and effort.</text></item><item><author>phpisthebest</author><text>google will never get a new service to a billion users right now<p>They have the netflix problem (or does nexflix have the Google problem)<p>they have killed off soo many projects that no one want to invest their time into new ones unless they reach the multi-year stage, and they can not reach the multi-year stage unless they get millions of users...<p>It is a catch 22, and neither company seems to want to address or even acknowledge is a problem for them</text></item><item><author>bla3</author><text>I think this is both obsolete and subtly wrong. Big corps want products with global impact. When a product is new, it&#x27;s evaluated for its potential. When it&#x27;s been around for a while, it&#x27;s evaluated on how well its growth is matching the estimated impact. Eventually, growth has stopped. If the product lands at an active base of a billion users or so, it&#x27;s a success and people definitely can make a career out of maintaining and improving it.<p>And to make working on new stuff a bit less incentivized, promotions to higher levels need to see at least some realized growth and not just getting v0 out these days as far as I know.</text></item><item><author>throwaw12</author><text>At this point, I think issue is not about products Google build, it is about how Google put their incentives in place.<p>- Build new shiny thing -&gt; promoted<p>- Support shiny thing -&gt; it&#x27;s not difficult, everyone can do it<p>This type of culture is influencing future direction of Google products, they put together awesome team, solve problem and get from 0 to 1, then team moves on, others don&#x27;t have incentive to make 1 to 100.<p>I feel like, if this was a startup which highly depends on the success of product for their existence they could have pivoted or come up better ideas for adoption. Maybe, Magic Leap was that company, or they got too much investment and thought they will exist for a quite while</text></item></parent_chain><comment><author>soylentcola</author><text>I think the &quot;hard to tell a compelling story in 6 episodes&quot; thing just depends on the type of story. Previous replies mention several excellent shorter-run series.<p>Often, if I find out a show is a miniseries (or I guess they call them &quot;limited series&quot; nowadays) I am much more likely to watch it. Too many shows go the route of &quot;how many seasons can we get this to run&quot; instead of &quot;how long will it take to tell this story with good pacing to conclusion?&quot;<p>I get tired of watching shows that seem designed to run indefinitely. They all have the same sort of pacing that stretches things out unnecessarily just to pad seasons. Shows like that feel like basic cable to me when I watch them. I&#x27;ll take a good 6 or 8 episode arc over indefinite seasons any day.</text></comment> | <story><title>Google discontinues Google Glass for enterprise</title><url>https://www.google.com/glass/start/</url></story><parent_chain><item><author>phpisthebest</author><text>2 &quot;Seasons&quot; of a netflix show is not even 1 season of broadcast... Most Broadcast shows run 20-24 Episodes per Season. Netflix is 10 at the most, some 6 episodes. per &quot;season&quot;<p>That is part of their problem, and why the cancellations feel even more abrupt and why people do not want to invest time in them. it is hard to tell a compelling story in 6 episodes of TV. So if a netflix series get 2 seasons, 12 Episode. it is just starting... even though to netflix thinks it should have a captive audience. that would just be the midseason of a Broadcast show<p>Most of the popular shows on broadcast would never had made it to be popular under the netflix model of 1000 shows @ 6 episodes...</text></item><item><author>toyg</author><text>I don&#x27;t think Netflix has a particular problem; maintaining series for more than a couple of seasons has always been hard in broadcasting. It&#x27;s easier to spot now because people have complete visibility: instead of caring about a couple of series in key time slots, they can know care about <i>all</i> series, so it&#x27;s more noticeable that most series die a sad death. Addressing off-ramps in a nicer way would be an innovation. The problem is that production costs are so high, that keeping a losing franchise running is extremely expensive.<p>On the other hand, Google plays in a field where maintenance costs are a rounding error. You can basically freeze a product and keep it running forever for pennies, and these products get embedded in our daily lives, which is why killing it looks so bad - I can always pick up a new series with zero effort, whereas migrating off a productive service takes time and effort.</text></item><item><author>phpisthebest</author><text>google will never get a new service to a billion users right now<p>They have the netflix problem (or does nexflix have the Google problem)<p>they have killed off soo many projects that no one want to invest their time into new ones unless they reach the multi-year stage, and they can not reach the multi-year stage unless they get millions of users...<p>It is a catch 22, and neither company seems to want to address or even acknowledge is a problem for them</text></item><item><author>bla3</author><text>I think this is both obsolete and subtly wrong. Big corps want products with global impact. When a product is new, it&#x27;s evaluated for its potential. When it&#x27;s been around for a while, it&#x27;s evaluated on how well its growth is matching the estimated impact. Eventually, growth has stopped. If the product lands at an active base of a billion users or so, it&#x27;s a success and people definitely can make a career out of maintaining and improving it.<p>And to make working on new stuff a bit less incentivized, promotions to higher levels need to see at least some realized growth and not just getting v0 out these days as far as I know.</text></item><item><author>throwaw12</author><text>At this point, I think issue is not about products Google build, it is about how Google put their incentives in place.<p>- Build new shiny thing -&gt; promoted<p>- Support shiny thing -&gt; it&#x27;s not difficult, everyone can do it<p>This type of culture is influencing future direction of Google products, they put together awesome team, solve problem and get from 0 to 1, then team moves on, others don&#x27;t have incentive to make 1 to 100.<p>I feel like, if this was a startup which highly depends on the success of product for their existence they could have pivoted or come up better ideas for adoption. Maybe, Magic Leap was that company, or they got too much investment and thought they will exist for a quite while</text></item></parent_chain><comment><author>skeletal88</author><text>Depends on the country, it is totally ok for some british detective&#x2F;crime series to have 6 episode seasons, because each episode is an hour or 1,5 long, they are not filled with pointless stuff to make them longer, etc.<p>I recommend Line of duty.</text></comment> |
41,181,489 | 41,181,027 | 1 | 2 | 41,173,261 | train | <story><title>Time is an illusion, and these physicists say they know how it works [video]</title><url>https://www.youtube.com/watch?v=uYOF-YggWAg</url></story><parent_chain><item><author>paulnpace</author><text>Within her discussion is the unscientific &quot;humans have no free will&quot; statement. Free will is experienced as a part of the consciousness, which we cannot point to, physiologically. (For those who point to the head region as &quot;containing consciousness&quot;, this is also unscientific.) The most annoying part of the video is that her statement comes off as this being simple observable fact that &quot;everybody knows&quot; and is a good example of why articles on topics are best when <i>kept on topic.</i><p>My own observation is that time is better described as human narrative description of events in the observable universe.<p>I have not read the paper referenced in the video and I have to really spend time on these things to recall the concepts such papers are typically breezing through, but when I have attempted in previous years to understand how scientists explain time, they seem to usually have little agreement and lots of guesses. I have not found scientists claiming they have discovered fundamental units of time. I have not found scientists claiming they can sample time. I have not found scientists claiming they can isolate time. I have not found scientists claiming to have derived time as some sort of force in the universe. I am not clear on how something that has no fundamental units, cannot be sampled, cannot be isolated, and is not a force can also be something in the physically existent universe. Yet, scientists seem to place time in their explanations and equations as something that <i>de facto</i> exists.</text></item></parent_chain><comment><author>bubblyworld</author><text>I think your observation can be generalised - <i>all</i> of physics is human narrative description of events in the universe, coupled with some principles for choosing one narrative over another.<p>I think when a scientist says &quot;free will does not exist&quot;, they mean that in a very particular sense - a theory of physics (or narrative) that includes free will has as much predictive power as one that doesn&#x27;t. So from a scientific point of view it&#x27;s parsimonious to exclude it.<p>As you rightly point out this has nothing to do with the subjective <i>experience</i> of free will, which is an aspect of consciousness that I expect most people are familiar with (scientists or no).<p>By the way, this is not directly related, but who are these scientists you speak of who claim to be unable to measure time? Time, as it is used in theories like classical mechanics or relativity, has been measurable with clocks for millenia. The measurements fulfil the role of time in those theories; the predictions they make have been tested to an extreme degree. This is the strongest evidence for time as an ontological primitive that science can produce!<p>(which is not inconsistent with the fact that it may behave differently outside those regimes)</text></comment> | <story><title>Time is an illusion, and these physicists say they know how it works [video]</title><url>https://www.youtube.com/watch?v=uYOF-YggWAg</url></story><parent_chain><item><author>paulnpace</author><text>Within her discussion is the unscientific &quot;humans have no free will&quot; statement. Free will is experienced as a part of the consciousness, which we cannot point to, physiologically. (For those who point to the head region as &quot;containing consciousness&quot;, this is also unscientific.) The most annoying part of the video is that her statement comes off as this being simple observable fact that &quot;everybody knows&quot; and is a good example of why articles on topics are best when <i>kept on topic.</i><p>My own observation is that time is better described as human narrative description of events in the observable universe.<p>I have not read the paper referenced in the video and I have to really spend time on these things to recall the concepts such papers are typically breezing through, but when I have attempted in previous years to understand how scientists explain time, they seem to usually have little agreement and lots of guesses. I have not found scientists claiming they have discovered fundamental units of time. I have not found scientists claiming they can sample time. I have not found scientists claiming they can isolate time. I have not found scientists claiming to have derived time as some sort of force in the universe. I am not clear on how something that has no fundamental units, cannot be sampled, cannot be isolated, and is not a force can also be something in the physically existent universe. Yet, scientists seem to place time in their explanations and equations as something that <i>de facto</i> exists.</text></item></parent_chain><comment><author>oezi</author><text>&gt; humans have no free will<p>I believe that human brains harness quantum uncertainty and chaos theory to combine stateful information (such as preference for chocolate icecream) and recursive processes to make &#x27;free&#x27; decisions which aren&#x27;t random and fundamentally unknowable to outsiders without destroying the human (similar to a quantum system which can&#x27;t be measured in more than one dimension without destroying it).</text></comment> |
2,407,769 | 2,406,454 | 1 | 3 | 2,406,328 | train | <story><title>A Call to All UI Designers: Do Not Play Skype’s Game</title><url>http://kaishinlab.com/no-to-skype-competition/</url></story><parent_chain></parent_chain><comment><author>pixelbath</author><text>As a designer, these pieces come off to me as whiny. I have a difficult time picturing why a designer would sit there angry at a company for crowdsourcing a design.<p>Some 14-year-old designer is not cheapening the work we do by submitting logos for free to a bunch of companies hoping to get exposure. Out-of-work designers are not taking all the other freelance jobs because they decided to do some blog layouts at $50 a pop.<p>Designers: get over yourselves.<p>If you, as a designer, truly feel the work you are doing is better than a design competition, then don't submit your work to a design competition. If you're really <i>that</i> good, freelancers offering services for cheap, near-free, or even free shouldn't bother you at all.<p>Also, "keep in mind that you are betraying the design community?" Design community? <i>What</i> design community? The design industry looks like this:<p>1. Top-tier ad agencies/teams like Psyop, Leo Burnett
2. Smaller ad agencies
3. Freelance designers
3a. Unemployed designers<p>So who is our hypothetical 14-year-old logo-designing student hurting? Ad agencies. If your work is really worth that much more or is that much better, companies will pay handsomely for it. If they won't, it's <i>you</i> that's the problem, not the designers submitting free or near-free spec-work.<p>Apologies for the rantiness of this comment.<p>Edited for typos.</text></comment> | <story><title>A Call to All UI Designers: Do Not Play Skype’s Game</title><url>http://kaishinlab.com/no-to-skype-competition/</url></story><parent_chain></parent_chain><comment><author>larrik</author><text>Am I the only one who thinks there's way too much similarity between the the RIAA's "Save the artists" screeching, and the "design industry's" "Save the artists" screeching?<p>Your existing business model is disappearing, and your cartel isn't going to stop it. Sucks for you.<p>(BTW, my wife is a graphic designer, so make of that what you will)</text></comment> |
15,476,980 | 15,476,921 | 1 | 2 | 15,476,357 | train | <story><title>My 20-Year Experience of Software Development Methodologies</title><url>https://zwischenzugs.wordpress.com/2017/10/15/my-20-year-experience-of-software-development-methodologies/</url></story><parent_chain><item><author>kenshi</author><text>Methodologies are a trap. The problem with any methodology is they tend to lead people to stop thinking about the context they are operating in.<p>&quot;The methodology says X, we should do X, why oh why aren&#x27;t we doing X?&quot; is a familiar lament in the development world. I have been there and done that, to be sure.<p>It really isn&#x27;t going to matter what the Methodology says, if something or someone in the context means it isn&#x27;t being adhered to.<p>If the person ultimately paying for the project isn&#x27;t convinced by the Methodology, or wants to deviate from it badly enough, guess what? The Methodology will be ignored.<p>You should always advocate for what the Right Thing To Do(tm) is, but you should ask yourself first: what is the most important criteria that determines what the Right Thing is?<p><i>Sometimes</i> writing the quickest, hackiest, throwaway code can be the Right Thing. It can be a horrifying truth for a software developer. Sometimes doing the ballsy re-write is the Right Thing. Sometimes letting a project fail is the Right Thing.<p>Sometimes last weeks context and decisions no longer apply.<p>More critical to project (and personal) success than any Methodology is gaining a thorough understanding of the context in which you are working in, as quickly as you can. And then doing all the Right Things that will make you effective within those constraints.<p>This means there is no Single Truth for software development. No easy answers. But there are a wide variety of principles you can draw from and apply and <i>discard</i> as needed.<p>Or as Bruce Lee put it: Be like water.</text></item></parent_chain><comment><author>agentultra</author><text>This is what I call, <i>development by a dozen managers</i>.<p>If you have every developer on the team on the look out to do The Right Thing then you be sure that you&#x27;ll start replacing your decision-making strategies with whimsical fancy.<p>A collective fiction, or methodology if you will, isn&#x27;t supposed to replace individual thought with adherence to the all-powerful methodology. I&#x27;m suspicious of sales people with a vested interest in the methodology they&#x27;re selling. A methodology isn&#x27;t something you can purchase... the collective fiction metaphor is apt: you have to convince people to believe and adopt it.<p>In my experience a team will adapt a methodology like Agile but the best teams will mold it to the way they do things. Their collective fiction needs to integrate their tribal knowledge, goals, experience, etc. There isn&#x27;t Agile™ — there&#x27;s <i>Agile the X way</i>.</text></comment> | <story><title>My 20-Year Experience of Software Development Methodologies</title><url>https://zwischenzugs.wordpress.com/2017/10/15/my-20-year-experience-of-software-development-methodologies/</url></story><parent_chain><item><author>kenshi</author><text>Methodologies are a trap. The problem with any methodology is they tend to lead people to stop thinking about the context they are operating in.<p>&quot;The methodology says X, we should do X, why oh why aren&#x27;t we doing X?&quot; is a familiar lament in the development world. I have been there and done that, to be sure.<p>It really isn&#x27;t going to matter what the Methodology says, if something or someone in the context means it isn&#x27;t being adhered to.<p>If the person ultimately paying for the project isn&#x27;t convinced by the Methodology, or wants to deviate from it badly enough, guess what? The Methodology will be ignored.<p>You should always advocate for what the Right Thing To Do(tm) is, but you should ask yourself first: what is the most important criteria that determines what the Right Thing is?<p><i>Sometimes</i> writing the quickest, hackiest, throwaway code can be the Right Thing. It can be a horrifying truth for a software developer. Sometimes doing the ballsy re-write is the Right Thing. Sometimes letting a project fail is the Right Thing.<p>Sometimes last weeks context and decisions no longer apply.<p>More critical to project (and personal) success than any Methodology is gaining a thorough understanding of the context in which you are working in, as quickly as you can. And then doing all the Right Things that will make you effective within those constraints.<p>This means there is no Single Truth for software development. No easy answers. But there are a wide variety of principles you can draw from and apply and <i>discard</i> as needed.<p>Or as Bruce Lee put it: Be like water.</text></item></parent_chain><comment><author>jrs95</author><text>What’s worked best for me is basically ‘agile’ but without a lot of what I consider to be the bullshit. Project manager and&#x2F;or team lead prioritize new cards as they come in, and developers just keep working on them. No sprints, just keep pulling work out of the backlog as needed. Stand ups and most meetings can be replaced with quick updates via Slack, otherwise they can be organized as needed (they usually aren’t). We had agreed that estimation was mostly a pointless waste of time, so we stopped doing it.</text></comment> |
28,718,710 | 28,718,604 | 1 | 2 | 28,716,979 | train | <story><title>DeFi bug accidentally gives $90M to users</title><url>https://www.cnbc.com/2021/10/01/defi-protocol-compound-mistakenly-gives-away-millions-to-users.html</url></story><parent_chain><item><author>ashtonkem</author><text>It’s not, but “give us our money back or we’ll report you to the IRS” strongly implies that they were willfully assisting in tax avoidance before. It might even legally be blackmail, if they’re aware of any crimes their customers have committed.</text></item><item><author>bostonsre</author><text>Paying taxes on free money isn&#x27;t the end of the world.</text></item><item><author>qeternity</author><text>Headline is misleading: the founder has threatened to doxx and report them to the IRS if they don&#x27;t return funds which according to the Compound protocol, they rightfully own anyway.<p>Notch it up to another first for crypto.</text></item></parent_chain><comment><author>fossuser</author><text>Yeah I got a kick out of that too.<p>“Send the money back or we’ll follow the laws we were supposed to be following anyway!”<p>Patio11 had a thread on Twitter better than this article.</text></comment> | <story><title>DeFi bug accidentally gives $90M to users</title><url>https://www.cnbc.com/2021/10/01/defi-protocol-compound-mistakenly-gives-away-millions-to-users.html</url></story><parent_chain><item><author>ashtonkem</author><text>It’s not, but “give us our money back or we’ll report you to the IRS” strongly implies that they were willfully assisting in tax avoidance before. It might even legally be blackmail, if they’re aware of any crimes their customers have committed.</text></item><item><author>bostonsre</author><text>Paying taxes on free money isn&#x27;t the end of the world.</text></item><item><author>qeternity</author><text>Headline is misleading: the founder has threatened to doxx and report them to the IRS if they don&#x27;t return funds which according to the Compound protocol, they rightfully own anyway.<p>Notch it up to another first for crypto.</text></item></parent_chain><comment><author>yial</author><text>I think that trying to obtain goods or services through threat of initiating criminal proceedings is usually illegal.<p>Wash. Rev. Code §§ 9A.56.110, 9A.56.130, 9A.04.110<p>For example</text></comment> |
41,177,935 | 41,174,320 | 1 | 3 | 41,161,947 | train | <story><title>I was a 20-something dethroned dotcom ceo that went to work at mcdonald's (2000)</title><url>https://web.archive.org/web/20040616091238/http://www.heiferman.com/mcd/</url></story><parent_chain><item><author>oceanplexian</author><text>Agree that’s kind of *^%% move, I’d have too much self respect to start working somewhere for a few weeks than bail.<p>Doesn’t matter if it’s a food service job or a FAANG. McDonalds was doing him a solid by offering some kind of employment for a person presumably down on their luck with zero experience. Hiring people is a huge expense and risk even for a small franchise.</text></item><item><author>SoftTalker</author><text>Well that explains why he felt nobody appreciated his efforts. The first few weeks at a job like that you are pretty much just in the way. It takes some time to learn the routines and operate the equipment so you can work quickly without thinking.</text></item><item><author>Maxatar</author><text>He worked there for a few weeks:<p><a href="https:&#x2F;&#x2F;www.businessinsider.com&#x2F;scott-heiferman-startup-career-history-2013-6" rel="nofollow">https:&#x2F;&#x2F;www.businessinsider.com&#x2F;scott-heiferman-startup-care...</a></text></item><item><author>mtmail</author><text>&quot;10&#x2F;[20]00-10&#x2F;[20]00: counterperson, mcdonald&#x27;s&quot; Does that mean he worked there for one month or less?<p>I checked his Linkedin, the job isn&#x27;t listed. Jan 2002 he started a new photo startup (&quot;50M+ members posted a billion photos&quot;), then co-founder&amp;CEO of meetup.<p>It&#x27;s a good time capsule of what his thinking was in 2000 but I wonder if it was more than a break. At my office job I, too, often think I should drive an Uber or deliver food for a month as a break.</text></item></parent_chain><comment><author>burningChrome</author><text>&gt;&gt; I’d have too much self respect to start working somewhere for a few weeks than bail.<p>You also have to remember the time. The first real dot com crash and recession that quickly followed.<p>I went through that crash. I remember several days where FLOORS of companies in the building I was working would be let go and companies were shuttering by the dozens every day. For about three months the bar across from our building would have a dozen people sitting around a couple tables, drinking beer around noon, talking about how they <i>almost</i> made it and you knew another company had laid off its entire staff. You knew one day you would most certainly join them. And I finally did.<p>And then you realize your dreams of changing the world are gone and you need to find a job because you still have to pay rent, pay your heat bill and put gas in your car, so you just took anything as aside to keep you going. I went to work at a Pizza Delivery place for almost a year while the economy recovered and companies started to need people again.<p>For him, he had a much faster turn around. But at the time, when no companies are hiring, you&#x27;re just looking for something that will keep you busy and bring in some money until your next move. I&#x27;m guessing he didn&#x27;t really care because so many of us tech cast offs were working at fast food places after the crash. He probably felt like he would be replaced within hours of quitting, which is probably pretty accurate.</text></comment> | <story><title>I was a 20-something dethroned dotcom ceo that went to work at mcdonald's (2000)</title><url>https://web.archive.org/web/20040616091238/http://www.heiferman.com/mcd/</url></story><parent_chain><item><author>oceanplexian</author><text>Agree that’s kind of *^%% move, I’d have too much self respect to start working somewhere for a few weeks than bail.<p>Doesn’t matter if it’s a food service job or a FAANG. McDonalds was doing him a solid by offering some kind of employment for a person presumably down on their luck with zero experience. Hiring people is a huge expense and risk even for a small franchise.</text></item><item><author>SoftTalker</author><text>Well that explains why he felt nobody appreciated his efforts. The first few weeks at a job like that you are pretty much just in the way. It takes some time to learn the routines and operate the equipment so you can work quickly without thinking.</text></item><item><author>Maxatar</author><text>He worked there for a few weeks:<p><a href="https:&#x2F;&#x2F;www.businessinsider.com&#x2F;scott-heiferman-startup-career-history-2013-6" rel="nofollow">https:&#x2F;&#x2F;www.businessinsider.com&#x2F;scott-heiferman-startup-care...</a></text></item><item><author>mtmail</author><text>&quot;10&#x2F;[20]00-10&#x2F;[20]00: counterperson, mcdonald&#x27;s&quot; Does that mean he worked there for one month or less?<p>I checked his Linkedin, the job isn&#x27;t listed. Jan 2002 he started a new photo startup (&quot;50M+ members posted a billion photos&quot;), then co-founder&amp;CEO of meetup.<p>It&#x27;s a good time capsule of what his thinking was in 2000 but I wonder if it was more than a break. At my office job I, too, often think I should drive an Uber or deliver food for a month as a break.</text></item></parent_chain><comment><author>AndyNemmity</author><text>McDonalds can fire you for any reason in my state. At any time.<p>When you&#x27;re renting yourself to authoritarian institutions like corporations, there is no &quot;self respect&quot; required for you to always take the best deal for yourself whenever possible.</text></comment> |
30,750,164 | 30,750,140 | 1 | 2 | 30,748,959 | train | <story><title>Tell HN: Did you know you can negotiate price on many things?</title><text>I learned this late in life, but I came to realize that for anything you buy from a small business or from someone on commission, you can negotiate.<p>After reading about it on Reddit, I‘ve shown up to hotels and gotten 40% off initial price.<p>At Guitar Center, you can negotiate the price of guitars.<p>I’ve seen people negotiate a round of shots in NYC.<p>The world exists out there at a discount if you’re willing to ask for it.</text></story><parent_chain><item><author>ChuckMcM</author><text>Funny story, waited in line at the grocery store while the lady in front of me was being handled by the cashier. Once all the groceries had been scanned, the cashier told the customer the total. The lady offered her about half of that. It completely confused the cashier who was not expecting someone to haggle. It went back and forth a few times and then the manager was called and I was helped in the next line over. I waited a while to see what would happen, and in the end the lady stomped out angrily and the manager had an employee restock all the stuff she had brought to the register. That was not a place where there was any price flexibility.<p>However, at the Farmer&#x27;s market, there is a <i>lot</i> of price flexibility on products.<p>It is an excellent life skill to be able to distinguish between markets where prices are fixed and markets where they are flexible.</text></item></parent_chain><comment><author>Stratoscope</author><text>At our local farmer&#x27;s market, I trust the farmers to negotiate for me.<p>They have seen me before, and they will often give me a little discount or throw some new thing into my bag to try.<p>Maybe I could get an extra buck or two off, but I have it pretty easy as a software developer working from home.<p>Farming and selling at farmer&#x27;s markets is hard work. If I don&#x27;t get the very best price, I figure that&#x27;s a little tip for them.<p>Of course if I were buying in quantity I might see it differently. But for the bit of produce I buy, I&#x27;m happy to pay for quality.<p>And I bet that if I needed a larger quantity, they would offer me a good deal.<p>Part of negotiating is building relationships.<p>I&#x27;m not disagreeing with you, and I really enjoyed that strange grocery story. Just offering a related perspective.</text></comment> | <story><title>Tell HN: Did you know you can negotiate price on many things?</title><text>I learned this late in life, but I came to realize that for anything you buy from a small business or from someone on commission, you can negotiate.<p>After reading about it on Reddit, I‘ve shown up to hotels and gotten 40% off initial price.<p>At Guitar Center, you can negotiate the price of guitars.<p>I’ve seen people negotiate a round of shots in NYC.<p>The world exists out there at a discount if you’re willing to ask for it.</text></story><parent_chain><item><author>ChuckMcM</author><text>Funny story, waited in line at the grocery store while the lady in front of me was being handled by the cashier. Once all the groceries had been scanned, the cashier told the customer the total. The lady offered her about half of that. It completely confused the cashier who was not expecting someone to haggle. It went back and forth a few times and then the manager was called and I was helped in the next line over. I waited a while to see what would happen, and in the end the lady stomped out angrily and the manager had an employee restock all the stuff she had brought to the register. That was not a place where there was any price flexibility.<p>However, at the Farmer&#x27;s market, there is a <i>lot</i> of price flexibility on products.<p>It is an excellent life skill to be able to distinguish between markets where prices are fixed and markets where they are flexible.</text></item></parent_chain><comment><author>technion</author><text>A local computer store here has a well known policy: If you ask for a better price, they&#x27;ll come back with an offering 20% above list price. If you question it, it&#x27;ll go up again.<p>Honestly I don&#x27;t mind this. If a video card costs $100 and you&#x27;re selling at $110 and someone says &quot;I&#x27;ll give you $50&quot; and makes you devote an hour to the sale, they aren&#x27;t worth it.</text></comment> |
8,787,959 | 8,786,899 | 1 | 3 | 8,786,079 | train | <story><title>Principles of Distributed Computing</title><url>http://dcg.ethz.ch/lectures/podc_allstars/</url></story><parent_chain><item><author>javajosh</author><text>I&#x27;m actually rather curious to know how HN people use resources like this. Do you set aside a few hours a week and do a self-course on the content? Do you skim it and smile and node? Do you bookmark it and never get around to reading it? Something else...?</text></item></parent_chain><comment><author>chengiz</author><text>We download the book. If the pdf is in parts, we will use pdftk etc to join it into one document. We will then move it to a relevant spot in a well organized folder hierarchy, renaming it for consistency if necessary. Then we never open it again.</text></comment> | <story><title>Principles of Distributed Computing</title><url>http://dcg.ethz.ch/lectures/podc_allstars/</url></story><parent_chain><item><author>javajosh</author><text>I&#x27;m actually rather curious to know how HN people use resources like this. Do you set aside a few hours a week and do a self-course on the content? Do you skim it and smile and node? Do you bookmark it and never get around to reading it? Something else...?</text></item></parent_chain><comment><author>walrus</author><text>If it&#x27;s something I can read in a couple days&#x27; worth of free time (~12 hours) and it really interests me, then I&#x27;ll read it and work the exercises. Otherwise I save a copy and never read it.<p>I don&#x27;t recommend my approach.</text></comment> |
14,378,367 | 14,377,970 | 1 | 2 | 14,375,014 | train | <story><title>Ask HN: How can I do social good through programming?</title><text>Say I want to apply what I know to better our chances as a species and&#x2F;or as individuals. What problems do i work on?</text></story><parent_chain><item><author>peacetreefrog</author><text>Just read all the top line comments here. Interesting that no one had mentioned the one thing that has probably done the most to &quot;better our chances as species&quot; in the last few hundred years, and has helped hundreds of millions in India and China get out of backbreaking poverty and accumulate some wealth. And that is...<p>Work hard, accumulate skills, and become better at your normal job. Even if you&#x27;re not writing open source software to help local governments in third world countries have free elections and fight malaria or donating 50% of your salary, you&#x27;re creating value and &quot;bettering our species&quot; just by doing something that someone is willing to pay you for. In fact, that&#x27;s how most of the world&#x27;s wealth is created.<p>Not saying you shouldn&#x27;t volunteer or donate your salary (I personally try to donate a decent chunk of my salary to givedirectly) but -- unless you&#x27;re a nigerian hacker or malware developer or something -- just because you&#x27;re getting paid or working on something that isn&#x27;t an absolute necessity doesn&#x27;t mean you aren&#x27;t doing social good. Just something to think about.</text></item></parent_chain><comment><author>tryitnow</author><text>I couldn&#x27;t disagree more. There&#x27;s a lot of jobs that add little to no value. In a fictional efficient market economy that conforms to neoclassical assumptions, sure, every job is value adding. But does anyone believe that that is the world we live in?<p>It&#x27;s comforting to think that just going to work and doing your job is actually contributing to something, but I just don&#x27;t see how that can be generally true and definitely not universally true.<p>Even if we just measured contribution in purely capitalist terms, e.g. shareholder value, I don&#x27;t think your claim is true. I think there have been several studies showing that the average company destroys shareholder value on net. It&#x27;s likely that a lot of employees in such companies are also destroying shareholder value. And this is just shareholder value - to say nothing of the value destroyed for other stakeholders.<p>Yes, it is possible to lead your life in such a way that even if you work very hard, you&#x27;re still a net drain on humanity.<p>Sorry, but we have to think much harder about how we can create a net positive contribution.<p>We need to go beyond high school guidance counselor nostrums like &quot;work hard! study hard!&quot; and really struggle with the issue of how we can contribute.</text></comment> | <story><title>Ask HN: How can I do social good through programming?</title><text>Say I want to apply what I know to better our chances as a species and&#x2F;or as individuals. What problems do i work on?</text></story><parent_chain><item><author>peacetreefrog</author><text>Just read all the top line comments here. Interesting that no one had mentioned the one thing that has probably done the most to &quot;better our chances as species&quot; in the last few hundred years, and has helped hundreds of millions in India and China get out of backbreaking poverty and accumulate some wealth. And that is...<p>Work hard, accumulate skills, and become better at your normal job. Even if you&#x27;re not writing open source software to help local governments in third world countries have free elections and fight malaria or donating 50% of your salary, you&#x27;re creating value and &quot;bettering our species&quot; just by doing something that someone is willing to pay you for. In fact, that&#x27;s how most of the world&#x27;s wealth is created.<p>Not saying you shouldn&#x27;t volunteer or donate your salary (I personally try to donate a decent chunk of my salary to givedirectly) but -- unless you&#x27;re a nigerian hacker or malware developer or something -- just because you&#x27;re getting paid or working on something that isn&#x27;t an absolute necessity doesn&#x27;t mean you aren&#x27;t doing social good. Just something to think about.</text></item></parent_chain><comment><author>TeMPOraL</author><text>It&#x27;s a good one, but the caveat is stronger than you mention. Just because someone wants to pay you for something, doesn&#x27;t mean it&#x27;s good to society. Some things are unambiguously socially harmful - cigarette industry, gambling industry - but there are also many things that are harmful by perpetuating waste of resources and man hours. Be wary of zero-sum games, where your effort goes mostly to cancel out the effort of others. Some areas of adtech come to mind, for example.<p>So in short: use judgement. There&#x27;s a lot of social good to be done in mundane jobs - but just because someone is willing to pay for something, doesn&#x27;t mean it should be done.</text></comment> |
18,007,995 | 18,007,707 | 1 | 3 | 18,007,521 | train | <story><title>Ajit Pai calls California’s net neutrality rules “illegal”</title><url>https://arstechnica.com/tech-policy/2018/09/ajit-pai-calls-californias-net-neutrality-rules-illegal</url></story><parent_chain></parent_chain><comment><author>TYPE_FASTER</author><text>From the transcript:<p>So in early August, we adopted a policy that would allow a single entity to do the requisite work on the utility pole—a policy commonly known as “one-touch make-ready.” This policy could substantially lower the cost and shorten the time to deploy broadband on utility poles.<p>But according to <a href="https:&#x2F;&#x2F;arstechnica.com&#x2F;tech-policy&#x2F;2018&#x2F;08&#x2F;fcc-gives-google-fiber-and-new-isps-faster-access-to-utility-poles" rel="nofollow">https:&#x2F;&#x2F;arstechnica.com&#x2F;tech-policy&#x2F;2018&#x2F;08&#x2F;fcc-gives-google...</a>:<p>Despite today&#x27;s vote, the FCC hurt the cause of faster pole attachment when it deregulated the broadband industry last year, according to Electronic Frontier Foundation (EFF) Legislative Counsel Ernesto Falcon. The FCC&#x27;s anti-net neutrality vote removed the classification of broadband as a common carrier service—that now-repealed classification &quot;ensure[d] that every broadband provider has the legal right to gain access to many of the poles that run along our roads,&quot; the EFF wrote last year.<p>&quot;I wonder if the anti-net neutrality crowd understands that Title II&#x27;s regulation of poles and conduit is now limited to telephone&#x2F;cable TV thanks to [the] Restoring Internet Freedom Order,&quot; Falcon tweeted today. &quot;The ISPs that are broadband-only will not get the benefit, thus limiting its positive impact.&quot;</text></comment> | <story><title>Ajit Pai calls California’s net neutrality rules “illegal”</title><url>https://arstechnica.com/tech-policy/2018/09/ajit-pai-calls-californias-net-neutrality-rules-illegal</url></story><parent_chain></parent_chain><comment><author>zwerdlds</author><text>&gt; &quot;only the federal government can set regulatory policy in this area&quot;<p>Regulatory policy that apparently he wants to set - but specifically gave that ability to the FTC.<p>Seems like he wants to have his cake and eat it too? Am I misunderstanding this?</text></comment> |
21,226,815 | 21,226,857 | 1 | 3 | 21,225,609 | train | <story><title>When Chinese Employees Ask for Justice, Facebook Silence Their Voices</title><url>https://en.pingwest.com/a/3649</url></story><parent_chain></parent_chain><comment><author>smaili</author><text>It&#x27;s quite the lengthy article but the crux of what they believe led to his suicide is here:<p><i>Relevant sources unveiled that before Mr. Chen’s last PSC, he had already been under pressure from the advertising department, so he expected to shift to other groups to maintain his job in Facebook and the opportunity to work in the United States.<p>According to informed sources told PingWest that, Mr. Chen’s group had undergone organizational restructuring, during which the group’s original manager hopped to another group. A new manager was hired to lead Mr. Chen’s group, but the manager soon realized that many of his ICs were already transferring groups, resulting in a sharply-increased workload per capita within the group.<p>Mr. Chen, who was already in high pressure, submitted his transfer request as well, and was pre-approved by another group, meaning that all that’s left is to have his own manager sign off on the transfer.<p>The new manager reportedly gave Mr. Chen verbal approval and told him to stay on the team until the PSC, but eventually gave him the &quot;Meets Most&quot; rating, which factually voided Mr. Chen&#x27;s transfer request because the other group is very unlikely to accommodate a new IC who just received the worst possible rating, according to Facebook internal sources close to Mr. Chen.<p>Mr. Chen, who had been on the verge of collapse, was mentally pushed off the edge by a Facebook robot, according to people familiar with the matter as well as other employees on Blind, an anonymous workplace social networking app.<p>Two weeks before the tragedy, the Facebook advertising system experienced a Severe Site Event (SEV), which is essentially a server crash. A SEV management bot created a task for the SEV to be resolved and assigned the task to Mr. Chen, requiring him to fix the bug and submit the SEV report before the deadline, which is roughly one hour after the time of his death.<p>Mr. Chen tried to push the deadline to be delayed but another bot monitoring the SEV rejected the change and maintained the deadline to be met in 12 days.</i><p>It sounds like the already existing pressure in Ads + reorg + new manager blocking his transfer request + SEV caused him to just give in. Given Zuckerberg&#x27;s public push on transparency, openness, and wanting to connect the world, I&#x27;m honestly quite surprised and disappointed at how secretive they&#x27;ve been on this tragedy.</text></comment> | <story><title>When Chinese Employees Ask for Justice, Facebook Silence Their Voices</title><url>https://en.pingwest.com/a/3649</url></story><parent_chain></parent_chain><comment><author>jeffk_teh_haxor</author><text>My brother, a GP doctor, said that he writes a <i>lot</i> of scripts for antidepressants every performance review season. Performance management sucks.<p>The racial tenor of this article seems bizarre and over the top, though?</text></comment> |
23,812,698 | 23,812,728 | 1 | 2 | 23,811,568 | train | <story><title>The Future of Online Identity Is Decentralized</title><url>https://yarmo.eu/post/future-online-identity-decentralized</url></story><parent_chain><item><author>djhaskin987</author><text>In the US, everyone uses credit cards (centralized identity) to pay for stuff.<p>In Mexico, credit cards are stolen and reamed for all they&#x27;re worth by criminals. As a result, everyone uses cash (decentralized, anonymous, difficult to use). Everyone could move to decentralized in the face of significant pressure, even if centralized identity is more convenient.</text></item><item><author>kory</author><text>If anything, my bet is the future of identity is more centralized.<p>Decentralized solutions, as I&#x27;ve read about them in their current form, require a significant amount of technical knowledge to understand. That is, to understand both what they are and, more importantly, their benefits (&quot;why does this specific solution matter to me?&quot;). Past that, the user experience is extremely poor in comparison to clicking &quot;log in with Google&quot;, and I&#x27;m not convinced it can ever fully get there.<p>It is for those reasons that I think centralized identity is here to stay long term. Most people aren&#x27;t going to spend the time to learn about this because they just want the easiest solution and don&#x27;t care about their data being sold. I know several people in tech that fully understand the extent of how their data is used by internet corps, and don&#x27;t mind it because they prefer convenience for free. And I think that&#x27;s OK--it&#x27;s their informed choice.<p>Personally, I try to login with email most of the time, and that&#x27;s the limit of my drive to care about the security of my personal data. But my email is gmail, so I doubt it really makes a difference from login with Google.</text></item></parent_chain><comment><author>kory</author><text>All central authorities are built on trust, fear, or complacency. Americans are complacent with the credit card system and trust it for the most part. The Experian breach has shown that breaches of trust are easily overlooked in favor of complacency, at least to a point.<p>Considering how Americans view other Americans (I hear &quot;stupid&quot; thrown around a lot), I strongly doubt that a decentralized authority would ever gain enough trust in the US to take hold today without a strong historical precedent.<p>For what it&#x27;s worth, cash is still centralized. It&#x27;s made &quot;legitimate&quot; by the power of the central government, and is managed &amp; controlled by that authority. Given, it is somewhat &quot;decentralized&quot; because the value of fiat money comes from the people&#x27;s agreement that the currency has value. On the other hand, the US dollar&#x27;s global hegemony exists in large part because of global US Military presence, which is absolutely a &quot;central authority&quot;.</text></comment> | <story><title>The Future of Online Identity Is Decentralized</title><url>https://yarmo.eu/post/future-online-identity-decentralized</url></story><parent_chain><item><author>djhaskin987</author><text>In the US, everyone uses credit cards (centralized identity) to pay for stuff.<p>In Mexico, credit cards are stolen and reamed for all they&#x27;re worth by criminals. As a result, everyone uses cash (decentralized, anonymous, difficult to use). Everyone could move to decentralized in the face of significant pressure, even if centralized identity is more convenient.</text></item><item><author>kory</author><text>If anything, my bet is the future of identity is more centralized.<p>Decentralized solutions, as I&#x27;ve read about them in their current form, require a significant amount of technical knowledge to understand. That is, to understand both what they are and, more importantly, their benefits (&quot;why does this specific solution matter to me?&quot;). Past that, the user experience is extremely poor in comparison to clicking &quot;log in with Google&quot;, and I&#x27;m not convinced it can ever fully get there.<p>It is for those reasons that I think centralized identity is here to stay long term. Most people aren&#x27;t going to spend the time to learn about this because they just want the easiest solution and don&#x27;t care about their data being sold. I know several people in tech that fully understand the extent of how their data is used by internet corps, and don&#x27;t mind it because they prefer convenience for free. And I think that&#x27;s OK--it&#x27;s their informed choice.<p>Personally, I try to login with email most of the time, and that&#x27;s the limit of my drive to care about the security of my personal data. But my email is gmail, so I doubt it really makes a difference from login with Google.</text></item></parent_chain><comment><author>theamk</author><text>Bad example. In Australia, everyone was using credit cards.. but they have PIN code + chip.<p>If a centralized system is not inept, it can do all the same things decentralized things do and better.</text></comment> |
41,656,709 | 41,656,511 | 1 | 3 | 41,654,871 | train | <story><title>Rewriting Rust</title><url>https://josephg.com/blog/rewriting-rust/</url></story><parent_chain><item><author>josephg</author><text>Author here. I hear what you&#x27;re saying. But there&#x27;s lots of times while using rust where the language supports feature X and feature Y, but the features can&#x27;t be used together.<p>For example, you can write functions which return an impl Trait. And structs can contain arbitrary fields. But you can&#x27;t write a struct which contains a value returned via impl Trait - because you can&#x27;t name the type.<p>Or, I can write <i>if a &amp;&amp; b</i>. And I can write <i>if let Some(x) = x</i>. But I can&#x27;t combine those features together to write <i>if let Some(x) = x &amp;&amp; b</i>.<p>I want things like this to be fixed. Do I want rust to be &quot;bigger&quot;? I mean, measured by the number of lines in the compiler, probably yeah? But measured from the point of view of &quot;how complex is rust to learn and use&quot;, feature holes make the language more complex. Fixing these problems would make the language simpler to learn and simpler to use, because developers don&#x27;t have to remember as much stuff. You can just program the obvious way.<p>Pin didn&#x27;t take much work to implement in the standard library. But its not a &quot;lean&quot; feature. It takes a massive cognitive burden to use - to say nothing of how complex code that uses it becomes. I&#x27;d rather clean, simple, easy to read rust code and a complex borrow checker than a simple compiler and hard to use language.</text></item><item><author>gary17the</author><text>&gt; The rust RFC process is a graveyard of good ideas.<p>I actually have quite an opposite view: I think the Rust core team is 100% correct to make it very hard to add new &quot;features&quot; to the PL, in order to prevent the &quot;language surface&quot; from being bloated, inconsistent and unpredictable.<p>I&#x27;ve seen this happen before: I started out as a Swift fan, even though I have been working with Objective-C++ for years, considered it an awesome powerhouse and I did not really need a new PL for anything in particular in the world of iOS development. With time, Swift&#x27;s insistence on introducing tons of new language &quot;features&quot; such as multiple, redundant function names, e.g., &quot;isMultiple(of:)&quot;, multiple rules for parsing curly braces at al. to make the SwiftUI declarative paradigm possible, multiple rules for reference and value types and mutability thereof, multiple shorthand notations such as argument names inside closures, etc. - all that made me just dump Swift altogether. I would have to focus on Swift development exclusively just to keep up, which I was not willing to do.<p>Good ideas are &quot;dime a dozen&quot;. Please keep Rust as lean as possible.</text></item></parent_chain><comment><author>withoutboats3</author><text>These features are slow to be accepted for good reasons, not just out of some sort of pique. For example, the design space around combining `if let` pattern matching with boolean expressions has a lot of fraught issues around the scoping of the bindings declared in the pattern. This becomes especially complex when you consider the `||` operator. The obvious examples you want to use work fine, but the feature needs to be designed in such a way that the language remains internally consistent and works in all edge cases.<p>&gt; Pin didn&#x27;t take much work to implement in the standard library. But its not a &quot;lean&quot; feature. It takes a massive cognitive burden to use - to say nothing of how complex code that uses it becomes. I&#x27;d rather clean, simple, easy to read rust code and a complex borrow checker than a simple compiler and a horrible language.<p>Your commentary on Pin in this post is even more sophomoric than the rest of it and mostly either wrong or off the point. I find this quite frustrating, especially since I wrote detailed posts explaining Pin and its development just a few months ago.<p><a href="https:&#x2F;&#x2F;without.boats&#x2F;blog&#x2F;pin&#x2F;" rel="nofollow">https:&#x2F;&#x2F;without.boats&#x2F;blog&#x2F;pin&#x2F;</a>
<a href="https:&#x2F;&#x2F;without.boats&#x2F;blog&#x2F;pinned-places&#x2F;" rel="nofollow">https:&#x2F;&#x2F;without.boats&#x2F;blog&#x2F;pinned-places&#x2F;</a></text></comment> | <story><title>Rewriting Rust</title><url>https://josephg.com/blog/rewriting-rust/</url></story><parent_chain><item><author>josephg</author><text>Author here. I hear what you&#x27;re saying. But there&#x27;s lots of times while using rust where the language supports feature X and feature Y, but the features can&#x27;t be used together.<p>For example, you can write functions which return an impl Trait. And structs can contain arbitrary fields. But you can&#x27;t write a struct which contains a value returned via impl Trait - because you can&#x27;t name the type.<p>Or, I can write <i>if a &amp;&amp; b</i>. And I can write <i>if let Some(x) = x</i>. But I can&#x27;t combine those features together to write <i>if let Some(x) = x &amp;&amp; b</i>.<p>I want things like this to be fixed. Do I want rust to be &quot;bigger&quot;? I mean, measured by the number of lines in the compiler, probably yeah? But measured from the point of view of &quot;how complex is rust to learn and use&quot;, feature holes make the language more complex. Fixing these problems would make the language simpler to learn and simpler to use, because developers don&#x27;t have to remember as much stuff. You can just program the obvious way.<p>Pin didn&#x27;t take much work to implement in the standard library. But its not a &quot;lean&quot; feature. It takes a massive cognitive burden to use - to say nothing of how complex code that uses it becomes. I&#x27;d rather clean, simple, easy to read rust code and a complex borrow checker than a simple compiler and hard to use language.</text></item><item><author>gary17the</author><text>&gt; The rust RFC process is a graveyard of good ideas.<p>I actually have quite an opposite view: I think the Rust core team is 100% correct to make it very hard to add new &quot;features&quot; to the PL, in order to prevent the &quot;language surface&quot; from being bloated, inconsistent and unpredictable.<p>I&#x27;ve seen this happen before: I started out as a Swift fan, even though I have been working with Objective-C++ for years, considered it an awesome powerhouse and I did not really need a new PL for anything in particular in the world of iOS development. With time, Swift&#x27;s insistence on introducing tons of new language &quot;features&quot; such as multiple, redundant function names, e.g., &quot;isMultiple(of:)&quot;, multiple rules for parsing curly braces at al. to make the SwiftUI declarative paradigm possible, multiple rules for reference and value types and mutability thereof, multiple shorthand notations such as argument names inside closures, etc. - all that made me just dump Swift altogether. I would have to focus on Swift development exclusively just to keep up, which I was not willing to do.<p>Good ideas are &quot;dime a dozen&quot;. Please keep Rust as lean as possible.</text></item></parent_chain><comment><author>valenterry</author><text>Yeah, I agree wholeheartedly with that. This is also what I really dislike in many languages.<p>You should have a look at Scala 3. Not saying that I&#x27;m perfectly happy with the direction of the language - but Scala really got those foundations well and made it so that it has few features but they are very powerful and can be combined very well.<p>Rust took a lot of inspiration from Scala for a reason - but then Rust wants to achieve zero-cost abstraction and do high-performance, so it has to make compromises accordingly for good reasons. Some of those compromises affect the ergonomics of the language unfortunately.</text></comment> |
39,750,526 | 39,746,765 | 1 | 2 | 39,723,041 | train | <story><title>VR Powered by N64 [video]</title><url>https://www.youtube.com/watch?v=ha3fDU-1wHk</url></story><parent_chain></parent_chain><comment><author>bradneuberg</author><text>The interesting thing is that the original chip inside the N64 was created by Silicon Graphics and was called Project Reality, and it was originally created to pursue consumer VR before that whole industry blew up in the 90s and it was made to power a 3D console instead. More details: <a href="https:&#x2F;&#x2F;medium.com&#x2F;@AguyinaRPG&#x2F;the-nintendo-64-was-the-culmination-of-90s-virtual-reality-1271aca6f762" rel="nofollow">https:&#x2F;&#x2F;medium.com&#x2F;@AguyinaRPG&#x2F;the-nintendo-64-was-the-culmi...</a></text></comment> | <story><title>VR Powered by N64 [video]</title><url>https://www.youtube.com/watch?v=ha3fDU-1wHk</url></story><parent_chain></parent_chain><comment><author>Rebelgecko</author><text>This guy is a wizard. I&#x27;m glad he&#x27;s still hacking on cool stuff after he was forced to stop working on Portal64</text></comment> |
3,789,295 | 3,788,923 | 1 | 2 | 3,788,902 | train | <story><title>Ask HN: Why are a large proportion of legit posts being marked [dead]?</title><url></url><text></text></story><parent_chain></parent_chain><comment><author>matt1</author><text>I had the same thing happen twice earlier today. I hit a huge milestone on a product I launched on HackerNews about two months ago, spent a few hours writing a blog post about it and lessons learned, and posted it on HackerNews around 11am EST.<p>Within 50 minutes it had 17 points and had climbed up to about #13 on the front page when all of the sudden it disappeared [1]. I signed out of my HN account and checked the comments link and sure enough the page was blank, indicating that it had been killed.<p>I was talking to a friend on GChat at the same time this was going on. He reposted it, thinking that it was killed because of an algorithmic fluke (which was probably true) [2]. The new post gained 9 points in 10 minutes and then was killed as well.<p>The only thing I can think of is that because that friend upvoted the original post (and he's upvoted some of my previous posts), combined with how quickly it shot up the front page, somehow caused it to be flagged and automatically killed.<p>I'd still love to repost it both to share my product's milestone and to get feedback from the community, but I'm afraid it will be killed again. Any recommendations?<p>I'm all for stopping spam and voting rings, but it shouldn't be at the expense of legitimate posts.<p>[1] <a href="http://news.ycombinator.com/item?id=3788402" rel="nofollow">http://news.ycombinator.com/item?id=3788402</a><p>[2] <a href="http://news.ycombinator.com/item?id=3788806" rel="nofollow">http://news.ycombinator.com/item?id=3788806</a><p>Edited to add: I noticed a lot of the new posts around the same time had several points within a few minutes of being posted. Almost none had 1 point, which I thought was odd. I think someone might have written a script to upvote articles from multiple fake accounts, thereby causing HackerNews's voting-ring algorithm to mistakenly identify the posts as spam.</text></comment> | <story><title>Ask HN: Why are a large proportion of legit posts being marked [dead]?</title><url></url><text></text></story><parent_chain></parent_chain><comment><author>mikecane</author><text>I think we're not being let in on a silent war happening here. It seems bogus points are being assigned to submissions and they are then being killed. It started several hours ago.<p>See first hints here: <a href="http://news.ycombinator.com/item?id=3788069" rel="nofollow">http://news.ycombinator.com/item?id=3788069</a><p>And someone else noticed: <a href="http://news.ycombinator.com/item?id=3788740" rel="nofollow">http://news.ycombinator.com/item?id=3788740</a></text></comment> |
23,693,436 | 23,658,199 | 1 | 2 | 23,655,173 | train | <story><title>A New Standard Deal</title><url>https://blog.ycombinator.com/a-new-standard-deal/</url></story><parent_chain><item><author>jedberg</author><text>I know this is HN and jokes are shunned, but you wrote &quot;We do not expect this to be the last time we change the deal&quot;
and I can&#x27;t help but think you missed a golden opportunity to write,<p>&quot;We have altered the deal. Pray we don&#x27;t alter it any further&quot;.</text></item></parent_chain><comment><author>loco5niner</author><text>Jokes aren&#x27;t fully shunned, we&#x27;re just picky :-)</text></comment> | <story><title>A New Standard Deal</title><url>https://blog.ycombinator.com/a-new-standard-deal/</url></story><parent_chain><item><author>jedberg</author><text>I know this is HN and jokes are shunned, but you wrote &quot;We do not expect this to be the last time we change the deal&quot;
and I can&#x27;t help but think you missed a golden opportunity to write,<p>&quot;We have altered the deal. Pray we don&#x27;t alter it any further&quot;.</text></item></parent_chain><comment><author>heyd7xhhxhd</author><text>Go back to reddit.</text></comment> |
17,527,547 | 17,526,402 | 1 | 3 | 17,526,016 | train | <story><title>How the BBC and ITV are fixing delays on World Cup live streams</title><url>http://www.wired.co.uk/article/england-vs-croatia-live-stream-bbc-iplayer-itv</url></story><parent_chain></parent_chain><comment><author>jscholes</author><text>I haven&#x27;t been watching the football, but I have been streaming another live event for the past two weeks: Wimbledon. My advantage comes from two things: I&#x27;m blind, and the BBC&#x27;s CDNs have audio-only variants for every HLS stream. So I&#x27;ve been able to cut out the huge amount of bandwidth that would otherwise be consumed by streaming HD video, run the audio-only variants through FFmpeg and seek right to the end until the stream buffers. I&#x27;m usually ahead of the official Wimbledon live scoreboard, and the same coverage on cable TV, by a few seconds.</text></comment> | <story><title>How the BBC and ITV are fixing delays on World Cup live streams</title><url>http://www.wired.co.uk/article/england-vs-croatia-live-stream-bbc-iplayer-itv</url></story><parent_chain></parent_chain><comment><author>lordnacho</author><text>Whatever happened to multicast over the general internet? Seems like the perfect use case for it. Let the hardware do the copying instead of unicasting TCP connections or whatever it is they do.</text></comment> |
17,569,683 | 17,569,476 | 1 | 3 | 17,565,307 | train | <story><title>The European Commission versus Android</title><url>https://stratechery.com/2018/the-european-commission-versus-android/</url></story><parent_chain><item><author>adventured</author><text>The Google Android skeptics would prefer exactly that. Their ideal is that Android - as we know it today - collapses and Google loses its position with the product and in the mobile market. The fantasy is that then a truly free, pure, saintly solution can spring up and smite the evil money grubbing commercial interests. That&#x27;s likely to have about as much success as desktop Linux among mass consumers (and for the same reason).<p>The sole thing that collapsing Google&#x27;s Android position will do, is redistribute a lot of that market power and tech ecosystem benefit to a few other US tech giants, some Chinese tech giants and possibly to a lesser extent to some European players and Samsung. The US would net lose a considerable hegemony. As such, the US Government - State Dept, NSA, CIA, et al. - should get involved on a strategic economic security basis, and attack a very large EU company in a manner that is crippling (something worse than the Volkswagen emissions hit). We&#x27;re in the midst of an economic war with the EU, the more vicious parts of the US Government need to start getting involved. At a minimum, find an excuse to perhaps take down eg Deutsche Bank, it&#x27;s particularly weak, so a $10 or $15 billion invented magic fine would probably be enough to force its collapse and nationalization.</text></item><item><author>garmaine</author><text>Why would google develop Android otherwise?</text></item><item><author>pluma</author><text>Also I can&#x27;t really muster any sympathy if a company is punished for having spent &quot;billions of dollars at significant risk&quot; to develop something intentionally anti-competitive.<p>That&#x27;s like saying &quot;but we spent a lot of money on really expensive lawyers to evade those taxes&quot; when charged with tax evasion.</text></item><item><author>galadran</author><text>A pretty well written analysis. I think the author is mistaken on two important points though.<p>The author writes that due to Google Play Services, most Android apps are in fact Google Play apps and couldn&#x27;t be used on a non-Google version of Android without a significant rework. I believe there&#x27;s already a significant body of work on providing drop in replacements for Google Play Services, e.g. microG [1]. There is nothing that stops a manufacturer from providing microG instead of Play Services and hence cutting Google out.<p>Secondly, the author complains that:<p>&gt; More broadly, the European Commission continues to be a bit too cavalier about denying companies — well, Google, mostly — the right to monetize the products they spend billions of dollars at significant risk to develop.<p>There&#x27;s a huge rift in how most Europeans and Americans see the role of regulators but without getting into that, I want to note Android was not Google&#x27;s effort alone and hardly a significant risk. Android as a software stack is built on the back of the Linux Kernel and a dozen other open source frameworks (Java, sqlite etc). Equally, Google is hardly responsible for the hardware. Manufacturer&#x27;s like HTC and Samsung invested far more in making Google a success than Google did. The same manufacturers that Google has been screwing over with its anti competitive practices...<p>[1] <a href="https:&#x2F;&#x2F;microg.org&#x2F;" rel="nofollow">https:&#x2F;&#x2F;microg.org&#x2F;</a></text></item></parent_chain><comment><author>fauigerzigerk</author><text>The US has already fined Deutsche Bank $7.2bn and BNP Paribas $8.9bn. At the time, many in Europe felt that the fines were excessive and that the existential threats used to discourage the use of the courts amounted to extortion. It was also seen by some as a form of protectionism.<p>If we don&#x27;t want to descend into nationalist mudslinging (or even war mongering) we have to consider each individual case based on its own merits. I think at least here on Hacker News we owe each other as much.</text></comment> | <story><title>The European Commission versus Android</title><url>https://stratechery.com/2018/the-european-commission-versus-android/</url></story><parent_chain><item><author>adventured</author><text>The Google Android skeptics would prefer exactly that. Their ideal is that Android - as we know it today - collapses and Google loses its position with the product and in the mobile market. The fantasy is that then a truly free, pure, saintly solution can spring up and smite the evil money grubbing commercial interests. That&#x27;s likely to have about as much success as desktop Linux among mass consumers (and for the same reason).<p>The sole thing that collapsing Google&#x27;s Android position will do, is redistribute a lot of that market power and tech ecosystem benefit to a few other US tech giants, some Chinese tech giants and possibly to a lesser extent to some European players and Samsung. The US would net lose a considerable hegemony. As such, the US Government - State Dept, NSA, CIA, et al. - should get involved on a strategic economic security basis, and attack a very large EU company in a manner that is crippling (something worse than the Volkswagen emissions hit). We&#x27;re in the midst of an economic war with the EU, the more vicious parts of the US Government need to start getting involved. At a minimum, find an excuse to perhaps take down eg Deutsche Bank, it&#x27;s particularly weak, so a $10 or $15 billion invented magic fine would probably be enough to force its collapse and nationalization.</text></item><item><author>garmaine</author><text>Why would google develop Android otherwise?</text></item><item><author>pluma</author><text>Also I can&#x27;t really muster any sympathy if a company is punished for having spent &quot;billions of dollars at significant risk&quot; to develop something intentionally anti-competitive.<p>That&#x27;s like saying &quot;but we spent a lot of money on really expensive lawyers to evade those taxes&quot; when charged with tax evasion.</text></item><item><author>galadran</author><text>A pretty well written analysis. I think the author is mistaken on two important points though.<p>The author writes that due to Google Play Services, most Android apps are in fact Google Play apps and couldn&#x27;t be used on a non-Google version of Android without a significant rework. I believe there&#x27;s already a significant body of work on providing drop in replacements for Google Play Services, e.g. microG [1]. There is nothing that stops a manufacturer from providing microG instead of Play Services and hence cutting Google out.<p>Secondly, the author complains that:<p>&gt; More broadly, the European Commission continues to be a bit too cavalier about denying companies — well, Google, mostly — the right to monetize the products they spend billions of dollars at significant risk to develop.<p>There&#x27;s a huge rift in how most Europeans and Americans see the role of regulators but without getting into that, I want to note Android was not Google&#x27;s effort alone and hardly a significant risk. Android as a software stack is built on the back of the Linux Kernel and a dozen other open source frameworks (Java, sqlite etc). Equally, Google is hardly responsible for the hardware. Manufacturer&#x27;s like HTC and Samsung invested far more in making Google a success than Google did. The same manufacturers that Google has been screwing over with its anti competitive practices...<p>[1] <a href="https:&#x2F;&#x2F;microg.org&#x2F;" rel="nofollow">https:&#x2F;&#x2F;microg.org&#x2F;</a></text></item></parent_chain><comment><author>craigsmansion</author><text>&gt; The Google Android skeptics would prefer exactly that.<p>Citation needed.<p>&gt; The fantasy is [..] evil money grubbing commercial interests.<p>What are you even on about?<p>&gt;desktop Linux<p>What does &quot;desktop Linux&quot; have to do with anything in this context?<p>&gt; The US would net lose [..] hegemony [..] State Dept, NSA, CIA, et al. - should get involved [..] an economic war with the EU ...<p>Or, less bat-shit insane, the US government could look at how different blocs implement anti-trust and consumer protection, and extend those to its own citizens.<p>&gt; invented magic fine<p>Or Google could just have obeyed the law, American.</text></comment> |
11,421,389 | 11,420,100 | 1 | 2 | 11,418,742 | train | <story><title>FreeBSD 10.3</title><url>https://lists.freebsd.org/pipermail/freebsd-announce/2016-April/001713.html</url></story><parent_chain><item><author>kev009</author><text>Where did you see that WhatsApp is converting to Linux? At MeetBSD Rick Reed claimed they had full autonomy from Facebook on that kind of thing (<a href="http:&#x2F;&#x2F;www.slideshare.net&#x2F;iXsystems&#x2F;rick-reed-600-m-unsuspecting-freebsd-users" rel="nofollow">http:&#x2F;&#x2F;www.slideshare.net&#x2F;iXsystems&#x2F;rick-reed-600-m-unsuspec...</a>), and FB was looking at them to learn how they did so much with so little engineers and servers.<p>Netflix is doing 100Gbit HTTP and &gt; 60Gbit HTTPS on a single socket Xeon E5 with FreeBSD. These servers are about 1&#x2F;3 North American Internet by volume. In comparison to OCA team their AWS team sounds like a total tire fire to me in terms of engineer count and monthly spend.<p>I run the OS team at Limelight Networks, one of the largest CDNs. We can peak beyond 10Tbit&#x2F;s on our current network and have to deal with a more demanding&#x2F;unknown workload compared to NF OCA. This is all courtesy of FreeBSD. My entire management chain agrees that the cost of entry is lower to influencing and driving development in FreeBSD vs other kernels, and we collaborate with the other well known players on projects that are mutually beneficial such as TCP and filesystems.<p>Companies switching from FreeBSD to Linux usually are victim of the decision from bad VP-level management looking for a scapegoat rather than solving actual business and culture problems. Yahoo began transitioning to RHEL in 2005 and AFAIK are still at least two years from conceivably being off of FreeBSD. A 12 year _free_ OS transition is an embarrassing use of engineering effort and total management failure.<p>There are a lot of companies satisfied with FreeBSD, especially in the appliance space and small business, but they are not vocal because it just works and is often rebranded.</text></item><item><author>ksec</author><text>An Honest question, which of the large Startup &#x2F; Internet Giant are using BSD? Whether it is FreeBSD or OpenBSD or others.<p>Judging from some previous Facebook post, it is likely Whatsapp will be moving to linux based as well instead of on FreeBSD. Yahoo used to be a FreeBSD shop, but Marisa Mayer has since converted all to Linux. Microsoft had some FreeBSD long ago but has since converted all to Windows or Linux. The only FreeBSD on Netflix are their Open Connect Appliance, their main AWS instances, which is the majority of their servers are all Linux. Both Cisco and Juniper are using less FreeBSD as we speak. Even Apple, with many parts of their OS based on FreeBSD, are using Linux for iCloud as well.<p>So who is using BSD?</text></item></parent_chain><comment><author>VLM</author><text>Based on your HN username, you&#x27;re probably not the guy who did the presentation at BSDCan 2015 on the topic of &quot;FreeBSD Operations at Limelight Networks, An Overview of Operating at Internet Scale&quot;. Regardless, that was a good and influential presentation, worth the time to google and watch.<p>I think that specific presentation would answer a lot of OPs questions, probably faster and more accurately than a web discussion board. I got a lot of good ideas from that presentation about freebsd deployment at my workplace. Specifically I seem to recall something along the lines of, its 2016 so start using zabbix instead of nagios, which was pretty good advice, or at least its been interesting to experiment with so far.<p>I&#x27;d extend the remarks from the presentation that much as its possible to write Perl in any language, its possible to do everything linux-style but with a freebsd kernel, whereas the real benefits grow when things start smelling more freebsd-ish and less linux-ish. For example the *bsds are much closer to the proven successful unix philosophy of architecture and design, whereas the linuxes in general have been slowly generally moving away from that successful architecture.<p>I&#x27;d throw out a semi-dissenting opinion that freebsd use is much like whiteboard algo interview questions... even if it has nothing to do with the job or problem, the folks who can do it, are of a class above the folks who can&#x27;t, so naturally the average freebsd admin being considerably more inherently skilled than the average linux admin results in freebsd deployments requiring 1&#x2F;10th the number of sysadmin-hours etc etc. There are actual technical improvements and architectural benefits to freebsd, but the main contributor of the often reported 10x benefit to freebsd is the skill, experience, and raw horsepower of the generally superior users. If freebsd were as popular as linux, that would disappear and freebsd users would only be maybe 2x as productive as linux instead of the existing 10x figures. Naturally the guy writing a playbook for ansible will be much more productive than the guy trying to use the gnome GUI to do sysadmin-ish stuff, but there&#x27;s nothing inherently bsd-ish or linux-ish about it.<p>(edited to add, yes, i336_, that is exactly the video I recommend)</text></comment> | <story><title>FreeBSD 10.3</title><url>https://lists.freebsd.org/pipermail/freebsd-announce/2016-April/001713.html</url></story><parent_chain><item><author>kev009</author><text>Where did you see that WhatsApp is converting to Linux? At MeetBSD Rick Reed claimed they had full autonomy from Facebook on that kind of thing (<a href="http:&#x2F;&#x2F;www.slideshare.net&#x2F;iXsystems&#x2F;rick-reed-600-m-unsuspecting-freebsd-users" rel="nofollow">http:&#x2F;&#x2F;www.slideshare.net&#x2F;iXsystems&#x2F;rick-reed-600-m-unsuspec...</a>), and FB was looking at them to learn how they did so much with so little engineers and servers.<p>Netflix is doing 100Gbit HTTP and &gt; 60Gbit HTTPS on a single socket Xeon E5 with FreeBSD. These servers are about 1&#x2F;3 North American Internet by volume. In comparison to OCA team their AWS team sounds like a total tire fire to me in terms of engineer count and monthly spend.<p>I run the OS team at Limelight Networks, one of the largest CDNs. We can peak beyond 10Tbit&#x2F;s on our current network and have to deal with a more demanding&#x2F;unknown workload compared to NF OCA. This is all courtesy of FreeBSD. My entire management chain agrees that the cost of entry is lower to influencing and driving development in FreeBSD vs other kernels, and we collaborate with the other well known players on projects that are mutually beneficial such as TCP and filesystems.<p>Companies switching from FreeBSD to Linux usually are victim of the decision from bad VP-level management looking for a scapegoat rather than solving actual business and culture problems. Yahoo began transitioning to RHEL in 2005 and AFAIK are still at least two years from conceivably being off of FreeBSD. A 12 year _free_ OS transition is an embarrassing use of engineering effort and total management failure.<p>There are a lot of companies satisfied with FreeBSD, especially in the appliance space and small business, but they are not vocal because it just works and is often rebranded.</text></item><item><author>ksec</author><text>An Honest question, which of the large Startup &#x2F; Internet Giant are using BSD? Whether it is FreeBSD or OpenBSD or others.<p>Judging from some previous Facebook post, it is likely Whatsapp will be moving to linux based as well instead of on FreeBSD. Yahoo used to be a FreeBSD shop, but Marisa Mayer has since converted all to Linux. Microsoft had some FreeBSD long ago but has since converted all to Windows or Linux. The only FreeBSD on Netflix are their Open Connect Appliance, their main AWS instances, which is the majority of their servers are all Linux. Both Cisco and Juniper are using less FreeBSD as we speak. Even Apple, with many parts of their OS based on FreeBSD, are using Linux for iCloud as well.<p>So who is using BSD?</text></item></parent_chain><comment><author>keithpeter</author><text>Most interesting, thanks for commenting. This phrase caught my eye...<p><i>&quot;My entire management chain agrees that the cost of entry is lower to influencing and driving development in FreeBSD vs other kernels [...]&quot;</i><p>Is that simply a reflection of the smaller size of the FreeBSD project or does it stem from the &#x27;tight core&#x27; model where the kernel and base system are co-developed?</text></comment> |
28,134,260 | 28,134,065 | 1 | 2 | 28,130,213 | train | <story><title>The 'Great Resignation' is really the 'Great Discontent'</title><url>https://www.gallup.com/workplace/351545/great-resignation-really-great-discontent.aspx</url></story><parent_chain><item><author>cratermoon</author><text>&gt; When something critical comes up<p>The problem: <i>everything</i> looks &#x27;critical&#x27; to folks with a greedy and selfish streak who rise high in management and have their pay tied to the quarterly stock price. That&#x27;s how we ended up with 24&#x2F;7 support and &quot;five nines&quot; availability. I&#x27;m old enough to remember that banks opened late and closed early, didn&#x27;t operate on weekends or holidays, and if you didn&#x27;t get your paycheck cashed by 4pm Friday you were out of luck until Monday at 10am. Grocery stores, malls, and tons of other places opened in the morning and closed at night, and most places didn&#x27;t open on Sunday at all. Those that did opened later &quot;after church&quot;.</text></item><item><author>logosmonkey</author><text>Pay me well, provide good benefits, allow a flexible work schedule where I can work when I want to and still get day to day life stuff done and hire enough people so I can consistently work only the 40 hours you are actually paying me for. My current job does that and I love it. When something critical comes up I&#x27;m happy to work over a weekend to hit a deadline because I know my manager will comp me back time when I need it.<p>The thing that&#x27;s always burned me out at work is letting people on my team go through attrition or layoffs and expecting the rest of us to pick up all the slack like it didn&#x27;t take 3 other people to do it.<p>It&#x27;s frankly a pretty simple formula.</text></item></parent_chain><comment><author>chousuke</author><text>There&#x27;s nothing wrong with 24&#x2F;7 support and high availability; just pay people to do evening and night shifts and compensate anyone who gets called to help with an incident outside normal working hours.<p>Night shifts can be pretty rough, but back when I still did shifts I sacrificed a couple nights around new year once and added a good chunk of money to my usual income that month over a few days due to getting holiday compensation (double pay) plus night shift compensation and that got doubled again for being an emergency substitute for another person who&#x27;d gotten sick.<p>You only get problems when social manipulation is used to pressure workers into providing that level of support without appropriate compensation.</text></comment> | <story><title>The 'Great Resignation' is really the 'Great Discontent'</title><url>https://www.gallup.com/workplace/351545/great-resignation-really-great-discontent.aspx</url></story><parent_chain><item><author>cratermoon</author><text>&gt; When something critical comes up<p>The problem: <i>everything</i> looks &#x27;critical&#x27; to folks with a greedy and selfish streak who rise high in management and have their pay tied to the quarterly stock price. That&#x27;s how we ended up with 24&#x2F;7 support and &quot;five nines&quot; availability. I&#x27;m old enough to remember that banks opened late and closed early, didn&#x27;t operate on weekends or holidays, and if you didn&#x27;t get your paycheck cashed by 4pm Friday you were out of luck until Monday at 10am. Grocery stores, malls, and tons of other places opened in the morning and closed at night, and most places didn&#x27;t open on Sunday at all. Those that did opened later &quot;after church&quot;.</text></item><item><author>logosmonkey</author><text>Pay me well, provide good benefits, allow a flexible work schedule where I can work when I want to and still get day to day life stuff done and hire enough people so I can consistently work only the 40 hours you are actually paying me for. My current job does that and I love it. When something critical comes up I&#x27;m happy to work over a weekend to hit a deadline because I know my manager will comp me back time when I need it.<p>The thing that&#x27;s always burned me out at work is letting people on my team go through attrition or layoffs and expecting the rest of us to pick up all the slack like it didn&#x27;t take 3 other people to do it.<p>It&#x27;s frankly a pretty simple formula.</text></item></parent_chain><comment><author>lotsofpulp</author><text>&gt;The problem: everything looks &#x27;critical&#x27; to folks with a greedy and selfish streak who rise high in management and have their pay tied to the quarterly stock price. That&#x27;s how we ended up with 24&#x2F;7 support and &quot;five nines&quot; availability.<p>I think it was because customers preferred to patronize banks and stores that were open longer hours, and so they won business by selling something customers wanted. Similarly, I thought customers liked 24&#x2F;7 support and five nines availability (especially for internet and electricity).<p>If labor prices go up, then maybe those perks will be scaled back because customers will not be able to afford them. I already see fast food restaurants around me no longer open before 11AM and after 7PM.</text></comment> |
29,621,797 | 29,621,803 | 1 | 3 | 29,621,574 | train | <story><title>Implementing RSA in Python from Scratch</title><url>https://coderoasis.com/implementing-rsa-from-scratch-in-python/</url></story><parent_chain></parent_chain><comment><author>tptacek</author><text>Part 2 of this article seems to explain that to encrypt arbitrary plaintexts, those larger than 256 bytes, you should chunk your messages up, pad the last block, and encrypt with RSA-ECB.<p><i>With the code presented here and in the last article, you can make a working RSA encryption &amp; decryption application. However, it still lacks protection from side-channel attacks.</i><p>These articles are describing something now known as &quot;textbook&quot; or &quot;schoolbook&quot; RSA, which is worth looking up.</text></comment> | <story><title>Implementing RSA in Python from Scratch</title><url>https://coderoasis.com/implementing-rsa-from-scratch-in-python/</url></story><parent_chain></parent_chain><comment><author>dagenix</author><text>Missing from the article is a warning about how hard it actually is to make RSA secure. There are a _ton_ of footguns that are easy to miss which can result in a totally broken implementation. So, nifty article and all - but there really should be a disclaimer that an actual implementation is an order of magnitude more complex once you take into account all of those gotchas.</text></comment> |
30,314,590 | 30,314,422 | 1 | 3 | 30,313,788 | train | <story><title>Things Delta told the SEC about its SkyMiles program</title><url>https://viewfromthewing.com/5-things-delta-told-the-sec-about-its-skymiles-program/</url></story><parent_chain></parent_chain><comment><author>supernova87a</author><text>Except, Delta (and every airline) can arbitrarily control the redemption rate (speed) of their currency being used, and the conversion rate. And have been devaluing that currency steadily over the years. Don&#x27;t hoard FF miles, it&#x27;s a losing game.</text></comment> | <story><title>Things Delta told the SEC about its SkyMiles program</title><url>https://viewfromthewing.com/5-things-delta-told-the-sec-about-its-skymiles-program/</url></story><parent_chain></parent_chain><comment><author>hourislate</author><text>Wendover Productions has a video on how airlines are banks now. Their Loyalty Programs are worth several times more than the Airlines and flying is basically a secondary business for them.<p>How Airlines Quietly Became Banks<p><a href="https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=ggUduBmvQ_4" rel="nofollow">https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=ggUduBmvQ_4</a></text></comment> |
9,099,630 | 9,098,612 | 1 | 3 | 9,098,175 | train | <story><title>Silicon Valley Could Learn a Lot From Skater Culture, Just Not Meritocracy</title><url>http://www.wired.com/2015/02/silicon-valley-thinks-can-learn-skater-culture-terrible-idea</url></story><parent_chain><item><author>m-photonic</author><text>&quot;When I&#x27;m hiring, I have an HR intern (or the external recruiter) strip anything that could indicate gender or race from the résumés before they get their initial evaluation. For the ones that make the first cut, I have the recruiter print out code from Github, with the username redacted. This has resulted in a tremendous increase in the number of women who make it through to an actual interview.&quot;<p><a href="https://devmynd.com/blog/2015-2-mind-the-gap" rel="nofollow">https:&#x2F;&#x2F;devmynd.com&#x2F;blog&#x2F;2015-2-mind-the-gap</a></text></item><item><author>smoyer</author><text>Gasp! I knew girls with hair like that ... and I hung out with girls that skated (and did BMX and gymnastics). Judged by the timing, I must be about the same age as Ms. Siera and it&#x27;s kind of an amazing parallel universe in some ways (I had an injury I never recovered from enough to return to the so-called &quot;extreme sports&quot;).<p>In any case, I&#x27;m old (yeah ... I said it) now and definitely agree that we need more diversity in our tech work-places. We have an additional problem as our applicant pool is extremely homogeneous. How do we fix that?</text></item></parent_chain><comment><author>Anderkent</author><text>Show us the data. Unless you believe an average woman is better at the job than the average man, stripping all gender &#x2F; race information should at best bring it up to the baseline; with the huge skew at the college level (maybe 10% of my year at graduation were women) this doesn&#x27;t really result in a &#x27;tremendous increase in the number of women&#x27;.</text></comment> | <story><title>Silicon Valley Could Learn a Lot From Skater Culture, Just Not Meritocracy</title><url>http://www.wired.com/2015/02/silicon-valley-thinks-can-learn-skater-culture-terrible-idea</url></story><parent_chain><item><author>m-photonic</author><text>&quot;When I&#x27;m hiring, I have an HR intern (or the external recruiter) strip anything that could indicate gender or race from the résumés before they get their initial evaluation. For the ones that make the first cut, I have the recruiter print out code from Github, with the username redacted. This has resulted in a tremendous increase in the number of women who make it through to an actual interview.&quot;<p><a href="https://devmynd.com/blog/2015-2-mind-the-gap" rel="nofollow">https:&#x2F;&#x2F;devmynd.com&#x2F;blog&#x2F;2015-2-mind-the-gap</a></text></item><item><author>smoyer</author><text>Gasp! I knew girls with hair like that ... and I hung out with girls that skated (and did BMX and gymnastics). Judged by the timing, I must be about the same age as Ms. Siera and it&#x27;s kind of an amazing parallel universe in some ways (I had an injury I never recovered from enough to return to the so-called &quot;extreme sports&quot;).<p>In any case, I&#x27;m old (yeah ... I said it) now and definitely agree that we need more diversity in our tech work-places. We have an additional problem as our applicant pool is extremely homogeneous. How do we fix that?</text></item></parent_chain><comment><author>jobu</author><text>Kudos to you, that&#x27;s a great way of doing it.<p>I&#x27;ve worked with a few women in technical roles that decided to take more masculine versions of their names (Jackie -&gt; Jack, Ashley -&gt; Ash, Jessica to Jesse). For two of them it started out as a way of getting hassled less online, and the other did it as an experiment to see which resume got more interviews (surprise, the masculine name got more than double the callbacks.)</text></comment> |
36,744,923 | 36,743,702 | 1 | 3 | 36,742,725 | train | <story><title>WormGPT – The Generative AI Tool Cybercriminals Are Using</title><url>https://slashnext.com/blog/wormgpt-the-generative-ai-tool-cybercriminals-are-using-to-launch-business-email-compromise-attacks/</url></story><parent_chain></parent_chain><comment><author>0xedd</author><text>ChatGPT helps Cybercriminals with grammar to form high quality phishing emails. Some trained a model on malware and sell it to aid in malware development and email composition.<p>Summarized the bloated thing in two sentences.
Garbage site. Garbage popups. Garbage empty blog post.</text></comment> | <story><title>WormGPT – The Generative AI Tool Cybercriminals Are Using</title><url>https://slashnext.com/blog/wormgpt-the-generative-ai-tool-cybercriminals-are-using-to-launch-business-email-compromise-attacks/</url></story><parent_chain></parent_chain><comment><author>frob</author><text>Did the author huff glue before writing this?<p>`The results were unsettling.`<p>The provided example basically says. &quot;Hi, I have no pre-existing relationship with you, but your website makes it look like you are the person who pays the bills. Give me money, please!&quot;</text></comment> |
3,194,199 | 3,193,944 | 1 | 2 | 3,192,719 | train | <story><title>Convergence: complete HTML5 game</title><url>http://www.currantcat.com/convergence/</url></story><parent_chain></parent_chain><comment><author>gammabeam</author><text>Hello there, I'm the one who made The Convergence!
Thanks for viewing my game, I hope everyone enjoyed it!<p>I didn't have a lot of time to finish it, but I wanted to add the sounds a friend of mine did, as well as a logo for the awesome CONSTRUCT the devs mentioned here.<p>Me &#38; my girl are amazed by the amount of people that played and shared the game - it's nice to see such positive feelings spreading all around!<p>I want to polish the game a bit more, I fell like the mechanics deserve it! :D<p>Thanks for making our day even more special!</text></comment> | <story><title>Convergence: complete HTML5 game</title><url>http://www.currantcat.com/convergence/</url></story><parent_chain></parent_chain><comment><author>TomGullen</author><text>Hi guys! I'm Tom from Scirra and we made Construct 2 (<a href="http://www.scirra.com" rel="nofollow">http://www.scirra.com</a>).<p>This is a great game made with our engine, the author has also made it available on the Chrome Web Store: <a href="https://chrome.google.com/webstore/detail/lkiiendkaiacnmggppdckogcgmjaoapf" rel="nofollow">https://chrome.google.com/webstore/detail/lkiiendkaiacnmggpp...</a><p>This game of course deserves it's own post as it's greatly executed, and without meaning to steal it's thunder we would love to show you a couple more excellent games made with Construct 2!<p>Can't Turn it Off
<a href="http://www.scirra.com/construct2/demos/cant-turn-it-off" rel="nofollow">http://www.scirra.com/construct2/demos/cant-turn-it-off</a><p>Trashoid Attack
<a href="http://www.scirra.com/construct2/demos/trashoid-attack" rel="nofollow">http://www.scirra.com/construct2/demos/trashoid-attack</a><p>We also ran a small competition on our website and there's a bunch more games to look at here:
<a href="http://www.scirra.com/forum/users-choice-final-poll_topic45844.html" rel="nofollow">http://www.scirra.com/forum/users-choice-final-poll_topic458...</a><p>Anyway it's really promising what is coming out of Construct 2 now, me and my brother (just two of us running Scirra) love playing games like these that get made! We hope to see lots more :D<p>All games made in Construct 2 are all pure HTML5, not a whiff of Flash in sight!</text></comment> |
37,170,199 | 37,168,895 | 1 | 2 | 37,167,698 | train | <story><title>RoboAgent: A universal agent with 12 Skills</title><url>https://robopen.github.io/</url></story><parent_chain></parent_chain><comment><author>Animats</author><text>The 12 skills are<p>- Flap open&#x2F;close (oven door)<p>- Slide open&#x2F;close (drawer)<p>- Slide in&#x2F;out (slideable shelf)<p>- Cap open&#x2F;close (screw caps)<p>- Pick&#x2F;place (for relatively easy situations on flat surfaces, not bin picking)<p>- Wipe<p>&quot;Wipe&quot; doesn&#x27;t have a reverse operation, and #12 is not illustrated.<p>The main thing here is that the robot has much force sensing, and interpreting that data is hard. So they had people do this with a teleoperator with force feedback, and fed that into a machine learning system. What this is really about is how to use force feedback data effectively. People have struggled with this for key-in-lock and part assembly for decades.<p>Seems like good work on a longstanding hard problem, but not a breakthrough.</text></comment> | <story><title>RoboAgent: A universal agent with 12 Skills</title><url>https://robopen.github.io/</url></story><parent_chain></parent_chain><comment><author>krasin</author><text>Related: RT-2 ([1]). The RoboAgent compares itself with RT-1, but not with RT-2, which is a big improvement upon RT-1.<p>Disclaimer: I work in the same group that made RT-1 and RT-2, but not a direct contributor to that work.<p>1. <a href="https:&#x2F;&#x2F;www.deepmind.com&#x2F;blog&#x2F;rt-2-new-model-translates-vision-and-language-into-action" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.deepmind.com&#x2F;blog&#x2F;rt-2-new-model-translates-visi...</a></text></comment> |
31,042,247 | 31,041,780 | 1 | 2 | 31,040,669 | train | <story><title>The Colorado Safety Stop is the law of the land</title><url>https://www.bicyclecolorado.org/bike-news/colorado-safety-stop-becomes-law/</url></story><parent_chain><item><author>AuthorizedCust</author><text>The solution that’s never on the table is getting rid of most stop signs.<p>The main point of a stop sign is to control intersections that objectively need the stop to permit safe traffic flow.<p>We are instead seeing unwarranted stop signs proliferate like rabbits, justified by things they can’t do, like slow or calm traffic.<p>On top of that, we’re ignoring the problems _caused by_ unwarranted stop signs, including crashes that wouldn’t otherwise happen, increased noise, increased pollution (especially small particles in the stop sign’s vicinity), higher speeds that are induced after the stop sign (drivers make up for time lost at the stop), and the broader consequences of reducing credibility of traffic regulations overall (people aren’t stupid, and when they are conditioned to that stop signs are mostly pointless, the conditioning bleeds over to the whole regime of traffic regulations).<p>Stop engineering malpractice, ditch most stop signs, and problem solved!</text></item></parent_chain><comment><author>datadata</author><text>In west coast cities, stop signs seem to serve the purpose of letting pedestrians exert their legal right of way where it would otherwise be taken by cars. Without stop signs, cars are not really likely to stop and pedestrians will wait until the road is simply clear rather than playing a one sided mortal game of chicken. The result is that cars can pretend that the pedestrian doesn&#x27;t actually want to cross. With a stop sign, pedestrians can reason that a car has to stop for the stop sign, and so they will also be able to walk.<p>That said I think stop signs is a terrible solution to this issue.</text></comment> | <story><title>The Colorado Safety Stop is the law of the land</title><url>https://www.bicyclecolorado.org/bike-news/colorado-safety-stop-becomes-law/</url></story><parent_chain><item><author>AuthorizedCust</author><text>The solution that’s never on the table is getting rid of most stop signs.<p>The main point of a stop sign is to control intersections that objectively need the stop to permit safe traffic flow.<p>We are instead seeing unwarranted stop signs proliferate like rabbits, justified by things they can’t do, like slow or calm traffic.<p>On top of that, we’re ignoring the problems _caused by_ unwarranted stop signs, including crashes that wouldn’t otherwise happen, increased noise, increased pollution (especially small particles in the stop sign’s vicinity), higher speeds that are induced after the stop sign (drivers make up for time lost at the stop), and the broader consequences of reducing credibility of traffic regulations overall (people aren’t stupid, and when they are conditioned to that stop signs are mostly pointless, the conditioning bleeds over to the whole regime of traffic regulations).<p>Stop engineering malpractice, ditch most stop signs, and problem solved!</text></item></parent_chain><comment><author>ajmurmann</author><text>When I first visited the US the frequent stop signs were one of the strangest things to me. They are so rare in Europe where there are yield and right of way signs instead. Ever since I&#x27;ve been wondering if the fossil fuel lobby is causing this to drive up fuel consumption.</text></comment> |
13,627,803 | 13,626,734 | 1 | 2 | 13,625,508 | train | <story><title>Linux pioneer Munich poised to ditch open source and return to Windows</title><url>http://www.techrepublic.com/article/linux-pioneer-munich-poised-to-ditch-open-source-and-return-to-windows/</url></story><parent_chain><item><author>Merem</author><text>Hm..<p>&quot;At the time the report was released, the FSFE questioned why Accenture was commissioned to co-author a report assessing the use of Microsoft software, when the consultancy runs a joint venture with Microsoft called Avanade, which helps businesses implement Microsoft technologies. For its part, Accenture said it has an &quot;independent view of the technology landscape&quot;.<p>&quot;At the time Munich began the move to LiMux in 2004 it was one of the largest organizations to reject Windows, and Microsoft took the city&#x27;s leaving so seriously that then CEO Steve Ballmer flew to Munich to meet the mayor. More recently, Microsoft last year moved its German company headquarters to Munich.&quot;<p>Everything else that is written there points towards it making no sense to switch back to Windows.</text></item></parent_chain><comment><author>frik</author><text>Lot&#x27;s of comments (1600) on Heise: <a href="https:&#x2F;&#x2F;www.heise.de&#x2F;forum&#x2F;heise-online&#x2F;News-Kommentare&#x2F;Von-Linux-zurueck-zu-Microsoft-Schwarz-Rot-in-Muenchen-will-LiMux-rauswerfen&#x2F;forum-374068&#x2F;comment&#x2F;" rel="nofollow">https:&#x2F;&#x2F;www.heise.de&#x2F;forum&#x2F;heise-online&#x2F;News-Kommentare&#x2F;Von-...</a><p>Several comments mention &quot;läuft wie geschmiert&quot; which can be translated as mobbed-up &#x2F; bribed.</text></comment> | <story><title>Linux pioneer Munich poised to ditch open source and return to Windows</title><url>http://www.techrepublic.com/article/linux-pioneer-munich-poised-to-ditch-open-source-and-return-to-windows/</url></story><parent_chain><item><author>Merem</author><text>Hm..<p>&quot;At the time the report was released, the FSFE questioned why Accenture was commissioned to co-author a report assessing the use of Microsoft software, when the consultancy runs a joint venture with Microsoft called Avanade, which helps businesses implement Microsoft technologies. For its part, Accenture said it has an &quot;independent view of the technology landscape&quot;.<p>&quot;At the time Munich began the move to LiMux in 2004 it was one of the largest organizations to reject Windows, and Microsoft took the city&#x27;s leaving so seriously that then CEO Steve Ballmer flew to Munich to meet the mayor. More recently, Microsoft last year moved its German company headquarters to Munich.&quot;<p>Everything else that is written there points towards it making no sense to switch back to Windows.</text></item></parent_chain><comment><author>nickpsecurity</author><text>Accenture is an unbiased source in this. They will give you the pro&#x27;s and con&#x27;s of a number of high-margin products from Microsoft. You&#x27;ll know which of them is best for you. You will not find them slanted enough to tell you to port your infrastructure to Windows 2012 on dedicated servers over instances of your current 2003 Servers running on Windows 2012 with HyperV. They wouldn&#x27;t push that over a cost-efficient implementation of your whole business in Azure. They&#x27;ll let you run your conferences on Surface computers with a Powerpoint just as quickly as Powerpoint on desktops with Windows 10 Enterprise.<p>Accenture will get you the answers Microsoft needs regardless of your situation. You can count on it.</text></comment> |
16,591,233 | 16,591,329 | 1 | 2 | 16,590,397 | train | <story><title>Using AI to match human performance in translating news from Chinese to English</title><url>https://blogs.microsoft.com/ai/machine-translation-news-test-set-human-parity/</url></story><parent_chain></parent_chain><comment><author>anewhnaccount2</author><text>Compare this to one of Google&#x27;s blog post promoting their MT research: <a href="https:&#x2F;&#x2F;research.googleblog.com&#x2F;2016&#x2F;09&#x2F;a-neural-network-for-machine.html" rel="nofollow">https:&#x2F;&#x2F;research.googleblog.com&#x2F;2016&#x2F;09&#x2F;a-neural-network-for...</a><p>It is:<p>1) More accurate, compared to hyperbole like e.g. &quot;Bridging the Gap between Human and Machine Translation&quot; we have right there in the title the domain: news.<p>2) A more impressive result. This result is on an independently set up evaluation framework, compared to Google&#x27;s which used their own framework.<p>Compare further the papers:
<a href="https:&#x2F;&#x2F;arxiv.org&#x2F;pdf&#x2F;1609.08144.pdf" rel="nofollow">https:&#x2F;&#x2F;arxiv.org&#x2F;pdf&#x2F;1609.08144.pdf</a>
<a href="https:&#x2F;&#x2F;www.microsoft.com&#x2F;en-us&#x2F;research&#x2F;uploads&#x2F;prod&#x2F;2018&#x2F;03&#x2F;final-achieving-human.pdf" rel="nofollow">https:&#x2F;&#x2F;www.microsoft.com&#x2F;en-us&#x2F;research&#x2F;uploads&#x2F;prod&#x2F;2018&#x2F;0...</a><p>These researcher appear to have been much clearer about what they&#x27;re actually claiming, and also used more standard evaluation tools (Appraise) and methodology rather than something haphazardly hacked together.</text></comment> | <story><title>Using AI to match human performance in translating news from Chinese to English</title><url>https://blogs.microsoft.com/ai/machine-translation-news-test-set-human-parity/</url></story><parent_chain></parent_chain><comment><author>d--b</author><text>As impressive as it may be, these people should refrain from claiming &#x27;human-like&#x27; translation from a system that has no way of &#x27;knowing&#x27; anything about context, other than statistical occurrences.<p>It is certain that, on occasion, the system will make such mistakes as stating the opposite of what is being said in the first place, or attribute one action to the wrong person, and what not. Perhaps on average it&#x27;s as good as a person, but this system will make mistakes that disqualifies it from being used without a bucket of salt.</text></comment> |
38,439,457 | 38,437,899 | 1 | 2 | 38,433,563 | train | <story><title>Nutrient found in beef and dairy improves immune response to cancer in mice</title><url>https://biologicalsciences.uchicago.edu/news/tva-nutrient-cancer-immunity</url></story><parent_chain><item><author>p_j_w</author><text>&gt;Why do they matter?<p>Because they are the experts in their field. They are the most qualified to not only read through all of the literature, but actually properly understand it, debate it, and come to a reasonably correct conclusion.<p>&gt;why are you resistant to the idea they could be wrong?<p>I&#x27;m not resistant to the idea they could be wrong. It&#x27;s science, the whole thing is built on showing proving previous hypotheses were either wrong or somehow incomplete. However, when it comes to health, I feel I&#x27;d be better served by listening to the consensus of various medical bodies than commenters on the Internet, media outlets, or my own ability to digest the scientific literature. In mathematical terms, I think the expected value of my health outcomes where I listen only to the advice of medical bodies is better than the expected value of my health outcomes where I &quot;do my own research,&quot; in spite of the fact that medical bodies may be wrong here or there. I&#x27;d get it wrong more often.</text></item><item><author>graphe</author><text>Why do they matter? Do you only care about everything they agree on? If not, why are you resistant to the idea they could be wrong?</text></item><item><author>p_j_w</author><text>You make it sound as though the Lipid Hypothesis has been thoroughly debunked, how many medical bodies agree with this conclusion, though? At the very least, the European Atherosclerosis Society, American College of Cardiology, and Canadian Cardiovascular Society disagree with you.</text></item><item><author>spacephysics</author><text>The problem with many red meat studies that show a negative effect, is typically the meat is eaten in the form of fast food cheeseburgers or in the case of dairy, pizza.<p>Red meat alone does not cause heart disease. It’s based off the fraudulent study regarding saturated fat and heart disease, which the sugar industry paid for.<p>More likely, is the breads used in SAD (which have very high amounts of sugar vs other countries’ bread) has a much heavier hand in heart disease.<p>Further, the science about cholesterol and what markers mean what amount of heart disease risk isn’t even a clear science. LSL vs HDL vs triglycerides. It seems we know triglycerides elevated is not good, but it’s not clear on LDL and HDL alone (there’s also the <i>size</i> of the particle that matters in determining cardiovascular risk)<p>Show me a study of a population who eats steaks, vegetables, avoids processed foods, and is athletic and I’ll show you a healthy heart.<p><a href="https:&#x2F;&#x2F;www.nytimes.com&#x2F;2016&#x2F;09&#x2F;13&#x2F;well&#x2F;eat&#x2F;how-the-sugar-industry-shifted-blame-to-fat.html#:~:text=The%20sugar%20industry%20paid%20scientists,newly%20released%20historical%20documents%20show" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.nytimes.com&#x2F;2016&#x2F;09&#x2F;13&#x2F;well&#x2F;eat&#x2F;how-the-sugar-in...</a>.<p><a href="https:&#x2F;&#x2F;www.npr.org&#x2F;sections&#x2F;thetwo-way&#x2F;2016&#x2F;09&#x2F;13&#x2F;493739074&#x2F;50-years-ago-sugar-industry-quietly-paid-scientists-to-point-blame-at-fat" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.npr.org&#x2F;sections&#x2F;thetwo-way&#x2F;2016&#x2F;09&#x2F;13&#x2F;493739074...</a><p><a href="https:&#x2F;&#x2F;www.ncbi.nlm.nih.gov&#x2F;pmc&#x2F;articles&#x2F;PMC9794145&#x2F;#:~:text=The%20PURE%20investigators%20found%20that,risk%20of%20stroke%20%5B34%5D" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.ncbi.nlm.nih.gov&#x2F;pmc&#x2F;articles&#x2F;PMC9794145&#x2F;#:~:tex...</a>.</text></item><item><author>odyssey7</author><text>A key excerpt, in my opinion.<p>“There is a growing body of evidence about the detrimental health effects of consuming too much red meat and dairy, so this study shouldn’t be taken as an excuse to eat more cheeseburgers and pizza; rather, it indicates that nutrient supplements such as TVA could be used to promote T cell activity.”<p>I’m also curious about this being a trans fat. I’ve heard public health campaigning that trans fats are unhealthy, but this research highlights one as a potential cancer therapy. It is apparently another case of un-nuanced popular ideas about health and nutrition not being the whole truth.</text></item></parent_chain><comment><author>Phiwise_</author><text>Longevity scientists are mostly just experts in the field of getting duped by pension fraudsters who say what they want to hear: <a href="https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Blue_zone#Scientific_reception" rel="nofollow noreferrer">https:&#x2F;&#x2F;en.wikipedia.org&#x2F;wiki&#x2F;Blue_zone#Scientific_reception</a><p>Parts of the field are in worryingly deep denial about the number and magnitude of confounding variables a moderate level of skeptical empiricism suggests could be present in their foundational research. As, again, in the specific case that user is worried you&#x27;re glossing over: The lipid hypothesis was probably developed from studies with diets also high in processed foods, simple carbohydrates, added sugar, salt, and vegetable oils, and low in organ meats and heavy-metal-free fish. Don&#x27;t we all agree these things as a staple in a diet will probably negative health outcomes on their own? How can the field be confident enough to publicly assert a model on that? Have they put the rice-fruit-and-legume diet through as rigorous a comparison to the chicken-veg-and-liver diet as they did to the McDonald&#x27;s special diet? It&#x27;d be nice to develop a culture of a straight answer of &quot;Yes, and here&#x27;s the confirming metaanalysis [1]&quot; on this question in place of this &quot;mind-your-seniors&quot; browbeating. Isn&#x27;t <i>that</i> what science is supposed to be about?</text></comment> | <story><title>Nutrient found in beef and dairy improves immune response to cancer in mice</title><url>https://biologicalsciences.uchicago.edu/news/tva-nutrient-cancer-immunity</url></story><parent_chain><item><author>p_j_w</author><text>&gt;Why do they matter?<p>Because they are the experts in their field. They are the most qualified to not only read through all of the literature, but actually properly understand it, debate it, and come to a reasonably correct conclusion.<p>&gt;why are you resistant to the idea they could be wrong?<p>I&#x27;m not resistant to the idea they could be wrong. It&#x27;s science, the whole thing is built on showing proving previous hypotheses were either wrong or somehow incomplete. However, when it comes to health, I feel I&#x27;d be better served by listening to the consensus of various medical bodies than commenters on the Internet, media outlets, or my own ability to digest the scientific literature. In mathematical terms, I think the expected value of my health outcomes where I listen only to the advice of medical bodies is better than the expected value of my health outcomes where I &quot;do my own research,&quot; in spite of the fact that medical bodies may be wrong here or there. I&#x27;d get it wrong more often.</text></item><item><author>graphe</author><text>Why do they matter? Do you only care about everything they agree on? If not, why are you resistant to the idea they could be wrong?</text></item><item><author>p_j_w</author><text>You make it sound as though the Lipid Hypothesis has been thoroughly debunked, how many medical bodies agree with this conclusion, though? At the very least, the European Atherosclerosis Society, American College of Cardiology, and Canadian Cardiovascular Society disagree with you.</text></item><item><author>spacephysics</author><text>The problem with many red meat studies that show a negative effect, is typically the meat is eaten in the form of fast food cheeseburgers or in the case of dairy, pizza.<p>Red meat alone does not cause heart disease. It’s based off the fraudulent study regarding saturated fat and heart disease, which the sugar industry paid for.<p>More likely, is the breads used in SAD (which have very high amounts of sugar vs other countries’ bread) has a much heavier hand in heart disease.<p>Further, the science about cholesterol and what markers mean what amount of heart disease risk isn’t even a clear science. LSL vs HDL vs triglycerides. It seems we know triglycerides elevated is not good, but it’s not clear on LDL and HDL alone (there’s also the <i>size</i> of the particle that matters in determining cardiovascular risk)<p>Show me a study of a population who eats steaks, vegetables, avoids processed foods, and is athletic and I’ll show you a healthy heart.<p><a href="https:&#x2F;&#x2F;www.nytimes.com&#x2F;2016&#x2F;09&#x2F;13&#x2F;well&#x2F;eat&#x2F;how-the-sugar-industry-shifted-blame-to-fat.html#:~:text=The%20sugar%20industry%20paid%20scientists,newly%20released%20historical%20documents%20show" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.nytimes.com&#x2F;2016&#x2F;09&#x2F;13&#x2F;well&#x2F;eat&#x2F;how-the-sugar-in...</a>.<p><a href="https:&#x2F;&#x2F;www.npr.org&#x2F;sections&#x2F;thetwo-way&#x2F;2016&#x2F;09&#x2F;13&#x2F;493739074&#x2F;50-years-ago-sugar-industry-quietly-paid-scientists-to-point-blame-at-fat" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.npr.org&#x2F;sections&#x2F;thetwo-way&#x2F;2016&#x2F;09&#x2F;13&#x2F;493739074...</a><p><a href="https:&#x2F;&#x2F;www.ncbi.nlm.nih.gov&#x2F;pmc&#x2F;articles&#x2F;PMC9794145&#x2F;#:~:text=The%20PURE%20investigators%20found%20that,risk%20of%20stroke%20%5B34%5D" rel="nofollow noreferrer">https:&#x2F;&#x2F;www.ncbi.nlm.nih.gov&#x2F;pmc&#x2F;articles&#x2F;PMC9794145&#x2F;#:~:tex...</a>.</text></item><item><author>odyssey7</author><text>A key excerpt, in my opinion.<p>“There is a growing body of evidence about the detrimental health effects of consuming too much red meat and dairy, so this study shouldn’t be taken as an excuse to eat more cheeseburgers and pizza; rather, it indicates that nutrient supplements such as TVA could be used to promote T cell activity.”<p>I’m also curious about this being a trans fat. I’ve heard public health campaigning that trans fats are unhealthy, but this research highlights one as a potential cancer therapy. It is apparently another case of un-nuanced popular ideas about health and nutrition not being the whole truth.</text></item></parent_chain><comment><author>graphe</author><text>According to whom are they considered experts? After how the government deals with COVID I don&#x27;t trust &quot;the medical consensus&quot; which is code for &quot;things I want you, the mainstream to agree with&quot;. Why would they be &quot;experts&quot;? What expertise do they have? It&#x27;s not based on the best credentials, it&#x27;s a job.<p>They&#x27;re nameless government entities. Depending if you feel knowledge always grows you may change your ideas. Waves of ignorance litter the medical field today, as hysteria was accepted as the only disease women could have: the wandering womb theory. Consensus of ignorance is still ignorance.<p>There&#x27;s no real evidence that high red meat is bad. There&#x27;s no evidence that eating more veggies is bad.</text></comment> |
9,739,042 | 9,738,998 | 1 | 2 | 9,738,140 | train | <story><title>Google listening in to your room shows importance of privacy defense in depth</title><url>https://www.privateinternetaccess.com/blog/2015/06/google-chrome-listening-in-to-your-room-shows-the-importance-of-privacy-defense-in-depth/</url></story><parent_chain><item><author>metric10</author><text>Has anyone actually confirmed that Chrome is continuously sending audio back to Google? I <i>highly</i> doubt that this is the case. Instead, the plug in knows how to recognize &quot;OK Google&quot; all by itself. Once activated, then it starts sending audio data.<p><i>IF</i> it where really listening even when inactive, then people would be complaining about it sucking up bandwidth and data allotments.</text></item></parent_chain><comment><author>j42</author><text>It&#x27;s not about consistently being bugged though--I see two troubling implications to this;<p>a) Government A decides target B has valuable communications, and uses this audio capture functionality as an attack vector (ie, a MiTM server modifies the chrome binary blob request slightly to a version where chunked audio is sent back to a control server).<p>b) (more likely) This binary blob contains a voice recognition algorithm, which can of course detect the phrase &quot;ok, google.&quot; Imagine they wanted to detect other phrases, like &quot;drugs&quot; or &quot;travel.&quot; Small modifications could easily allow an arbitrary list of &quot;hot&quot; terms to be targeted. Then no audio is even sent back from the user&#x27;s computer--a small flag in your google account is simply set attaching your profile to &quot;high risk&quot; terms overheard, and databased, where it could later be queried by law enforcement.<p>It&#x27;s troubling because there&#x27;s no transparency, and if you spend a little time brainstorming about the ways this could be used maliciously (most likely by a nation-state) there are many possibilities...</text></comment> | <story><title>Google listening in to your room shows importance of privacy defense in depth</title><url>https://www.privateinternetaccess.com/blog/2015/06/google-chrome-listening-in-to-your-room-shows-the-importance-of-privacy-defense-in-depth/</url></story><parent_chain><item><author>metric10</author><text>Has anyone actually confirmed that Chrome is continuously sending audio back to Google? I <i>highly</i> doubt that this is the case. Instead, the plug in knows how to recognize &quot;OK Google&quot; all by itself. Once activated, then it starts sending audio data.<p><i>IF</i> it where really listening even when inactive, then people would be complaining about it sucking up bandwidth and data allotments.</text></item></parent_chain><comment><author>Mithaldu</author><text>I just tried the feature out on my windows pc with chrome, and chrome only reacts to ok google when you have a new, empty tab, or the google search page open and active as the main tab. Additionally i checked with procmon what network activity chrome was making, and while it starts sending stuff AFTER &quot;ok google&quot; is activated, it doesn&#x27;t send any between me saying it and chrome confirming it.<p>The theory that it&#x27;s a small local plugin is also affirmed by the fact that my cellphone can do &quot;ok google&quot; without any sort of network, and is sometimes tricked into activating by audiobooks that make noises completely unlike &quot;ok google&quot;.</text></comment> |
36,130,364 | 36,130,345 | 1 | 3 | 36,129,227 | train | <story><title>A Sun-like star orbiting a boson star</title><url>https://arxiv.org/abs/2304.09140</url></story><parent_chain><item><author>spuz</author><text>This paper doesn&#x27;t seem to agree:<p>&gt; the scenario of a central black
hole requires unreasonable amount of fine-tuning within the usual evolutionary channels. In particular, if the system is expected to have formed as a binary in isolation, a common envelope formation
scenario is rather unlikely, given the system’s arrangement. This requires an extreme, and possibly
unphysical, tuning of the relevant parameters of the evolutionary channel under consideration. Moreover, formation within a globular cluster is also improbable given the geometrical characteristics of
the observed orbit. Other evolutionary channels such as formation without a common envelope or via
a hierarchical triple also seem unlikely for similar reasons.<p>What makes you think their proposal isn&#x27;t more likely than a black hole?</text></item><item><author>metalliqaz</author><text>absolutely not confirmed to be a boson star. Most likely a black hole found its way there under unusual circumstances</text></item></parent_chain><comment><author>jwuphysics</author><text>&gt; What makes you think their proposal isn&#x27;t more likely than a black hole?<p>Because a boson star is purely theoretical and I have a much stronger observational prior that the object is a black hole.</text></comment> | <story><title>A Sun-like star orbiting a boson star</title><url>https://arxiv.org/abs/2304.09140</url></story><parent_chain><item><author>spuz</author><text>This paper doesn&#x27;t seem to agree:<p>&gt; the scenario of a central black
hole requires unreasonable amount of fine-tuning within the usual evolutionary channels. In particular, if the system is expected to have formed as a binary in isolation, a common envelope formation
scenario is rather unlikely, given the system’s arrangement. This requires an extreme, and possibly
unphysical, tuning of the relevant parameters of the evolutionary channel under consideration. Moreover, formation within a globular cluster is also improbable given the geometrical characteristics of
the observed orbit. Other evolutionary channels such as formation without a common envelope or via
a hierarchical triple also seem unlikely for similar reasons.<p>What makes you think their proposal isn&#x27;t more likely than a black hole?</text></item><item><author>metalliqaz</author><text>absolutely not confirmed to be a boson star. Most likely a black hole found its way there under unusual circumstances</text></item></parent_chain><comment><author>nawgz</author><text>Is a &quot;boson star&quot; even a confirmed physical construct? I can see confirmed neutron stars like RXJ1856 that they think might be a strange star, but... Just based on what is a confirmed physical construct in the universe, a black hole seems far likelier. Obviously they address this in a way I&#x27;m not knowledgeable enough to argue against.<p>Regardless, it will be an interesting scenario to watch evolve!</text></comment> |
3,148,689 | 3,148,518 | 1 | 3 | 3,148,274 | train | <story><title>Ixoth</title><url>http://ixoth.com/</url></story><parent_chain></parent_chain><comment><author>axefrog</author><text>You know what's cool about Siri? Apple now has a vested interest in improving natural language processing artificial intelligence as fast as it can. I don't think there's ever been a commercial interest in that type of technology at this scale before. And they probably have more cash to throw at this kind of stuff than any other company on the planet. I will be extremely interested to see where this develops in the coming years. You can imagine upcoming WWDC events unveiling amazing new Siri developments.<p>Services like Ixoth may end up being able to develop into much more useful products in the future, once they don't have to rely on hacks like SMS responses.</text></comment> | <story><title>Ixoth</title><url>http://ixoth.com/</url></story><parent_chain></parent_chain><comment><author>paul9290</author><text>So I can hook up any web service that has a SMS offering to your service and have it interface with Siri?<p>Yesterday I wrote a blog post re: checking my bank balance using Siri (<a href="http://ryanspahn.com/siri-checks-bank-balance.html" rel="nofollow">http://ryanspahn.com/siri-checks-bank-balance.html</a>), as well as other services(Foursquare - though they need to simplify the process &#38; steps).<p>After writing this post I thought there should be one service that interfaces with Siri(thru SMS) and all my favorite web services. If I'm not mistaken, I think you just created it?</text></comment> |
16,678,925 | 16,677,907 | 1 | 2 | 16,676,614 | train | <story><title>Applied Category Theory</title><url>https://johncarlosbaez.wordpress.com/2018/03/26/seven-sketches-in-compositionality/</url></story><parent_chain></parent_chain><comment><author>danharaj</author><text>David Spivak has done lots of cool work on applying category theory to many concrete systems like databases [1].<p>Brendan Fong has worked on applying category theory to things that act like interconnected networks, such as electrical circuits. This fits into a larger ambitious program that John Baez is part of to use category theory to understand physical systems that are still much too complicated to understand with current mathematical tools, such as ecosystems. Fong&#x27;s thesis is on my reading list [2].<p>The two authors are doing great research, like this investigation of the algebra of backpropagation [3].<p>I really look forward to reading this too!<p>[1] <a href="https:&#x2F;&#x2F;arxiv.org&#x2F;abs&#x2F;0904.2012" rel="nofollow">https:&#x2F;&#x2F;arxiv.org&#x2F;abs&#x2F;0904.2012</a><p>[2] <a href="https:&#x2F;&#x2F;arxiv.org&#x2F;abs&#x2F;1609.05382" rel="nofollow">https:&#x2F;&#x2F;arxiv.org&#x2F;abs&#x2F;1609.05382</a><p>[3] <a href="https:&#x2F;&#x2F;arxiv.org&#x2F;abs&#x2F;1711.10455" rel="nofollow">https:&#x2F;&#x2F;arxiv.org&#x2F;abs&#x2F;1711.10455</a></text></comment> | <story><title>Applied Category Theory</title><url>https://johncarlosbaez.wordpress.com/2018/03/26/seven-sketches-in-compositionality/</url></story><parent_chain></parent_chain><comment><author>jfaucett</author><text>This looks like a great resource. I really think the chapter difficulty idea is a good one and wish more math books adopted this approach.<p>On another pedagogical note and as someone who reads a lot of math texts, I wish math textbooks would spend way more time on introducing the intuition (geometrical if in any way possible) of the ideas before or simultaneous with going into the formulas, theorems, and details. This not only vastly improves comprehension but I find having a geometrical understanding ( even if rough and partially incorrect) greatly helps in me being able to later derive the same formulas and theorems.<p>Having written about various math topics over the years I know its much more difficult to follow this approach, so I don&#x27;t blame anyone for not going out of their way to imbue intuition, but its still something I wish more mathematicians who teach would advocate for.</text></comment> |
1,193,665 | 1,193,570 | 1 | 2 | 1,193,530 | train | <story><title>VMware: the new Redis home</title><url>http://antirez.com/post/vmware-the-new-redis-home.html</url></story><parent_chain></parent_chain><comment><author>antirez</author><text>Thank you guys! This is going to be another world for me. The latest months I worked an insane number of hours per day in order to do both Redis and my real work. Now I'll have more hours for Redis, in an environment where I'm more supported full of skilled techs, <i>and</i> not doing other works.</text></comment> | <story><title>VMware: the new Redis home</title><url>http://antirez.com/post/vmware-the-new-redis-home.html</url></story><parent_chain></parent_chain><comment><author>jacquesm</author><text>Congratulations!<p>An ex employee of mine went to work for vmware and he was very positive about working there, if his experience is any guide then I'm sure you'll enjoy them. As you already wrote they're a technology company and they take their tech very serious.<p>So far their track record has been very impressive and they've successfully managed to hold their own against MS, something that few thought was possible.</text></comment> |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.