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,040,121
n1o
2024-11-04T10:09:24
null
null
null
1
null
[ 42040122 ]
null
true
null
null
null
null
null
null
null
train
42,040,133
javatuts
2024-11-04T10:11:01
Master 20 Essential TypeScript Tricks: Write More Efficient Code in 2024
null
https://jsdev.space/20-ts-tricks/
1
0
[ 42040388 ]
null
null
Failed after 3 attempts. Last error: Quota exceeded for quota metric 'Generate Content API requests per minute' and limit 'GenerateContent request limit per minute for a region' of service 'generativelanguage.googleapis.com' for consumer 'project_number:854396441450'.
20 TypeScript Tips for Cleaner, More Efficient Code in 2024
null
null
JavaScript Development SpaceHowtosSnippetsFridayHomeTypescript20 TypeScript Tips for Cleaner, More Efficient Code in 2024Add to your RSS feed4 November 20243 min readTable of Contents1. NonNullable: Excludes null and undefined.2. Partial: Makes all properties optional.3. Readonly: Enforces immutability.4. Mapped Types: Transform existing types dynamically.5. Optional Tuple Elements: Use variadic tuple types.6. Union Exhaustiveness: Ensure all cases are handled.7. Omit: Remove properties from a type.8. Type Narrowing: Use in and instanceof to narrow types.9. Conditional Types: Apply conditional logic.10. Literal Types with as const:11. Extract and Exclude: Filter union types.12. Custom Type Guards:13. Record: Dynamic object types.14. Index Signatures: Add dynamic properties.15. Never Type: For exhaustive checks.16. Optional Chaining:17. Null Coalescing (??):18. ReturnType: Infer function return types.19. Generics: Flexible function types.20. Intersection Types: Combine multiple types.SummaryTypeScript enhances JavaScript with type safety and powerful features, but many developers use only its basics. Here’s a guide to 20 advanced TypeScript tricks that can boost your productivity, code maintainability, and will help improve code efficiency and readability. Each trick is demonstrated with practical code examples. 1. NonNullable: Excludes null and undefined. 1 type User = { name: string; age?: number | null };2 const userAge: NonNullable<User["age"]> = 30; 2. Partial: Makes all properties optional. 1 interface User { name: string; age: number; email: string; }2 const updateUser = (user: Partial<User>) => ({ ...user, updatedAt: new Date() });3 updateUser({ name: 'John' }); 3. Readonly: Enforces immutability. 1 const config: Readonly<{ apiUrl: string; retries: number }> = { apiUrl: 'https://api.com', retries: 5 };2 config.apiUrl = 'https://newapi.com'; 4. Mapped Types: Transform existing types dynamically. 1 type Status = 'loading' | 'success' | 'error';2 type ApiResponse<T> = { [K in Status]: T };3 const response: ApiResponse<string> = { loading: 'Loading...', success: 'Done', error: 'Error' }; 5. Optional Tuple Elements: Use variadic tuple types. 1 type UserTuple = [string, number?, boolean?];2 const user1: UserTuple = ['Rob']; 6. Union Exhaustiveness: Ensure all cases are handled. 1 type Status = 'open' | 'closed' | 'pending';2 function handleStatus(status: Status) {3 switch (status) {4 case 'open': return 'Opened';5 case 'closed': return 'Closed';6 case 'pending': return 'Pending';7 default: const exhaustiveCheck: never = status; return exhaustiveCheck;8 }9 } 7. Omit: Remove properties from a type. 1 interface Todo { title: string; description: string; completed: boolean; }2 type TodoPreview = Omit<Todo, 'description'>;3 const todo: TodoPreview = { title: 'Learn TypeScript', completed: false }; 8. Type Narrowing: Use in and instanceof to narrow types. 1 function processInput(input: string | number | { title: string }) {2 if (typeof input === 'string') return input.toUpperCase();3 if ('title' in input) return input.title.toUpperCase();4 } 9. Conditional Types: Apply conditional logic. 1 type IsString<T> = T extends string ? true : false;2 type CheckString = IsString<'Hello'>; 10. Literal Types with as const: 1 const COLORS = ['red', 'green', 'blue'] as const;2 type Color = typeof COLORS[number]; 11. Extract and Exclude: Filter union types. 1 type T = 'a' | 'b' | 'c';2 type OnlyAOrB = Extract<T, 'a' | 'b'>; 12. Custom Type Guards: 1 function isString(input: any): input is string { return typeof input === 'string'; } 13. Record: Dynamic object types. 1 type Role = 'admin' | 'user' | 'guest';2 const permissions: Record<Role, string[]> = { admin: ['write'], user: ['read'], guest: ['view'] }; 14. Index Signatures: Add dynamic properties. 1 class DynamicObject { [key: string]: any; }2 const obj = new DynamicObject(); obj.name = 'Rob'; 15. Never Type: For exhaustive checks. 1 function assertNever(value: never): never { throw new Error(`Unexpected: ${value}`); } 16. Optional Chaining: 1 const user = { profile: { name: 'John' } };2 const userName = user?.profile?.name; 17. Null Coalescing (??): 1 const input: string | null = null;2 const defaultValue = input ?? 'Default'; 18. ReturnType: Infer function return types. 1 function getUser() { return { name: 'John', age: 30 }; }2 type UserReturn = ReturnType<typeof getUser>; 19. Generics: Flexible function types. 1 function identity<T>(value: T): T { return value; }2 identity<string>('Hello'); 20. Intersection Types: Combine multiple types. 1 type Admin = { privileges: string[] };2 type User = { name: string };3 type AdminUser = Admin & User; Summary Each of these tips highlights ways to write cleaner, more reliable TypeScript code. Using these tricks, you can leverage TypeScript’s full type system for safer and more maintainable development. Would you like me to explain any of these tricks in more detail? I can also provide additional examples or show how these patterns can be combined in real-world scenarios.Related Posts:
2024-11-08T08:44:13
null
train
42,040,142
prmph
2024-11-04T10:12:17
Graphene-chip implant in UK trial could transform brain tumour surgery
null
https://www.theguardian.com/science/2024/nov/03/graphene-chip-implant-uk-trial-transform-brain-tumour-surgery-cancer-cell
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,166
tigerlily
2024-11-04T10:18:51
Quincy Jones, Giant of American Music, Dies at 91
null
https://www.nytimes.com/2024/11/04/arts/music/quincy-jones-dead.html
18
3
[ 42040499, 42042233, 42042118 ]
null
null
null
null
null
null
null
null
null
train
42,040,175
BSDobelix
2024-11-04T10:20:29
FreeBSD 14.2 Beta 1 Released
null
https://www.phoronix.com/news/FreeBSD-14.2-Beta-1-Released
3
0
[ 42040183 ]
null
null
null
null
null
null
null
null
null
train
42,040,189
andrecarini
2024-11-04T10:22:47
Ask HN: Niche technical knowledge not found on the internet?
What niche subjects are you interested in for which the knowledge is hard to come by on the internet?<p>Is it due to copyright reasons? Lack of organised and searchable corpus? Hands-on knowledge that doesn&#x27;t translate well to visual media?
null
10
3
[ 42069714, 42040872, 42040998, 42040564 ]
null
null
null
null
null
null
null
null
null
train
42,040,219
janandonly
2024-11-04T10:25:58
User ID verification: A solution to social media's problems
null
https://thehill.com/opinion/congress-blog/technology/4959447-social-media-id-verification/
2
2
[ 42040224, 42040373 ]
null
null
null
null
null
null
null
null
null
train
42,040,220
belter
2024-11-04T10:26:01
The hot mess theory of AI misalignment (2023)
null
https://sohl-dickstein.github.io/2023/03/09/coherence.html
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,225
aymantj
2024-11-04T10:26:31
How to grow my app business?
null
https://dailieshabit.com/
2
2
[ 42040226, 42040366 ]
null
null
no_error
dailieshabit.com
null
null
"Achieve More, Reward Yourself, Repeat." Your personal companion in the journey towards building better Habits and celebrating every Achievement. Key Features DAILIES Effortlessly log your daily habits. Whether it's a morning workout, reading, or even drinking enough water, Dailies helps you keep a close eye on your progress EVENTS Your personal diary for productivity. Journal your accomplishments day by day, log meetings, or record new milestones. The perfect way to look back on your hard work REMINDERS Our dedicated reminder space helps you stay on top of everything—from daily chores to life-changing appointments. Dailies ensures that if it's important to you, you'll be ready to tackle it on time, every time. SHOP Turn productivity into a rewarding shopping spree with Dailies' Custom Shop. Earn coins through tasks and spend them in your personal store. Whether it's indulging in hobbies or planning your next getaway, the shop puts the 'fun' back into 'funds'. Manage, customize, and enjoy your rewards, your way. CHALLENGES Take your daily routine up a notch with Dailies Challenges. Engage in hand-picked productivity challenges designed to boost your efficiency and add a zest of competition to your day. Complete challenges to earn extra coins and achieve greatness one step at a time. FUN Who said tracking habits has to be dull? Dailies makes self-improvement fun and engaging, turning everyday tasks into exciting challenges. CONTACT US ! For more Information, Or Suggestions.Please contact us on :[email protected] © DAILIES 2024
2024-11-07T23:13:57
en
train
42,040,231
rbanffy
2024-11-04T10:27:41
To understand physics, we need to tell – and hear – stories Essays
null
https://aeon.co/essays/to-understand-physics-we-need-to-tell-and-hear-stories
1
0
null
null
null
Failed after 3 attempts. Last error: Quota exceeded for quota metric 'Generate Content API requests per minute' and limit 'GenerateContent request limit per minute for a region' of service 'generativelanguage.googleapis.com' for consumer 'project_number:854396441450'.
To understand physics, we need to tell – and hear – stories | Aeon Essays
2024-11-01
Jamie Zvirzdin
C P Snow’s lecture ‘The Two Cultures’ (1959) argued that the perceived divide between scientists and literary scholars is narrower than commonly believed. They both fundamentally seek to understand and express the relationships that structure reality – whether human relationships in literature, or physical relationships in science. In 1961, on the heels of that lecture, a children’s book came out – The Phantom Tollbooth by Norton Juster, a funny, punny allegorical fantasy that made the same argument but in a way that captivated readers well into the 1990s, when I first encountered this story: Milo, a boy already besieged by adult-like ennui and existential despair, takes on the quest to bring back the princesses Rhyme and Reason, reuniting them with their two quarrelsome brothers: King Azaz the Unabridged, Ruler of Dictionopolis, and the Mathemagician, Ruler of Digitopolis. King Azaz claims that words are superior to numbers; the Mathemagician insists the reverse. In the end, the brothers reconcile and rebuild the City of Wisdom with the help of Rhyme and Reason, and Milo returns to his own world with renewed curiosity for words and numbers. By age 13, I’d already been convinced of the value of interdisciplinarity. Eventually, I would learn that stories are not just a way of communicating science; they are intrinsic to science, actually part of doing science. My own story of merging these Two Cultures – for me, literary writing and particle physics – was complicated by a Third Culture, religion. I grew up in Utah, in an era when Mormon women could have physics careers, technically, but following this path was difficult, lonely, and considered a threat to the traditional family model. We were encouraged to pursue education, not to prepare for competitive careers but for traditional roles as wives and mothers. This worldview, where a woman’s education is merely a safeguard if her husband can’t work, exemplifies what George W Bush’s speechwriter Michael Gerson called ‘the soft bigotry of low expectations’. It is a mindset that stifles ambition and curiosity. In fact, in my world, ambition in a woman signified pride, selfishness, sin. Yet I loved my advanced high-school mathematics and physics classes. With friends, I won team competitions in physics and computer programming. As a teenager, I even interned for three summers with the Cosmic Ray Research Group at the University of Utah – the High Resolution Fly’s Eye collaboration that detected the Oh-My-God particle in 1991. This rare ultrahigh-energy cosmic ray – probably a proton – was an atomic shard travelling close to the speed of light, bombarding our detector with an absurd amount of energy. This event defied physics models and opened new questions about the limits of energy in the Universe, presenting a cosmic mystery story I wanted to pursue. Despite my interest in cosmic rays, the Third Culture reigned supreme. The pressure to conform was invisible but visceral: during my first semester at Utah’s Brigham Young University (BYU) in 2002, led not by reason or rhyme but by a fear of angering God and my Church, I walked out of the introductory physics class – the only woman in attendance – and changed my major from astrophysics to English. Burying myself in stories and syntax, I felt sad about the physics but decided to make the most of my education before I married. BYU’s editing and linguistics courses were truly superb, and I learned to find patterns in natural language, and improve those patterns to benefit readers and increase the quality of communication. Editing, I thought, was something I could do from home with a family. Maybe I’d even dare to be a science editor. Fast-forward 10 years, and that’s exactly what I was doing, while my toddler slept. I loved reading upper-level STEM textbooks as a freelance editor for Taylor & Francis; it was as physics-adjacent as I could manage. I could search the pattern of writing for errors while absorbing the patterns of mathematics and physics, even if I didn’t understand it perfectly. But I wanted to, though the desire still felt dangerous. I started writing fiction and essays, and my frustrations seethed onto the page. As soon as my son woke up, however, I would focus on him. Like me, he had a natural affinity for both letters and numbers, and we spent hours laughing and learning together. His intense curiosity reignited my own. In October 2012, still wrestling with deeply ingrained but self-limiting patterns of thought, I interviewed the psychologist LaNae Valentine, who directed the BYU Women’s Services and Resources Center. She told me that the counsellors for college women were explicitly instructed to use the word ‘education’ instead of ‘career’ – an omission reflected in the name of the centre itself. It grated on her, she said, but she complied. In the midst of disaster, I came full circle, back to the beginning of my story The explicit omission was a revelation to me. Second-wave feminism had come and gone, but its reverberations were reaching me for the first time. My husband read Simone de Beauvoir’s The Second Sex (1949), liked reading it, and handed it to me, which started a tsunami of good, hard questions. What was I good at, drawn to, excited by? Was it too late to develop previously abandoned skills? Confronting the self-limiting story from my Third Culture led to a breakthrough: like Andrew, I could take myself and my career seriously, and still be a great spouse and parent. Over the next 10 years, I began to level up in writing, then science writing, then physics. I contended with a Fourth Culture: life as the spouse of a US Foreign Service Officer. Moving from Washington, DC to the Marshall Islands, then Montreal, Virginia and Nicaragua, I had to actively resist the feelings of loss that come for those supporting a spouse’s job abroad. Fortunately for me, Andrew supported my personal and professional ambitions in return, so I could thrive alongside his career even as we moved country every two or three years. I started publishing science essays and teaching science writing at Johns Hopkins University in Maryland, both of which could be done remotely. In April 2018, political violence erupted in Nicaragua, and embassy families were sent back to safety in the US. Max and I evacuated to Utah while Andrew remained in Managua as essential personnel. Making the sweetest lemonade with the bitterest of lemons, I returned to work for the Cosmic Ray Research Group, now known as the Telescope Array Project. In the midst of disaster, I came full circle, back to the beginning of my story. From left: John Matthews of the Telescope Array, the author Jamie Zvirzdin and her former supervisor, Stan Thomas, at a café at the University of Utah I have been making up for lost time ever since. I couldn’t influence a dictator in Nicaragua, but I could traipse out to the Utah desert, fix detectors, and operate telescopes to help solve the mystery of ultrahigh-energy cosmic rays. Reunited with Andrew in October 2018 following his time in Nicaragua, I picked up my work for the Telescope Array Project remotely from Maryland, writing programs, analysing data and even operating telescopes during night shifts from my work computer. I am now more than halfway through a Master’s in applied physics from Johns Hopkins, a remote programme I can pursue from our current post in Germany. My unconventional path to physics reveals an important insight for those who may feel excluded from the field or intimidated by its complexities: at its core, physics is fundamentally a word problem. A story problem. Personal stories, history stories, thought experiments, formal proofs, metaphors, cautionary tales: surround yourself with the various stories embedded in physics, and you’ll find firm footing wherever you tread in this field. Some of the best physicists and physics teachers are also great storytellers: they tell wild tales of things that happened to them, both real and perhaps slightly embellished for comedic effect. One such tale comes from my friend Jihee Kim, now a postdoc at Brookhaven National Laboratory in New York. As a new PhD student with the Telescope Array collaboration, she was asked to take a picture of one of our fluorescence detectors. Housed in dark sheds, these detectors use large mirrors to capture faint ultraviolet light produced by cosmic-ray showers in the atmosphere during moonless nights. Not realising the potential danger, Kim opened the shed doors a little to let in more afternoon light for the photo. Almost immediately, she smelled something burning – indirect light from the Sun had reflected off the mirror and was now focused, like a magnifying glass, onto a nearby cable. To make sure no one else made the same mistake, our boss, John Matthews, put up DANGER signs in black, red and white, warning students never to let sunlight touch the telescope mirrors. He added a picture of the melting face from the film Raiders of the Lost Ark – just in case anyone needed an extra reminder. The history-based stories we tell in physics model the scientific method itself We need to hear stories of people who surmount difficulties large and small, who push past ennui and cynicism and embarrassment and discouragement, who act with honesty and courage, who humbly ask for and receive help, to advance the frontline of knowledge. I hope my story will spur more women and minorities to take the best of the cultures they belong to and give themselves permission to enter academic gates they thought were closed to them. Work hard and work smart, and record your stories for others. Jihee Kim and Jamie Zvirzdin with a Telescope Array fluorescence detector near Delta, Utah, shed doors safely closed. Photo supplied by the author Beyond personal anecdotes, the history-based stories we frequently tell in physics model the scientific method itself. Consider the Austrian physicist Victor Hess who, from 1911 to 1912, conducted a series of risky hydrogen balloon flights, the most famous of which reached an altitude of 5,350 metres – about as high as Mount Everest’s Base Camp – to measure radiation intensity in the atmosphere. As the atmosphere grew thinner and thinner, Hess, with his two-man crew, stared through the eyepieces of two electroscopes. He carefully counted how frequently the electroscope’s hanging fibres lifted, which meant they were detecting radiation from charged particles (ions) in the atmosphere. He found that, at the highest altitude, the atmosphere had 22 to 24 more ions than at ground level, which meant a significant increase in radiation intensity. Hess’s daring – he also did balloon flights at night, to rule out effects from the Sun – led to the discovery of cosmic rays, proving that Earth is constantly bombarded by these high-energy particles from space. For his efforts, he received the Nobel Prize in Physics in 1936. Victor Hess back from his balloon flight on 7 August 1912. Image courtesy of the American Physical Society This story introduces us to cosmic rays, yes, but also follows the classic progression of a short story: on 7 August 1912, at 6:12am, from Aussig, now the Czech city of Ústí nad Labem (setting), Hess and his crew (characters), curious about this mysterious radiation (exposition) decided to follow a hunch (inciting incident) and go up in a balloon to gather data (rising action, literally), making a groundbreaking discovery (climax), landing safely at 12:15pm in Bad Saarow-Pieskow, Germany, and arriving at important conclusions that were confirmed and rewarded (denouement). The story’s arc is echoed in the scientific method itself. We start by identifying a problem that needs explanation or further investigation, and we gather research and materials. From a question, we propose a testable hypothesis. We design and conduct an experiment to test the hypothesis, meticulously collecting data and controlling variables as carefully as we can. We analyse and interpret the data to see if it supports or refutes our hypothesis, and from this we draw a conclusion and report our results. It is a satisfying pattern to follow, this roadmap. It is a critical one. The power of science stories like this lies in their concrete details, an insight that not only helps us be more interesting teachers of physics but also better communicators when reporting our findings. Hess in a balloon, the high altitude, the sensation of flight, the cold metal of the electroscopes – these finite, sensory elements help anchor concepts like cosmic-ray radiation in our minds. As I learned when I did my MFA in writing and literature at Bennington College, using vivid imagery and sensory details – anything you can see, touch, taste, smell, hear – makes new, complex information easier to absorb and remember. As you follow the scientific method, keeping track of these details makes it easier to recount what happened and what you did. Some stories in physics are straight-up science fiction: aka, thought experiments. These ground abstract concepts in fictional characters, scenarios and sensory details. Take the Twin Paradox, as told by Amber Stuver in an excellent TED-Ed video. Stuver’s Twin Paradox explanation is the best I’ve yet heard, in contrast to fairly confusing ones out there. Some people don’t know how to tell a good story, perhaps through no fault of their own. It’s worth taking the time to learn how. The physicist Robert Resnick anthropomorphised Einstein’s story to a travelling twin returning to his brother As with Hess and his balloon, the Twin Paradox has characters, setting, actions, pacing, concrete details, the works. Once we can properly see the outline of the story, either directly or by imagining it, we can attach formulae like the Lorentz factor (which shows how time slows down for objects moving near the speed of light) and other mathematical details. I now see mathematics equations as sentences in their own right, adding concrete, sensory details that flesh out these stories and even providing fundamental plot points that advance the story. The characters in thought experiments have taken on lives of their own as the culture of physics has evolved through time: the original Twin Paradox thought experiment came in 1905 from Albert Einstein in the form of some pretty basic clocks. To explain special relativity in his original paper, Einstein wrote about two synchronised clocks, one of which moved from point A to point B along a line. The moving clock story then evolved, as stories do: in 1911, Einstein himself reimagined the travelling clock in terms of ‘a living organism in a box’. The physicist Robert Resnick then anthropomorphised the story to a travelling twin returning to his brother. A similar evolution happened to my favourite thought experiment, Maxwell’s demon. In 1867, James Clerk Maxwell pictured two compartments linked by an intelligent valve that could sort fast particles from slow particles, but Lord Kelvin embellished the story to include a demon with hands and feet, much to the delight of bored physics students everywhere. The demon selectively allows faster (hotter) molecules to pass one way and slower (cooler) molecules to pass the other, seemingly creating a temperature difference and violating the second law of thermodynamics, which says that the Universe always tends toward chaos. However, the demon’s work requires energy to gather information and sort the molecules. This energy expenditure ensures that the overall entropy of the system still increases, preserving the second law of thermodynamics. Character archetypes like Alice and Bob make frequent appearances in quantum cryptography, a way of securing communication by applying principles of quantum mechanics to encrypt data. Alice and Bob first appeared in the paper ‘A Method for Obtaining Digital Signatures and Public-key Cryptosystems’ (1978) by the computer scientist Ronald L Rivest et al, where Alice and Bob share a secret encryption key to secure against an eavesdropper (often called Eve). It is fun to have Alice and Bob pop up in different problems. These characters have the additional value of finding their way into popular culture, enticing new people to come to imagine these strange science scenarios. In his book Knowledge and Error: Sketches on the Psychology of Enquiry (1905), Ernst Mach argued that these imaginary, proxy experiments were ‘a necessary precondition for physical experiment’. Imagining these stories could ‘enliven enquiry, tell us about new properties and promote insight into their connections.’ Such stories – complete with characters, setting, a story arc and sensory details – are tools we use to think through a specific problem deliberately and systematically. In physics courses, we’re often expected to write formal proofs in our weekly problem sets, showing how one equation evolves into another. We’re shown the beginning and the end of the story, like a flashforward in time, and asked to fill in the plot points that lead to the conclusion, ending as dramatically as ‘The End’ with the initials QED (in Latin, quod erat demonstrandum – what was to be demonstrated). I really like proofs – I find them satisfying. There is something lovely in the way they sway back and forth between words and equations. A proof, like a narrative, is a carefully crafted sequence of ideas, leading the reader from assumptions and definitions to a logical conclusion. I see physics quantities – Force, Entropy, Volume, Current Density, Energy – as fully fledged characters, each possessing dimensionality (literally: dimensions of mass, length, time, charge – more formally, current – temperature, number of moles, and luminous intensity), affecting how they perform on the page. Their nicknames are their symbols in an equation: F for Force, S for Entropy, V for Volume, J for Current Density, and so on. As in a story with many characters, sometimes it takes a while to learn them all, particularly since everyone has preferred pet names. But the naming is important. My friend and fellow literary aficionado Pierre Sokolsky, dean emeritus of the University of Utah College of Science, told me: ‘Once you give something a name, you are using language, with everything that implies. The concept “Force”, once stated, has all the power of language to bring up images, similarities, even stories.’ Through the process of naming, physics quantities thus become characters in a grand story of not just the proof but the Universe. Each quantity shapes and is shaped by the natural laws it obeys. In a successful story, all main characters must evolve in some way; they must be subjected to processes that reveal their fundamental nature as the proof unfolds. The same is true with physics quantities. Since more than one quantity is usually involved, the relationships between multiple characters deepen and become more complex; their combinations and machinations produce new versions of themselves. Ultimately, both story and proof lead the reader on a journey towards understanding Some textbook writers and teachers drive me bananas when they treat their physics characters on the page like a shell in the shell game: they shuffle quantities around as fast as possible, switching characters and perspectives without care. Certain physics quantities are renamed willy-nilly with the most squiggly Greek characters possible, which is as jarring as renaming the main character in your story without bothering to signal the change to the reader or explain why. Instead of illuminating the deeper connections between physical quantities, poor physics communicators obscure rather than explain what they’re doing, robbing the process of the intellectual and narrative clarity that makes physics so compelling. If you don’t explain what is happening, even briefly, or if you skip too far forward in your proof, your reader will quickly grow frustrated and lose interest in your narrative. If your reader is your teacher, you’ll lose points. If your reader is a grant-giver, you won’t get your grant. The warp and weft of proofs, weaving words with numbers, sentences with equations, became familiar to me while editing formal proofs for Taylor & Francis. It was my job to ensure that the equations were properly punctuated when part of a sentence. Beyond keeping track of your characters, you need clarity, precision, structure and progression. These are all skills learned when studying language arts. Ultimately, both story and proof lead the reader on a journey towards understanding, closure and insight about the Universe. Physicists love metaphor, even if they claim otherwise. The Italian rhetorician Giambattista Vico in the 1700s called the metaphor ‘a fable in brief’. Metaphors and their relatives – comparisons, similes, analogies – are far more important in physics than you might think. An astute metaphor – a mini-story – can be the beginning of understanding a concept in physics, even the beginning of a new field of enquiry, as Michael Faraday’s analogies ‘current’ and ‘lines of force’ did for electromagnetics. Beyond sheer repetition of stories and cultural exposure to mathematics and physics concepts – which not everyone has the privilege of receiving, particularly if you had a heavy-handed Third Culture – metaphors and similies are the primary way humans learn. We connect something we do know to something we don’t. Here’s an example: a Fourier analysis is like turning a symphony into its individual musical notes. Just as we could break down a complex orchestral performance into distinct instruments, Fourier analysis allows us to decompose a complicated signal or waveform into simpler wave shapes. Here’s another example: working with physicists whose egos are bigger than supermassive black holes is like poking yourself in the eye with a needle, over and over. I am guilty of loving metaphors. I’m not sorry. To me, they breathe life, light and colour back to that which was deadly boring. When I become bored, I stop paying attention, so I try to fight this inclination by at least amusing myself with metaphors. In my book Subatomic Writing (2023), where I compare two traditionally dry subjects (grammar and particle physics), I liken particles of language to particles of matter and, through six lessons, build from word to paragraph as we build from a quark to a chain of carbon atoms – a pencil’s graphite. The ability to create such mini-stories as I learn is, for me, part of why I’ve been able to level up quickly in physics. In cosmic ray science, metaphors play a key role, too. For example, the Oh-My-God particle had an energy of 3.2 × 1020 electronvolts. To explain this quantity to those unfamiliar with units of energy like electronvolts and Joules, we used analogies: the OMG particle had the same kinetic energy as a bowling ball dropped from shoulder height, or a baseball thrown at 28 metres per second (63 miles per hour). We also describe ultrahigh-energy cosmic rays as ‘tiny bullets’ striking Earth’s atmosphere with incredible force. These analogies not only simplify complex phenomena but also help convey the scale and impact of these particles in a way that resonates with both scientists and the public. By connecting the unfamiliar with the familiar, metaphors make it easier to internalise and recall new information These kinds of analogies light up our brains. According to the article ‘The Neural Career of Sensory-motor Metaphors’ (2011) by the cognitive neuroscientist Rutvik H Desai et al, metaphors engage the neural networks of the brain that deal with sensory processing, motor planning, abstract thinking, emotion and memory. They do excellent things to keep us awake and engaged, these mini-stories. In other words, metaphors bridge abstract concepts and sensory experiences, allowing our brains to process complex ideas more naturally. By connecting the unfamiliar with the familiar, metaphors make it easier to internalise and recall new information, which is why they are such powerful tools in teaching and learning, especially in subjects like physics. But metaphors can also skew our thinking about a phenomenon. Beau Biller is a forensic mechanical engineer and an assistant instructor for the Johns Hopkins applied physics programme. He sees many students wrestle with difficult physics concepts. In the early stages of studying Einstein’s theory of general relativity, teachers often help students ‘see’ the curvature of space by showing them a rubber sheet with a bowling ball in the middle. Biller told me: It is very difficult to make analogies for the geometry in which we live. As far as we know, we’re not on a four-dimensional rubber sheet embedded in a higher dimension that we can ‘look in’ upon … Much like learning a new language, some of the concepts encountered in modern physics are simply … hard. No shortcuts allowed. All the same, metaphors can approximate a difficult concept. They are rough models that can be modified the more we learn. Maxwell, one of my favourite physicists, used billiard balls as a starting point to explain the interaction of molecules in his book Theory of Heat (1871), but he also explained that ‘two hard spherical balls is not an accurate representation’. He went on to explain why and relabelled this interaction as an ‘Encounter’, modifying the mental metaphor. At the beginning of each semester of my Master’s in applied physics, I think of a reigning metaphor I can use to learn the upcoming subject matter. During quantum mechanics last semester, since I often play the computer game ARK: Survival Evolved with my brother on Sunday afternoons, I started with the axiom ‘A particle is like a triceratops named Alice.’ As silly as it sounds, it was enjoyable and memorable. It was a fable that gave me a rough outline of the story of quantum particles and their interactions. I studied hard, wrote down all my dinosaur-related metaphors in detail, particularly mathematics details, in an Overleaf document just for my own sake, and experienced the pleasurable shock of earning an A+ in quantum mechanics. Fun and helpful mnemonic aids aside, physics is most thrilling when we can pull away the scaffolding of metaphors and see mathematics itself as the storytelling framework. ‘We have to read the story behind the equation,’ as Biller said, and I fully agree. The deeper we go in physics, the more the language of mathematics empowers us to precisely narrate the epic tale of the Universe. Some stories in physics are downright Kafkaesque – like the Monkey and Hunter thought experiment, which teaches projectile motion at great cost to the monkey; or Schrödinger’s Cat, which is forever being murdered or not murdered in a box containing a vial of poison. Just as Schrödinger’s Cat demonstrates quantum paradoxes, the man behind this thought experiment embodies the uncomfortable paradox of a brilliant mind who nevertheless chose to engage in predatory behaviour towards young girls, acts documented in his own diary. Erwin Schrödinger groomed a 14-year-old girl he was tutoring and impregnated her when she was 17. The abortion made her sterile. Richard Feynman’s FBI files, released in 2012, show the physicist’s private behaviour did not match his playful, charming public persona. One page of the report says: His ex-wife reportedly testified that on several occasions when she unwittingly disturbed either his calculus or his drums he flew into a violent rage, during which time he choked her, threw pieces of bric-a-brac about and smashed the furniture. Feynman also told boastful stories of frequenting strip clubs and having manipulative approaches to women in his earlier years. Hero worship in physics culture becomes insidious when we refuse to challenge unethical behaviour In his diary, Einstein recorded wildly racist things about people from China and other countries when he visited the Far East and the Middle East in 1922-23. He cheated on his first wife. And his second wife. The list of bad behaviour by intellectual elitists goes on. This grim reality reminds us that the emotional and physical abuse perpetrated by physics ‘geniuses’ has been catastrophically downplayed – a trend we must confront and reform. The problem of hero worship in physics culture becomes especially insidious when we refuse to challenge unethical behaviour in revered figures, allowing misconduct to persist unchecked. It is crucial to confront these darker narratives, not to diminish the scientific contributions of these individuals but to ensure that harmful legacies don’t continue to thrive in our institutions. Other sombre stories serve to promote empathy rather than tyranny. Sokolsky told me his favourite physics tool is a hammer, ‘to remind me’, he says, ‘to allow students to finish their PhD theses.’ He alludes to the 1978 incident where a Stanford mathematics student, Theodore Streleski, killed his faculty advisor with a hammer after failing to complete his dissertation for 19 years. The narratives we construct about our abilities and challenges in life are as vital as the equations we solve. ‘Being a stubborn/persistent scholar who loved the process of understanding how everything works has been key,’ says Rasha Abbasi, an astroparticle physicist at Loyola University Chicago. I’ve known Abbasi since she was a PhD student – and I, a 16-year-old intern – studying cosmic rays at the University of Utah. Today, she studies gamma-ray flashes from lightning with our cosmic ray detectors in the Utah desert. We’ve kept in contact through the years, and she inspires me with her tenacity, good nature, humour and intellect. When I ask Abbasi if she has any thoughts on the role of language in physics, she says: ‘I discovered later on in my career that language is a big part of being a scientist. Training in writing and communication needs to be emphasised more in our field.’ She’s right. Physics students can forget writing is a critical part of being a physicist: there are white papers, reports, journal articles, National Science Foundation grants, posters, presentations. Every type of writing involves some connection to story, even if the character of your story is a variable in an equation. In the end, the stories we tell shape our trajectories in life as profoundly as the cultural forces that mould us, serving as both barriers and bridges to our greatest ambitions. I have found a healthy balance among the cultures I subscribe to, and ambition is no longer a dirty word. I want to work with my friends to uncover the origins of ultrahigh-energy cosmic rays, a longstanding mystery. I want to change the way we teach physics. I want to win a Nobel Prize. My story of finding physics again is over, but the story of what I’ll do with it has just begun, and I’m excited to see what happens next. In political science, supporters of ‘horseshoe theory’ believe that far-Left views and far-Right views are more similar to each other than they are to more moderate, centrist views. Perhaps there exists a corollary between literary writing and physics, an academic horseshoe theory. You will find me happily oscillating back and forth in the cheerful space between Dictionopolis and Digitopolis, building bridges and repairing fences. I invite you to step out of your comfort zone, continue to confront and conquer challenging material, and join me in building the City of Wisdom, one story at a time. This Essay was made possible through the support of a grant to Aeon Media from the John Templeton Foundation. The opinions expressed in this publication are those of the author and do not necessarily reflect the views of the Foundation. Funders to Aeon Media are not involved in editorial decision-making.
2024-11-08T20:48:27
null
train
42,040,245
rbanffy
2024-11-04T10:29:27
US Space Force warns of "mind-boggling" build-up of Chinese capabilities
null
https://arstechnica.com/space/2024/11/us-space-force-warns-of-mind-boggling-build-up-of-chinese-capabilities/#gsc.tab=0
2
0
[ 42040356 ]
null
null
Failed after 3 attempts. Last error: Quota exceeded for quota metric 'Generate Content API requests per minute' and limit 'GenerateContent request limit per minute for a region' of service 'generativelanguage.googleapis.com' for consumer 'project_number:854396441450'.
US Space Force warns of “mind-boggling” build-up of Chinese capabilities
2024-11-02T11:00:21+00:00
Financial Times
Both Russia and China have tested satellites with capabilities that include grappling hooks to pull other satellites out of orbit and “kinetic kill vehicles” that can target satellites and long-range ballistic missiles in space. In May, a senior US defense department official told a House Armed Services Committee hearing that Russia was developing an “indiscriminate” nuclear weapon designed to be sent into space, while in September, China made a third secretive test of an unmanned space plane that could be used to disrupt satellites. The US is far ahead of its European allies in developing military space capabilities, but it wanted to “lay the foundations” for the continent’s space forces, Saltzman said. Last year UK Air Marshal Paul Godfrey was appointed to oversee allied partnerships with NATO with the US Space Force—one of the first times that a high-ranking allied pilot had joined the US military. But Saltzman warned against a rush to build up space forces across the continent. “It is resource-intensive to separate out and stand up a new service. Even ... in America where we think we have more resources, we underestimated what it was going to take,” he said. The US Space Force, which monitors more than 46,000 objects in orbit, has about 10,000 personnel but is the smallest department of the US military. Its officers are known as “guardians.” The costs of building up space defense capabilities mean the US is heavily reliant on private companies, raising concerns about the power of billionaires in a sector where regulation remains minimal. SpaceX, led by prominent Trump backer Elon Musk, is increasingly working with US military and intelligence through its Starshield arm, which is developing low Earth orbit satellites that track missiles and support intelligence gathering. This month, SpaceX was awarded a $734 million contract to provide space launch services for US defense and intelligence agencies. Despite concerns about Musk’s erratic behavior and reports that the billionaire has had regular contact with Russian President Vladimir Putin, Saltzman said he had no concerns about US government collaboration with SpaceX. “I’m very comfortable that they’ll execute those [contracts] exactly the way they’re designed. All of the dealings I’ve had with SpaceX have been very professional,” he said. Additional reporting by Kathrin Hille in Taipei. © 2024 The Financial Times Ltd. All rights reserved. Not to be redistributed, copied, or modified in any way.
2024-11-08T10:33:41
null
train
42,040,247
markfsharp
2024-11-04T10:30:01
Org Empathy
null
https://www.hrunplugged.co.uk/blog/the-dora-metrics-of-empathy-engineering-human-connection
5
0
null
null
null
null
null
null
null
null
null
null
train
42,040,258
ctippett
2024-11-04T10:32:29
The environmental campaigners fighting against data centres
null
https://www.bbc.co.uk/news/articles/cz0mlrx0jxno
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,262
rbanffy
2024-11-04T10:32:54
Code Reviews, Not Code Approvals – By Adam Ard
null
https://rethinkingsoftware.substack.com/p/code-reviews-not-code-approvals
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,269
moeinxyz
2024-11-04T10:34:00
This Week in Go: 10 Articles You Can't Miss – Golang Nugget Nov, 04
null
https://mondaynugget.com/golang/2024/11/04/golang-nugget/
1
0
null
null
null
no_error
Golang Nugget - November 04, 2024 | Monday Nugget
2024-11-04T00:00:00+00:00
null
Welcome to this week’s edition of Golang Nugget your go-to source for the latest insights and updates in the world of Go programming. This week, we dive into the powerful “benchstat” tool for analyzing Go benchmarks, ensuring your code changes are statistically significant. Discover the intricacies of sync.Once and sync.WaitGroup for efficient concurrency management, and learn about potential security pitfalls with Go’s test file naming conventions. We also introduce Wire, a tool for automating dependency injection in Go, and discuss the benefits of hexagonal architecture for building scalable applications. Stay updated with Go 1.23’s new iteration feature, and explore the mechanics of coroutines in Go for advanced concurrency patterns. Whether you’re optimizing performance or enhancing your application’s architecture, “Golang Nugget” has you covered. Enjoy the read! benchstat command - golang.org/x/perf/cmd/benchstat - Go Packages Benchstat is a tool for computing statistical summaries and A/B comparisons of Go benchmarks. It is designed to analyze performance changes before and after code modifications. The tool requires input files in the Go benchmark format, which are typically generated by running benchmarks multiple times (at least 10) to ensure statistical significance. Benchstat calculates the median and confidence interval for each benchmark and compares results across different input files to identify statistically significant differences. Benchstat offers flexible filtering and configuration options, allowing users to specify which benchmarks to compare and how to group results. It supports custom unit metadata and provides options for sorting and labeling output for clarity. The tool emphasizes the importance of reducing noise and increasing the number of benchmark runs to improve the accuracy of statistical significance. Users are also cautioned against “multiple testing,” which can lead to false positives in detecting changes. Here’s a basic usage example: go test -run='^$' -bench=. -count=10 > old.txt go test -run='^$' -bench=. -count=10 > new.txt benchstat old.txt new.txt This command sequence runs benchmarks before and after a change, then uses benchstat to compare the results. Read more… Go sync. Once is Simple… Does It Really? The article explores the intricacies of the sync.Once primitive in Go, which ensures a function runs only once, no matter how many times it’s called or how many goroutines access it. This feature is ideal for initializing singleton resources, such as database connections or loggers. The article explains the internal workings of sync.Once, highlighting its use of atomic operations and mutexes to manage concurrency. It also introduces enhancements in Go 1.21, such as OnceFunc, OnceValue, and OnceValues, which offer more flexible and efficient ways to handle single-execution functions, cache results, and manage errors. Further, the article delves into implementation details, including optimizations for fast-path execution and the potential pitfalls of using compare-and-swap operations. Here’s a simple example of sync.Once usage: var once sync.Once var conf Config func GetConfig() Config { once.Do(func() { conf = fetchConfig() }) return conf } This code ensures fetchConfig() is executed only once, even if GetConfig() is called multiple times. The article emphasizes the importance of understanding sync.Once for efficient concurrency handling in Go applications. Read more… Jia Tanning Go Code The Go compiler skips files ending with _test.go during normal compilation, compiling them only with the go test command. This behavior introduces a potential security vulnerability: files that appear to end with _test.go but don’t actually do so (due to hidden Unicode characters, like variation selectors) could bypass this exclusion and be compiled in regular builds, potentially allowing backdoors. For example, a doctored user_test.go file could reduce password security by altering bcrypt cost settings. Detecting this issue is challenging, as most tools display such filenames without highlighting hidden characters—though the Git CLI can reveal them with specific settings. Although this concern was reported to platforms like GitHub, GitLab, and BitBucket, it wasn’t considered a security issue. This method could be used to hide malicious code in plain sight, as the code appears legitimate and passes tests, posing a risk if exploited by a malicious actor. Read more… Introduction to Wire: Dependency Injection in Go Dependency injection (DI) is a design pattern that enhances modularity and testability by managing dependencies externally rather than within components. In Go, DI is typically implemented manually, which can become cumbersome in large applications. Wire, a tool developed by Google, automates DI by generating code to initialize dependencies, reducing boilerplate and enhancing maintainability. Wire leverages Go’s type system to ensure compile-time safety, catching errors early and improving performance by avoiding runtime reflection. This approach simplifies complex dependency graphs, making it ideal for scalable applications such as microservices. Wire’s benefits include reduced boilerplate, improved testability, and efficient performance. However, it requires an initial learning curve and integration into build processes. Alternatives, such as Uber’s Dig and Facebook’s Inject, offer different trade-offs, like runtime flexibility versus compile-time safety. Wire’s community support and integration with frameworks like Gin further enhance its utility. Here’s a simple Wire example: func InitializeServer() *Server { wire.Build(NewDatabase, NewLogger, NewServer) return nil } This code snippet demonstrates how Wire automates dependency initialization by analyzing provider functions and generating the necessary wiring code. Read more… 100 GoLang Programming Mistakes and How to Avoid Them Diving into Go’s concurrency model can feel like navigating a maze, but avoiding common pitfalls is essential. First, remember that while goroutines are lightweight, they aren’t free—overusing them can lead to resource exhaustion. Always use channels for communication between goroutines to prevent race conditions, but be cautious of deadlocks, which often occur when goroutines wait indefinitely for each other. Additionally, avoid shared memory; instead, share data through channels to maintain thread safety. Finally, use sync.WaitGroup to ensure all goroutines complete before the main function exits. Here’s a quick snippet to illustrate proper use of sync.WaitGroup: var wg sync.WaitGroup for i := 0; i < 5; i++ { wg.Add(1) go func(i int) { defer wg.Done() fmt.Println(i) }(i) } wg.Wait() This snippet ensures all goroutines finish before the program exits, preventing premature termination. Read more… Go sync.WaitGroup and The Alignment Problem This article discusses the use of sync.WaitGroup in Go for managing concurrency, ensuring that the main goroutine waits for other goroutines to complete their tasks. It highlights the importance of using wg.Add(1) rather than wg.Add(n) to avoid potential errors when loop logic changes, and emphasizes using defer wg.Done() to guarantee proper execution. The article also examines the internal structure of WaitGroup, explaining alignment issues with uint64 on 32-bit architectures and how Go has addressed these issues in various versions. This article discusses the use of sync.WaitGroup in Go for managing concurrency, ensuring that the main goroutine waits for other goroutines to complete their tasks. It highlights the importance of using wg.Add(1) rather than wg.Add(n) to avoid potential errors when loop logic changes, and emphasizes using defer wg.Done() to guarantee proper execution. The article also examines the internal structure of WaitGroup, explaining alignment issues with uint64 on 32-bit architectures and how Go has addressed these issues in various versions. The article introduces the noCopy struct to prevent accidental copying and the atomic.Uint64 struct to ensure 8-byte alignment for atomic operations. It concludes by explaining how WaitGroup methods like Add and Wait work, and discusses trade-offs between using atomic operations and mutexes for concurrency management. Read more… Building a Product Management API with Go Gin and MySQL in Hexagonal Architecture Picture this: Hexagonal architecture, also known as the ports and adapters pattern, is like a well-organized orchestra where each musician (component) plays their part without stepping on each other’s toes. Proposed by Dr. Alistair Cockburn in 2005, this pattern tackles the chaos of tightly coupled code by ensuring components communicate through defined ports, with adapters acting as translators to external systems like databases or APIs. Here’s the essence: Structure: The architecture is divided into core logic (domain), ports (interfaces), and adapters (implementations). This separation ensures flexibility and testability. Database Setup: Start by setting up a database and tables to manage product data. Use environment variables for configuration to keep things clean and maintainable. Go Project Initialization: Initialize your Go project and install the Gin framework for handling HTTP requests. Adapters: Implement database adapters, like ProductRepositoryImpl, to handle CRUD operations. These adapters translate core logic requests into database queries. func (r *ProductRepositoryImpl) FindById(id string) (*domain.Product, error) { var product domain.Product row := r.db.QueryRow("SELECT id, name, price, stock FROM products WHERE id = ?", id) if err := row.Scan(&product.ID, &product.Name, &product.Price, &product.Stock); err != nil { return nil, err } return &product, nil } Services: Define services like ProductServiceImpl to encapsulate business logic, ensuring operations like creating or updating products are handled efficiently. Handlers: Use handlers to manage incoming HTTP requests, delegating tasks to services. This keeps your API endpoints clean and focused. Testing: Implement unit tests for all routes to ensure reliability. Use go test to run these tests and validate your application’s behavior. Middleware: Add middleware for tasks like performance testing, intercepting requests to measure execution speed. By following these principles, you create a robust, maintainable system where changes in one part don’t ripple through the entire codebase. This architecture is perfect for projects that need to adapt and scale over time. Read more… Ranging over functions in Go 1.23 Go 1.23 introduced a new feature allowing iteration over functions, enhancing the traditional for-range loop typically used with arrays, slices, and maps. This feature simplifies iterating over custom data structures, such as an association list, by using a function that returns a sequence. The new iteration method involves defining a function that takes a yield function, which is called for each element. This approach allows for early termination of loops and supports complex iteration patterns, such as recursion in binary trees. It also supports infinite iterators, such as generating Fibonacci numbers, and can wrap existing iteration methods—like bufio.Scanner—to fit the new pattern. The new iteration method functions as a “push” iterator, where values are pushed to a yield function, in contrast to “pull” iterators that return values on demand. This feature improves Go’s ergonomics with minimal complexity, and the standard library now includes utilities for both push and pull iterators. Here’s a simple example of the new iteration method: type AssocList[K comparable, V any] struct { lst []pair[K, V] } func (al *AssocList[K, V]) All() iter.Seq2[K, V] { return func(yield func(K, V) bool) { for _, p := range al.lst { if !yield(p.key, p.value) { return } } } } func main() { al := &AssocList[int, string]{} al.Add(10, "ten") al.Add(20, "twenty") al.Add(5, "five") for k, v := range al.All() { fmt.Printf("key=%v, value=%v\n", k, v) } } Read more… Book Review: System Programming Essentials with Go — A Golang Developer’s Companion to Mastering… “System Programming Essentials with Go” by Alex Rios is a comprehensive guide for Go developers interested in system programming. The book explores Go’s strengths in handling low-level tasks, such as concurrency, system calls, memory management, and network programming. It is divided into five parts, beginning with why Go is well-suited for system programming. Subsequent sections cover interacting with the operating system, optimizing performance, building networked applications, and a capstone project focused on developing a distributed cache. The book emphasizes practical solutions, with code examples tailored for real-world applications and performance optimization. Rios highlights Go’s concurrency model, memory management, and low-level capabilities, making this book a valuable resource for intermediate to advanced Go developers. However, it assumes prior knowledge of Go and could delve more into testing and debugging complex concurrency issues. Overall, it’s a highly recommended read for those aiming to leverage Go for high-performance, system-level applications, earning a rating of 4.5 out of 5 stars. Read more… Golang design: Mechanics of Coroutines Coroutines in Go, though not officially part of the language, can be implemented using a method by Russ Cox without altering the language itself. The core idea involves using channels to manage input and output between the main program and the coroutine. Here’s a simplified implementation. func NewCoroutine[In, Out any](f func(in In, yield func(Out) In) Out) (resume func(In) Out) { cin := make(chan In) cout := make(chan Out) resume = func(in In) Out { cin <- in return <-cout } yield := func(out Out) In { cout <- out return <-cin } go func() { cout <- f(<-cin, yield) }() return resume } In this setup, NewCoroutine returns a resume function that starts or resumes the coroutine. The coroutine uses two channels: cin for input and cout for output. The resume function sends input to the coroutine and waits for output. The coroutine runs in a separate goroutine, using the yield function to send intermediate results back to the main program. This allows the coroutine to pause and resume, mimicking coroutine behavior. The final output is sent back through cout when the coroutine completes. This approach provides a basic understanding of coroutine mechanics in Go. Read more…
2024-11-08T00:11:00
en
train
42,040,274
rhazn
2024-11-04T10:34:57
Comparing algorithms for extracting content from web pages – Chuniversiteit
null
https://chuniversiteit.nl/papers/comparison-of-web-content-extraction-algorithms
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,292
RaczeQ
2024-11-04T10:37:52
Show HN: QuackOSM – Fast, Simple and Scalable OpenStreetMap Data Access
An open-source Python and CLI tool for reading OpenStreetMap PBF files using DuckDB. I have made it to scale the existing OSMnx library.
https://github.com/kraina-ai/quackosm
8
0
null
null
null
null
null
null
null
null
null
null
train
42,040,316
keepamovin
2024-11-04T10:42:02
Cybersecurity for Railroads
null
https://industrialcyber.co/transport/one-year-in-tsas-cybersecurity-directive-lays-groundwork-for-railroad-sector-amid-rising-digital-threats/
1
0
[ 42040485 ]
null
null
Failed after 3 attempts. Last error: Quota exceeded for quota metric 'Generate Content API requests per minute' and limit 'GenerateContent request limit per minute for a region' of service 'generativelanguage.googleapis.com' for consumer 'project_number:854396441450'.
One year in, TSA's cybersecurity directive lays groundwork for railroad sector amid rising digital threats
2024-10-23T11:33:38+00:00
Anna Ribeiro
A year after the U.S. Transportation Security Administration (TSA) renewed cybersecurity requirements for passenger and freight railroad carriers, the focus remains on building cyber-resilient systems, proactive security tools, and rail-specific cybersecurity strategies. Increased digitalization and interconnectedness expose rail transportation to diverse cyber threats, including unauthorized access, data breaches, and potential disruptions to critical infrastructure. While there is still more to accomplish, the advancements over the last year indicate that the directive has established a foundation for a more surface transportation sector. The TSA move sought to enhance cybersecurity preparedness and resilience for the nation’s critical railroad operations, and reduce the risk cybersecurity threats pose to critical railroad operations and facilities. It also required TSA-specified passenger and freight railroad carriers to take action to prevent disruption and degradation to their infrastructure with a flexible, performance-based approach, consistent with TSA’s requirements for pipeline operators. Some of the key cybersecurity measures for railroad carriers include network segmentation to prevent the spread of cyber threats; access control to secure critical cyber systems; continuous monitoring to detect and respond to cyber threats; and reduce the risk of exploitation of unpatched systems through the application of security patches and updates for operating systems, applications, drivers and firmware on critical cyber systems promptly using a risk-based methodology. Commenting on the anniversary, Grant Geyer, chief strategy officer at Claroty, wrote in an emailed statement that the TSA’s directive introduced practical, foundational cybersecurity requirements that didn’t overburden freight railroad carriers with excessive controls. One year later, it is clear that organizations must continue focusing on key steps to safeguard their operations.   For freight rail asset owners, Geyer pointed out whose focus has been on safety and resiliency, and cybersecurity is not traditionally part of their core mission. “However, given freight rail’s critical role in national security, starting with pragmatic measures is essential. Third-party access is a major concern in this sector. Visibility into who is accessing systems and the ability to monitor the environment is crucial. While not every risk can be mitigated, prioritizing critical assets for patching is vital.”  “These are the ABCs of OT cybersecurity management – fundamental practices that must be implemented correctly,” Geyer said. “It is critical to refine how these processes can be operationalized, especially given the number of vulnerabilities. Although the directive doesn’t outline an exact order of steps, organizations can look to CISA’s Known Exploited Vulnerabilities (KEV) catalog for guidance on addressing the most pressing risks.” John Terrill, CISO of Phosphorus Cybersecurity, wrote in an emailed statement that it’s probably too early to say if this regulation has had a material impact over the last year. “The first step is getting governance in place and basic controls – that was the original directive. I can’t say that the outcomes are materially better yet – but this is part of the journey of maturing a security program. The next step is making incremental progress in developing those controls and capabilities.” Terrill added that it’s a positive signal that the TSA felt comfortable enough to take this next step. “It means they are seeing progress.” The TSA directive aimed at strengthening the cybersecurity of surface transportation systems has undoubtedly caught the attention of organizations across the sector, Christopher Warner, senior security consultant for OT Security – GRC at GuidePoint Security, wrote in an emailed statement. “However, the path to compliance hasn’t been smooth. While the urgency of improving cybersecurity is evident, many organizations have faced a daunting set of regulatory hurdles and human and financial resource constraints that slow down their efforts.” “For many transportation operators, complying with the directive has been a significant resource drain,” according to Warner. “Part of the challenge is how organizations are aligned. When cybersecurity mainly falls under IT, there are Industrial Control Systems (ICS) and Operational Technology (OT) systems, which are equally vulnerable but more complex to secure such as railroads. Unlike IT systems, OT often includes older, legacy components that are not easily integrated into modern security frameworks, further complicating compliance efforts and resource constraints.” Warner added that while full compliance remains a work in progress for many, the directive has undeniably raised awareness at the highest levels of the organization. “It’s prompting integrated security strategies involving IT, ICS/OT, and security teams working more closely together than ever. This shift is crucial, as cyber threats do not discriminate between these environments—they exploit any gap they can find.” Ultimately, he observed that the TSA directive has catalyzed a deeper understanding that cybersecurity is not just a technical issue but a strategic business priority. “There’s still work to be done, but the progress over the past year shows that the directive has laid some groundwork for a more secure surface transportation sector.” Industrial Cyber News Editor. Anna Ribeiro is a freelance journalist with over 14 years of experience in the areas of security, data storage, virtualization and IoT.
2024-11-08T02:46:25
null
train
42,040,324
pontiro
2024-11-04T10:43:24
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,329
ibobev
2024-11-04T10:44:12
What is the current time around the world?
null
https://www.cppstories.com/2024/chrono_dates_zones/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,331
todsacerdoti
2024-11-04T10:44:29
CLI tool to analyze and report TODO comments in JavaScript and TypeScript Git R
null
https://github.com/azat-io/todoctor
2
1
[ 42040580, 42040562 ]
null
null
null
null
null
null
null
null
null
train
42,040,338
pontiro
2024-11-04T10:45:14
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,350
eashish93
2024-11-04T10:47:24
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,360
javatuts
2024-11-04T10:48:47
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,369
belter
2024-11-04T10:49:38
Berkshire Hathaway's cash fortress tops $300B as Buffett sells more stock
null
https://www.cnbc.com/2024/11/02/berkshire-hathaways-cash-fortress-tops-300-billion-as-buffett-sells-more-stock-freezes-buybacks.html
2
1
[ 42040535, 42040558 ]
null
null
no_error
Berkshire Hathaway's cash fortress tops $300 billion as Buffett sells more stock, freezes buybacks
2024-11-02T13:12:24+0000
Yun Li
Warren Buffett walks the floor ahead of the Berkshire Hathaway Annual Shareholders Meeting in Omaha, Nebraska, on May 3, 2024.David A. Grogen | CNBCBerkshire Hathaway's monstrous cash pile topped $300 billion in the third quarter as Warren Buffett continued his stock-selling spree and held back from repurchasing shares.The Omaha, Nebraska-based conglomerate saw its cash fortress swell to a record $325.2 billion by the end of September, up from $276.9 billion in the second quarter, according to its earnings report released Saturday morning.The mountain of cash kept growing as the Oracle of Omaha sold significant portions of his biggest equity holdings, namely Apple and Bank of America. Berkshire dumped about a quarter of its gigantic Apple stake in the third quarter, making the fourth consecutive quarter that it has downsized this bet. Meanwhile, since mid-July, Berkshire has reaped more than $10 billion from offloading its longtime Bank of America investment.Overall, the 94-year-old investor continued to be in a selling mood as Berkshire shed $36.1 billion worth of stock in the third quarter.No buybacksBerkshire didn't repurchase any company shares during the period amid the selling spree. Repurchase activity had already slowed down earlier in the year as Berkshire shares outperformed the broader market to hit record highs.The conglomerate had bought back just $345 million worth of its own stock in the second quarter, significantly lower than the $2 billion repurchased in each of the prior two quarters. The company states that it will buy back stock when Chairman Buffett "believes that the repurchase price is below Berkshire's intrinsic value, conservatively determined."Stock Chart IconStock chart iconBerkshire HathawayClass A shares of Berkshire have gained 25% this year, outpacing the S&P 500's 20.1% year-to-date return. The conglomerate crossed a $1 trillion market cap milestone in the third quarter when it hit an all-time high.For the third quarter, Berkshire's operating earnings, which encompass profits from the conglomerate's fully-owned businesses, totaled $10.1 billion, down about 6% from a year prior due to weak insurance underwriting. The figure was a bit less than analysts estimated, according to the FactSet consensus.Buffett's conservative posture comes as the stock market has roared higher this year on expectations for a smooth landing for the economy as inflation comes down and the Federal Reserve keeps cutting interest rates. Interest rates have not quite complied lately, however, with the 10-year Treasury yield climbing back above 4% last month.Notable investors such as Paul Tudor Jones have become worried about the ballooning fiscal deficit and that neither of the two presidential candidates squaring off next week in the election will cut spending to address it. Buffett has hinted this year that he was selling some stock holdings on the notion that tax rates on capital gains would have to be raised at some point to plug the growing deficit.
2024-11-08T20:15:58
en
train
42,040,374
mattygames
2024-11-04T10:50:29
null
null
null
1
null
[ 42040375 ]
null
true
null
null
null
null
null
null
null
train
42,040,380
FearNotDaniel
2024-11-04T10:50:59
Election Researchers Use Graph Technology to Fight Disinformation
null
https://neo4j.com/blog/electiongraph-report-2/
4
1
[ 42040542, 42040488 ]
null
null
null
null
null
null
null
null
null
train
42,040,382
deepak057
2024-11-04T10:51:12
Ask HN: What remote side hustles suit a project manager with programming skills?
I&#x27;m a project manager with a strong background in programming and development, looking for part-time, remote opportunities to earn extra income. Ideally, I&#x27;d like options that use my technical and management skills. If anyone has done something similar or has suggestions on where to start, I&#x27;d love some direction!
null
4
1
[ 42042431 ]
null
null
null
null
null
null
null
null
null
train
42,040,384
pst723
2024-11-04T10:51:23
Territory.dev code browser now supports Go, bring your own repo
null
https://twitter.com/territory_dev/status/1851580909243257135
1
4
[ 42040385, 42040482 ]
null
null
null
null
null
null
null
null
null
train
42,040,392
Kerter
2024-11-04T10:51:57
OTT Platforms for MacBook?
I want to know that how many OTT platform I can use in MacBook.
null
1
2
[ 42042154 ]
null
null
null
null
null
null
null
null
null
train
42,040,417
belter
2024-11-04T10:56:16
null
null
null
1
null
[ 42040481 ]
null
true
null
null
null
null
null
null
null
train
42,040,425
belter
2024-11-04T10:58:02
Chinese solar firms go where US tariffs don't reach
null
https://www.reuters.com/business/energy/chinese-solar-firms-ever-nimble-go-further-afield-where-us-tariffs-dont-reach-2024-11-03/
2
0
[ 42040493 ]
null
null
http_other_error
reuters.com
null
null
Please enable JS and disable any ad blocker
2024-11-08T03:17:48
null
train
42,040,436
procufly
2024-11-04T11:00:28
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,453
LucasLanglois
2024-11-04T11:02:41
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,458
ingve
2024-11-04T11:03:21
M4 Incoming
null
https://eclecticlight.co/2024/11/03/last-week-on-my-mac-m4-incoming/
2
0
[ 42040581, 42040478 ]
null
null
null
null
null
null
null
null
null
train
42,040,460
ysw0145
2024-11-04T11:03:51
Show HN: Awesome Explorer – exploring Awesome lists with ease and efficiency
null
https://awexplor.github.io/alebcay/awesome-shell/?order-by=popularity&popular-only=true&well-maintained-only=true
6
0
[ 42040475 ]
null
null
null
null
null
null
null
null
null
train
42,040,474
driesdep
2024-11-04T11:05:51
Die With Me: The chatapp you can only use when you have less than 5% battery
null
https://driesdepoorter.be/diewithme/
3
1
[ 42040501 ]
null
null
null
null
null
null
null
null
null
train
42,040,477
rukshn
2024-11-04T11:06:38
Show HN: HiCafe – A curated list of Digital Health Events
null
https://hicafe.co
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,480
surya_band
2024-11-04T11:07:07
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,489
ingve
2024-11-04T11:09:24
Don't return named tuples in new APIs
null
https://snarky.ca/dont-use-named-tuples-in-new-apis/
3
1
[ 42040545, 42040555 ]
null
null
null
null
null
null
null
null
null
train
42,040,491
T-A
2024-11-04T11:10:37
Space Resources Challenge – Collection and Processing of Lunar Regolith
null
https://ideas.esa.int/servlet/hype/IMT?userAction=Browse&templateName=&documentId=1abc5c71958b5cb4d45d47b7c5a97fbb
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,497
anjel
2024-11-04T11:13:18
The Hidden Life of Trees
null
https://www.themarginalian.org/2016/09/26/the-hidden-life-of-trees-peter-wohlleben/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,527
cyber1
2024-11-04T11:20:28
C++, Complexity, and Compiler Bugs
null
https://azeemba.com/posts/cpp-complexity-compiler-bugs.html
3
0
null
null
null
null
null
null
null
null
null
null
train
42,040,529
GeekPython
2024-11-04T11:20:59
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,530
ingve
2024-11-04T11:21:14
Having Fun with Modern C++
null
https://lemire.me/blog/2024/11/02/having-fun-with-modern-c/
4
0
null
null
null
null
null
null
null
null
null
null
train
42,040,533
tosh
2024-11-04T11:21:37
Apple Finds Its Game Console Rival with the New M4 and M4 Pro Mac Minis
null
https://www.bloomberg.com/news/newsletters/2024-11-03/apple-finally-finds-its-game-console-rival-with-the-new-m4-and-m4-pro-mac-minis-m31na57p
2
0
[ 42040552 ]
null
null
null
null
null
null
null
null
null
train
42,040,541
decryptlol
2024-11-04T11:23:45
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,549
rwmj
2024-11-04T11:25:25
Limitations of frame pointer unwinding
null
https://developers.redhat.com/articles/2024/10/30/limitations-frame-pointer-unwinding
123
89
[ 42042106, 42041493, 42042659, 42041515, 42042165, 42041888, 42042697, 42042095, 42041946, 42041296, 42050792, 42044299, 42046900, 42046882 ]
null
null
null
null
null
null
null
null
null
train
42,040,556
benoitmalige
2024-11-04T11:27:20
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,560
drchiu
2024-11-04T11:28:12
Show HN: Self hosted email marketing and automation software
null
https://sendbroadcast.net/
2
0
null
null
null
no_error
Self-hosted email marketing software | Broadcast
null
null
Simple yet powerful email software What can Broadcast do?All the things you'd expect from an email marketing software. Unlimited Subscribers Manage an unlimited number of subscribers inside Broadcast, ensuring that your email campaigns reach a wide audience. This feature is ideal for businesses with a growing customer base. Send Unlimited Campaigns Send an unlimited number of email campaigns to your subscribers. This feature is perfect for businesses that need to communicate with their audience frequently, such as newsletters, promotions, or updates. Email Sequence Automations Coming Nov 2024 Automate your email sequences with Broadcast to nurture your leads and onboard your customers. Define triggers and actions for your email campaigns to ensure timely and relevant communication. Use Your Template or Ours Coming Soon Customize your email campaigns with Broadcast's template editor or use your own. Our editor allows for easy drag-and-drop design, ensuring your emails look professional and on-brand. Control Your Data Maintain full control over your subscriber data with Broadcast. Our platform ensures GDPR compliance and allows you to manage your subscribers' preferences and opt-outs easily. API for Transactional Emails Integrate Broadcast's API into your application to send transactional emails, such as password reset emails, order confirmations, and more. Ensure timely and secure communication with your users. Handles Unsubscriptions Broadcast simplifies the unsubscription process for your subscribers. Our platform automatically handles opt-outs, ensuring compliance with anti-spam laws and maintaining a positive sender reputation. GDPR compliance Coming Nov 2024 Broadcast is designed with GDPR compliance in mind. Our platform ensures that your email campaigns meet the necessary standards for data protection and subscriber consent.
2024-11-08T01:53:48
en
train
42,040,568
rbanffy
2024-11-04T11:29:41
Trump to raise tariffs to 60% on all Chinese goods if elected
null
https://www.theregister.com/2024/11/01/us_trump_tariff/
15
23
[ 42041448, 42048604, 42040666, 42040681 ]
null
null
null
null
null
null
null
null
null
train
42,040,572
bundie
2024-11-04T11:30:15
Some customers are reporting issues with Amazon's new Kindle Colorsoft
null
https://www.neowin.net/news/some-customers-are-reporting-issues-with-amazons-new-kindle-colorsoft/
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,573
latexr
2024-11-04T11:30:23
Facial Recognition That Tracks Suspicious Friendliness
null
https://gizmodo.com/facial-recognition-that-tracks-suspicious-friendliness-is-coming-to-a-store-near-you-2000519190
3
1
[ 42042355 ]
null
null
null
null
null
null
null
null
null
train
42,040,576
HieronymusBosch
2024-11-04T11:30:45
Optimizing the Kernel with AutoFDO on CachyOS
null
https://cachyos.org/blog/2411-kernel-autofdo/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,583
Akshaya_Sriram
2024-11-04T11:31:46
How do you structure vesting schedules for startup employees?
I’d love to hear perspectives on the best vesting schedules. Is the standard four-year vesting with a one-year cliff still the norm, or are there better structures used? What flexibility should we consider for employees who may want earlier liquidity?
null
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,587
Akshaya_Sriram
2024-11-04T11:32:20
null
null
null
4
null
[ 42041404, 42041114 ]
null
true
null
null
null
null
null
null
null
train
42,040,589
MarcOnly
2024-11-04T11:32:58
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,590
sendfame
2024-11-04T11:33:09
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,591
zeristor
2024-11-04T11:33:25
Wrong couple get divorced after solicitor 'clicks wrong button'
null
https://www.theguardian.com/lifeandstyle/2024/apr/15/wrong-couple-divorced-solicitor-clicks-wrong-button
2
3
[ 42040860, 42040763, 42041111 ]
null
null
null
null
null
null
null
null
null
train
42,040,593
todsacerdoti
2024-11-04T11:33:27
C++ Is More Alive Than Ever: The Modern Features Silencing the Critics
null
https://medium.com/@pepitoscrespo/c-is-more-alive-than-ever-the-modern-features-silencing-the-critics-fef0cc28e46d
3
0
[ 42041112 ]
null
null
null
null
null
null
null
null
null
train
42,040,600
forensicnoob
2024-11-04T11:34:45
Is yt-dlp/yt-dlp compromised?
null
https://github.com/yt-dlp/yt-dlp/releases
78
37
[ 42040601, 42040699, 42040761, 42040729, 42040742, 42040732 ]
null
null
null
null
null
null
null
null
null
train
42,040,611
perihelions
2024-11-04T11:36:33
The Roman dam of Almonacid that prevented Dana from destroying everything
null
https://www.elespanol.com/reportajes/20241031/presa-romana-almonacid-evito-dana-arrasara-anos-despues-sigue-funcionando/897660474_0.html
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,633
softwaredoug
2024-11-04T11:40:18
RRF Is Not Enough
null
https://softwaredoug.com/blog/2024/11/03/rrf-is-not-enough
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,637
speckx
2024-11-04T11:40:34
Unplugging Is Not the Solution You Want
null
https://zine.kleinkleinklein.com/p/unplugging-is-not-the-solution
3
1
[ 42041640 ]
null
null
null
null
null
null
null
null
null
train
42,040,646
AiswaryaMadhu
2024-11-04T11:42:40
null
null
null
1
null
[ 42040647 ]
null
true
null
null
null
null
null
null
null
train
42,040,650
mackopes
2024-11-04T11:43:35
Show HN: SplatGallery – A Community-Driven Gallery for Gaussian Splats
I just launched SplatGallery, a platform where you can share and discover the best 3D models created with Gaussian Splatting.<p>It&#x27;s a super early stage and new models are coming it fairly often.<p>Would love to get feedback from the HN community on how to improve it!
https://www.splatgallery.com/
35
15
[ 42041458, 42041107, 42043493, 42044675, 42043414, 42041798, 42042034 ]
null
null
missing_parsing
Splat Gallery
null
null
receive a weekly digest via email
2024-11-08T01:46:53
null
train
42,040,653
mitchbob
2024-11-04T11:43:50
The Americans Prepping for a Second Civil War
null
https://www.newyorker.com/magazine/2024/11/11/among-the-civil-war-preppers
4
2
[ 42044371, 42040655, 42040875, 42040839 ]
null
null
null
null
null
null
null
null
null
train
42,040,663
croes
2024-11-04T11:46:24
Okta Verify Desktop MFA for Windows Passwordless Login CVE-2024-9191
null
https://trust.okta.com/security-advisories/okta-verify-desktop-mfa-for-windows-passwordless-login-cve-2024-9191/
2
0
null
null
null
null
null
null
null
null
null
null
train
42,040,679
javonet
2024-11-04T11:49:57
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,686
mitchbob
2024-11-04T11:51:23
The Artificial State
null
https://www.newyorker.com/magazine/2024/11/11/the-artificial-state
1
1
[ 42040692 ]
null
null
null
null
null
null
null
null
null
train
42,040,694
blacktechnology
2024-11-04T11:53:18
I Built a Summarizer Tool in 6 Hours Using Cursor Without Coding Experience
null
https://summarizer.best
2
0
[ 42040829 ]
null
null
no_error
AI Summarizer
null
null
Transform Long Articles into Clear Summaries For FREEAI SummarizerSummary LengthSummary LanguageAI Text SummarizerSummarize Any Text with AIOur AI summarizer helps you extract key information while maintaining context. Perfect for articles, essays, research papers, and any other content you need to digest quickly.AI-Powered SummarizationAdvanced AI algorithms help extract key points while preserving the original context. Our tool ensures accuracy and maintains the main concepts of your content.Easy Content InputTwo convenient ways to get started: paste your text directly into the editor, or simply input any article URL. No need to manually copy content from websites.Multi-language SupportSummarize content in multiple languages without prior translation. Support for English, Spanish, French, German, and more languages to meet your global needs.AI Text SummarizerWhy Our AI Summarizer Is BestExperience the power of advanced AI summarization that combines cutting-edge technology with user-friendly features. Our tool helps you extract key information quickly while maintaining the original context and meaning of your content.Intelligent Text AnalysisOur AI text summarizer uses advanced natural language processing to understand and condense your content while preserving key meanings.Article SummarizationEfficiently summarize long articles, research papers, and documents with our AI article summarizer - save hours of reading time.Customizable LengthControl your summary length using an intuitive slider - our AI summarizer adapts to your needs, whether you want a brief overview or detailed summary.URL SummarizationTurn any web article into a concise summary - just paste the URL and let our AI text summarizer do the work.Multilingual SupportOur AI summarizer works with multiple languages - no need to translate your text first, making it perfect for international research.Data Privacy100% data safety guaranteed - our text summarizer never stores your content, ensuring complete privacy and security.Free AccessAccess our AI text summarizer without limits - enjoy extensive word count allowance completely free.Context PreservationUnlike basic text summarizers, our AI technology maintains the original context and key arguments of your content.Transform Long Articles into Clear SummariesGet instant AI-powered summaries in multiple languages. Save time and extract key insights from any text or article.Start SummarizingLoved by content creators worldwide.Our AI Summarizer is transforming how people process information. Experience the power of intelligent summarization that saves time while preserving meaning.AI Summarizer helped me digest lengthy research papers in minutes. The multi-language support is fantastic, and the summaries maintain the core concepts perfectly.Dr. Sarah ChenResearch Scientist at Tech InstituteThe ability to summarize content from URLs directly saves me so much time. I use it daily for my content curation, and the quality is consistently excellent.Mark ThompsonContent Strategist at Digital MediaAs a student, this AI summarizer tool is invaluable. It helps me quickly understand complex academic papers and create study notes. The different summary lengths are particularly useful.Jessica ParkGraduate Student at StanfordThe accuracy of summaries in multiple languages is impressive. We use it for our international content team, and it maintains context perfectly across languages.Carlos RodriguezHead of Global Content at TechFlowThe markdown export feature is a game-changer for my workflow. I can quickly integrate summaries into our documentation system with perfect formatting.David KumarTechnical Writer at DevHubI love how it preserves the key points while significantly reducing the text length. The bullet point option makes it perfect for creating executive summaries.Emma WilsonBusiness Analyst at Strategy CorpFrequently asked questionsIf you can’t find what you’re looking for, email our support team and if you’re lucky someone will get back to you.What is AI Summarizer and how does it work?AI Summarizer is a powerful article summarizer developed by Black Technology Ltd in London, UK. Our state-of-the-art AI technology automatically analyzes and condenses content while preserving key information. The AI Summarizer processes your content and generates accurate summaries in your preferred language and length at summarizer.best.What makes AI Summarizer stand out from other tools?As a leading AI summarizer, our tool excels with its advanced technology and multi-language support. Unlike basic tools, AI Summarizer offers flexible summary lengths, automatic URL content extraction, and convenient features like markdown download. Our article summarizer is completely free at summarizer.best.Is AI Summarizer free to use?Yes, our AI Summarizer is completely free! We believe in making advanced AI text summarization technology accessible to everyone. While we may introduce premium features in the future, our core AI Summarizer services will always remain free. If you find our tool helpful, please share summarizer.best!What types of content can I process with AI Summarizer?Our AI Summarizer can process various types of content including news articles, research papers, blog posts, and web pages. You can either paste text directly (up to 5000 characters) or provide a URL for automatic content extraction. The article summarizer ensures high-quality summaries while maintaining the original context.Which languages does AI Summarizer support?Our AI Summarizer supports 20+ languages including English, Chinese (Simplified and Traditional), Spanish, French, German, Japanese, Korean, Russian, Portuguese, Arabic, Bengali, Hindi, Indonesian, Marathi, Swahili, Tamil, Telugu, Turkish, and Vietnamese. It automatically detects your preferred language.How do I use the AI Summarizer tool?Using our AI Summarizer is simple: visit summarizer.best, choose between pasting text or entering a URL, select your preferred summary length and output language, then click 'Generate Summary'. The tool will instantly process your content and provide a concise summary you can copy or download.What are the key features of AI Summarizer?Our AI Summarizer offers powerful features including customizable summary lengths (short, medium, long), support for 20+ languages, and URL content extraction. It provides convenient features like copy-to-clipboard and markdown download options. This article summarizer helps you quickly understand long content.Is there a text limit for AI Summarizer?For optimal performance, our AI Summarizer has a limit of 5000 characters for direct text input. When using the URL feature, it will automatically extract and process the relevant content while maintaining this limit to ensure the best possible summaries.Can I use AI Summarizer for academic research?Absolutely! Our AI Summarizer is perfect for academic research. Use it to condense research papers, create study notes, or quickly understand academic articles. The article summarizer helps improve research productivity while maintaining accuracy and context.How accurate is the AI Summarizer tool?Our AI Summarizer uses state-of-the-art machine learning to ensure high accuracy. It has been trained on diverse content to understand context and extract key information effectively. As a professional summarization tool, it maintains coherence while providing concise summaries.Is my content safe with AI Summarizer?Yes, your content is completely safe with our AI Summarizer. At Black Technology Ltd, we take privacy seriously. All content is processed securely and automatically deleted after generating summaries. Our article summarizer prioritizes your privacy and data security.Can I customize summary lengths in AI Summarizer?Yes! Our AI Summarizer offers three length options: short, medium, and long. You can choose the detail level that best suits your needs. The tool provides key points in short summaries and comprehensive details in long ones.Does AI Summarizer work on mobile devices?Yes! Our AI Summarizer at summarizer.best is fully responsive and works perfectly on mobile devices. You can use it on-the-go using your smartphone or tablet. The tool provides the same powerful features across all devices.How can I provide feedback about AI Summarizer?We value your feedback! Contact our team at Black Technology Ltd through summarizer.best. Your suggestions help us improve AI Summarizer and develop new features. As an article summarizer that values user input, we're constantly evolving based on your needs.What's next for AI Summarizer?Our AI Summarizer is constantly evolving! While currently free with powerful features, we're developing new capabilities. Future updates will include advanced options, API access, and integrations, while maintaining free access to core features.
2024-11-08T20:32:10
en
train
42,040,698
kogekar
2024-11-04T11:54:23
Show HN: A site to get traffic and do-follow backlink for your SaaS
What you get:<p>High-quality do-follow backlink to enhance your SEO.<p>Featured listing on the directory for increased visibility.<p>Exposure to thousands of potential customers and early adopters.<p>Periodic shoutouts from the founder&#x27;s Twitter account and newsletter.<p>Requirements:<p>Your service&#x2F;application must be functional and deliver what it promises<p>It&#x27;s 100% FREE to submit your startup (optional $29 to fast-track listing)
https://www.alternate.tools/x
1
0
[ 42040833 ]
null
null
null
null
null
null
null
null
null
train
42,040,701
speckx
2024-11-04T11:55:06
Remove Xiaomi bloatwares using adb on Linux
null
https://perdana.dev/remove-xiaomi-bloatwares-using-adb-on-linux/
4
0
[ 42040837 ]
null
null
null
null
null
null
null
null
null
train
42,040,706
Tomte
2024-11-04T11:55:30
Is the Q source the origin of the Gospels?
null
https://www.thecollector.com/q-source-origin-gospels/
170
293
[ 42050311, 42047767, 42045782, 42045817, 42045956, 42041313, 42048546, 42041436, 42041476, 42040889, 42041778, 42045578, 42045458, 42041821, 42041329, 42041599, 42041692, 42044876, 42047727, 42048458, 42041835, 42045962, 42046354, 42045010, 42041860, 42045054, 42041426, 42045249, 42040949, 42046547, 42051269, 42041561, 42040959 ]
null
null
null
null
null
null
null
null
null
train
42,040,708
kobaltz
2024-11-04T11:55:41
null
null
null
1
null
[ 42040709 ]
null
true
null
null
null
null
null
null
null
train
42,040,719
gHeadphone
2024-11-04T11:57:49
Literacy is good or bad, perhaps
null
https://www.woman-of-letters.com/p/literacy-is-good-or-bad-perhaps
1
0
null
null
null
no_error
Literacy is good or bad, perhaps
2024-10-03T14:01:33+00:00
Naomi Kanakia
Once upon a time, a woman read an extremely convincing book called The Literacy Delusion. This book used the most up-to-date neurological and cognitive research to demonstrate that reading books was bad for you on every level. That the more books you read, the more unhappy you feel and the less effective you are at functioning in society. The genius of this book was that its authors (a behavioral scientist and a journalist who met through a fellowship at MIT's Design Lab) used all the methodologies developed to test whether or not social media is bad, and they applied those methodologies to the act of reading books, resulting in the paradoxical finding that reading books was not just equally bad but that it was, in fact, quite a bit worse than TikTok and Instagram, precisely because books aren’t mere entertainment. Books are worse because they're more effective at changing people.The Literacy Delusion demonstrated, using a large body of research, that book-reading tends to rob people of the ability to appreciate fine nuances. For instance, the control group of college-educated non-readers was able to easily understand the difference between an act being illegal and an act being immoral, and to understand that in certain cases an act could be against the law without being morally wrong.Participants who reported reading books for pleasure, on the other hand, slowly lost the ability to make this distinction between human and moral law. They thought that human laws ought to perfectly reflect the moral law. For instance, the human law is that a child can't be removed from their parent unless the latter has been demonstrated to be unfit through some legal process. But the moral law is that if you know a child to be in danger, then you have to do something about it. This is something non-readers intuitively understand. It's why people love stories about Batman or about other vigilantes. It's not that the law is at fault, necessarily, it's that sometimes you cannot prove something is wrong in a court of law, but nonetheless you personally know it to be wrong.Readers tended not to understand this distinction, and their ability to understand these distinctions actually degraded with the number of books they read, both in the course of a year and in the course of their lifetimes. The more books they read, the more their ability to handle these nuances was slowly eroded, so that over time they stopped believing in the possibility of justified vigilante action.This is just one of a number of natural beliefs that were dissipated through reading books, by the way.The interesting thing was that most readers claimed to highly value precisely this ability to see nuance!But what the study found was that, actually, high-brow literature (literary fiction) was more effective at robbing people of the ability to appreciate nuance, even though this was a quality that readers of high-brow literature claimed most to value. To the extent that it mattered which books you read, or even which genre of books (fiction, non-fiction, etc) you read, it was actually high-brow fiction that had the worst and most pernicious effects.The woman found this fascinating! After all, she loved nuance. All she talked about was nuance and how great it was. And many of the books she picked up were marketed to her as having precisely this quality of nuance.At the same time, the woman could not deny that she herself did not really believe in vigilante action. She believed in it conceptually, of course. But even if she was certain that a child was in danger, she would probably just report it to the proper authorities (or perhaps not even do that, because the authorities were known to be racist). She wouldn't know what else to do! She certainly wouldn't kidnap the child or threaten their parents. She thought it was kind of unrealistic to expect that. Like, maybe if the child was her grand-child, then she'd have some legal standing to take it away from the bad parents. But...there you go…it was all about legal standing, wasn't it?The woman felt herself to be nuanced, because she understood that, in practice, you couldn't let people do whatever they thought was right (an idea elucidated at great length by a book, The Leviathan).But actually, most people simultaneously believed that vigilante action should be punished and that they themselves would be fully justified in undertaking it to correct a perceived wrong. They held two contradictory beliefs. What could be more nuanced and complex than that?This difference between readers and non-readers was something that'd been empirically demonstrated, using brain scans and behavioral studies. Reading simplified the brain, increasing cross-connections while decreasing the number of connections overall. It improved neural communication, at the cost of complexity.Which, again, is something everybody knows—people who read too much are unworldly and can't handle real life. This is a folk belief that everyone has. Even readers believe this to some extent, but they also think that reading books perhaps better equips you to navigate systems and to make the kind of judgments needed to operate a complex society. So you're less able to navigate, say, your romantic life, but more able to navigate a complex organization.However, the authors of The Literacy Delusion claimed that readers were actually less-productive and less successful than non-readers. And this also made a kind of intuitive sense. Most scientists, engineers, policy-makers, generals, business-leaders, etc, weren't big readers! Clearly reading a lot of books didn't necessarily equip you to climb to the top of these ladders. Nor, the authors claimed, did it enable you to make better decisions once you were there.By every verifiable metric, readers didn't just fail to outperform non-readers—they actually performed quite a bit worse.The Literacy Delusion had a number of explanations for why reading books seemed to be so much worse for human beings (in terms of emotional wellness and productivity) than other forms of narrative entertainment, but its main theory was the integration hypothesis. That the stream of words in a book trained the human brain into a habit of self-consciousness, that reading books forced human beings to think of themselves as a stream of text, processed through time, making a coherent argument of some sort. And that this overall flattening effect forced readers to ignore aspects of their personality or their situation that were not otherwise in line with the overarching story they'd created about themselves. Basically, reading books causes repression and neurosis.The Literacy Delusion argued that, yes, human beings are storytelling machines, but that a stream of written text is a particular kind of story—a story that is particularly flat, particularly devoid of conflicting or harmonizing information—and that this flatness creates a peculiar effect on the human brain.The woman wasn’t totally convinced.The Literacy Delusion was an entertaining and well-researched book. Maybe it was true, maybe it wasn't. The woman had no idea! She'd really enjoyed reading it, and she would certainly recommend it to other people. But...she probably wasn't gonna stop reading books.Nor, if she was honest, did she really buy the argument. It seems like you can prove a lot of things with data. How many of these pop-science books have we read in the past twenty or thirty years? And don’t all of them purport to have some startling and counter-intuitive insight into human behavior? At one point there were two books on the New York Times bestseller list with opposite premises: Blink had argued that human beings' instinctive first impressions are often accurate; Thinking, Fast and Slow, had argued the opposite, that the fast-thinking system had certain biases that made it naturally inaccurate. Both books had seemed pretty convincing! The woman was sure if she mentioned both books to someone else, they'd say, oh, that's not what they said, or, actually, this is how those books really agreed with each other. But wasn't that exactly the point? We couldn't even agree on what the books themselves said, much less on whether it was true or not.The woman was certainly willing to believe that reading books was bad; she was willing to believe it was good; she was willing to believe it was good, but that it was a skill that was in decline, and that this was bad; or that reading was bad, and the skill was in decline, which was actually good! Every one of these arguments seemed equally convincing to her. She genuinely had no idea. She’d even be willing to believe it wasn’t in decline at all! To be honest, the woman wasn’t totally convinced that phones weren't basically books. Like...everyone today had a phone, and using those phones involved a lot of reading. This was a much more intimate communion with the written word than was typical (she thought) of fifty or sixty years ago. Nowadays, people were reading text all the time! How could this be bad for literacy? Or was it good for literacy, and that was bad? Or was their reading the bad kind of reading, and that was good, because the good kind of reading was actually bad!The woman ultimately decided to practice the kind of nuance that apparently reading books discouraged. She would accept The Literacy Delusion’s argument that reading books was bad, and at the same time, she would continue to extol the reading of books as a very pleasurable and life-affirming activity.I am a human being, so obviously I love death-of-literacy takes. I know I ought to be like “kids are always the same, and old people have always complained about them,” but I actually do believe that literacy is declining. I dunno, it does seem both intuitively and demonstrably true that the amount of reading-for-pleasure has gone down considerably, and I imagine the difference, in terms of reading comprehension and writing ability, between a college freshman who reads books and one who doesn't read books is probably pretty big! And that, moreover, the absence in college classrooms of the lay reader (the engineer, for instance, who just happens to read twenty books a year) probably has a coarsening effect on the whole college experience.At the same time, it is comical that I read so many takes decrying Sally Rooney for being shallow or criticizing the YA-fication of literature. Like...girl, what do you think people are reading? All these kids who in 1975 used to read six books a year and now don't read any books, what do you think they're not reading? They used to read Flowers in the Attic and Valley of the Dolls and James Michener and stuff that most death-of-literature types think is...well...the death of literature.1You've got the same people (sometimes in the same articles!) critiquing college students who don't read for pleasure, and then critiquing the books that people actually do read for pleasure. Which is it? Which do you want? Which is important? Are the books bad or are they good? If you want to say that reading bad books is bad and reading good books is good, then you can't simultaneously say it's bad that people are reading less overall!Because that would also mean they're doing less of the bad kind of reading!Which would be good!I mean we all know the truth, which is that...reading bad books isn’t actually bad. We want popular literature to be widespread and healthy. When ten million people read Colleen Hoover, that is good, because it trains them to read books, which is an acquired skill.2 It prepares a space in them for real literature. We all know this.At the same time, we don't want to read that stuff ourselves! And we don’t really think other people should read it. But…it’s kind of hard to explain why. It’s just…it’s bad. Don’t read it. The work is aesthetically distasteful—reading it won’t hurt you or anything, because usually what’s bad in it is just reflective of whatever’s bad in society as a whole! But…it’s still bad. It’s not doing the work that literature can do, of elevating you, making you see more nuance—whatever it is you think great literature does, bad literature doesn’t do it. That’s sort of the point of the good / bad distinction, right?But I think we all understand that, in reality, the good stuff isn't that much better than the bad stuff! Yes, Proust is better than Sally Rooney and Sally Rooney is better than Colleen Hoover, but all three, fundamentally, are more similar than they are different. Fundamentally, all reading is quite similar. And it's very different from reading something that isn't a book, or from watching video or from listening to music. Even listening to an audiobook is much more like reading a book than it is like, say, watching a TV show.Whatever good thing reading does, Colleen Hoover probably does it too!Which is something we all know—it's just boring to talk about. Like...this is the most, basic, banal mainstream talking point. Kids should read. Whatever they read is good.Obviously, yeah, I don't know if you need to teach popular novels in school! I don't think the erosion of all norms is good. I think generally speaking, you want popular fiction to feel...illicit. I don't think it particularly helps the cause of literacy to, say, teach YA fiction in school. Maybe literacy is better helped by forcing kids to read books they hate, so that later they can discover a literature on their own that feels more valuable. It’s a bit sad how English teachers kind of commoditize and repackage the idea of rebellion—by creating a safe space for rebellion, you rob students of the ability to actually rebel (this is a theme in my first YA novel, by the way, where the villain is an English teacher).It's also sad when institutions try to encourage popular culture. Like, if something's popular, it should be able to survive institutional disdain. If it can't survive critique by people above it, then...what's the fun? I'm not gonna stop talking trash on popular things. I enjoy doing it.Reading bad books is good; reading better books is better. I think that’s basically the opinion everyone has, although we try to disguise it in various ways.I think pleasure-reading will endure. Like, TikTok and video games are unbelievably stimulating, and yet people still read for pleasure. Similarly, cocaine and meth and LSD are very stimulating, but they didn't replace reading for pleasure! I personally have quit both playing video games and drinking alcohol, and I’ve done so in part because I prefer to read books.3 Nobody forced me to make these changes. There was little material benefit in it. I just experience reading as being a superior and more life-affirming activity. It is more difficult, but ultimately more rewarding. We live in a world where record-breaking numbers of people are running marathons—a race that literally killed the first guy who ran it—and yet we think reading has somehow become so hard that nobody’s gonna do it. People want to do hard things, if they are things that are worth doing. There's something about reading books that's just...very much able to compete with other forms of pleasure. Even if reading books had no institutional support at all (i.e. no novels or book-length creative works were taught in high school or college), lots of people would still read for pleasure! Compulsory schooling is itself a fairly recent phenomenon—this is a theme of another Substack I read, . Forcing people to send their kids to school is a pretty new thing—it’s a lot newer than, say, railroads. People were reading books for pleasure long before the government started forcing kids to do it in school. So long as there is literacy, people will read for pleasure, and modern technology requires literacy on a level that is unprecedented in human history. The assertion, I think, is that smartphones have created some new form of casual literacy, where people can read, say, a text message, but are incapable of reading a whole book. But to me that’s called…just not liking to or wanting to read books! The disinclination creates the inability, and then the inability feeds the disinclination. This simply describes the condition of being a non-reader. That condition might have increased in prevalence, but there’s no reason to believe it will become total and will result in the destruction of the entire practice of reading books.Now—right now, in America, in 2024, half the population has read a book in the last year. In fifty years, will this number be a quarter? Or a fifth? It’s very possible! But then we’d still be talking about tens of millions of people! That contraction has immense ramifications for the economic model that underpins writing and publishing books, but I don’t know if the effect on literature itself will be particularly dire. Tens of millions of people is still more than enough people. Reading won’t become as rarefied as going to the opera. It’s always gonna be something that’s done by many tens of millions of Americans.This is a book that I read a truly unbelievable number of times as a teenager.P.S. As I noted a few days ago, I’ve written a novella called “Money Matters” that I’m going to post in this spot in exactly four weeks. I’ve been pitching it as House of Mirth meets American Psycho. I probably won’t give you the full synopsis in every post, but I’ll likely describe the story at least a few more times before Nov. 1.It should go without saying that I have no idea whether reading is good or bad for the human brain. I haven't looked into it at all. This is an empirical question that can be studied and certainly has been studied. I'm sure people have spent their lives studying it.I've been exposed over the years to a number of articles claiming that reading books is good for our brains and well-being. But I'm sure that if I looked into the research underpinning these articles, I'd find that it has many of the same holes that a lot of behavioral research does. We don't even really know what an effective or happy or productive person looks like, so...how can it really be measured? I personally would read The Literacy Delusion in a heartbeat! And I've no doubt that if someone wanted to, they could write this book and fill it with studies that convincingly make the point. Then some other social scientist would start a podcast debunking it, and I probably wouldn't listen to the podcast because...I would've always kinda known that the book was just sophistry. It wasn’t truth, it wasn’t seeking after wisdom—it was merely a rhetorical performance. One can value the performance without actually needing to believe in it. That's the cycle with these things, no? I read Blink, and I read Thinking, Fast and Slow, and I read Stumbling Upon Happiness, and probably a half-dozen of these other books, and after a certain point it's not really about science—it's just a science-themed textual performance that's very engaging to watch and listen to.ShareYou know what’s annoying though is when a Substacker writes a whole post and pretends they’re only replying to, like, actual articles in real magazines, instead of the Substackers that we all know they’ve also read, who’ve written much better takes on the subject.In my case, writes these very gloomy death-of-literacy takes that I love, and that I definitely think you should read. I’ve linked to some below. These are very provocative pieces—they don’t seem to demand that I take any action or that I try to somehow reform the world, and that’s precisely what I like about them. Whatever happens will happen. Personally, I think literacy (and reading for pleasure) will endure not just as elite activities but as mass activities. I also think that popular culture and high culture (at least when it comes to literature) are basically symbiotic. I’m not sure Sam agrees—but you can and should read him yourself and see (it’ll be a lot more rewarding than reading that Atlantic article, which says basically all the stuff you know anyway).
2024-11-08T08:11:43
en
train
42,040,735
lenimuller93
2024-11-04T12:00:21
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,745
transpute
2024-11-04T12:01:49
OpenPaX Announced as "Open-Source Alternative to GrSecurity" with Kernel Patch
null
https://www.phoronix.com/news/Edera-OpenPaX-Announced
1
0
[ 42040827 ]
null
null
null
null
null
null
null
null
null
train
42,040,750
brianzelip
2024-11-04T12:02:52
Inclusive Components
null
https://inclusive-components.design/
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,758
Telphy
2024-11-04T12:03:46
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,760
rkwz
2024-11-04T12:03:48
A high-performance, general-purpose graph library for Python, written in Rust
null
https://www.rustworkx.org/
3
0
null
null
null
null
null
null
null
null
null
null
train
42,040,777
ingve
2024-11-04T12:06:01
Golang Aha Moments: OOP
null
https://blog.openziti.io/golang-aha-moments-oop
4
0
[ 42040805 ]
null
null
null
null
null
null
null
null
null
train
42,040,789
fatbobman
2024-11-04T12:07:27
null
null
null
1
null
[ 42040790 ]
null
true
null
null
null
null
null
null
null
train
42,040,795
ChrisArchitect
2024-11-04T12:08:30
New York Times Tech Guild goes on strike
null
https://www.washingtonpost.com/style/media/2024/11/04/new-york-times-tech-strike-walkout/
707
1,237
[ 42041331, 42043408, 42040802, 42041258, 42045530, 42041082, 42042740, 42041699, 42045768, 42042283, 42045564, 42041248, 42041036, 42047771, 42041701, 42048366, 42042137, 42041678, 42042597, 42046621, 42042471, 42042756, 42044647, 42041360, 42043793, 42042463, 42041187, 42044619, 42043854, 42042299, 42041540, 42042997, 42041213, 42048933, 42044072, 42042639, 42041037, 42041484, 42043905, 42043810, 42043283, 42042724, 42043872, 42044729, 42046014, 42042755, 42047056 ]
null
null
null
null
null
null
null
null
null
train
42,040,803
robtherobber
2024-11-04T12:09:17
Operation Gladio
null
https://en.wikipedia.org/wiki/Operation_Gladio
2
0
[ 42040825 ]
null
null
null
null
null
null
null
null
null
train
42,040,804
bookofjoe
2024-11-04T12:09:21
Sweden and Norway rethink cashless society plans over Russia security fears
null
https://www.theguardian.com/world/2024/oct/30/sweden-and-norway-rethink-cashless-society-plans-over-russia-security-fears
9
0
[ 42040822 ]
null
null
no_error
Sweden and Norway rethink cashless society plans over Russia security fears
2024-10-30T10:50:58.000Z
Miranda Bryant
Sweden and Norway are backpedalling on plans for cashless societies over fears that fully digital payment systems would leave them vulnerable to Russian security threats, and concern for those unable to use them.A combination of good high-speed internet coverage, high digital literacy rates, large rural populations and fast-growing fintech industries had put the Nordic neighbours on a fast track to a future without cash.Swish, a mobile payment system that six banks launched in 2012, is ubiquitous in Sweden, from market stalls to coffee shops and clothes stores. The Norwegian equivalent, Vipps, which merged with Danish MobilePay in 2022 to form Vipps MobilePay, is also very popular. Last month, it also launched in Sweden.The former deputy governor of Sweden’s central bank predicted in 2018 that Sweden would probably be cashless by 2025.But Russia’s invasion of Ukraine in 2022 and a subsequent rise in cross-border hybrid warfare and cyber-attacks blamed on pro-Russia groups have prompted a rethink.The Swedish government has since completely overhauled its defence and preparedness strategy, joining Nato, starting a new form of national service and reactivating its psychological defence agency to combat disinformation from Russia and other adversaries. Norway has tightened controls on its previously porous border with Russia.The security rethink extends to the fundamentals of how people pay for goods and services.In a brochure with the title If Crisis or War Comes that will be sent to every home in Sweden next month, the defence ministry advises people to use cash regularly and keep at least a week’s supply in various denominations as well as access to other forms of payment such as bank cards and digital payment services. “If you can pay in several different ways, you strengthen your preparedness,” it says.The government is also considering legislation to protect the ability to pay in cash for certain goods. Cash is legal tender in Sweden, but shops and restaurants can effectively make themselves cashless as long as they display a notice setting out their restrictions on payment methods.Norwegian retail customers have always had the right to pay in cash, but it has not been enforced and in recent years increasing numbers of retailers have gone cashless, locking out about 600,000 people who do not have access to digital services. The government acted over the summer, bringing in legislation under which retailers can be fined or sanctioned if they do not accept cash payments from 1 October.The justice and public security ministry said it “recommends everyone keep some cash on hand due to the vulnerabilities of digital payment solutions to cyber-attacks”. It said the government took preparedness seriously “given the increasing global instability with war, digital threats, and climate change. As a result, they’ve ensured that the right to pay with cash is strengthened”.The country’s justice and emergencies minister, Emilie Enger Mehl, said earlier this year: “If no one pays with cash and no one accepts cash, cash will no longer be a real emergency solution once the crisis is upon us.” Prolonged power cuts, system failures or digital attacks on payment systems and banks could leave cash as “the only alternative that is easily available”, she said.Max Brimberg, a researcher at Sweden’s central bank, said the move away from cash had been driven largely by the private sector. Many of the country’s banks abolished cash in local branches some time ago, which made digital payment services easy to roll out to a very willing public.skip past newsletter promotionafter newsletter promotionThe percentage of cash purchases in physical shops has fallen from almost 40% in 2012 to about 10% in recent years, and Brimberg said there was growing concern about cash becoming obsolete.“That’s something that we as a central bank and also the central government see as a potential risk, especially for the people who still haven’t adopted the digital economy and also for preparedness if there were to be a weaponised attack or armed attack against Sweden or a close country,” he said. “So cash fills a very specific role in the payment system, both because it’s issued by the state but also because it’s the only form of payment that we can use if the systems for electricity or communications networks don’t work as they usually do.”Because all Swedish payment systems were part of one ecosystem, an attack could bring society to a standstill, he said.“Pretty much any function that you do in society you have to use some sort of payment or verification analysis, either by electronic ID or electronic payment,” he said. “All of those would be at risk of undermining the functionality of the entire system in Sweden if it were to fail.”The central bank is looking into creating and issuing an “e-krona” that would act as a “digital complement to cash”, but implementation would require a political mandate.Hans Liwång, a professor of systems science for defence and security at the Swedish Defence University, said there was a lack of evidence about whether cash was better than digital payments in the face of modern threats. Pointing to Ukraine, where digital systems have proved vital to its resilience, he said: “Ukraine is a very good example of moving into the future when there is war rather than backwards.”
2024-11-08T00:20:47
en
train
42,040,819
ashitlerferad
2024-11-04T12:11:39
Kuo: Cheaper 'Apple Vision' headset delayed beyond 2027
null
https://9to5mac.com/2024/11/03/cheaper-apple-vision-delayed/
2
0
[ 42040823 ]
null
null
no_error
Kuo: Cheaper 'Apple Vision' headset delayed beyond 2027 - 9to5Mac
2024-11-03T13:07:10+00:00
Michael Burkhardt
According to supply chain analyst Ming-Chi Kuo, Apple has delayed its plans to release a more affordable Apple Vision headset in 2025. It’ll take a couple extra years now. Previous rumors indicated that Apple intended to ship a cheaper Apple Vision headset next year, with cheaper materials, lower resolution displays, and no support for EyeSight. That way, spatial computing could be accessible to more users. However, according to Kuo, that’ll no longer be the case. Kuo still says that Apple will ship a new version of Apple Vision Pro next year, with the M5 chip and support for Apple Intelligence. It’s unclear if there’ll be any additional hardware upgrades. The analyst compared the cheaper Apple Vision to Apple’s HomePod mini, stating that “even after launching the cheaper HomePod mini, Apple’s smart speakers failed to become mainstream products.” Seemingly, Apple believes that a $2000 headset wouldn’t necessarily expand the reach of visionOS. Follow Michael: X/Twitter, Threads, Instagram Add 9to5Mac to your Google News feed.  FTC: We use income earning auto affiliate links. More.
2024-11-08T07:00:56
en
train
42,040,820
speckx
2024-11-04T12:11:40
One year of Linux: a personal retrospective
null
https://blog.platinumtulip.net/one-year-of-linux-a-personal-retrospective/
2
0
[ 42041104 ]
null
null
null
null
null
null
null
null
null
train
42,040,831
ashitlerferad
2024-11-04T12:12:55
Can You Afford to Put All Your Eggs in One Basket?
null
https://linuxblog.io/entrepreneurship-can-you-afford-to-put-all-your-eggs-in-one-basket/
2
0
[ 42040933 ]
null
null
null
null
null
null
null
null
null
train
42,040,842
dillonshook
2024-11-04T12:14:29
What layoffs teach us about technical leadership
null
https://chelseatroy.com/2024/10/31/what-layoffs-teach-us-about-technical-leadership/
3
0
[ 42040918 ]
null
null
null
null
null
null
null
null
null
train
42,040,844
dazkins
2024-11-04T12:14:41
Show HN: A free quantum computing course
I&#x27;ve spent the last 6 months writing a completely free, &quot;mathematics first&quot; quantum computing course.<p>I mostly did it for myself, to help my own learning, but I hope the articles will prove useful to others looking for a more math centric approach to the subject.<p>The course goes from an approximately high school level of math to Shor&#x27;s famous quantum factoring algorithm.
https://qcfundamentals.com/
1
0
null
null
null
null
null
null
null
null
null
null
train
42,040,845
alexpecora0
2024-11-04T12:14:49
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train
42,040,846
pseudolus
2024-11-04T12:14:49
Not too big, not too small: Why modern humans are the ideal size for speed
null
https://phys.org/news/2024-10-big-small-modern-humans-ideal.html
1
0
null
null
null
http_other_error
Just a moment...
null
null
Please complete security verificationThis request seems a bit unusual, so we need to confirm that you're human. Please press and hold the button until it turns completely green. Thank you for your cooperation!Press and hold the buttonIf you believe this is an error, please contact our support team.24.173.64.2 : d6ead108-4ba3-43f5-a9ef-891b4d79
2024-11-08T00:32:01
null
train
42,040,853
wmstack
2024-11-04T12:15:33
Survey reveals strong opposition to kangaroo products, urging EU to ban imports
null
https://www.eurogroupforanimals.org/news/new-survey-reveals-strong-opposition-kangaroo-products-urging-eu-ban-imports
3
0
[ 42040934 ]
null
null
null
null
null
null
null
null
null
train
42,040,862
chetanbhasin
2024-11-04T12:17:12
BeeLike: A better time management system
null
https://beelike.io/blog/beelike-introduction-what-beelike-does-why-beelike-exists/
1
1
[ 42040863 ]
null
null
null
null
null
null
null
null
null
train
42,040,867
rbanffy
2024-11-04T12:17:22
Laptop, smartphone, and game console prices could soar after the election
null
https://arstechnica.com/tech-policy/2024/11/laptop-smartphone-and-game-console-prices-could-soar-after-the-election/
4
0
[ 42040915 ]
null
null
no_error
Laptop, smartphone, and game console prices could soar after the election
2024-11-04T11:00:19+00:00
Ashley Belanger
"At that point, it's prohibitive" to do business with China, Brzytwa told Ars, suggesting that Trump's proposed tariffs are about "blocking imports," not safeguarding American tech. How soon would tech prices increase? It's unclear how quickly prices would rise if Trump or Harris expanded tariffs. Lovely told Ars that "it's really up to the manufacturers, how fast they pass through the prices." She has spoken to manufacturers using subcontractors in China who "say they're in no position to move their business" "quickly" to "someplace else." Those manufacturers would have a difficult choice to make. They could "raise prices immediately" and "send a very clear signal to their customers" that "this is because of the tariffs," Lovely said. Or they could keep prices low while scaling back business that could hamper US innovation, as the CTA has repeatedly warned. "I think I would just say, 'Hey everybody, you elected this guy, here's the tariff,'" Lovely said. "But some might decide that that's not the best thing." In particular, some companies may be reluctant to raise prices because they can't afford triggering a shift in consumer habits, Lovely suggested. "Demand is not infinitely elastic," Lovely told Ars. "People will say, 'I can use my cell phone a little longer than every three years' or whatever." Tech industry strategist and founder of Tirias Research, Jim McGregor, told Ars that if Trump is elected and the tariffs are implemented, impacts could be felt within a few months. At a conference this month, Trump's proposed China tariffs were a hot topic, and one tech company CEO told McGregor that it's the global economic X-factor that he's "most worried about," McGregor told Ars. On top of worrying about what tariffs may come, tech companies are still maneuvering in response to Biden's most recently added tariffs, analysts noted. In May, McGregor warned in Forbes that Americans will likely soon be feeling the crunch from those tariffs, estimating that in the "short term," some tariffs "will drive up prices to consumers, especially for consumer electronics, due particularly to the tariffs on chips, batteries, and steel/aluminum." Staring down November 5, it appears that most tech companies can't avoid confronting the hard truth that US protectionist trade policies increasingly isolating China are already financially burdening American consumers and companies—and more costs and price hikes are likely coming. "It just doesn't look good," Brzytwa told Ars.
2024-11-08T13:51:23
en
train
42,040,874
lynx23
2024-11-04T12:18:42
The Absolute Horror of Strattera [video]
null
https://www.youtube.com/watch?v=1xRNgpBXHEg
1
0
[ 42040912 ]
null
null
null
null
null
null
null
null
null
train
42,040,896
thunderbong
2024-11-04T12:23:44
5 (Wrong) Regex to Parse Parentheses
null
https://aartaka.me/paren-regex
2
0
[ 42040900 ]
null
null
null
null
null
null
null
null
null
train
42,040,899
rbanffy
2024-11-04T12:24:31
An awful lot of FOSS should thank the Academy
null
https://www.theregister.com/2024/11/01/aswf_foss_oscars/
2
0
[ 42040903 ]
null
null
null
null
null
null
null
null
null
train
42,040,906
lenimuller93
2024-11-04T12:25:21
null
null
null
1
null
null
null
true
null
null
null
null
null
null
null
train