id
int64
2
42.1M
by
large_stringlengths
2
15
time
timestamp[us]
title
large_stringlengths
0
198
text
large_stringlengths
0
27.4k
url
large_stringlengths
0
6.6k
score
int64
-1
6.02k
descendants
int64
-1
7.29k
kids
large list
deleted
large list
dead
bool
1 class
scraping_error
large_stringclasses
25 values
scraped_title
large_stringlengths
1
59.3k
scraped_published_at
large_stringlengths
4
66
scraped_byline
large_stringlengths
1
757
scraped_body
large_stringlengths
1
50k
scraped_at
timestamp[us]
scraped_language
large_stringclasses
58 values
split
large_stringclasses
1 value
42,051,609
lapnect
2024-11-05T14:15:26
Arm PC Base System Architecture 1.0
null
https://developer.arm.com/documentation/den0151/a/
2
0
null
null
null
no_article
null
null
null
null
2024-11-08T03:27:32
null
train
42,051,610
johnnytee
2024-11-05T14:15:26
Show HN: We've made GA4 simple A clean 1-page dashboard for Google Analytics
null
https://onepagega.com
5
6
[ 42052385, 42051721, 42055026 ]
null
null
null
null
null
null
null
null
null
train
42,051,615
bookofjoe
2024-11-05T14:16:40
Researchers Create Cell-Level Wearable Devices to Restore Neuron Function
null
https://neurosciencenews.com/neuron-function-device-neurotech-27970/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,621
unnah
2024-11-05T14:17:51
Accelerate Large Linear Programming Problems with Nvidia CuOpt
null
https://developer.nvidia.com/blog/accelerate-large-linear-programming-problems-with-nvidia-cuopt/
1
0
null
null
null
no_error
Accelerate Large Linear Programming Problems with NVIDIA cuOpt | NVIDIA Technical Blog
2024-10-08T15:00+00:00
By Nicolas Blin
The evolution of linear programming (LP) solvers has been marked by significant milestones over the past century, from Simplex to the interior point method (IPM). The introduction of primal-dual linear programming (PDLP) has brought another significant advancement.  NVIDIA cuOpt has now implemented PDLP with GPU acceleration. Using cutting-edge algorithms, NVIDIA hardware, dedicated CUDA features, and NVIDIA GPU libraries, the cuOpt LP solver achieves over 5,000x faster performance compared to CPU-based solvers.  This post examines the key components of LP solver algorithms, GPU acceleration in LP, and cuOpt performance on Mittelmann’s benchmark and Min Cost Flow problem instances. Harnessing cutting-edge innovations for large-scale LP LP is a method that involves optimizing a linear objective function, subject to a set of linear constraints.  Consider this scenario: A farmer must decide which vegetables to grow and in what quantities to maximize profit, given limitations on land, seeds, and fertilizer. The goal is to determine the optimal revenue while respecting all constraints, as quickly as possible. NVIDIA developed an LLM agent example that helps model the problem and solve it using an LP solver. LP is an essential tool for optimization and has applications in resource allocation, production planning, supply chain, and, as a backbone for mixed-integer programming (MIP) solvers. Solving mathematical problems with millions of variables and constraints in seconds is challenging, if not impossible, in some cases.  There are three requirements to solve LP problems efficiently on GPUs: Efficient and massively parallel algorithms NVIDIA GPU libraries and CUDA features Cutting-edge NVIDIA GPUs Efficient and massively parallel algorithms Simplex, introduced by Dantzig in 1947, remains a core component of most LP and MIP solvers. It works by following the edges of the feasible region to find the optimum.  The next major advancement came with the interior point method (IPM), discovered by I. I. Dikin in 1967. IPM, which moves through the interior of the polytope towards the optimum, is now considered state-of-the-art for solving large-scale LPs on CPUs. However, both techniques face limitations in massive parallelization. In 2021, a new groundbreaking technique to solve large LPs was introduced by the Google Research team: PDLP. It is a first-order method (FOM) that uses the derivative of the problem to iteratively optimize the objective and minimize constraint violation. Figure 3. Gradient descent PDLP enhances primal-dual hybrid gradient (PDHG) algorithm by introducing tools to improve convergence, including a presolver, diagonal preconditioning, adaptive restarting, and dynamic primal-dual step size selection. Presolving and preconditioning make the input problem simpler and improves numerical stability while restarting and dynamic step size computation enables the solver to adapt itself during optimization. A key advantage of FOM over previous methods is its ease of massive parallelization, making it well-suited for GPU implementation. PDLP employs two highly parallelizable computational patterns: Map operations and sparse matrix-vector multiplications (SpMV). This approach enables PDLP to efficiently handle millions of variables and constraints in parallel, making it extremely effective on GPUs. Map is extensively used in PDLP to perform additions, subtractions, and so on for all the variables and constraints that can span millions of elements. It is extremely parallel and efficient on GPUs. SpMV corresponds to multiplying a sparse matrix (containing many zeros) and a vector. While this matrix size can reach tens of billions, it contains far fewer useful values. For instance, in a vegetable planting problem, a constraint such as, “I can’t plant more than 3.5 kg of potatoes” would contain only one useful value among millions of variables.  SpMV algorithms have been extensively optimized for GPUs, making them orders of magnitude faster than CPU implementations. NVIDIA GPU libraries and CUDA features To have the best performance, our GPU PDLP implementation uses cutting-edge CUDA features and the following NVIDIA libraries:  cuSparse Thrust RMM cuSparse is the NVIDIA GPU-accelerated library for sparse linear algebra. It efficiently performs SpMVs, a challenging task on GPUs. cuSparse employs unique algorithms designed to fully leverage the NVIDIA massively parallel architecture. Thrust is part of the NVIDIA CUDA Core Compute Libraries (CCCL) and provides high-level C++ parallel algorithms. It simplifies the expression of complex algorithms using patterns and iterators for GPU execution. I used Thrust for map operations and the restart process, which entails sorting values by key. This is a task that can be demanding on the GPU but is efficiently optimized by Thrust. RMM is the fast and flexible NVIDIA memory management system that enables the safe and efficient handling of GPU memory through the use of a memory pool. Finally, I took advantage of advanced CUDA features. One of the most significant challenges in parallelizing PDLP on GPUs is the restart procedure, which is inherently iterative and not suited for parallel execution. To address this, I used CUDA Cooperative Groups, which enable you to define GPU algorithms at various levels, with the largest being the grid that encompasses all workers. By implementing a cooperative kernel launch and using grid synchronization, you can efficiently and elegantly express the iterative restart procedure on the GPU. Cutting-edge NVIDIA GPUs  GPUs achieve fast computation by using thousands of threads to solve many problems in parallel. However, before processing, the GPU must first transfer the data from the main memory to its worker threads.  Memory bandwidth refers to the amount of data that can be transferred per second. While CPUs can usually handle hundreds of GB/s, the latest GPU, NVIDIA HGX B100, has a bandwidth of eight TB/s, two orders of magnitude larger. The performance of this PDLP implementation scales directly with increased memory bandwidth due to its heavy reliance on memory-intensive computational patterns like Map and SpMV. With future NVIDIA GPU bandwidth increases, PDLP will automatically become faster, unlike other CPU-based LP solvers. cuOpt outperforms state-of-the-art CPU LP solvers on Mittelmann’s benchmark The industry standard to benchmark the speed of LP solvers is Mittelmann’s benchmark. The objective is to determine the optimal value of the LP function while adhering to the constraints in the shortest time possible. The benchmark problems represent various scenarios and contain between hundreds of thousands to tens of millions of values. For the comparison, I ran a state-of-the-art CPU LP solver and compared it to this GPU LP solver. I used the same threshold of 10-4 and disabled crossover. For more information, see the Potential for PDLP refinement section later in this post.  Both solvers operated under float64 precision.  For the CPU LP solver, I used a recommended CPU setup: AMD EPYC 7313P servers with 16 cores and 256 GB of DDR4 memory. For the cuOpt LP solver, I used an NVIDIA H100 SXM Tensor Core GPU to benefit from the high bandwidth and ran without presolve.  I considered the full solve time without I/O, including scaling for both solvers and presolving for the CPU LP solver. Only instances that have converged for both solvers with a correct objective value are showcased in Figure 4. cuOpt is faster on 60% of the instances and more than 10x faster in 20% of the instances. The biggest speed-up is 5000x on one instance of a large multi-commodity flow optimization problem. Figure 4. cuOpt acceleration compared to CPU LP on Mittelmann’s benchmark I also compared cuOpt against a state-of-the-art CPU PDLP implementation using the same setup and conditions. cuOpt is consistently faster and between 10x to 3000x faster.  Figure 5. cuOpt acceleration compared to a CPU PDLP implementation on Mittelmann’s benchmark The multi-commodity flow problem (MCF) involves finding the most efficient way to route multiple different types of goods through a network from various starting points to their respective destinations, ensuring that the network’s capacity constraints are not exceeded. One way to solve an MCF problem is to convert it to an LP. On a set of large MCF instances, PDLP is consistently faster, between 10x and 300x.  Figure 6. cuOpt acceleration compared to the CPU LP solver on a set of MCF instances  Potential for PDLP refinement The NVIDIA cuOpt LP solver delivers incredible performance, but there’s potential for future enhancements: Handling higher accuracy Requiring high bandwidth Convergence issues on some problems Limited benefit for small LPs Handling higher accuracy To decide whether you’ve solved an LP, you measure two things:  Optimality gap: Measures how far you are from finding the optimum of the objective function. Feasibility: Measures how far you are from respecting the constraints.  An LP is considered solved when both quantities are zero. Reaching an exact value of zero can be challenging and often unnecessary, so LP solvers use a threshold that enables faster convergence while maintaining accuracy. Both quantities are now only required to be below this threshold, which is relative to the magnitude of the values of the problem. Most LP solvers use a threshold, especially for large problems that are extremely challenging to solve. The industry standard so far was to use 10-8. While PDLP can solve problems using 10-8, it is then usually significantly slower. This can be an issue if you require high accuracy. In practice, many find 10-4 accurate enough and sometimes even lower. This heavily benefits PDLP while not being a big differentiator for other LP-solving algorithms. Requiring high bandwidth PDLP’s performance scales linearly with memory bandwidth, making it more efficient on new GPU architectures. It requires a recent server-grade GPU to reproduce the results shown in the performance analysis section. Convergence issues on some problems While PDLP can solve most LPs quickly, it sometimes needs a significant number of steps to converge, resulting in higher runtimes. On Mittelmann’s benchmark, cuOpt LP Solver times out after one hour on 8 of the 49 public instances, due to a slow convergence rate.  Limited benefit for small LPs Small LPs benefit less from the GPU’s high bandwidth, which doesn’t enable PDLP to scale as well compared to CPU solvers. The cuOpt LP solver offers a batch mode for this scenario where you can provide and solve hundreds of small LPs in parallel. Conclusion The cuOpt LP solver uses CUDA programming, NVIDIA GPU libraries, and cutting-edge NVIDIA GPUs to solve LPs, potentially orders of magnitude faster than CPU and scaling to over a billion coefficients. As a result, it’s particularly beneficial for tackling large-scale problems, where its advantages become even more prominent. Some use cases will still work better with traditional Simplex or IPM and I expect the future solvers to be a combination of GPU and CPU techniques. Sign up to be notified when you can try the cuOpt LP. Try NVIDIA cuOpt Vehicle Routing Problem (VRP) today with NVIDIA-hosted NIM microservices for the latest AI models for free on the NVIDIA API Catalog.
2024-11-07T23:14:29
en
train
42,051,625
jaredlt
2024-11-05T14:18:22
The president's doctor: Why your projects take forever
null
https://thoughtbot.com/blog/the-presidents-doctor
3
0
null
null
null
null
null
null
null
null
null
null
train
42,051,627
debesyla
2024-11-05T14:18:47
Web Interface Guidelines
null
https://interfaces.rauno.me/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,633
francescoxx
2024-11-05T14:19:18
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,051,640
chapulin
2024-11-05T14:20:01
Gleaning the Design Rules of Life to Re-Create I
null
https://www.quantamagazine.org/hes-gleaning-the-design-rules-of-life-to-re-create-it-20241104/
1
0
null
null
null
missing_parsing
He’s Gleaning the Design Rules of Life to Re-Create It | Quanta Magazine
2024-11-04T15:19:46+00:00
By Shi En Kim November 4, 2024
Yizhi “Patrick” Cai is coordinating a global effort to write a complete synthetic yeast genome. If he succeeds, the resulting cell will be the artificial life most closely related to humans to date. Yizhi “Patrick” Cai, a synthetic biologist at the University of Manchester, is writing a synthetic genome that could be used as a programming substrate for life. Dave Phillips for Quanta Magazine Introduction Say you live in an old house, and you want to make a slew of renovations; at some point, the most efficient way forward is to build a new house altogether. A similar clean-slate approach is the guiding principle behind an international effort to create the world’s first synthetic eukaryotic genome — the set of molecular instructions that govern complex life on Earth, including humans. At present, genetic engineering techniques typically work by taking one of nature’s given genomic templates (the old house) and introducing individual mutations (renovations) to the DNA code. However, the ability to write a genome from scratch would unlock greater creativity in designing a desired genome — your dream home — and producing new kinds of organisms that do things that nature cannot. “If you see the genome as the operating system of organisms, then writing the genome is basically giving you an opportunity to reorganize the genome and to program living organisms,” said Yizhi “Patrick” Cai of the University of Manchester. In the future, researchers could engineer new cells with novel abilities and greater tolerance for environmental conditions such as heat and drought. Cai is the coordinator of the Synthetic Yeast Genome Project, a global consortium aimed at redesigning the genome for brewer’s yeast (Saccharomyces cerevisiae). Why yeast? The single-celled fungus is a close cousin to humans, evolutionarily speaking: At least 20% of human genes have a counterpart in yeast. Many cellular processes that unfold in the human body can be replicated in yeast as a research proxy. “Yeast is very important as a model organism for biotechnology and also for human health,” Cai said. He called it “the best-understood organism on this planet,” which gives his team a head start as they work to understand its genomic design. For researchers drumming up a brand-new genome, the fabrication itself isn’t the hard part; scientists already know how to assemble DNA base pairs into strings. Instead, the main challenge lies in devising a genomic sequence that produces a viable organism. To do that, scientists first need to glean the basic principles and design rules for what makes a working genome, and to identify any pitfalls to avoid. Cai holds up a petri dish where yeast grow. Yeast is a single-celled fungus that shares its eukaryotic cell type with humans. At least 20% of human genes have a counterpart in yeast, which has made it a useful model organism. Dave Phillips for Quanta Magazine The combinatorial space for the yeast genome — natural or synthetic — is vast; exploring it and tweaking each genetic component individually to understand its purpose and context is impractically slow. To accelerate the process, Cai’s team uses a tool called Scramble to probe yeast’s natural genome. It works by engineering yeast cells with the ability to randomize their genomes on command. Shuffling one’s genome is usually fatal business, but some cells might land on a workable combination by chance. Cai’s team can then work out what’s common among the lucky survivors to derive rules for genomic viability. With enough know-how, the researchers can then cobble together a fully synthetic genome that abides by nature’s design rules to produce a working eukaryotic cell. In November 2023, the project unveiled its latest advance: a synthetic yeast cell with 50% reengineered DNA. More than six of the yeast’s 16 chromosomes were entirely synthetic. One was even a neochromosome — a chromosome that has no natural counterpart. Although this 50% milestone was 10 years in the making, the remaining half of the yeast genome is potentially an easier lift, Cai said, now that the team has the right tools. Quanta spoke with Cai about programming life, reading and writing the genome like a book, and how wearing a kilt in a New England winter marked a turning point in his career. The interview has been condensed and edited for clarity. How did you become interested in the world of synthetic biology? I grew up in China, and I went to school to learn computer engineering. Then, when I joined the University of Edinburgh to do my master’s in robotics and linguistics — that was 2005 — I found a group of people that, instead of trying to program robots, were trying to program bacteria. I was recruited to be part of the team. We participated in this international genetic engineering competition hosted by the Massachusetts Institute of Technology every year. The goal was: Can you program living organisms to do something interesting? Synthetic biology isn’t only about creating new kinds of life, but also about better appreciating how life works, Cai said. “By building new genomes, new entities, it gives us a greater understanding of biology.” Dave Phillips for Quanta Magazine We programmed Escherichia coli bacteria to become biosensors for arsenic contamination in drinking water. If you regularly drink water which is contaminated by arsenite, you may have all kinds of problems, ranging from skin cancer to kidney cancer. [The engineered] bacteria could sense different levels of arsenite, up to five molecules per billion. They’re very sensitive. You can basically give the bacteria to local villagers in Bangladesh, ask them to add some water from a well, incubate it at room temperature, and tomorrow morning they can dip a pH test paper and see the color change. So it’s like a pregnancy test: very simple. The arsenic biosensor was a huge hit at MIT. I vividly remember it was in November. I went to Boston to compete. Because we were the first team from Scotland, they made me dress in a Scottish kilt. It was cold, I can tell you — Boston in November, wearing a kilt. That was the turning point of my career, really — looking at living organisms as a programming substrate. How did you transition from bacteria to yeast? I did my postdoc at Johns Hopkins University in Baltimore, where I met Jef Boeke, [a geneticist now at New York University]. He was running a small undergraduate course to synthesize the yeast genome. I said to him, “This will never get done before you retire, so we should make it an international effort.” “If you want to build an airplane, you don’t go by mimicking what a bird does,” Cai said. “You first derive the first principles of aerodynamics, and based on aerodynamics, you build a plane. That’s why our plane does not look like a bird.” Dave Phillips for Quanta Magazine I helped Jef set up an international consortium with 10 universities from four continents, and we have been working together over the last decade. Every one of us gets a chromosome or two. We refactor the chromosome — we make it to our specification. And then finally we merge it into a new genome. Yeast is a simple eukaryote, but it’s much more complex [than bacteria] in its genome. For one, bacteria have one chromosome; yeast has 16. The bacterial genome is much more compact. Yeast also has many additional elements. Why synthesize the yeast genome? The pursuit of the first synthetic genome is to really understand what the first principles of genome organization are. What I cannot build, I don’t understand [to paraphrase Richard Feynman]. This is the ultimate test. We really get to understand biology and life. Let me put it another way. Once you can read a book, you can read many books. That’s the equivalent of sequencing the genome. But only when it comes to writing do you really put your understanding to the test. Reading a genome is passive. But when you start writing, that’s a creative process. You will have much better control over the entity you engineer. You can then start thinking about reengineering life to address some of the very important questions in society today. And just to give you some examples: You can engineer the plant genome to be more resilient against climate change; you can engineer it to have better yields. This can address the food-shortage problem facing society. You can engineer, for instance, pig organs that are suitable for organ transplant. These are great examples of applications genome engineering can do for us. Cai brainstorms genetic design in his office at the University of Manchester. By creating synthetic eukaryotic life, he hopes to learn organizational design rules that make genomes work. Dave Phillips for Quanta Magazine With the current technology, you can make transgenic organisms by editing. But you do not really have complete freedom of expression. That’s because you are relying on natural templates to tinker with. What’s your approach to writing the first draft of the synthetic yeast genome? The way to write the genome is piece by piece. You take an existing book chapter; you rewrite the first paragraph, and then you put that into the cell. Now the yeast becomes your proofreader. The yeast will start reading your rewritten first paragraph and say, “Does this make sense?” If it doesn’t make sense, the yeast will complain. It’ll become sick, or it will become unviable. You do that paragraph by paragraph, and eventually you end up with a new chapter. Imagine that yeast has 16 chapters, which are its 16 chromosomes. So each of us [on the team], we take one chapter, and we write paragraph by paragraph. This is a bottom-up approach to rewriting the genome. How are you coming up with the design blueprint of the new synthetic genome? We don’t use Scramble to write the genome. But we use Scramble to devise new genomes. If you see the yeast genome as a deck of cards, where each card is a gene, this Scramble system allows you to shuffle the order of the cards, to invert some cards, to throw away some cards, to duplicate some cards. The genome reshuffling technology Scramble gives you an opportunity to systematically sample all combinations possible. So instead of making one genome, you’re effectively making billions of genomes at the same time. Cai uses a pipette in his laboratory. The synthetic biologist sees DNA as a programming substrate: Once he knows how to write it, he can reorganize the genome and use it to program living organisms with new traits. Dave Phillips for Quanta Magazine We have the capability to generate many alternative designs, and then we can select for the best performers. So let’s say I turn on this Scramble system and I generate all possible permutations of the genome. Then I ask a question, such as: Who can survive at 40 degrees Celsius? In that particular condition, the guys that survive are the guys which are truly interesting. They will never exist in nature. Then you can sequence them and say, “What kind of rearrangement do I need to give the yeast this special power?” This technology allows us to practically evolve strains to our specification. It also gives us insight on how genes are organized to give us a particular characteristic. That’s the beauty of coupling precise engineering with direct evolution. The natural genome will not allow you to do that. How exactly is the novel genome synthetic and different from the natural version? It’s synthetic because all the DNA sequences are chemically resynthesized. They’re not coming from their natural inheritances. The genome is about 20% smaller than the wild-type genome. We get rid of the junk that is not useful. The sequence composition is drastically different from their parents’. I’m happy to say all the synthetic chromosomes are really fit. That is surprising because every chromosome has thousands of edits, and we still managed to maintain really high fitness. That’s not just because we’re careful; it’s also because we’re being conservative. People were saying we’re aggressive because we put thousands of edits on each chromosome. But now we look back and say, “Actually, there’s so much plasticity in the genome.” You try to make all these changes, but cells still can take up all these tortures you impose on them. So if we’re able to do the next version, we should be much more aggressive. Cai imagines a future in which scientists can write synthetic genomes to create life that addresses societal problems such as climate change and disease. Dave Phillips for Quanta Magazine What’s next for this work? I’m particularly excited about a new project in my group, which is to try to derive what’s the minimal genome. What’s the minimal set of genes which can sustain life? The way we are tackling this is, we’re taking this synthetic yeast and using Scramble to reduce the genome. Can we derive the minimal genome by scrambling out anything which is nonessential? Last year, your team announced that the Synthetic Yeast Genome Project is 50% complete. What do you mean by that? It’s the sheer number of DNA [nucleotides] that have been incorporated into the genome. If you look at yeast as a book, that’s 16 chapters. But each chapter is a different length; they’re not equal. We have integrated six and a half chromosomes, but these are larger chromosomes, 50% of the characters. We have the technology to replace the second half. But you know, we might be surprised. We worry about what we call “synthetic lethality.” Maybe at some point when you change something here in one chapter, it’s fine; you change something here in another chapter, it’s fine. But they just cannot coexist in the same book. This is the biggest problem, that if we recombine multiple synthetic chromosomes together, you will see incompatibility between the edits on two chromosomes. So how much longer now? Every time I’ve been asked about it, I say 12 months from now. The last mile is always the most difficult. But it’s very encouraging. We are well on our way. So, probably something like the end of 2025? Ask me again next year. Next article Math’s ‘Bunkbed Conjecture’ Has Been Debunked
2024-11-08T18:22:43
null
train
42,051,648
fjallakall
2024-11-05T14:21:54
Think About Switching to Linux [video]
null
https://www.youtube.com/watch?v=v-Cy7eZj-YI
4
0
[ 42051649 ]
null
null
no_article
null
null
null
null
2024-11-08T02:24:48
null
train
42,051,651
paulpauper
2024-11-05T14:22:04
Why shouldn't you give money to homeless people?
null
https://spiralprogress.com/2024/11/04/why-shouldnt-you-give-money-to-homeless-people/
50
159
[ 42051976, 42069986, 42051777, 42051989, 42051818, 42051910, 42051842, 42053182, 42051756, 42051956, 42052049, 42051743, 42052213, 42051914, 42051819, 42051823, 42052050, 42051937, 42051861, 42051729, 42057866, 42051762, 42051997, 42053922, 42052101, 42051965, 42051770, 42051852, 42053791, 42052112, 42054004, 42051923, 42051888, 42051822, 42052172, 42051907, 42051752, 42051736 ]
null
null
null
null
null
null
null
null
null
train
42,051,653
slavoglinsky
2024-11-05T14:22:20
The High-Risk Gamble of Refactoring: Why It's Harder Than You Think
null
https://blackentropy.bearblog.dev/the-high-risk-gamble-of-refactoring-why-its-harder-than-you-think/
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,656
paulpauper
2024-11-05T14:22:30
Amazon's Nuclear Deal Stalled – But Its AI Power Demand Won't
null
https://www.bloomberg.com/opinion/articles/2024-11-04/amazon-s-nuclear-deal-stalled-but-its-ai-power-demand-won-t
2
0
[ 42052571 ]
null
null
null
null
null
null
null
null
null
train
42,051,660
paulpauper
2024-11-05T14:23:01
Meta's plan for nuclear-powered AI data centre thwarted by rare bees
null
https://www.ft.com/content/ed602e09-6c40-4979-aff9-7453ee28406a
5
1
[ 42052758, 42052551 ]
null
null
paywall_blocked
Meta’s plan for nuclear-powered AI data centre thwarted by rare bees
2024-11-04T11:00:01.195Z
Hannah Murphy, Cristina Criddle
Accessibility helpSkip to navigationSkip to contentSkip to footerSubscribe to unlock this articleGet complete digital access$75 per monthComplete digital access to quality FT journalism with expert analysis from industry leaders. Pay a year upfront and save 20%.Explore more offers.$1 for 4 weeksThen $75 per month. Complete digital access to quality FT journalism. Cancel anytime during your trial.Standard Digital$39 per monthGet essential digital access to quality FT journalism on any device. Pay a year upfront and save 20%Pay per readerComplete digital access for organisations. Includes exclusive features and content.Explore our full range of subscriptions.Discover all the plans currently available in your countryDigital access for organisations. Includes exclusive features and content.Why the FT?See why over a million readers pay to read the Financial Times.Find out why
2024-11-07T23:38:54
en
train
42,051,662
bailvgu
2024-11-05T14:23:07
Download Twitch Clips in Seconds
null
https://www.twitchclipdownloader.net/
2
0
[ 42051663 ]
null
null
no_error
Twitch Clip Downloader - Save Your Favorite Gaming Moments in HD
null
null
Download Twitch Clips in Seconds Save your favorite streaming moments in high quality. Free, fast, and secure. The most reliable Twitch clip downloader - Supporting all resolutions up to 4K quality. Perfect for content creators, streamers, and gaming enthusiasts. Example: https://clips.twitch.tv/your-clip-url Why Choose Our Twitch Clip Downloader? Experience the best-in-class Twitch clip downloading solution. Our tool is designed for both casual users and professional content creators, offering unmatched features and reliability. Lightning Fast Downloads Experience blazing-fast download speeds with our optimized servers. No waiting, no buffering. Instant processing Multiple download servers No speed limits Secure & Private Your privacy is our priority. We ensure secure downloads with no data tracking. No personal data required Encrypted connections Ad-free experience Advanced Features Enjoy advanced features like batch downloads and quality selection. Batch processing Quality options Clip trimming The Ultimate Twitch Clip Downloader Save and share your favorite Twitch moments with our powerful, free, and easy-to-use downloader. What is a Twitch Clip? Twitch clips are short video segments captured from live streams on Twitch.tv. These clips, typically ranging from a few seconds to a minute, capture the most exciting, funny, or memorable moments from streams. They're perfect for sharing on social media, creating compilations, or preserving epic gaming moments. Why Download Twitch Clips? 🎮 Content Creation: Perfect for YouTubers and content creators making compilation videos or highlight reels. 📱 Offline Viewing: Watch your favorite clips anytime, anywhere, without internet connection. 🎯 Social Media Sharing: Easily share clips across platforms like Twitter, Instagram, and TikTok. 📚 Archive Important Moments: Save memorable streaming moments before they expire or get deleted. What Our Users Say "The best Twitch clip downloader I've ever used. Simple and efficient!" "Fast and reliable. I can download clips in seconds!" "A must-have tool for any content creator. Highly recommend!" Frequently Asked Questions Yes, our Twitch Clip Downloader is completely free to use! There are no hidden fees or subscriptions required. You can download as many clips as you want without any limitations. We offer multiple quality options for your downloads: Source Quality (up to 4K if available) 1080p Full HD 720p HD 480p SD 360p (for slower connections) Yes, downloading Twitch clips for personal use is generally acceptable. However, please: Respect content creators' rights Give proper credit when sharing Check the streamer's guidelines Don't use clips commercially without permission Download times are typically very fast, usually taking just a few seconds. Factors that affect download speed include: Your internet connection speed The clip's length and quality Server load at the time We support multiple video formats to ensure compatibility with all devices and platforms: MP4 (recommended for best compatibility) WebM (for web optimization) MOV (for Apple devices) Custom format conversion available To get the best quality downloads: Always choose the highest resolution available (usually 1080p) Ensure stable internet connection Use our original quality option for maximum fidelity Download directly from the source clip Our Twitch clip downloader stands out with: Superior download speeds with optimized servers Support for highest quality downloads (up to 4K) Batch downloading capability No registration required Clean, ad-free interface Regular updates and maintenance Why We're Better Than Others Our Advantages Secure & Safe Downloads No malware, no ads, no viruses. We prioritize your security. Fastest Processing Speed Our servers are optimized for quick processing and downloads. Advanced Features Batch downloading, quality selection, and clip trimming included. Common Issues with Other Tools Slow Processing Many tools have slow servers and long waiting times. Limited Features Basic functionality without advanced options. Hidden Costs Many competitors charge for basic features. Complete Guide to Downloading Twitch Clips 1 Find Your Clip Browse Twitch and locate the clip you want to download 2 Copy URL Copy the clip's URL from your browser's address bar 3 Paste & Select Paste the URL and choose your preferred quality 4 Download Click download and save your clip Success Stories Gaming Channel Growth YouTube Content Creator "Using this tool helped me grow my YouTube channel from 1K to 100K subscribers by easily sharing the best Twitch moments." Results: 10x growth in 6 months Increased Engagement Twitch Streamer "The downloader has significantly increased my engagement by allowing me to share high-quality clips on social media." Results: 50% more followers Efficient Workflow Video Editor "This tool has streamlined my workflow, making it easier to edit and compile clips for my clients." Results: 30% time saved Technical Specifications Supported Formats ✓ MP4 (H.264/AVC) ✓ WebM (VP9) ✓ MOV (QuickTime) ✓ Custom format conversion Quality Options ✓ Source Quality (up to 4K) ✓ 1080p Full HD ✓ 720p HD ✓ Adaptive bitrate support Additional Features ✓ Batch downloading ✓ Subtitle extraction ✓ Chat replay download ✓ Thumbnail generation
2024-11-08T15:36:43
en
train
42,051,669
f1shy
2024-11-05T14:24:02
Source for Software That Never Fails and Can't Be Hacked
null
https://danodowd.com/
3
4
[ 42051683 ]
null
null
null
null
null
null
null
null
null
train
42,051,678
maurodelazeri
2024-11-05T14:25:19
Show HN: PerfRoute – Global observability with automatic network path analysis
Hi HN! I built PerfRoute because I was frustrated with monitoring tools that either required complex integration or provided shallow insights. Here&#x27;s what makes it different: Our core is a distributed network of agents across cloud providers. Each agent:<p>* Automatically collects DNS metrics, SSL status, and geolocation data * Uses an isolated V8 engine to run custom evaluation logic * Can perform full MTR analysis (optional, takes 10-15s for accuracy) * Adapts automatically to identify network path anomalies<p>Technical implementation:<p>* Agents run in isolated environments with independent networking stacks * Custom JavaScript evaluation runs in V8 isolates for security * Dynamic baseline learning for network path detection * Automatic correlation of path changes with performance impacts * Zero-config SSL and DNS monitoring baked into every check<p>You can try it right now:<p>Visit <a href="https:&#x2F;&#x2F;www.perfroute.com&#x2F;" rel="nofollow">https:&#x2F;&#x2F;www.perfroute.com&#x2F;</a> Enter any endpoint See immediate global results<p>Here a video of it: <a href="https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=fxAhu1aHaRU" rel="nofollow">https:&#x2F;&#x2F;www.youtube.com&#x2F;watch?v=fxAhu1aHaRU</a><p>I&#x27;ll here here to discuss the technical details and answer questions about the implementation. Particularly interested in hearing about:<p>* What monitoring edge cases are you struggling with?<p>* What network metrics would you find most valuable?
https://www.perfroute.com
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,681
paulpauper
2024-11-05T14:25:23
The 'Happiness Plateau' Doesn't Exist
null
https://www.bloomberg.com/opinion/articles/2024-11-05/money-can-buy-you-happiness-studies-and-data
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,687
austinallegro
2024-11-05T14:26:42
Wooden satellite heads to space in Mars exploration test
null
https://news.sky.com/story/worlds-first-wooden-satellite-heads-to-space-in-mars-exploration-test-13248719
97
69
[ 42052860, 42052882, 42055465, 42056627, 42052315, 42053348, 42052205, 42052785, 42054742, 42052087, 42052223, 42052632, 42052248, 42055255, 42052210 ]
null
null
null
null
null
null
null
null
null
train
42,051,695
janandonly
2024-11-05T14:28:48
First UK pension fund allocates to Bitcoin – IPE
null
https://www.ipe.com/news/first-uk-pension-fund-allocates-to-bitcoin/10076626.article
4
1
[ 42057846 ]
null
null
null
null
null
null
null
null
null
train
42,051,699
Tomte
2024-11-05T14:29:56
Couple plans to return to US after dream life in France became a 'nightmare'
null
https://www.cnn.com/travel/us-couple-dream-life-france-became-nightmare/index.html
3
7
[ 42051705, 42051796, 42052452, 42053547, 42056196 ]
null
null
null
null
null
null
null
null
null
train
42,051,708
PaulHoule
2024-11-05T14:31:38
P-stalk ribosomes act as master regulators of cytokine-mediated processes
null
https://www.cell.com/cell/fulltext/S0092-8674(24)01139-5
1
0
null
null
null
no_article
null
null
null
null
2024-11-08T11:42:31
null
train
42,051,715
goodhabit123
2024-11-05T14:32:53
null
null
null
1
null
[ 42051716 ]
null
true
null
null
null
null
null
null
null
train
42,051,717
hellowastaken
2024-11-05T14:32:57
Track Modifications to Instagram Accounts in Real Time
null
https://github.com/ibnaleem/instatracker
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,718
null
2024-11-05T14:32:59
null
null
null
null
null
null
[ "true" ]
true
null
null
null
null
null
null
null
train
42,051,719
Dynisty
2024-11-05T14:33:03
null
null
null
1
null
[ 42051720 ]
null
true
null
null
null
null
null
null
null
train
42,051,724
gavinyork
2024-11-05T14:33:35
Zephyr3d – WebGL/WebGPU rendering engine v0.6.1 relased
null
https://github.com/gavinyork/zephyr3d
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,728
avinassh
2024-11-05T14:33:54
How the New Sqlite3_rsync Utility Works
null
https://nochlin.com/blog/how-the-new-sqlite3_rsync-utility-works
5
1
[ 42051958 ]
null
null
no_error
How the New sqlite3_rsync Utility Works
2024-11-02T00:00:00.000Z
null
Nov 2, 2024 As a geek with a passion for both SQLite and replication algorithms, I've enjoyed following the development of the new sqlite3_rsync utility in the SQLite project.The utility employs a bandwidth-efficient algorithm to synchronize new and modified pages from an origin SQLite database to a replica. You can learn more about the new utility here and try it out by following the instructions here.Curious about its workings, I reviewed the code, which can be found in SQLite's Source Repository here or from the GitHub mirror here (retrieved on 2024-11-02).Here are some of the highlights:Replication ProtocolUsing SQL for ComputationsCustom Hash Function Implementation Replication ProtocolThe utility initiates two processes: an origin process and a replica process. These are launched in the main() function on lines 1771-1792:int main(int argc, char const * const *argv){ ... if( isOrigin ){ ... originSide(&ctx); return 0; } if( isReplica ){ ... replicaSide(&ctx); return 0; } } The two sides communicate using a custom wire protocol. They follow this sequence of commands for the happy path:ORIGIN_BEGIN - The origin starts the replication process by sending this command with some configuration values so the replica can validate compatibility.REPLICA_HASH - The replica computes the hash of all the pages in its database and sends them back to the origin in sequential order. For each hash, the origin checks if it has the same page. If not, it adds the page number to a list of pages to be transferred.REPLICA_READY - Once all the hashes have been sent, the replica sends this command to let the origin know it is ready to receive the pages that need to be updated.ORIGIN_PAGE - For each page that needs to be updated, the origin sends this command along with the page number and page data to the replica.ORIGIN_TXN - The origin sends this command once all the pages needing updating have been sent to signal the replica to commit the update transaction.ORIGIN_END - The origin sends this command to tell the replica to quit.In addition to the happy path, there are commands for error handling:ORIGIN_ERROR - The origin sends this to signal a fatal error occurred, terminating replication.REPLICA_ERROR - The replica sends this to signal a fatal error occurred, terminating replication.ORIGIN_MSG - The origin sends informational/warning messages to the replica.REPLICA_MSG - The replica sends informational/warning messages to the origin.There are also a few commands to handle special cases:REPLICA_BEGIN - The replica only sends this to request a different wire protocol version.REPLICA_END - The replica sends this only when using the --commcheck option to verify connectivity. Using SQL for ComputationsThe utility cleverly uses SQL to compute hashes and perform comparisons (line numbers refer to where the prepared statements are created, the snippets shown are derived from the original code for clarity):Hashes are initially computed on the replica (lines 1480-1482):SELECT hash(data) FROM sqlite_dbpage('replica') WHERE pgno<=min(%d,%d) ORDER BY pgno The origin compares hashes from the replica (lines 1283-1290):-- Create a temporary table to store page numbers with mismatched hashes CREATE TEMP TABLE badHash(pgno INTEGER PRIMARY KEY); -- Compare the (pgno, hash) tuple from the replica with the origin's contents SELECT pgno FROM sqlite_dbpage('main') WHERE pgno=?1 AND hash(data)!=?2; -- If there is a mismatch, add the page number to the temporary table INSERT INTO badHash VALUES(?); The origin adds all pages with page numbers greater than the maximum page number from the replica to the badHash table (lines 1321-1324):WITH RECURSIVE c(n) AS (VALUES(%d) UNION ALL SELECT n+1 FROM c WHERE n<%d) INSERT INTO badHash SELECT n FROM c; The origin retrieves all pages identified in the badHash table for transfer to the replica (lines 1328-1329):SELECT pgno, data FROM badHash JOIN sqlite_dbpage('main') USING(pgno); The replica inserts or updates pages received from the origin (lines 1528-1529):INSERT INTO sqlite_dbpage(pgno,data,schema)VALUES(?1,?2,'replica'); Custom Hash Function ImplementationOne of the more interesting technical details of the sqlite3_rsync utility is its use of a custom hash function.For this use case, a full cryptographic hash function is unnecessary and would be computationally expensive. Instead of relying on a standard hashing library function, sqlite3_rsync uses a variant of the SHA-3 algorithm with fewer rounds, 6 instead of the standard 24.Fewer rounds mean the hash function is faster, but it is also less secure. However, for the use case of comparing database pages, security is not a concern.The full hash function can be found on lines 516-805. Here's a short, fun excerpt from the mixing function: /* v---- Number of rounds. SHA3 has 24 here. */ for(i=0; i<6; i++){ c0 = a00^a10^a20^a30^a40; c1 = a01^a11^a21^a31^a41; c2 = a02^a12^a22^a32^a42; c3 = a03^a13^a23^a33^a43; c4 = a04^a14^a24^a34^a44; d0 = c4^ROL64(c1, 1); d1 = c0^ROL64(c2, 1); d2 = c1^ROL64(c3, 1); d3 = c2^ROL64(c4, 1); d4 = c3^ROL64(c0, 1); The hash function is registered as a new SQL function hash() in the origin and replica database for convenient use in SQL statements.-- ConclusionBecause the authors implemented the sqlite3_rsync utility in a self-contained, ~2000 line C program that almost exclusively uses procedural code, it is easy to follow how it works. Both the high-level design and the low-level implementation are straightforward and easy to understand.I'm excited to see this new utility added to SQLite. It adds a more efficient option to the toolset for replicating SQLite databases.
2024-11-07T22:43:07
en
train
42,051,738
jcx730
2024-11-05T14:35:44
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,051,739
speckx
2024-11-05T14:35:48
New CSS that can be used in 2024
null
https://thomasorus.com/new-css-that-can-actually-be-used-in-2024.html
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,750
fieryskiff11
2024-11-05T14:38:11
The Extinction Rebellion has reportedly conducted its first hacking operations
null
https://discoverbundoran.com/2024/11/pwned-by-the-extinction-rebellion-xr/
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,760
Michelangelo11
2024-11-05T14:39:31
Acute arrest of cerebral circulation in man (1943)
null
https://twitter.com/anderssandberg/status/1853779194141884532
1
0
null
null
null
no_article
null
null
null
null
2024-11-08T21:07:38
null
train
42,051,769
hackernj
2024-11-05T14:41:28
I spent the weekend with ChatGPT Search – goodbye, Google
null
https://www.tomsguide.com/ai/chatgpt/goodbye-google-i-spent-the-weekend-with-chatgpt-search-and-im-not-going-back
1
0
[ 42052556 ]
null
null
null
null
null
null
null
null
null
train
42,051,772
WaitWaitWha
2024-11-05T14:41:42
US regulator rejects bid to boost nuclear power to Amazon data center
null
https://thehill.com/policy/technology/4970068-us-regulator-rejects-bid-to-boost-nuclear-power-to-amazon-data-center/
23
11
[ 42053458, 42054526, 42054820, 42054743, 42053635, 42053421 ]
null
null
null
null
null
null
null
null
null
train
42,051,783
croes
2024-11-05T14:43:00
Dear iPhone, Please Stop Saying My Friends Are 'Dead'
null
https://www.cnet.com/tech/mobile/dear-iphone-please-stop-saying-my-friends-are-dead/
7
0
[ 42052553 ]
null
null
null
null
null
null
null
null
null
train
42,051,788
shipmobilefast
2024-11-05T14:43:18
null
null
null
1
null
[ 42051789 ]
null
true
null
null
null
null
null
null
null
train
42,051,800
WaitWaitWha
2024-11-05T14:43:55
null
null
null
1
null
[ 42052549 ]
null
true
null
null
null
null
null
null
null
train
42,051,806
Lior539
2024-11-05T14:44:21
Why you're bad at giving feedback
null
https://newsletter.posthog.com/p/why-you-suck-at-giving-feedback
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,817
edward
2024-11-05T14:45:33
Why your company is struggling to scale up generative AI
null
https://www.economist.com/business/2024/11/04/why-your-company-is-struggling-to-scale-up-generative-ai
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,832
mperham
2024-11-05T14:46:53
Hanami 2.2: Persistence pays off
null
https://hanamirb.org/blog/2024/11/05/hanami-220/
3
0
null
null
null
null
null
null
null
null
null
null
train
42,051,837
nomilk
2024-11-05T14:47:45
Ask HN: Which browser extensions could you not do without?
I sometimes encounter a tiny problem that causes outsized annoyance, and after a search come across a browser extension that solves it. A short time later, the thought of using the web <i>without</i> it is inconceivable; almost barbaric!<p>Examples: uBlock Origin, Sponsor Block, Enhancer for YouTube, Tamper Monkey, jsonvue.<p>What extensions do you currently use that you could not do without? (some extensions are broad in scope, so if you can, please explain what you love about it&#x2F;them)
null
7
18
[ 42069034, 42061337, 42057667, 42054512, 42054627, 42051967, 42054381, 42054630, 42052002, 42054549, 42053130, 42052073, 42057386 ]
null
null
null
null
null
null
null
null
null
train
42,051,845
WaitWaitWha
2024-11-05T14:48:53
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,051,849
dnetesn
2024-11-05T14:48:59
The Mystery of the Siberian Craters
null
https://nautil.us/the-mystery-of-the-siberian-craters-1051317/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,862
loubnabnl
2024-11-05T14:50:05
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,051,864
thunderbong
2024-11-05T14:50:10
The first wooden satellite launched into space
null
https://www.theverge.com/2024/11/5/24288643/first-wood-satellite-launch-spacex-international-space-station
6
5
[ 42053831, 42056083 ]
null
null
no_error
The first wooden satellite launched into space
2024-11-05T14:32:36.181Z
null
In a first for the world, scientists launched a satellite made from wood into space. As it orbits the planet from some 250 miles away, researchers will study whether wood is sturdy enough for space.Called LignoSat, after the Latin word for wood, the satellite launched Monday night aboard a SpaceX mission bound for the International Space Station. It’ll eventually be released into orbit, where instruments will measure how the wood fares under the harsh conditions of space over six months.“With timber, a material we can produce by ourselves, we will be able to build houses, live and work in space forever,” Takao Doi, an astronaut and professor at Kyoto University, told Reuters.Kyoto University researchers and timber company Sumitomo Forestry started working together on the space wood project in 2020. They conducted space exposure tests from the International Space Station over more than 240 days in 2022. They settled on using Hoonoki, a type of Magnolia wood, for its “high workability, dimensional stability, and overall strength.” The wood is often used to make traditional sword sheaths in Japan because it’s resistant to shattering, Reuters reports.The lack of water or oxygen in space protects the wood satellite from fire or decay, according to the team from Kyoto University. They’ll also test how effective the wood is at protecting semiconductors from space radiation, according to Reuters. “If we can prove our first wooden satellite works, we want to pitch it to Elon Musk’s SpaceX,” Doi said. They also think that wooden satellites could be a less polluting option than metal satellites that release aluminum oxide particles when they burn up during re-entry. In 50 years, Doi’s team reportedly envisions growing wood for timber homes on the Moon and Mars.
2024-11-08T09:06:46
en
train
42,051,868
WaitWaitWha
2024-11-05T14:50:43
Myths About Electric-Vehicle Batteries
null
https://www.electronicdesign.com/technologies/power/article/55240481/dukosi-11-myths-about-electric-vehicle-batteries
3
0
null
null
null
null
null
null
null
null
null
null
train
42,051,875
MPSimmons
2024-11-05T14:51:15
Timeline of the 2020 Election (Wikipedia)
null
https://en.wikipedia.org/wiki/Timeline_of_the_2020_United_States_presidential_election_(November_2020%E2%80%93January_2021)
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,876
crescit_eundo
2024-11-05T14:51:26
Key stages in the decline of academic Marxism
null
https://josephheath.substack.com/p/key-stages-in-the-decline-of-academic
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,885
LinuxBender
2024-11-05T14:52:24
Washington courts grapple with statewide outage after 'unauthorized activity'
null
https://www.theregister.com/2024/11/05/washington_courts_outage/
5
0
[ 42052538 ]
null
null
null
null
null
null
null
null
null
train
42,051,889
prewstar
2024-11-05T14:52:46
Wikipedia's war on India – A Dossier [pdf]
null
https://drive.google.com/file/d/1bkwkylx0KcfSGnyVkhEApeJfIkTwVdjf/view
4
1
[ 42051890, 42052537 ]
null
null
null
null
null
null
null
null
null
train
42,051,895
LinuxBender
2024-11-05T14:53:17
Apple 'broke law' by pushing out labor-organizing dev
null
https://www.theregister.com/2024/11/05/apple_labor_law_nlrb/
63
21
[ 42052353, 42054245, 42057030, 42052324, 42052231, 42052181, 42052174 ]
null
null
null
null
null
null
null
null
null
train
42,051,901
jedberg
2024-11-05T14:53:38
What You Need to Know About Election Night Results and the New York Times Needle
null
https://www.nytimes.com/article/election-2024-results-needle.html
2
1
[ 42051917 ]
null
null
null
null
null
null
null
null
null
train
42,051,904
LinuxBender
2024-11-05T14:53:42
null
null
null
14
null
[ 42052088 ]
null
true
null
null
null
null
null
null
null
train
42,051,911
LinuxBender
2024-11-05T14:54:14
Meta's plan for nuclear datacenter reportedly undone by bees
null
https://www.theregister.com/2024/11/04/meta_ai_datacenter_bee/
2
0
null
null
null
missing_parsing
Meta's plan for nuclear datacenter reportedly undone by bees
2024-11-04T22:30:08Z
Thomas Claburn
Meta's plan to build a nuclear-powered datacenter for AI workloads has been undone by bugs, specifically bees. CEO Mark Zuckerberg reportedly told employees at an all-hands meeting that the discovery of a rare species of bees on the prospective build site had contributed to the cancellation of the datacenter project, according to The Financial Times. Meta is said to have been negotiating a deal with the operator of an existing nuclear power plant for emissions-free electricity to sustain a new AI-focused datacenter. But according to two sources cited in the report, environmental and regulatory hurdles stymied the deal. The report did not identify where the nixed datacenter site would have been located. The Electric Power Research Institute (EPRI), a clean energy research group, in 2018 launched a Power-In-Pollinators initiative to encourage energy companies to accommodate pollinators like bees and butterflies. Pollinators support agriculture and food production, so it's a bad look to kill them off for the sake of chatbots and AI-generated social media filler. Related projects have focused on habitat restoration at former nuclear sites. The EPRI Pollinator Stewardship Dashboard currently lists 295 sites operated by 19 participating energy firms that support pollinators. Meta did not respond to a request for comment. Amazon also has encountered obstacles in its effort to secure nuclear power for its datacenters. The Federal Energy Regulatory Commission (FERC) on Friday issued an order that rejected a revised Interconnection Service Agreement (ISA) that aimed to provide more power to the Cumulus datacenter operated by Talen Energy. Rivals American Electric Power (AEP) and Exelon in June filed an objection on the ground that the proposed agreement with regional power grid operator PJM Interconnection would favor Talen at their expense. Microsoft tries out wooden bit barns to cut construction emissions Microsoft has reached $1M giveaway levels of desperation to attract users to Bing Beijing claims it's found 'underwater lighthouses' that its foes use for espionage Datacenter CEO faked top-tier IT reliability cert to snag $10.7M SEC deal, DoJ claims AI workloads require a tremendous amount of energy, so much so that the AI hyperscalers in the US have turned to nuclear power as a way to meet the increasing demand for energy production without burning fossil fuels. Microsoft in September struck a 20-year deal to purchase power from the idle Three Mile Island nuclear power plant, which would be operated under a name with less historical baggage, Crane Clean Energy Center, by Constellation Energy. Google last month announced a deal with Kairos Power to purchase energy produced by small modular reactors (SMRs). Oracle meanwhile said it had obtained building permits for three SMRs to power a datacenter with over a gigawatt of AI compute capacity. Meta in its recent earnings release raised its low-end guidance for 2024 capital expenditures by $1 billion – from $37 billion to $38 billion – while its top-end guidance remained at $40 billion. Much of that expense is intended for the build-out and provisioning of AI datacenters. ®
2024-11-08T18:02:28
null
train
42,051,932
PaulHoule
2024-11-05T14:55:48
Echo chamber formation sharpened by priority users
null
https://www.cell.com/iscience/fulltext/S2589-0042(24)02323-X
1
1
[ 42052084 ]
null
null
null
null
null
null
null
null
null
train
42,051,950
corbet
2024-11-05T14:57:27
The BPF instruction set architecture is now RFC 9669
null
https://lwn.net/Articles/997002/
51
7
[ 42052296, 42052463, 42052308, 42054661, 42052294 ]
null
null
null
null
null
null
null
null
null
train
42,051,957
mickael
2024-11-05T14:57:52
Thoughts on Improving Messaging Protocols – Part 2, Matrix
null
https://www.process-one.net/blog/thoughts-on-improving-messaging-protocols-part-2-matrix/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,051,968
ipnon
2024-11-05T14:59:15
Hacker Fab
null
https://docs.hackerfab.org/hacker-fab-space
426
132
[ 42052660, 42057131, 42056694, 42053103, 42053610, 42052569, 42054705, 42053179, 42054011, 42054496, 42059524, 42058124, 42056144 ]
null
null
null
null
null
null
null
null
null
train
42,051,971
hunglee2
2024-11-05T14:59:22
The Future of Industrialisation 2024 [pdf]
null
https://mipforum.org/wp-content/uploads/2024/11/MIPF-Conference-Paper-FINAL-WEB.pdf
2
0
null
null
null
is_pdf
null
null
null
null
2024-11-07T22:31:34
null
train
42,051,972
loubnabnl
2024-11-05T14:59:23
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,051,977
iowadev
2024-11-05T14:59:52
Show HN: Rede.io – AI-Summarized Daily Tech News
Hey HN!<p>I’m a PM in tech (self-taught dev), and my friend, a software engineer, and I built Rede.io as a way to dive into using LLMs in production to learn. Right now, it’s a daily email with the top tech stories, AI-summarized to get you up to speed fast.<p>Tech Stack &amp; Curation<p>We’re building with Next.js, React, and custom email infrastructure. For now, we’re curating from RSS and subreddits but are looking to add sources like GitHub, Product Hunt, and company blogs. We chose tech as a starting point, but with what we’ve built, there’s potential to support other types of curated newsletters down the line.<p>We’d love to know what you’d like in a daily tech email. Any feedback on content, features, or sources would be awesome!<p>Check it out, and thanks for redeing!<p>Cheers, Rene
https://rede.io
1
0
null
null
null
no_error
Daily Rede - A Curated Daily Tech Newsletter
null
Rene DeAnda
Curated Tech, Smarter YouJoin us in reshaping how tech professionals stay informed. Your daily digest, evolving with you.🚀 Daily insights on tech, startups, and emerging innovations🧠 Smart curation with a human touch📬 Delivered to your inbox at 5am PST / 8am ESTWhy Choose Rede.io?🤖AI-Powered CurationOur AI sifts through the noise, bringing you the most relevant tech stories and breakthroughs.🎯Bite-Sized UpdatesReceive concise and informative updates that you can read in just a few minutes.📬Daily DeliveryNever miss an important update with our daily email delivery.How It Works1SubscribeSign up with your email address.2AI CurationOur AI analyzes several curated tech news sources.3PersonalizationWe tailor content to your interests over time.4Daily DigestReceive a concise email briefing every morning.What Our Readers Say"Rede.io has become an essential part of my morning routine. It keeps me informed without overwhelming me."Samantha LeeSoftware Engineer"The AI curation is spot-on. I get all the tech news I need in a quick, digestible format."Michael D.Product ManagerJoin the Rede.io CommunitySubscribe now and get the tech news that matters, without the doomscrolling.Subscribe Now
2024-11-07T23:20:22
en
train
42,051,985
hunglee2
2024-11-05T15:00:54
Did Tariffs Make American Manufacturing Great? [pdf]
null
https://www.nber.org/system/files/working_papers/w33100/w33100.pdf
1
0
null
null
null
null
null
null
null
null
null
null
train
42,051,996
belter
2024-11-05T15:02:55
Can Large Language Models generalize analogy solving like people can?
null
https://arxiv.org/abs/2411.02348
3
1
[ 42052252 ]
null
null
null
null
null
null
null
null
null
train
42,052,029
mixeden
2024-11-05T15:05:51
Trade-Offs in LLM Quantization
null
https://synthical.com/article/%22Give-Me-BF16-or-Give-Me-Death%22%3F-Accuracy-Performance-Trade-Offs-in-LLM-Quantization-a404395c-6ef4-4b4a-991f-b662bbaf7c37
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,053
amorriscode
2024-11-05T15:08:41
Improving LLMs with Synthetic Data
null
https://anthonymorris.dev/words/improving-llms-with-synthetic-data
1
0
null
null
null
null
null
null
null
null
null
null
train
42,052,055
voxadam
2024-11-05T15:08:52
What makes lager yeast special? Inside the genetics of beer
null
https://www.asbmb.org/asbmb-today/science/110524/lager-yeast-inside-genetics-of-beer
2
0
[ 42052525 ]
null
null
no_error
What makes lager yeast special? Inside the genetics of beer
null
Marissa Locke Rottinghaus
While beers such as ales, stouts and sours have their own fanbases, America has long favored a crisp, refreshing lager. But what makes a yeast variety suitable for light, lager beer rather than ales? According to Chris Todd Hittinger, a professor of genetics evolution at the University of Wisconsin–Madison, Saccharomyces cerevisiae, or baker’s yeast, requires a warm environment for optimal fermentation. This works well for brewing heavier beers, such as ales. However, to produce a lager, brewers need yeast that ferments best at cool temperatures. Todd Hittinger Industrial lager brewers favor S. pastorianus, a hybrid of S. cerevisiae and a wild ancestor. Scientists did not understand how S. cerevisiae evolved to give rise to a cold-dwelling species until they discovered the wild ancestor of lager yeast, S. eubayanus, in 2011. To understand this evolution, Hittinger’s lab compared the genomes of S. cerevisiae and S. eubayanus and found that S. eubayanus acquired cold tolerance in part through its mitochondrial genome. “When we do experiments where we take a strain of industrial lager yeast, all of which have the S. eubayanus mitochondrial genome, and swap in the S. cerevisiae mitochondrial genome, the temperature preference of the yeast shifts upwards,” Hittinger said. “We think this is one of the big smoking guns, and it explains why all industrial lager strains have an S. eubayanus mitochondrial genome.” MOGANA DAS MURTEY AND PATCHAMUTHU RAMASAMY VIA WIKIMEDIA COMMONS Shown is a scanning electron microscope image of Saccharomyces cerevisiae budding. Sugar, sugar, sugar Beer starts with three main components: hops, yeast and wort — a sugary grain water that contains maltose and maltotriose. “Unless you like cloyingly sweet beers ... you need to ferment all of the fermentable sugars into carbon dioxide and ethanol to create a nice, crisp, dry lager you’d enjoy on a hot summer day,” Hittinger said. Domesticated lager yeasts can ferment maltotriose, but S. eubayanus cannot. Hittinger, John Crandall, a Ph.D. student in the Hittinger lab, and collaborators performed adaptive evolution experiments to find out how S. eubayanus could have acquired this trait. They found two distinct mechanisms. Jacob Crandall “Both of our studies show that it takes pretty dramatic mutations to evolve this key trait,” Crandall said. When selecting for maltotriose use, they found S. eubayanus acquired a novel, chimeric maltotriose transporter via genetic recombination of two MALT genes, which alone drive maltose metabolism. Conversely, when they performed experiments selecting for maltose use, they found that the mutant S. eubayanus changed from diploid to haploid. This change activated an alternative metabolism in the yeast cells, allowing a haploid-specific gene to activate a previously dormant sugar transporter. “Most of the advantage that haploids have comes from the fact that they express a small set of haploid-specific genes, which defines their cell type,” Crandall said. “None of these (haploid) genes were known to have any regulatory crosstalk with metabolic pathways in Saccharomyces cerevisiae, where that cell type–specification circuit has been extensively studied.”
2024-11-08T14:58:15
en
train
42,052,057
Brajeshwar
2024-11-05T15:09:15
Earth May Survive the Sun's Demise
null
https://eos.org/articles/earth-may-survive-the-suns-demise
4
0
null
null
null
null
null
null
null
null
null
null
train
42,052,058
Brajeshwar
2024-11-05T15:09:26
ChatGPT search paves the way for AI agents
null
https://www.technologyreview.com/2024/11/05/1106603/how-chatgpt-search-paves-the-way-for-ai-agents/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,066
ben_yuan
2024-11-05T15:10:34
Request for your comment on my first officially launched Chrome extension
null
https://chromewebstore.google.com/detail/dolphin-assistant/mkophphbjinopbpikhlhcfkjfemhgbaf
3
1
[ 42052067 ]
null
null
null
null
null
null
null
null
null
train
42,052,089
alexkirwan
2024-11-05T15:13:15
Benchmarking Customer Service LLMs
null
https://blog.tryreva.com/posts/benchmarking-customer-service-llms/
5
0
null
null
null
null
null
null
null
null
null
null
train
42,052,119
guergabo
2024-11-05T15:16:16
Your computer can test better than you (and that's a good thing)
null
https://www.antithesis.com/blog/autonomous_testing/
9
4
[ 42052184, 42052516 ]
null
null
null
null
null
null
null
null
null
train
42,052,134
georgecmu
2024-11-05T15:17:58
A 150-Year Conundrum: Cranial Robusticity and Origin of Aboriginal Australians
null
https://pmc.ncbi.nlm.nih.gov/articles/PMC3039414/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,135
okish
2024-11-05T15:18:01
The impact of 25 people on Congressional voting
null
https://medium.com/practical-coding/the-impact-of-25-people-on-congressional-voting-d959e22baea1
2
1
[ 42052136 ]
null
null
null
null
null
null
null
null
null
train
42,052,139
alexzeitler
2024-11-05T15:18:15
Read More Books
null
https://www.notboring.co/p/read-more-books
7
0
[ 42052505 ]
null
null
null
null
null
null
null
null
null
train
42,052,142
unripe_syntax
2024-11-05T15:18:33
Laravel Solr
null
https://laravel-news.com/laravel-solr
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,143
mooreds
2024-11-05T15:18:34
Hacking 700M Electronic Arts accounts
null
https://battleda.sh/blog/ea-account-takeover
855
151
[ 42054823, 42054646, 42052770, 42053694, 42053095, 42053826, 42053642, 42053070, 42062517, 42053711, 42052894, 42054570, 42055104, 42056375, 42056407, 42055089, 42054787, 42057209, 42054107, 42053336, 42052974, 42056129, 42052641, 42052635, 42052764, 42053085, 42056466 ]
null
null
no_article
null
null
null
null
2024-11-08T04:51:56
null
train
42,052,158
EGreg
2024-11-05T15:19:53
Ask HN: Why not tweak the Base32Hex alphabet a bit?
The base32hex alphabet contains 0123456789ABCDEFGHIJKLMNOPQRSTUV<p>But one can confuse 0 with O, B with 8, 1 with I.<p>However we haven’t used WXYZ. Why not have an alphabet that omits B, I and O, and includes X, Y, Z?<p>Seems to me that such an alphabet would retain all the nice ASCII lexicographical ordering while at the same time be printable too.
null
2
5
[ 42052345, 42052790, 42052325, 42053122, 42052856 ]
null
null
null
null
null
null
null
null
null
train
42,052,164
rogerthirty
2024-11-05T15:20:31
null
null
null
2
null
[ 42052197, 42052254 ]
null
true
null
null
null
null
null
null
null
train
42,052,186
sandwichsphinx
2024-11-05T15:23:32
Strict Electric Mandates Failed Washington
null
https://www.wsj.com/opinion/strict-electric-mandates-failed-washington-4eb35937
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,193
gmemstr
2024-11-05T15:24:42
Support Festinger Vault's fight against corporate power
null
https://meta.festingervault.com/t/announcement-of-reopening-the-vault-we-need-your-support-now/106047
2
0
[ 42052458 ]
null
null
null
null
null
null
null
null
null
train
42,052,194
skadamat
2024-11-05T15:25:44
PiML: Python Interpretable Machine Learning Toolbox
null
https://github.com/SelfExplainML/PiML-Toolbox
91
20
[ 42054590, 42054442, 42053782, 42053725, 42053699, 42053470, 42053351 ]
null
null
null
null
null
null
null
null
null
train
42,052,206
matek074
2024-11-05T15:26:54
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,052,207
izakfr
2024-11-05T15:27:03
Show HN: Varse – Simple remote application config
Hey HN,<p>We wanted a simple way to update application configs, without redeploying. We wanted to remotely set variables, and read them in our application. We created Varse to do this.<p>Varse has a dashboard for creating key - value pairs and an SDK to read them. It&#x27;s un-opinionated and allows for strings, booleans, or even json objects to be stored.<p>We have instructions for running it yourself. We also have a hosted version where you can create an account and manage variables.<p>This is our first time building an open source project. We&#x27;d love feedback on how to do it right.<p>Github: <a href="https:&#x2F;&#x2F;github.com&#x2F;varse-io&#x2F;varse">https:&#x2F;&#x2F;github.com&#x2F;varse-io&#x2F;varse</a><p>Hosted Version: <a href="https:&#x2F;&#x2F;app.varse.io&#x2F;signup" rel="nofollow">https:&#x2F;&#x2F;app.varse.io&#x2F;signup</a><p>Website: <a href="https:&#x2F;&#x2F;www.varse.io&#x2F;" rel="nofollow">https:&#x2F;&#x2F;www.varse.io&#x2F;</a><p>Contact: [email protected]
https://github.com/varse-io/varse
37
23
[ 42053472, 42053124, 42053247, 42053404, 42055665, 42055897, 42056458, 42052638, 42052735, 42053557 ]
null
null
null
null
null
null
null
null
null
train
42,052,212
yamrzou
2024-11-05T15:27:58
The Perfectionist's Script for Self-defeat (1980) [pdf]
null
https://anandagarden.com/wp-content/uploads/the-perfectionists-script-for-self-defeat.pdf
2
0
null
null
null
is_pdf
null
null
null
null
2024-11-08T00:27:48
null
train
42,052,215
PaulHoule
2024-11-05T15:28:02
null
null
null
2
null
[ 42052431, 42052433 ]
null
true
null
null
null
null
null
null
null
train
42,052,216
bx376
2024-11-05T15:28:04
The Craft of Writing Effectively (2014) [video]
null
https://www.youtube.com/watch?v=vtIzMaLkCaM
4
0
[ 42052447 ]
null
null
null
null
null
null
null
null
null
train
42,052,241
RonJaworski
2024-11-05T15:31:46
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,052,243
PCP7
2024-11-05T15:31:48
Nano-GPT – PayPerPromt LLM/IGM
null
https://nano-gpt.com/join?callbackUrl=%2F
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,244
alexfefun
2024-11-05T15:31:59
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,052,247
soheilpro
2024-11-05T15:32:18
null
null
null
11
null
[ 42052396, 42052387 ]
null
true
null
null
null
null
null
null
null
train
42,052,253
thewarpaint
2024-11-05T15:32:51
null
null
null
22
null
[ 42052841, 42052966, 42052985 ]
null
true
null
null
null
null
null
null
null
train
42,052,263
toomuchtodo
2024-11-05T15:34:12
Boeing ends crippling strike as workers accept latest offer
null
https://www.bloomberg.com/news/articles/2024-11-05/boeing-ends-crippling-strike-after-workers-accept-latest-offer
57
111
[ 42052483, 42052264, 42053322, 42053019, 42052990, 42052637, 42052900 ]
null
null
null
null
null
null
null
null
null
train
42,052,312
sandwichsphinx
2024-11-05T15:39:52
Image-Goal Representations Atomic Control Units for Foundation Model Embodied AI
null
https://arxiv.org/abs/2411.00785
2
0
null
null
null
null
null
null
null
null
null
null
train
42,052,313
bookofjoe
2024-11-05T15:39:58
PhyloPic – 10k+ free silhouette images of animals, plants, and other life forms
null
https://www.phylopic.org
3
0
[ 42052423 ]
null
null
null
null
null
null
null
null
null
train
42,052,330
CountBayesie
2024-11-05T15:41:53
The Bunny B1: Demoing a Natrual Language to App Call Interface with SmolLM2
null
https://github.com/dottxt-ai/demos/tree/main/its-a-smol-world
14
0
[ 42052383 ]
null
null
null
null
null
null
null
null
null
train
42,052,332
fanf2
2024-11-05T15:42:02
Async Cancellation in Rust (2021)
null
https://blog.yoshuawuyts.com/async-cancellation-1/
2
0
[ 42052354, 42052356 ]
null
null
null
null
null
null
null
null
null
train
42,052,342
tomohawk
2024-11-05T15:43:01
Russia Firing Record Number of Shahed-136s at Ukraine
null
https://www.twz.com/news-features/russia-firing-record-number-of-shahed-136s-at-ukraine
7
1
[ 42052555, 42052379 ]
null
null
null
null
null
null
null
null
null
train
42,052,352
pseudolus
2024-11-05T15:44:56
Facebook, Nvidia push SCOTUS to limit "nuisance" investor suits after scandals
null
https://arstechnica.com/tech-policy/2024/11/facebook-nvidia-push-scotus-to-limit-nuisance-investor-suits-after-scandals/
2
0
[ 42052405 ]
null
null
null
null
null
null
null
null
null
train
42,052,357
Iulioh
2024-11-05T15:45:18
Ask HN: How do you estimate the cost of a board?
Flavor text:<p>To keep it brief, I&#x27;m starting a new position in the cost engineering department. It seems that the electronic components division is fairly understaffed (only 1 guy can work on boards, the rest do cables), and my training supervisor intends to assign me to that division.<p>I don&#x27;t really have a lot of experience in the field expect half a degree in CS and the awarness of reddit and this site.<p>NOW:<p>How do you estimate the cost of components of a board?<p>I understand the existance of sites like digikey, rs-online and some comparator sites (octopart and findchip) but i would like to know more about the logic behing logic cip design to at least understand what types of components i&#x27;m looking at.<p>Any resurces i should look at?<p>Books about circuit design and components and how should i price components, i should every time email suppliers? this seems really....inefficent
null
5
3
[ 42052754, 42059424, 42054859 ]
null
null
null
null
null
null
null
null
null
train
42,052,361
astura
2024-11-05T15:45:23
Mammography screening is harmful and should be abandoned (2015)
null
https://pmc.ncbi.nlm.nih.gov/articles/PMC4582264/
2
0
[ 42052400 ]
null
null
null
null
null
null
null
null
null
train
42,052,365
shakascchen
2024-11-05T15:45:28
Wittgenstein's Language Games and the Rise of Large Language Models
null
https://www.shaka.today/intelligence-as-language-games-wittgenstein-and-the-rise-of-large-language-models/
3
0
null
null
null
null
null
null
null
null
null
null
train