url
stringlengths
11
2.25k
text
stringlengths
88
50k
ts
timestamp[s]date
2026-01-13 08:47:33
2026-01-13 09:30:40
https://dev.to/enter#main-content
Welcome! - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to DEV Community? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://developer.mozilla.org/en-US/docs/Web/HTML/Reference/Global_attributes/hidden
HTML hidden global attribute - HTML | MDN Skip to main content Skip to search MDN HTML HTML: Markup language HTML reference Elements Global attributes Attributes See all… HTML guides Responsive images HTML cheatsheet Date & time formats See all… Markup languages SVG MathML XML CSS CSS: Styling language CSS reference Properties Selectors At-rules Values See all… CSS guides Box model Animations Flexbox Colors See all… Layout cookbook Column layouts Centering an element Card component See all… JavaScript JS JavaScript: Scripting language JS reference Standard built-in objects Expressions & operators Statements & declarations Functions See all… JS guides Control flow & error handing Loops and iteration Working with objects Using classes See all… Web APIs Web APIs: Programming interfaces Web API reference File system API Fetch API Geolocation API HTML DOM API Push API Service worker API See all… Web API guides Using the Web animation API Using the Fetch API Working with the History API Using the Web speech API Using web workers All All web technology Technologies Accessibility HTTP URI Web extensions WebAssembly WebDriver See all… Topics Media Performance Privacy Security Progressive web apps Learn Learn web development Frontend developer course Getting started modules Core modules MDN Curriculum Learn HTML Structuring content with HTML module Learn CSS CSS styling basics module CSS layout module Learn JavaScript Dynamic scripting with JavaScript module Tools Discover our tools Playground HTTP Observatory Border-image generator Border-radius generator Box-shadow generator Color format converter Color mixer Shape generator About Get to know MDN better About MDN Advertise with us Community MDN on GitHub Blog Toggle sidebar Web HTML Reference Global attributes hidden Theme OS default Light Dark English (US) Remember language Learn more Deutsch English (US) Español Français 日本語 한국어 Português (do Brasil) 中文 (简体) HTML hidden global attribute The hidden global attribute is an enumerated attribute indicating that the browser should not render the contents of the element. For example, it can be used to hide elements of the page that can't be used until the login process has been completed. In this article Try it Description Usage notes Examples Specifications Browser compatibility See also Try it <p> This content should be read right now, as it is important. I am so glad you are able to find it! </p> <p hidden> This content is not relevant to this page right now, so should not be seen. Nothing to see here. Nada. </p> p { background: #ffe8d4; border: 1px solid #f69d3c; padding: 5px; border-radius: 5px; } Description The hidden attribute indicates that the content of an element should not be presented to the user. The attribute takes any one of the following values: the keyword hidden the keyword until-found an empty string or no value Invalid hidden attribute values also place the element in the hidden state. Therefore, all the following elements are in the hidden state: html <span hidden>I'm hidden</span> <span hidden="">I'm also hidden</span> <span hidden="hidden">I'm hidden too!</span> <span hidden="bananas">I'm equally as hidden!</span> The keyword until-found sets the element to the hidden until found state: html <span hidden="until-found">I'm hidden until found</span> The hidden state The hidden state indicates that the element is not currently relevant to the page, or that it is being used to declare content for reuse by other parts of the page and should not be directly presented to the user. The browser will not render elements that are in the hidden state. Web browsers may implement the hidden state using display: none , in which case the element will not participate in page layout. Additionally, changing the value of the CSS display property on a hidden element will override the hidden state. For instance, elements styled display: block will be displayed despite the hidden attribute's presence. The hidden until found state In the hidden until found state, the element is hidden but its content will be accessible to the browser's "Find in page" feature or to fragment navigation. When these features cause a scroll to an element in a hidden until found subtree, the browser will: Fire a beforematch event on the hidden element Remove the hidden attribute from the element Scroll to the element This lets you collapse a section of content while still allowing users to find it through search or navigation. Browsers typically implement hidden until found using content-visibility: hidden . This means that, unlike elements in the hidden state, elements in the hidden until-found state generate boxes, and: they participate in page layout their margin, borders, padding, and background are rendered Also, the element needs to be affected by layout containment in order to be revealed. If the element in the hidden until found state has a display value of none , contents , or inline , then the element will not be revealed by "Find in page" or fragment navigation. Usage notes The hidden attribute must not be used to hide content just from one presentation. If something is marked hidden, it is hidden from all presentations, including, for instance, screen readers. Hidden elements shouldn't be linked from visible elements unless using hidden="until-found" . For example, it would be incorrect to use the href attribute to link to a section with the hidden attribute. If the content is not applicable or relevant, it shouldn't be linked. It is fine, however, to use the ARIA aria-describedby attribute to refer to hidden descriptions. While hiding the descriptions implies that they're not useful on their own, they can provide helpful context when referenced in this way. Similarly, a canvas element with the hidden attribute could be used by a scripted graphics engine as an off-screen buffer, and a form control could refer to a hidden form element using its form attribute. Finally, note that elements that are descendants of a hidden element are still active, which means that script elements can still execute, and form elements can still submit: html <div hidden> <script> console.warn("Boo! I'm hidden *and* running!"); </script> </div> Examples Using the hidden attribute In this example, we have three <div> elements. The first and the third are not hidden, while the second has a hidden attribute. Note that the hidden element has no generated box. html <div>I'm not hidden</div> <div hidden>I'm hiding!</div> <div>I'm not hidden, either</div> div { height: 40px; width: 300px; border: 5px dashed black; margin: 1rem 0; padding: 1rem; font-size: 2rem; } Using the until-found value In this example, we have three <div> elements. The first and the third are visible, while the second has the hidden="until-found" and id="until-found-box" attributes. The element with a until-found-box id has a dotted red border and a gray background. We also have a link that targets the "until-found-box" fragment and JavaScript that listens for the beforematch event firing on that hidden element. The event handler changes the text content of the box to illustrate an action that can occur when the hidden until found state is about to be removed. HTML html <a href="#until-found-box">Go to hidden content</a> <div>I'm not hidden</div> <div id="until-found-box" hidden="until-found">Hidden until found</div> <div>I'm hidden</div> <button id="reset">Reset</button> CSS css div { height: 40px; width: 300px; border: 5px dashed black; margin: 1rem 0; padding: 1rem; font-size: 2rem; } div#until-found-box { color: red; border: 5px dotted red; background-color: lightgray; } #until-found-box { scroll-margin-top: 200px; } JavaScript js const untilFound = document.querySelector("#until-found-box"); untilFound.addEventListener( "beforematch", () => (untilFound.textContent = "I've been revealed!"), ); document.querySelector("#reset").addEventListener("click", () => { document.location.hash = ""; document.location.reload(); }); Result Clicking the "Go to hidden content" link navigates to the hidden until found element. The beforematch event fires, the text content is updated, and the element becomes visible. Note that although the content of the element is hidden, the element still has a generated box, occupying space in the layout and with background and borders rendered. To run the example again, click "Reset". Specifications Specification HTML # the-hidden-attribute Browser compatibility Enable JavaScript to view this browser compatibility table. See also HTMLElement.hidden All global attributes The aria-hidden attribute The beforematch event Help improve MDN Was this page helpful to you? Yes No Learn how to contribute This page was last modified on ⁨Nov 7, 2025⁩ by MDN contributors . View this page on GitHub • Report a problem with this content Filter sidebar HTML Guides Cheatsheet Comments Constraint validation Content categories Date and time formats Microdata Microformats Quirks and standards modes Responsive images How to Define terms with HTML Use data attributes Use cross-origin images Add a hitmap on top of an image Author fast-loading HTML pages Add JavaScript Reference Elements <a> <abbr> <acronym> Deprecated <address> <area> <article> <aside> <audio> <b> <base> <bdi> <bdo> <big> Deprecated <blockquote> <body> <br> <button> <canvas> <caption> <center> Deprecated <cite> <code> <col> <colgroup> <data> <datalist> <dd> <del> <details> <dfn> <dialog> <dir> Deprecated <div> <dl> <dt> <em> <embed> <fencedframe> Experimental <fieldset> <figcaption> <figure> <font> Deprecated <footer> <form> <frame> Deprecated <frameset> Deprecated <h1> <head> <header> <hgroup> <hr> <html> <i> <iframe> <img> <input> <ins> <kbd> <label> <legend> <li> <link> <main> <map> <mark> <marquee> Deprecated <menu> <meta> <meter> <nav> <nobr> Deprecated <noembed> Deprecated <noframes> Deprecated <noscript> <object> <ol> <optgroup> <option> <output> <p> <param> Deprecated <picture> <plaintext> Deprecated <pre> <progress> <q> <rb> Deprecated <rp> <rt> <rtc> Deprecated <ruby> <s> <samp> <script> <search> <section> <select> <selectedcontent> Experimental <slot> <small> <source> <span> <strike> Deprecated <strong> <style> <sub> <summary> <sup> <table> <tbody> <td> <template> <textarea> <tfoot> <th> <thead> <time> <title> <tr> <track> <tt> Deprecated <u> <ul> <var> <video> <wbr> <xmp> Deprecated Attributes accept autocomplete capture content crossorigin dirname disabled elementtiming fetchpriority for form max maxlength min minlength multiple pattern placeholder readonly rel required size step Global attributes accesskey anchor Experimental Non-standard autocapitalize autocorrect autofocus class contenteditable data-* dir draggable enterkeyhint exportparts hidden id inert inputmode is itemid itemprop itemref itemscope itemtype lang nonce part popover slot spellcheck style tabindex title translate virtualkeyboardpolicy Experimental writingsuggestions Attributes by element <input> type <input type="button"> <input type="checkbox"> <input type="color"> <input type="date"> <input type="datetime-local"> <input type="email"> <input type="file"> <input type="hidden"> <input type="image"> <input type="month"> <input type="number"> <input type="password"> <input type="radio"> <input type="range"> <input type="reset"> <input type="search"> <input type="submit"> <input type="tel"> <input type="text"> <input type="time"> <input type="url"> <input type="week"> <script> type importmap speculationrules Experimental <meta> name color-scheme referrer robots theme-color viewport <meta> http-equiv Attribute values rel keywords rel="alternate stylesheet" rel="compression-dictionary" Experimental rel="dns-prefetch" rel="manifest" rel="me" rel="modulepreload" rel="noopener" rel="noreferrer" rel="preconnect" rel="prefetch" rel="preload" rel="prerender" Non-standard Deprecated Your blueprint for a better internet. MDN About Blog Mozilla careers Advertise with us MDN Plus Product help Contribute MDN Community Community resources Writing guidelines MDN Discord MDN on GitHub Developers Web technologies Learn web development Guides Tutorials Glossary Hacks blog Website Privacy Notice Telemetry Settings Legal Community Participation Guidelines Visit Mozilla Corporation’s not-for-profit parent, the Mozilla Foundation . Portions of this content are ©1998–⁨2026⁩ by individual mozilla.org contributors. Content available under a Creative Commons license .
2026-01-13T08:48:03
https://dev.to/podcast-on-api-design-and-development-strategies/how-to-best-support-your-api-ecosystem-feat-andrei-soroker-of-fogbender#main-content
How to Best Support Your API Ecosystem feat. Andrei Soroker of Fogbender - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close API Intersection Follow How to Best Support Your API Ecosystem feat. Andrei Soroker of Fogbender Jan 18 '23 play This week on the API Intersection podcast, we spoke with Andrei Soroker, CEO at Fogbender , a B2b customer support tool for API-first companies. We often discuss how to secure the right development tools and scale your API program from there, but we often don't talk enough about supporting the thing when it's out in the wild. Supporting APIs is innately complex, and Andrei shared his perspective on the matter.  _____ To subscribe to the podcast, visit https://stoplight.io/podcast --- API Intersection Podcast listeners are invited to sign up for Stoplight and save up to $650! Use code INTERSECTION10 to get 10% off a new subscription to Stoplight Platform Starter or Pro. Offer good for annual or monthly payment option for first-time subscribers. 10% off an annual plan ($650 savings for Pro and $94.80 for Starter) or 10% off your first month ($9.99 for Starter and $39 for Pro). Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/t/googleaichallenge
Google AI Challenge - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Google AI Challenge Follow Hide This is the official tag for submissions and announcements related to Google AI Studio Challenges. Create Post about #googleaichallenge Check out our latest challenge: New Year, New You ! Older #googleaichallenge posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu # MindsEye: Ledger-First AI Architecture New Year, New You Portfolio Challenge Submission PEACEBINFLOW PEACEBINFLOW PEACEBINFLOW Follow Jan 13 # MindsEye: Ledger-First AI Architecture # devchallenge # googleaichallenge # portfolio # gemini 3  reactions Comments 1  comment 36 min read From 2AM Debugging to $1000: How I Built My AI-Powered Portfolio New Year, New You Portfolio Challenge Submission ANIRUDDHA ADAK ANIRUDDHA ADAK ANIRUDDHA ADAK Follow Jan 13 From 2AM Debugging to $1000: How I Built My AI-Powered Portfolio # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 3 min read This Portfolio Scrolls Different (And That’s Intentional) Dhanalakshmi.d.gowda23 Dhanalakshmi.d.gowda23 Dhanalakshmi.d.gowda23 Follow Jan 12 This Portfolio Scrolls Different (And That’s Intentional) # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 2 min read Building an AI-Powered Portfolio with Gemini and Google Cloud Run New Year, New You Portfolio Challenge Submission ANIRUDDHA ADAK ANIRUDDHA ADAK ANIRUDDHA ADAK Follow Jan 12 Building an AI-Powered Portfolio with Gemini and Google Cloud Run # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 2 min read I Let an AI Agent Rebuild My Portfolio: Here’s How Antigravity Designs My Best UI App Ever New Year, New You Portfolio Challenge Submission Nhi Nguyen Nhi Nguyen Nhi Nguyen Follow Jan 12 I Let an AI Agent Rebuild My Portfolio: Here’s How Antigravity Designs My Best UI App Ever # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 4 min read ⚡ From Raw Sockets to Serverless: Reimagining the Architect's Portfolio donghun lee (David Lee) donghun lee (David Lee) donghun lee (David Lee) Follow Jan 10 ⚡ From Raw Sockets to Serverless: Reimagining the Architect's Portfolio # devchallenge # googleaichallenge # portfolio # webdev 1  reaction Comments Add Comment 3 min read Google AI Tools for Building Your Developer Portfolio: What to Use, When, and Why naveen gaur naveen gaur naveen gaur Follow Jan 10 Google AI Tools for Building Your Developer Portfolio: What to Use, When, and Why # webdev # ai # portfolio # googleaichallenge 3  reactions Comments Add Comment 4 min read From Idea to Launch: How I Built an Instant Messaging App on a Weekend asdryankuo asdryankuo asdryankuo Follow Jan 7 From Idea to Launch: How I Built an Instant Messaging App on a Weekend # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 2 min read Built My Portfolio with Google's AI Code Agent & Cloud Run - What Took Me Days Now Takes an Hour ⚡ Hongming Wang Hongming Wang Hongming Wang Follow Jan 10 Built My Portfolio with Google's AI Code Agent & Cloud Run - What Took Me Days Now Takes an Hour ⚡ # googleaichallenge # portfolio # ai # webdev 2  reactions Comments Add Comment 2 min read My AI-Powered Developer Portfolio - Built with Google Gemini Simran Shaikh Simran Shaikh Simran Shaikh Follow Jan 10 My AI-Powered Developer Portfolio - Built with Google Gemini # devchallenge # googleaichallenge # portfolio # gemini 5  reactions Comments Add Comment 1 min read My New 2026 Portfolio: Powered by Google Cloud & AI arnostorg arnostorg arnostorg Follow Jan 9 My New 2026 Portfolio: Powered by Google Cloud & AI # devchallenge # googleaichallenge # portfolio # gemini 6  reactions Comments Add Comment 3 min read How a Medical Student is Chasing a $100k Hackathon Prize with AI( GO BIG or GO HOME ) Google AI Challenge Submission CHIN JIE WEN CHIN JIE WEN CHIN JIE WEN Follow Jan 4 How a Medical Student is Chasing a $100k Hackathon Prize with AI( GO BIG or GO HOME ) # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 2 min read Stop Chatting, Start Building: A Developer’s Guide to Google AI Studio Ashwin Mehta Ashwin Mehta Ashwin Mehta Follow Jan 7 Stop Chatting, Start Building: A Developer’s Guide to Google AI Studio # googleaichallenge # googlecloud # googleaistudio # aifordevelopers Comments Add Comment 3 min read Paul E. Yeager, Engineer Paul Paul Paul Follow Jan 7 Paul E. Yeager, Engineer # devchallenge # googleaichallenge # portfolio # gemini 3  reactions Comments 2  comments 3 min read Join the New Year, New You Portfolio Challenge: $3,000 in Prizes + Feedback from Google AI Team (For Winners and Runner Ups!) Jess Lee Jess Lee Jess Lee Follow for The DEV Team Jan 1 Join the New Year, New You Portfolio Challenge: $3,000 in Prizes + Feedback from Google AI Team (For Winners and Runner Ups!) # devchallenge # googleaichallenge # career # gemini 215  reactions Comments 67  comments 4 min read The Deployment From Hades Google AI Challenge Submission John A Madrigal John A Madrigal John A Madrigal Follow Jan 10 The Deployment From Hades # devchallenge # googleaichallenge # portfolio # gemini 2  reactions Comments 1  comment 6 min read Mathematical Creativity on an ML researcher's portfolio Michael Tunwashe Michael Tunwashe Michael Tunwashe Follow Jan 6 Mathematical Creativity on an ML researcher's portfolio # devchallenge # googleaichallenge # portfolio # gemini 3  reactions Comments Add Comment 2 min read From Jury Services to AI Builder in 6 Months L. Cordero L. Cordero L. Cordero Follow Jan 5 From Jury Services to AI Builder in 6 Months # devchallenge # googleaichallenge # portfolio # gemini 3  reactions Comments Add Comment 4 min read New Year, New You Portfolio Challenge by Simpled1 Google AI Challenge Submission simpled1 simpled1 simpled1 Follow Jan 4 New Year, New You Portfolio Challenge by Simpled1 # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 2 min read ♊Source Persona: AI Twin Google AI Challenge Submission Veronika Kashtanova Veronika Kashtanova Veronika Kashtanova Follow Jan 4 ♊Source Persona: AI Twin # devchallenge # googleaichallenge # portfolio # gemini 3  reactions Comments Add Comment 2 min read Building a 3D Interactive Portfolio with React 19, Three.js, and a Gemini AI Agent José Gabriel José Gabriel José Gabriel Follow Jan 3 Building a 3D Interactive Portfolio with React 19, Three.js, and a Gemini AI Agent # googleaichallenge # dev # devchallenge # portfolio 2  reactions Comments Add Comment 2 min read Awakening Agency Integration Lisa Girlinghouse Lisa Girlinghouse Lisa Girlinghouse Follow Jan 5 Awakening Agency Integration # devchallenge # googleaichallenge # portfolio # gemini Comments Add Comment 1 min read 🚀 Unlocking the Future: My AI Agent Mesh Portfolio Backend for the New Year, New You Challenge Pascal Reitermann Pascal Reitermann Pascal Reitermann Follow Jan 9 🚀 Unlocking the Future: My AI Agent Mesh Portfolio Backend for the New Year, New You Challenge # devchallenge # googleaichallenge # portfolio # gemini 4  reactions Comments Add Comment 3 min read How I Built 14 Interactive Visualizations Using Google AI Studio Ritam Pal Ritam Pal Ritam Pal Follow Dec 16 '25 How I Built 14 Interactive Visualizations Using Google AI Studio # ai # programming # googleaichallenge Comments Add Comment 8 min read New Year, New You Portfolio Challenge - Building & Deploying My Portfolio with Google Cloud Run Akkarapon Phikulsri Akkarapon Phikulsri Akkarapon Phikulsri Follow Jan 9 New Year, New You Portfolio Challenge - Building & Deploying My Portfolio with Google Cloud Run # devchallenge # googleaichallenge # portfolio # gemini 12  reactions Comments Add Comment 11 min read loading... trending guides/resources 48 Hours to Learn AI Agents: How It Changed My View Join the New Year, New You Portfolio Challenge: $3,000 in Prizes + Feedback from Google AI Team (... AI Agents Intensive Course Writing Challenge with Google and Kaggle: Deadline Extended Congrats to the AI Agents Intensive Course Writing Challenge Winners! Beyond the Linear CV Join the AI Agents Intensive Course Writing Challenge with Google and Kaggle Nobody was interested in my portfolio, so I made everyone play it instead. AI Agents: From Zero to Hero in 5-Days With Kaggle and Google The Anthology of a Creative Developer: A 2026 Portfolio Google just made n8n look expensive 💰 Building a Language Companion AI Agent AI Study Portfolio – Helping Students Study Smarter with Google AI Beyond the Notebook: 4 Architectural Patterns for Production-Ready AI Agents Function Calling With Google Gemini 3 - Google ADK & Google Genai My Journey With Agentic AI in the Google x Kaggle Hackathon: What I Built, What I Learned, and Wh... Strategy Is Actually Easy (If You Have AI Agents) From User to Builder : My Honest Learning Reflections from Kaggle’s 5-Day AI Agents Intensive Cou... Building CodePulse: An AI-Powered Multi-Agent System for GitHub Repository Analysis Building a Modern Digital Garden with Google AI: My New Year, New You Portfolio The Week That Upgraded My Brain: Lessons from Google’s AI Agents Intensive 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://topenddevs.com/podcasts/adventures-in-machine-learning/episodes/challenges-for-llm-implementation-ml-126
Challenges for LLM Implementation - ML 126 - Adventures in Machine Learning - Top End Devs Top End Devs Home Podcasts Screencasts Courses Blogs Summits Meetups search-modal#open" aria-label="Search"> Sign In Sign Up search-modal#close"> Search search-modal#close"> search-modal#search" data-turbo-frame="search-results" data-turbo="true" class="space-y-4" action="/search" method="get"> Content Type All Episodes Podcasts Screencasts Lessons Courses Blog Authors Meetups Use semantic search (recommended) Search Trending Now What’s New in React 19.2: Compiler, Activity, and the Future of Async React - JSJ 670 JavaScript Jabber Can You Really Trust AI-Generated Code? - JSJ 699 JavaScript Jabber Autogenetic AI Agents and the Future of Ruby Development - RUBY 682 Ruby Rogues Popular Searches search-modal#fillSearch" data-search-term="podcast"> Podcast search-modal#fillSearch" data-search-term="episode"> Episode search-modal#fillSearch" data-search-term="author"> Author search-modal#fillSearch" data-search-term="meetup"> Meetup search-modal#fillSearch" data-search-term="series"> Series Back to Adventures in Machine Learning RSS Feed Spotify Apple Podcasts YouTube Amazon Music Challenges for LLM Implementation - ML 126 Published: September 07, 2023 Download Challenges for LLM Implementation - ML 126 0:00 audio-player#clickProgressBar touchstart->audio-player#clickProgressBar touchmove->audio-player#clickProgressBar" data-audio-player-target="progressBar"> 0:00 audio-player#skipBackward"> audio-player#togglePlayPause" data-audio-player-target="playPauseButton"> audio-player#skipForward"> audio-player#changeVolume" type="range" min="0" max="1" step="0.01" value="1" /> Playback Speed: audio-player#changePlaybackSpeed"> 0.5x 0.75x 1x 1.25x 1.5x 2x Created by: Ben Wilson • Michael Berk • Anand Das Show Notes  In today's episode, we speak with Anand Das, the CTO and co-founder of bito.ai , an LLM-powered code assistant. Expect to learn about managing LLM context, keeping LLMs up-to-date, common user pitfalls, and much more! On YouTube Challenges for LLM Implementation - ML 126 Sponsors Chuck's Resume Template Developer Book Club starting Become a Top 1% Dev with a Top End Devs Membership Socials LinkedIn:  Anand Das © 2026 2022 Intentional Excellence Productions, LLC. All rights reserved.
2026-01-13T08:48:03
https://topenddevs.com/podcasts/adventures-in-devops/episodes/environment-as-code-ft-adarsh-shah-devops-190
Environment as Code ft. Adarsh Shah - DevOps 190 - Adventures in DevOps - Top End Devs Top End Devs Home Podcasts Screencasts Courses Blogs Summits Meetups search-modal#open" aria-label="Search"> Sign In Sign Up search-modal#close"> Search search-modal#close"> search-modal#search" data-turbo-frame="search-results" data-turbo="true" class="space-y-4" action="/search" method="get"> Content Type All Episodes Podcasts Screencasts Lessons Courses Blog Authors Meetups Use semantic search (recommended) Search Trending Now What’s New in React 19.2: Compiler, Activity, and the Future of Async React - JSJ 670 JavaScript Jabber Can You Really Trust AI-Generated Code? - JSJ 699 JavaScript Jabber Autogenetic AI Agents and the Future of Ruby Development - RUBY 682 Ruby Rogues Popular Searches search-modal#fillSearch" data-search-term="podcast"> Podcast search-modal#fillSearch" data-search-term="episode"> Episode search-modal#fillSearch" data-search-term="author"> Author search-modal#fillSearch" data-search-term="meetup"> Meetup search-modal#fillSearch" data-search-term="series"> Series Back to Adventures in DevOps RSS Feed Spotify Apple Podcasts YouTube Amazon Music Environment as Code ft. Adarsh Shah - DevOps 190 Published: January 25, 2024 Download Environment as Code ft. Adarsh Shah - DevOps 190 0:00 audio-player#clickProgressBar touchstart->audio-player#clickProgressBar touchmove->audio-player#clickProgressBar" data-audio-player-target="progressBar"> 0:00 audio-player#skipBackward"> audio-player#togglePlayPause" data-audio-player-target="playPauseButton"> audio-player#skipForward"> audio-player#changeVolume" type="range" min="0" max="1" step="0.01" value="1" /> Playback Speed: audio-player#changePlaybackSpeed"> 0.5x 0.75x 1x 1.25x 1.5x 2x Created by: Will Button • Adarsh Shah Show Notes Adarsh Shah joins the Adventure to discuss building out Environment as Code which goes beyond just Infrastructure as Code which defines your servers and networking. Environment as Code provides a way to define an entire component of your environment and connections between pieces. It emphasizes loose coupling and allows teams to deliver an environment for their applications. Sponsors Chuck's Resume Template Developer Book Club Become a Top 1% Dev with a Top End Devs Membership Links Infrastructure as Code: Principles, Patterns, and Practices zLifecycle Conference Talk: Principles, Patterns, and Practices for Effective Infrastructure as Code Talk Abstract: From Infrastructure as Code to Environment as Code: Challenges scaling IaC and how to resolve them Challenges scaling Infrastructure as Code CompuZest LinkedIn: Adarsh Shah Twitter: Adarsh Shah ( @shahadarsh ) Picks Adarsh- Toyota Books Will- A Guide to the Good Life © 2026 2022 Intentional Excellence Productions, LLC. All rights reserved.
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Best-Practices-for-Writing-on-DEV
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/new/programming#main-content
New Post - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to DEV Community? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#DEV-Editor-guide
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Drafting-and-publishing-a-post
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Q-Why-has-my-post-been-removed
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://ruul.io/blog/8-tips-for-solo-talents-to-stay-healthy-and-happy#$%7Bid%7D
8 tips for solo talents to stay healthy and happy - Ruul Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up No items found. 8 tips for solo talents to stay healthy and happy Prioritizing your mental and physical health is crucial for freelancers. Read on for tips on scheduling work, having a dedicated workspace, and taking care of your body. Arno Yeramyan 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Doing solo work comes along with many perks, from having a flexible work schedule and not having to commute to being your own boss. Nevertheless, living the life of a freelancer is not always a piece of cake.The challenges of running a solo business include a certain degree of solitude, financial anxiety, overwhelming projects and the impact of all of these on your health. Being successful is not only about getting the best projects, working with top clients and being on top of your game. It is also about understanding why health and wellness is important and figuring out how to stay healthy and happy in the long run. In this article, we have collected 8 tips that might help you find a healthy balance between self-care and productivity. Keep reading to find out! Why health and wellness is important According to a recent health and wellbeing study conducted in the UK, the number of organizations and companies that have a more comprehensive and holistic approach to the health and wellness of their employees is on the rise.What this means is that health and wellness are becoming more and more important in professional life. Unfortunately, it is considerably harder to achieve health and mindfulness if you’re starting from zero. However, by maintaining wellness as a whole, you can prevent future problems like burnout and anxiety. Stay healthy and happy in 8 steps Staying healthy partially depends on having the right freelancer mindset and sticking to maintaining certain day to day habits . Whether you work from home or a coworking space, you can improve your health and wellbeing in 8 simple steps. Here’s how: Schedule your work days well Have a dedicated workspace Stay nourished and hydrated Don’t forget to socialize and regularly connect with your loved ones Listen to and take care of your body Prioritize your mental health Avoid doom scrolling Schedule your working hours well Having a balance between work and private life is important for many reasons. A good work-life balance helps with stress reduction, improves mental health, prevents burnouts and allows us to maintain connections with our loved ones.Try scheduling your working hours well and include short and long breaks into your schedule. Additionally, you can avoid working certain days or certain times of the day. Don’t forget that sometimes tasks and gigs will just keep coming, and trying to handle them all at once may increase your chances of burning out. Certain project management tools or time tracking apps can also help. Have a dedicated workspace Location independent talents, freelancers or digital nomads know the importance of having a comfortable workspace. Not having a designated work area may cause us to lose focus and miss important deadlines and fall behind on our plans.You need an ergonomic, easy to use, efficient working environment with all the gadgets you will use while doing your job. Try separating where you live and work. As an alternative option you can also consider using coworking spaces . As they are equipped with all the tools you might need, you can just focus on your work. You can also meet other professionals in coworking spaces; you can collaborate and network easily in a shared space! Make sure you are well-nourished and hydrated One of the integral necessities  of taking care of your mental and physical health is a healthy diet. Pay good attention to being well nourished and hydrated throughout the day. No matter how busy your schedule might be, skipping meals, not taking enough nutritions and being dehydrated are detrimental for your health. Being familiar with the components of a healthy diet is a must! Connect regularly with loved ones It is true that sometimes, our professional responsibilities and financial worries get ahead of our social life. While it is considered normal to be occasionally busy, overworking for extended periods of time can cause damage to our psyche.Whether virtually via technology or face to face physically, connecting with our family members, acquaintances, friends and other loved ones has a direct and positive impact on our daily and overall motivation. Take good care of your physical health We spend many hours in front of our computers without even noticing. Sitting in the wrong posture while working is something we often don’t even realize. The fact is that in the long run, sitting in the wrong posture can cause spine-related problems that may decrease our quality of life. Indoor exercises, regular breaks and short walks are among some of the things that you can do in order to show the necessary care and attention your body deserves. Other methods for taking care of your body are yoga, meditation and light exercises that you can do during your breaks or even at your desk. Prioritize your mental health Physical and mental health go hand in hand. In the absence of one, the other is affected in a negative way. Prioritizing your mental health is perhaps the most important thing that you can do in order to maintain your overall wellbeing. Learn to listen to your body and pay attention to the signals it gives you. Seek professional help if you feel overwhelmed. Remember that addressing mental health at work is equally important as addressing it in your private life. Avoid doomscrolling Doomscrolling or doomsurfing can be defined as the craving to continue scrolling through bad or depressing news and negative events on the internet. Being one of the latest complexities of the internet era, doomscrolling does more harm than good.At times of uncertainty and adversity, some people keep a close eye on the news in order to find answers. Along this search, one can keep scrolling, reading bad news and upsetting comments one after another. However, as the internet and social media use has intensified over the years, we need to devise smart strategies to cope with such negative impacts. It is important to regulate your relationship with social media by limiting the time you spend online and being careful about the content you’re exposed to. Stay on top of your finances Solo workers can have financial anxiety for reasons such as having an unstable flow of gigs, not having savings or even managing invoices and payments. You can stay on top of your finances by having your projects secured via legally compliant agreements , using a smart billing and payment service , budget control and setting up a savings account. Having fewer uncertainties about your work would mean an overall improvement of wellbeing.As a smart finance and business companion, Ruul seeks to offer effective work solutions to talents in order to regulate their solo business more efficiently. Seeing payments and invoices in one, organized space can help you a lot in managing your budget. Staying happy and healthy in the long haul As talents working solo, we should pay more attention to our wellbeing, and mental as well as physical health. Try being loyal to the working hours that you decided beforehand. Don’t live and work in the same place, in order to maintain the psychological separation between your business life and private life. Strengthen your social connections with your loved ones and try to stay away from the constant influx of bad news online. You might be surprised at how changes as small as these can improve your happiness and motivation!Follow Ruul on Instagram , Twitter , LinkedIn and Facebook to get more tips on how to improve your workflow and how to stay balanced and grounded at work. ABOUT THE AUTHOR Arno Yeramyan Arno Yeramyan is a talented writer and financial expert who educates readers on various financial topics such as personal finance, investing, and retirement planning. He offers valuable insights to help readers make sound financial decisions for their future. More How to Determine Your Rates as a Freelance Virtual Assistant Learn how to set your rates as a freelance virtual assistant by evaluating your skills, market trends, and business expenses.Discover effective pricing structures. Read more I need my computer and a stable internet connection, that’s it Experience the freedom of remote work—just you, your computer, and a stable internet connection. Unlock limitless possibilities and embrace flexibility! Read more Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy
2026-01-13T08:48:03
https://neon.tech/blog/how-retool-uses-retool-and-the-neon-api-to-manage-300k-postgres-databases
How Retool uses Retool (and the Neon API) to manage 300K+ Postgres databases - Neon This 250+ engineer team replaced shared staging with isolated database branches for safer deploys Neon Product Database Autoscaling Automatic instance sizing Branching Faster Postgres workflows Bottomless storage With copy-on-write Instant restores Recover TBs in seconds Connection pooler Built-in with pgBouncer Ecosystem Neon API Manage infra, billing, quotas Auth Add authentication Data API PostgREST-compatible Instagres No-signup flow Migration guides Step-by-step What is Neon? Serverless Postgres, by Databricks Solutions Use cases Serverless Apps Autoscale with traffic Multi-TB Scale & restore instantly Database per Tenant Data isolation without overhead Platforms Offer Postgres to your users Dev/Test Production-like environments Agents Build full-stack AI agents For teams Startups Build with Neon Security Compliance & privacy Case studies Explore customer stories Docs Pricing Company Blog About us Careers Contact Discord 20.7k Log In Sign Up Case Studies Mar 29, 2024 How Retool uses Retool (and the Neon API) to manage 300K+ Postgres databases Retool manages a massive database fleet with only one engineer Neon is a serverless Postgres database with a robust API. Partners like Retool choose Neon to easily offer managed databases to their end-users, simplifying the management of massive database fleets while optimizing costs. Thanks to Neon, Retool is able to manage over 300k Postgres databases with just one engineer! The Retool platform makes it easy for developers to create internal apps for their teams and businesses. Retool handles much of the boilerplate code and UI design automatically, empowering developers to deliver effective business software up to 10x faster.  Retool’s drag-and-drop interface allows users to quickly assemble UIs from a set of pre-built components such as tables, buttons, and forms, supporting custom code for the specific functionalities of each app. The platform makes it easy to connect these UI components to nearly any API, streamlining the development process.  This smooth experience empowers teams to build a wide range of internal tools. A few examples of what you can build with Retool:  DevOps dashboards: to visualize and analyze software development, testing, deployment, and monitoring for faster and more efficient software delivery. Inventory management dashboards: to stay organized by tracking inventory, including what’s in stock, adding new SKUs, monitoring the status of orders, and placing new orders.  Support ticketing systems:  to manage and track customer support tickets, streamlining the process of addressing and resolving them.  Explore the Retool templates for more. Adding a database to the Retool platform To further improve the user experience, the Retool team decided to host a database into their platform. This would allow developers to jump straight into building their internal tools, without worrying about having to spin up and manage database instances separately.  To make this happen, the engineers identified some key requirements for the implementation. The objective was to ensure the database integration was not only seamless to the end user, but also operationally sustainable and cost-efficient for the team:  This system had to be managed with minimal engineering overhead. The fleet had to be easily scalable up to hundreds of thousands of databases without a proportional increase in the management burden. The best way to do this was by offering dedicated Postgres URLs to every end user; this isolated design simplifies the management of the database fleet, as it allows to maintain a clear mapping between customers and their respective databases. The Retool team wanted to automatically suspend databases that were not in use. By suspending idle instances, Retool would reduce the costs associated with running server resources that are not being actively used. This is particularly important for a platform potentially managing a massive number of customer databases with each database on its own instance. Hello, RetoolDB (powered by Neon) “We’ve been able to automate virtually all database management tasks via the Neon API. This saved us a tremendous amount of time and engineering effort. The scale-to-zero functionality of Neon allows us to offer dedicated databases to our customers without worrying about the cost of idle resources” Himanshu Bhandoh, Software Engineer at Retool The Retool team ended up partnering with Neon to power RetoolDB . The Neon API allowed Retool to integrate and automate all database management, streamlining workflows and reducing manual work. Retool creates one Neon project per every end user, each project with one Postgres database.  Due to their serverless nature, Neon databases scale to zero automatically when inactive. This saves Retool the costs of idle instances, which is crucial for managing resources cost-effectively across a large fleet. This streamlined architecture enables Retool to manage +300,000 database projects with minimal engineering overhead—the fleet is currently managed by one engineer. The beauty of dogfooding: how Retool uses Retool to manage RetoolDB Retool oversees virtually all database management tasks directly from an internal tool, which they built (of course) using Retool. Let’s peek behind the scenes: When a new Retool user signs up, they’re automatically assigned a pre-created, unclaimed database from a pool of Neon projects.  Whenever a database is allocated from the pool, the system seamlessly triggers the creation of a new Neon project, maintaining a consistent supply. The backbone of this system is an internal Postgres database that tracks the status of each Neon database (claimed or unclaimed) along with user assignment details. The team monitors the entire fleet through a custom dashboard. This not only offers real-time insights but also allows for direct actions, such as adjusting storage quotas for individual databases. Sometimes, even complex problems can have elegant solutions (and it feels great when they do!). Start exploring Retoo l and discover how to build your own internal tools that connect to your databases and APIs. Offer managed Postgres to your users: partner with Neon     “The support from the Neon team has been great. Whenever we’ve raised issues, we’ve received fast, effective responses. Their dedication to improving their service reassures us that we have a reliable partner in Neon” Himanshu Bhandoh, Software Engineer at Retool By partnering with Neon, Retool has been able to incorporate a Postgres offering into their developer platform, reducing time-to-value for their customers. If you’d also like to offer Postgres to your end users, consider partnering with us . Providing your customers with fully managed Postgres has never been easier. Posted by Carlota Soto Product Marketing Lead More articles Zero-ETL lakehouses for Postgres people George MacKerron Handling Auth in a Staging Environment Carlota Soto Reusable Prompts: The Future of Starter Templates Andre Landgraf Share: Subscribe to our changelog. No spam, guaranteed. Subscribe Share: More from Neon Postgres Jan 12, 2026 Zero-ETL lakehouses for Postgres people George MacKerron App Platform Jan 10, 2026 Handling Auth in a Staging Environment Carlota Soto AI Jan 08, 2026 Reusable Prompts: The Future of Starter Templates Andre Landgraf Neon A Databricks Company Neon status loading... Made in SF and the World Copyright Ⓒ 2022 – 2026 Neon, LLC Company About Blog Careers Contact Sales Partners Security Legal Privacy Policy Terms of Service DPA Subprocessors List Privacy Guide Cookie Policy Business Information Resources Docs Changelog Support Community Guides PostgreSQL Tutorial Startups Creators Social Discord GitHub x.com LinkedIn YouTube Compliance CCPA Compliant GDPR Compliant ISO 27001 Certified ISO 27701 Certified SOC 2 Certified HIPAA Compliant Compliance Guide Neon’s Sub Contractors Sensitive Data Terms Trust Center
2026-01-13T08:48:03
https://dev.to/help/fun-stuff#$%7Bentry.target.id%7D
Fun Stuff - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Fun Stuff Fun Stuff In this article Sloan: The DEV Mascot Caption This!, Meme Monday & More! Caption This! Meme Monday Music Monday Explore for extra enjoyment! Sloan: The DEV Mascot Why is Sloan the Sloth the official DEV Moderator, you ask? Sloths might not seem like your typical software development assistant, but Sloan defies expectations! Here's why: Moderates and Posts Content: Sloan actively moderates and posts content on DEV, ensuring a vibrant and welcoming community. Welcomes New Members: Sloan greets and welcomes new members to the DEV community in our Weekly Welcome thread, fostering a sense of belonging. Answers Your Questions: Have a question you'd like to ask anonymously? Sloan's got you covered! Submit your question to Sloan's Inbox, and they'll post it on your behalf. Visit Sloan's Inbox Follow Sloan! Caption This!, Meme Monday & More! Caption This! Every week, we host a "Caption This" challenge! We share a mysterious picture without context, and it's your chance to work your captioning magic and bring it to life. Unleash your creativity and craft the perfect caption for these quirky images! Meme Monday Meme Monday is our weekly thread where you can join in the laughter by sharing your favorite developer memes. Each week, we select the best one to kick off the next week as the post image, sparking another round of fun and creativity. Music Monday Share what music you're listening to each week on the Music Monday thread , - check back each week for different themes and discover weird and wonderful bands and artists shared by the community! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Guidelines-for-AI-assisted-Articles-on-DEV
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
http://stoplight.io/podcast
The API Intersection Podcast, hosted by Jason Harmon | Stoplight Solutions   Stoplight Platform Design, document, and build APIs  For Developers Drive results with quality APIs  For Program Leaders Keep your API teams on track  For Tech Executives Achieve strategic transformation  Enterprise Solutions Results tailored to your needs  See a Demo Learn how Stoplight can help you Open Source Spectral Prism Elements Resources  LEARN  Stoplight Docs  eBooks  Guides  Webinars  API Design Hub  Support EXPLORE  Blog  Podcast  Community  Open Source  Case Studies  YouTube Pricing About   About Us  Blog  Careers  Press  Contact Us  Get Support SOCIAL Login Get Started { The API Intersection Podcast } The podcast on the intersection between API design and digital transformation. Listen on Spotify Podcasts Listen on Apple Podcasts Listen on Google Podcasts Listen on Amazon Music Listen on Stitcher Listen on Audible Subscribe RSS Feed Tune in to hear from industry experts about how to use APIs and save time, save money, and grow your business. On API Intersection, you’ll learn from experienced API practitioners who have transformed their organizations. Get tangible advice on how to build quality APIs and collaborate across your organization for success. Our host, Jason Harmon (CTO of Stoplight), speaks with industry experts, to answer listener questions, and share best practices on API design (definition, modeling, grammar), governance (multi-team design, reviewing new APIs), platform transformation (culture, internal education, versioning) and more. Ready to transform your organization? API Intersection Podcast listeners are invited to sign up for Stoplight and save! Use code INTERSECTION10 to get 10% off a new subscription to the Stoplight Platform that’s right for you. Offer good for annual or monthly payment option for first-time subscribers. 10% off an annual plan or 10% off your first month. Valid until December 31, 2023. Meet the Host Jason Harmon, CTO of Stoplight Our host (with the help of his avian co-host, Charo) brings over a decade of industry-recognized REST API experience to discuss topics around API design, governance, identity/auth versioning, and more. As Chief Technology Officer of Stoplight, Jason Harmon oversees our world-class engineering team seeking to solve the software industry's API design problems, and he also oversees product, security, and IT. Featured Episodes of API Intersection Navigating API Governance and Development August 24, 2023 The API Security Hype: Debunking What's Truly Relevant with Wib's Chuck Herrin August 10, 2023 Simplifying Video Streaming with APIs with CTO of Daily, Varun Singh July 27, 2023 Navigating Change and Building Cohesion: Transforming Large-Scale API Programs July 13, 2023 Products Stoplight Solutions Enterprise Sales Open Source Pricing Resources Stoplight Docs Blog Podcast Guides Webinars Help See a Demo Get Support Contact Us Stoplight Community Status Page About About Us Press Case Studies Roadmap Careers © 2024 SmartBear Software. All Rights Reserved. Website Terms of Use Subscription Agreement Privacy Policy Support Policy Security
2026-01-13T08:48:03
https://dev.to/peacebinflow/-mindseye-ledger-first-ai-architecture-3a1d#comments
# MindsEye: Ledger-First AI Architecture - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse PEACEBINFLOW Posted on Jan 13           # MindsEye: Ledger-First AI Architecture # devchallenge # googleaichallenge # portfolio # gemini New Year, New You Portfolio Challenge Submission 2. Core System Components System Architecture ┌─────────────────────────────────────────────────────────┐ │ INTERFACE LAYER │ │ ┌─────────────┐ ┌─────────────┐ ┌──────────────┐ │ │ │ Dashboard │ │ Explorer │ │ Explanation │ │ │ └─────────────┘ └─────────────┘ └──────────────┘ │ └──────────────────────────┬──────────────────────────────┘ │ ┌──────────────────────────▼──────────────────────────────┐ │ QUERY LAYER │ │ HTTP API │ SQL Interface │ CLI │ └──────────────────────────┬──────────────────────────────┘ │ ┌──────────────────────────▼──────────────────────────────┐ │ PATTERN LAYER (MindsEye) │ │ Transitions │ Policies │ Decisions │ Focus Logic │ └──────────────────────────┬──────────────────────────────┘ │ ┌──────────────────────────▼──────────────────────────────┐ │ LEDGER LAYER │ │ Append-Only Event Nodes │ Immutable History │ └──────────────────────────┬──────────────────────────────┘ │ ┌──────────────────────────▼──────────────────────────────┐ │ INGESTION LAYER │ │ Tool Signals │ Repo Events │ Workflow Triggers │ └─────────────────────────────────────────────────────────┘ Enter fullscreen mode Exit fullscreen mode Component Specifications Ingestion Layer // Event ingestion contract interface IngestionEvent { source : string ; // Origin system (repo, CLI, API) timestamp : number ; // Unix epoch payload : unknown ; // Raw signal data metadata : { branch ?: string ; commit ?: string ; user ?: string ; }; } class Ingestion { async ingest ( event : IngestionEvent ): Promise < NodeID > { const validated = this . validate ( event ); const nodeID = await this . pattern . process ( validated ); return nodeID ; } } Enter fullscreen mode Exit fullscreen mode Ledger Layer // Node schema interface LedgerNode { id : string ; // UUID type : string ; // Classification parent : string | null ; // Previous node children : string []; // Subsequent nodes timestamp : number ; data : { input : unknown ; output : unknown ; metadata : Record < string , unknown > ; }; focus : string ; // Active perspective identifier } // Ledger implementation class Ledger { private nodes : Map < string , LedgerNode > = new Map (); append ( node : LedgerNode ): void { if ( this . nodes . has ( node . id )) { throw new Error ( ' Ledger violation: attempted overwrite ' ); } this . nodes . set ( node . id , Object . freeze ( node )); } query ( filter : LedgerQuery ): LedgerNode [] { return Array . from ( this . nodes . values ()) . filter ( filter . predicate ) . sort (( a , b ) => a . timestamp - b . timestamp ); } } Enter fullscreen mode Exit fullscreen mode Pattern Layer (MindsEye) // Pattern engine interface Transition { from : string ; // Source node ID to : string ; // Target node ID condition : ( node : LedgerNode ) => boolean ; transform : ( input : unknown ) => unknown ; } class MindsEye { private transitions : Transition [] = []; async process ( input : IngestionEvent ): Promise < string > { const currentNode = this . ledger . getCurrent (); const transition = this . selectTransition ( currentNode , input ); const newNode : LedgerNode = { id : generateUUID (), type : transition . to , parent : currentNode ?. id || null , children : [], timestamp : Date . now (), data : { input : input . payload , output : transition . transform ( input . payload ), metadata : input . metadata }, focus : input . metadata . focus || ' global ' }; this . ledger . append ( newNode ); return newNode . id ; } } Enter fullscreen mode Exit fullscreen mode Query Layer -- SQL interface to ledger CREATE VIEW ledger_nodes AS SELECT id , type , parent , timestamp , data ->> 'input' as input , data ->> 'output' as output , focus FROM ledger ORDER BY timestamp DESC ; -- Query by focus SELECT * FROM ledger_nodes WHERE focus = 'feature/auth' ORDER BY timestamp ; Enter fullscreen mode Exit fullscreen mode # CLI interface $ mindseye query --focus = "main" --type = "decision" $ mindseye trace --node = "abc-123" --depth = 5 $ mindseye fork --from = "def-456" --focus = "experiment" Enter fullscreen mode Exit fullscreen mode 3. Workflow Patterns Pattern-Based Execution Workflows are not scripts. They are patterns of valid state transitions. // Traditional workflow (imperative) function traditionalWorkflow ( repo : string ) { const files = scanRepo ( repo ); const analyzed = analyzeFiles ( files ); const report = generateReport ( analyzed ); return report ; } // Pattern-based workflow (declarative) const workflow : Pattern = { nodes : [ ' scan ' , ' analyze ' , ' report ' ], edges : [ { from : ' scan ' , to : ' analyze ' , condition : hasFiles }, { from : ' analyze ' , to : ' report ' , condition : hasAnalysis }, { from : ' analyze ' , to : ' scan ' , condition : needsMoreData } // Branch! ], artifacts : { ' scan ' : ( node ) => node . data . files , ' analyze ' : ( node ) => node . data . insights , ' report ' : ( node ) => node . data . document } }; Enter fullscreen mode Exit fullscreen mode Example: Prompt Execution Pattern STATE: idle ↓ [prompt received] NODE: prompt.received ↓ [validate] NODE: prompt.validated ↓ [execute] NODE: execution.started ↓ [complete] NODE: execution.completed ↓ [generate artifact] NODE: artifact.created ↓ [shift focus] FOCUS: artifact.view Enter fullscreen mode Exit fullscreen mode Each arrow is a ledger entry. Each NODE is immutable. Decision Fork Pattern NODE: decision.required ↓ [evaluate] NODE: decision.evaluated ├─ [option A] → FOCUS: branch/option-a ├─ [option B] → FOCUS: branch/option-b └─ [option C] → FOCUS: branch/option-c Enter fullscreen mode Exit fullscreen mode All three branches exist simultaneously. Focus determines which one is "active." 4. Prompt-Driven Development Prompts as First-Class Objects Prompts are not instructions sent to a model. They are versioned, forkable, traceable artifacts in the ledger. interface Prompt { id : string ; version : number ; parent : string | null ; // Prompt lineage template : string ; variables : Record < string , string > ; metadata : { author : string ; timestamp : number ; effectiveness : number ; // Outcome quality metric }; } class PromptRegistry { private prompts : Map < string , Prompt [] > = new Map (); register ( prompt : Prompt ): string { const versions = this . prompts . get ( prompt . id ) || []; versions . push ( prompt ); this . prompts . set ( prompt . id , versions ); // Ledger entry this . ledger . append ({ type : ' prompt.registered ' , data : { prompt } }); return prompt . id ; } fork ( sourceId : string , modifications : Partial < Prompt > ): Prompt { const source = this . getLatest ( sourceId ); const forked : Prompt = { ... source , id : generateUUID (), parent : sourceId , version : 1 , ... modifications }; this . register ( forked ); return forked ; } } Enter fullscreen mode Exit fullscreen mode Prompt Lineage PROMPT: analyze-code-v1 ↓ [refined] PROMPT: analyze-code-v2 ↓ [forked for Python] PROMPT: analyze-python-v1 ↓ [specialized] PROMPT: analyze-python-async-v1 Enter fullscreen mode Exit fullscreen mode Feedback Loop: Prompt → Code → Ledger ┌─────────────┐ │ PROMPT │ └──────┬──────┘ │ [execute] ▼ ┌─────────────┐ │ CODE │ └──────┬──────┘ │ [run] ▼ ┌─────────────┐ │ LEDGER │ └──────┬──────┘ │ [analyze] ▼ ┌─────────────┐ │ PROMPT v+1 │ (refined based on outcome) └─────────────┘ Enter fullscreen mode Exit fullscreen mode The system learns not by adjusting weights, but by evolving prompts based on ledger patterns. 5. Reusability & Forkability The Same Pattern, Different Focus The MindsEye architecture is focus-invariant . The same pattern can generate entirely different systems by changing focus. // Base pattern: content analysis const basePattern : Pattern = { nodes : [ ' ingest ' , ' parse ' , ' analyze ' , ' output ' ], edges : [ { from : ' ingest ' , to : ' parse ' }, { from : ' parse ' , to : ' analyze ' }, { from : ' analyze ' , to : ' output ' } ] }; // Focus A: Security analysis const securitySystem = applyFocus ( basePattern , { focus : ' security ' , filters : [ ' vulnerabilities ' , ' threats ' ], output : ' security-report ' }); // Focus B: Performance analysis const performanceSystem = applyFocus ( basePattern , { focus : ' performance ' , filters : [ ' bottlenecks ' , ' optimizations ' ], output : ' performance-report ' }); // Focus C: Documentation generation const docsSystem = applyFocus ( basePattern , { focus : ' documentation ' , filters : [ ' public-api ' , ' examples ' ], output : ' api-docs ' }); Enter fullscreen mode Exit fullscreen mode All three systems: Use the same pattern Have different focuses Generate different ledgers Remain architecturally coherent Coherence Preservation No matter how many times the pattern is forked, it remains coherent to the original architecture because: Structural invariants are preserved : Node types, edge types, and transition rules remain constant Focus only affects interpretation : The pattern itself is unchanged Ledgers share a common origin : All forks trace back to the same root node function validateCoherence ( ledgerA : Ledger , ledgerB : Ledger ): boolean { const originA = ledgerA . getOrigin (); const originB = ledgerB . getOrigin (); // Both ledgers must share root ancestry return originA . ancestorOf ( originB ) || originB . ancestorOf ( originA ); } Enter fullscreen mode Exit fullscreen mode This system is not a product—it is a language for building systems. SECTION B — Code Mathematics & Multi-Branch Ledger Emergence 1. Mathematical Objects Formal Definitions Node (N) A labeled state derived from code execution, semantic interpretation, or focus projection. N = (id, type, parent, data, focus, timestamp) Enter fullscreen mode Exit fullscreen mode where: id ∈ UUID type ∈ NodeTypes parent ∈ N ∪ {∅} data: Input × Output × Metadata focus ∈ FocusSpace timestamp ∈ ℝ⁺ Edge (E) A transition between nodes caused by execution, interpretation, or focus shift. E = (source, target, condition, transform) Enter fullscreen mode Exit fullscreen mode where: source, target ∈ N condition: N → {true, false} transform: Input → Output Ledger (L) A totally ordered set of nodes with append-only constraints. L = {N₁, N₂, ..., Nₙ} Enter fullscreen mode Exit fullscreen mode where: ∀i < j: Nᵢ.timestamp ≤ Nⱼ.timestamp ∀N ∈ L: N is immutable L supports only append(N) operation Focus Operator (𝓕) Collapses superposition of possible views into a local perspective. 𝓕: L × FocusSpace → L' where L' ⊆ L 𝓕(L, f) = {N ∈ L | N.focus = f ∨ N.focus = 'global'} Enter fullscreen mode Exit fullscreen mode The focus operator acts as an observer , determining which nodes are "visible" from a given perspective. Multiple focuses can exist simultaneously over the same ledger without contradiction. Pattern Function (𝓟) Maps inputs to state transitions. 𝓟: Input × L → N × E Enter fullscreen mode Exit fullscreen mode Given input i and ledger L : 𝓟(i, L) = (n, e) where: n = new node derived from i and context of L e = edge connecting L.last to n Enter fullscreen mode Exit fullscreen mode Language Influence (𝓛) Captures how different programming languages alter execution patterns and binary outcomes. 𝓛: Code × Language → BinaryPattern Enter fullscreen mode Exit fullscreen mode For identical logic ℓ : 𝓛(ℓ, Python) ≠ 𝓛(ℓ, JavaScript) ≠ 𝓛(ℓ, C) Enter fullscreen mode Exit fullscreen mode Each produces distinct binary artifacts, which influence ledger structure. 2. CLI as a Mathematical Surface The CLI as a Projection Surface The command line interface is not merely a user interface—it is a mathematical surface where system state is projected and manipulated. CLI: SystemState → Projection Enter fullscreen mode Exit fullscreen mode Every command is a generator function that produces nodes and edges: $ mindseye scan repo/ → Generates: N_scan = ( id : uuid () , type : 'repo.scan' , ... ) E_scan = ( source : N_prev, target: N_scan, ... ) → Appends to ledger L → Returns projection of N_scan Enter fullscreen mode Exit fullscreen mode CLI as Ledger-Producing Machine Every CLI interaction follows this pattern: Command → Parse → Execute → Generate Node → Append Ledger → Shift Focus → Output Enter fullscreen mode Exit fullscreen mode class CLI { async execute ( command : string ): Promise < Output > { // 1. Parse command const parsed = this . parser . parse ( command ); // 2. Generate node const node : LedgerNode = { id : generateUUID (), type : `cli. ${ parsed . command } ` , parent : this . ledger . getCurrent ()?. id || null , children : [], timestamp : Date . now (), data : { input : parsed . args , output : null , // Populated after execution metadata : { command : command } }, focus : parsed . focus || ' global ' }; // 3. Execute try { const result = await this . executor . run ( parsed ); node . data . output = result ; // 4. Append to ledger this . ledger . append ( node ); // 5. Shift focus if needed if ( parsed . focus ) { this . context . setFocus ( parsed . focus ); } // 6. Return projection return this . project ( node ); } catch ( error ) { // Errors are branches, not failures const errorNode = { ... node , type : ` ${ node . type } .error` , data : { ... node . data , output : error } }; this . ledger . append ( errorNode ); return this . project ( errorNode ); } } } Enter fullscreen mode Exit fullscreen mode Every Output Has Focus $ mindseye query --focus = "main" → NODE: query.executed → LEDGER ENTRY CREATED: { id : "abc-123" , focus: "main" , ... } → FOCUS: main → OUTPUT: [ Filtered view of ledger where focus = "main" ] $ mindseye query --focus = "feature/auth" → NODE: query.executed → LEDGER ENTRY CREATED: { id : "def-456" , focus: "feature/auth" , ... } → FOCUS: feature/auth → OUTPUT: [ Filtered view of ledger where focus = "feature/auth" ] Enter fullscreen mode Exit fullscreen mode Same ledger, different focus, different output. Both are true. Errors as Branches $ mindseye analyze invalid-file.txt → NODE: analyze.started → NODE: analyze.error → LEDGER ENTRY CREATED → FOCUS SHIFTED TO: error-handling → NEW BRANCH: error-handling/invalid-file $ mindseye explore --branch = "error-handling/invalid-file" → View ledger from error branch perspective Enter fullscreen mode Exit fullscreen mode In traditional systems, errors terminate execution. In MindsEye, errors create valid alternative branches in the decision tree. 3. Patterned Binary & Language Effects Code Mathematics Traditional mathematics operates on numbers and abstract symbols. Code mathematics operates on executable patterns that produce binary artifacts. # Python: dynamic typing, interpreted, GIL def fibonacci ( n ): if n <= 1 : return n return fibonacci ( n - 1 ) + fibonacci ( n - 2 ) Enter fullscreen mode Exit fullscreen mode // JavaScript: event loop, JIT compilation, async function fibonacci ( n ) { if ( n <= 1 ) return n ; return fibonacci ( n - 1 ) + fibonacci ( n - 2 ); } Enter fullscreen mode Exit fullscreen mode // C: compiled, manual memory, hardware-close int fibonacci ( int n ) { if ( n <= 1 ) return n ; return fibonacci ( n - 1 ) + fibonacci ( n - 2 ); } Enter fullscreen mode Exit fullscreen mode Identical logic. Different languages. Different binary patterns: Python binary: [bytecode] → CPython VM → system calls JavaScript binary: [source] → V8 JIT → optimized machine code C binary: [source] → gcc → direct machine code Enter fullscreen mode Exit fullscreen mode Language Influence on Ledger Structure Each language produces different execution traces: const pythonTrace : LedgerNode [] = [ { type : ' interpret.start ' , data : { language : ' python ' }}, { type : ' function.call ' , data : { name : ' fibonacci ' , n : 5 }}, { type : ' recursion.depth ' , data : { level : 1 }}, { type : ' recursion.depth ' , data : { level : 2 }}, // ... deep recursion due to no tail-call optimization { type : ' interpret.complete ' , data : { result : 5 }} ]; const cTrace : LedgerNode [] = [ { type : ' compile.start ' , data : { language : ' c ' }}, { type : ' optimization.applied ' , data : { type : ' inline ' }}, { type : ' execute.native ' , data : { cycles : 127 }}, { type : ' execute.complete ' , data : { result : 5 }} ]; Enter fullscreen mode Exit fullscreen mode Same algorithm, different ledgers. The language is part of the pattern. 4. Semantic Branching Example Origin Sentence "The boy is on top of the tree and he might fall down." This sentence contains multiple embedded perspectives. Traditional analysis extracts a single "meaning." MindsEye extracts multiple coherent ledgers by shifting focus. Ledger A: Focus on the Boy ORIGIN: "The boy is on top of the tree and he might fall down." ↓ [focus: boy] NODE: subject.identified {entity: "boy"} ↓ NODE: state.located {location: "on tree"} ↓ NODE: state.elevated {height: "high"} ↓ NODE: risk.exposure {type: "potential fall"} ↓ NODE: concern.safety {subject: "boy"} Enter fullscreen mode Exit fullscreen mode Ledger A perspective: The boy is in a dangerous position and might get hurt. Ledger B: Focus on the Fall ORIGIN: "The boy is on top of the tree and he might fall down." ↓ [focus: fall] NODE: event.potential {type: "fall"} ↓ NODE: physics.gravity {direction: "downward"} ↓ NODE: force.impact {surface: "ground"} ↓ NODE: consequence.injury {severity: "possible"} ↓ NODE: prevention.required {action: "intervention"} Enter fullscreen mode Exit fullscreen mode Ledger B perspective: A fall event is possible and requires physics-based analysis and prevention. Ledger C: Focus on the Tree ORIGIN: "The boy is on top of the tree and he might fall down." ↓ [focus: tree] NODE: object.tree {type: "climbable"} ↓ NODE: structure.height {measurement: "tall"} ↓ NODE: usage.climbing {activity: "recreational"} ↓ NODE: property.stability {status: "supporting weight"} ↓ NODE: environment.context {setting: "outdoor"} Enter fullscreen mode Exit fullscreen mode Ledger C perspective: The tree is a structural object being used for climbing. Focus Creates Truth, Not Contradiction All three ledgers: Derive from the same origin sentence Contain different nodes Express different patterns Are simultaneously true There is no contradiction because each ledger represents a valid projection of the origin through a different focus operator: 𝓕(Origin, "boy") → Ledger A 𝓕(Origin, "fall") → Ledger B 𝓕(Origin, "tree") → Ledger C Enter fullscreen mode Exit fullscreen mode The origin remains constant. Focus determines which aspect becomes visible. 5. Multi-Branch System Architecture Repository Communication via CLI REPO_A REPO_B REPO_C │ │ │ │ $ mindseye emit │ │ → event.emitted │ │ │ $ mindseye listen │ │ → event.received │ │ → processing... │ │ $ mindseye emit │ │ │ $ mindseye listen │ │ │ → event.received │ │ │ → ledger.updated Enter fullscreen mode Exit fullscreen mode Repositories don't share databases. They emit and consume events via CLI , and each maintains its own ledger. Ledgers Emerge from Subsets LEDGER_GLOBAL = {N₁, N₂, N₃, N₄, N₅, N₆, N₇, N₈} 𝓕(LEDGER_GLOBAL, "python") → {N₁, N₃, N₅, N₇} = LEDGER_PYTHON 𝓕(LEDGER_GLOBAL, "docs") → {N₂, N₄, N₆, N₈} = LEDGER_DOCS 𝓕(LEDGER_PYTHON, "async") → {N₃, N₇} = LEDGER_PYTHON_ASYNC Enter fullscreen mode Exit fullscreen mode Ledgers are not isolated. They are projections and subsets of each other, depending on focus. 6. Closing Principle In traditional systems, meaning is stored as data. You retrieve it, and it is what it is. In MindsEye, meaning is not stored. Meaning is derived by applying focus to patterned state. Traditional: Meaning = Database[key] MindsEye: Meaning = 𝓕(Ledger, focus) Enter fullscreen mode Exit fullscreen mode The same ledger contains infinite potential meanings . Focus determines which meaning is observed. This is not relativism. This is perspective-aware truth : The ledger is objective (immutable, append-only) The focus is subjective (chosen by observer) The meaning is derived (computed from ledger + focus) All three aspects are required. Remove any one, and the system collapses. Meaning is not stored. Meaning is derived through focus across patterned state. SECTION C — Live Branching Data + Pattern Motion Simulating Portfolio Build as Living Ledger The Branching Universe Model Non-Linear Multi-Repo Development Traditional version control treats branches as linear paths that eventually merge back. MindsEye treats the entire development process as a directed acyclic graph (DAG) where: Any node can fork into multiple parallel realities Merges are first-class nodes, not just reconciliation events Errors create valid sub-ledgers, not termination states Focus filters the graph into coherent narratives Visual Comparison: Traditional branching: MindsEye branching: main n1 (origin) │ ╱│╲╲ ├─ feature ╱ │ ╲╲ │ └─ merge n2 n3 n4 n5 ├─ hotfix │╲ ╲│╱ ╱│ │ └─ merge │ ╲ n6 ╱ │ └─ ... │ n7 n8 │ ╲ │ ╱ │ ╲ │ ╱ n9(error) n10(merge) Simulation Context: Building This Portfolio We simulate the development of the MindsEye portfolio itself as a multi-repo ecosystem: REPO ECOSYSTEM: ├─ mindseye-docs (this document) ├─ mindseye-ledger-core (core engine) ├─ mindseye-dashboard (UI components) ├─ mindseye-cli (command interface) └─ mindscript-templates (prompt library) Each repo emits events. Events create nodes. Nodes form patterns. Patterns reveal meaning through focus. Canonical Event Schema Schema Definition typescriptinterface LedgerEvent { // Event identification event_id: string; // UUID v4 timestamp: string; // ISO 8601 event_type: EventType; // Event origin origin: { repo: string; // Repository name module: string; // Module/component within repo actor: 'human' | 'agent' | 'system'; tool: 'ai_studio' | 'gemini_cli' | 'builder' | 'runtime' | 'notion'; }; // Graph structure node: { node_id: string; // Node identifier label: string; // Human-readable label node_type: NodeType; parents: string[]; // Parent node IDs children: string[]; // Child node IDs focus_tags: string[]; // Focus identifiers }; // Transition information edge: { from: string; // Source node ID to: string; // Target node ID edge_type: EdgeType; reason: string; // Human-readable transition reason }; // Execution data payload: { input: Record; output: Record; metrics: Record; }; } type NodeType = | 'state' // System state change | 'prompt' // Prompt registration/execution | 'run' // Execution completion | 'artifact' // Generated output | 'decision' // Decision point | 'error' // Error state (valid branch) | 'merge'; // Merge node (multiple parents) type EdgeType = | 'transition' // Normal state transition | 'fork' // Parallel branch creation | 'merge' // Multiple paths converge | 'focus_shift' // Observer focus change | 'policy_gate'; // Policy-based transition type EventType = | 'REPO_SCAN_STARTED' | 'NODES_EXTRACTED' | 'PROMPT_REGISTERED' | 'RUN_STARTED' | 'RUN_COMPLETED' | 'FOCUS_SHIFT' | 'ARTIFACT_CREATED' | 'ERROR_ENCOUNTERED' | 'MERGE_INITIATED' | 'MERGE_COMPLETED' | 'POLICY_CHECK' | 'DECISION_MADE'; UI Component Mapping Schema Component → UI Component ──────────────────────────────────────────── event_id, timestamp → LedgerPanel (event stream) node. , edge. → GraphView (node/edge visualization) payload. , origin. → Inspector (detail view) focus_tags → FocusFilter (perspective selector) parents, children → LineageTracer (ancestry view) Synthetic Live Data Stream Full Event Sequence (40 Events) This JSONL represents the actual construction of the MindsEye portfolio, capturing 40 events across 4 focus branches with 2 merges and 3 error branches. Key Events (Summary): json{"event_id":"e1","timestamp":"2026-01-12T20:00:00.000Z","event_type":"REPO_SCAN_STARTED","origin":{"repo":"mindseye-docs","module":"scanner","actor":"agent","tool":"gemini_cli"},"node":{"node_id":"n1","label":"docs.scan.init","node_type":"state","parents":[],"children":["n2"],"focus_tags":["global","bootstrap"]},"edge":{"from":"n0","to":"n1","edge_type":"transition","reason":"initialize portfolio documentation"},"payload":{"input":{"path":"./docs"},"output":{},"metrics":{"files":0}}} {"event_id":"e5","timestamp":"2026-01-12T20:03:42.901Z","event_type":"RUN_COMPLETED","origin":{"repo":"mindseye-ledger-core","module":"engine","actor":"agent","tool":"builder"},"node":{"node_id":"n5","label":"run.section_generation.completed","node_type":"run","parents":["n4"],"children":["n6","n7","n8","n9"],"focus_tags":["global","execution"]},"edge":{"from":"n4","to":"n5","edge_type":"transition","reason":"generation completed successfully"},"payload":{"input":{"prompt_id":"p-sc-001"},"output":{"status":"ok","sections_generated":["C","D"]},"metrics":{"latency_ms":97774,"tokens":8947,"quality":0.91}}} Critical Fork Point (e5 → e6, e7, e8, e9): Node n5 (run completion) creates 4 parallel branches through focus shifts: n6: focus.schema_design → Schema branch n7: focus.data_generation → Data branch n8: focus.pattern_engine → Pattern branch n9: focus.communication → Communication branch Each branch proceeds independently, creates artifacts, and eventually merges back. Ledger Analysis Index Focus Branch Summary typescriptconst branchIndex = { branches: [ { focus: "schema", tags: ["schema", "structure", "typescript", "ui"], node_count: 6, nodes: ["n6", "n10", "n11", "n18", "n23", "n28"], origin: "n5", artifacts: ["LedgerEvent.ts", "ui_mappings.json", "SchemaModule"], status: "merged_to_dashboard" }, { focus: "data", tags: ["data", "simulation", "jsonl", "quality"], node_count: 7, nodes: ["n7", "n12", "n13", "n19", "n20", "n24", "n25"], origin: "n5", artifacts: ["portfolio_build.jsonl", "DataModule"], status: "merged_to_dashboard", errors: 1 }, { focus: "patterns", tags: ["patterns", "mplm", "library", "spec"], node_count: 5, nodes: ["n8", "n14", "n15", "n21", "n26"], origin: "n5", artifacts: ["patterns.json", "mplm_spec.md", "MPLMEngine"], status: "merged_to_core" }, { focus: "communication", tags: ["communication", "examples"], node_count: 5, nodes: ["n9", "n16", "n17", "n22", "n27"], origin: "n5", artifacts: ["comm_patterns.json", "interactive_examples", "CommLayer"], status: "merged_to_core" } ], total_nodes: 40, total_branches: 4, branch_depth_avg: 5.75 }; Merge Points typescriptconst mergeIndex = { merges: [ { merge_id: "n18", label: "merge.schema_artifacts", parents: ["n10", "n11"], parent_labels: ["artifact.event_schema.ts", "artifact.ui_mappings.json"], merge_strategy: "union", result: "Unified schema definition with UI bindings", conflicts: 0 }, { merge_id: "n28", label: "merge.dashboard_modules", parents: ["n23", "n24"], parent_labels: ["artifact.schema_module", "artifact.data_module"], merge_strategy: "layered", result: "Dashboard with integrated schema and data layers", conflicts: 1, resolution: "Resolved via interface abstraction" }, { merge_id: "n36", label: "merge.platform_complete", parents: ["n34", "n35"], parent_labels: ["merge.dashboard_complete", "artifact.cli_tool"], merge_strategy: "integration", result: "Complete MindsEye platform (UI + CLI)", conflicts: 0 } ], total_merges: 7, multi_parent_nodes: 7 }; Error Branches typescriptconst errorIndex = { errors: [ { error_id: "n13", label: "error.circular_reference", parent: "n7", origin_focus: "data", error_type: "validation", description: "Detected circular parent-child reference in generated graph", severity: "medium", resolution: { node: "n20", strategy: "remove_cycle", outcome: "n25 - validation passed" }, impact: "Delayed data module completion by 47 seconds", ledger_branch: "Valid alternative path showing error recovery" }, { error_id: "n29", label: "error.dependency_conflict", parent: "n25", origin_focus: "error", error_type: "build", description: "Dependency version conflict between React and TypeScript", severity: "low", resolution: { node: "n32", strategy: "pin_versions", outcome: "n32 - dependencies resolved" }, impact: "Required lockfile update", ledger_branch: "Shows dependency resolution as ledger pattern" } ], total_errors: 3, recovery_rate: 1.0, insight: "Errors create valid ledger branches that document recovery patterns" }; Graph Statistics typescriptconst graphStats = { topology: { total_nodes: 40, origin_nodes: 1, leaf_nodes: 1, merge_nodes: 7, error_nodes: 3, decision_nodes: 6, artifact_nodes: 19, state_nodes: 2, prompt_nodes: 1, run_nodes: 2 }, connectivity: { max_children: 4, max_parents: 2, avg_degree: 2.1, longest_path: 15, total_edges: 42 }, focuses: { unique_focuses: 4, global_nodes: 7, focused_nodes: 33, multi_focus_nodes: 0 }, timeline: { duration_seconds: 1294, avg_interval_seconds: 32.35, parallel_branches_max: 4 } }; SECTION D — Small Core Model + Focused Communication (MPLM) Multi-Pattern Ledger Model MPLM Specification Core Model Architecture MPLM is not a neural network with weights. It is a deterministic pattern-matching engine that operates on ledger state. typescriptinterface MPLM { // Input interface consume(input: MPLMInput): MPLMOutput; } interface MPLMInput { current_focus: string | null; // Active observer focus ledger_context: LedgerNode[]; // Recent nodes (window) query_intent: QueryIntent; // What user wants pattern_library: PatternLibrary; // Known transition rules context_window: number; // How far back to look } interface QueryIntent { type: 'trace' | 'analyze' | 'predict' | 'explain' | 'suggest'; target?: string; // Optional target node/focus depth?: number; // Traversal depth filters?: Record; // Additional constraints } interface MPLMOutput { next_actions: Action[]; // Edges to emit new_nodes: Partial[]; // Ledger entries to create focus_suggestions: FocusSuggestion[]; // Alternative coherent focuses confidence: ConfidenceScores; // Quality metrics explanation: string; // Human-readable rationale } Pattern Matching Logic typescriptclass MPLMEngine implements MPLM { private patterns: PatternLibrary; private ledger: Ledger; consume(input: MPLMInput): MPLMOutput { // 1. Apply focus filter to ledger context const focusedContext = this.applyFocus( input.ledger_context, input.current_focus ); // 2. Match patterns against focused context const matchedPatterns = this.matchPatterns( focusedContext, input.pattern_library, input.query_intent ); // 3. Evaluate pattern applicability const rankedPatterns = this.rankPatterns( matchedPatterns, input.query_intent, input.current_focus ); // 4. Generate actions from top patterns const actions = this.generateActions( rankedPatterns, focusedContext ); // 5. Propose new nodes const newNodes = this.proposeNodes( actions, focusedContext ); // 6. Suggest alternative focuses const focusSuggestions = this.suggestFocuses( input.ledger_context, input.current_focus, input.query_intent ); // 7. Calculate confidence scores const confidence = this.calculateConfidence( matchedPatterns, actions, focusedContext ); // 8. Generate explanation const explanation = this.explainReasoning( input.query_intent, rankedPatterns, actions, confidence ); return { next_actions: actions, new_nodes: newNodes, focus_suggestions: focusSuggestions, confidence, explanation }; Enter fullscreen mode Exit fullscreen mode } private applyFocus( nodes: LedgerNode[], focus: string | null ): LedgerNode[] { if (!focus) return nodes; // 𝓕(L, focus) - Focus operator from Section B return nodes.filter(node => node.focus_tags.includes(focus) || node.focus_tags.includes('global') ); Enter fullscreen mode Exit fullscreen mode } } Pattern Library Complete Pattern Definitions json{ "pattern_library": { "version": "1.0.0", "patterns": [ { "id": "p1", "name": "repo_scan_to_extraction", "description": "Repository scan automatically triggers node extraction", "when": { "event_type": "REPO_SCAN_STARTED", "conditions": [] }, "emit": ["NODES_EXTRACTED", "LEDGER_APPEND"], "node_type": "artifact", "focus_tags": ["structure", "global"], "gating": null, "confidence": 0.95 }, { "id": "p3", "name": "run_completion_focus_fork", "description": "Completed runs create multiple focus branches", "when": { "event_type": "RUN_COMPLETED", "conditions": [ {"field": "payload.output.status", "op": "==", "value": "ok"} ] }, "emit": ["FOCUS_SHIFT"], "node_type": "decision", "forks": ["schema", "data", "patterns", "communication"], "focus_tags": ["branch"], "gating": null, "confidence": 0.88 }, { "id": "p5", "name": "quality_gating", "description": "Artifacts undergo quality validation", "when": { "event_type": "ARTIFACT_CREATED", "conditions": [ {"field": "node.focus_tags", "op": "contains", "value": "data"} ] }, "emit": ["POLICY_CHECK"], "node_type": "decision", "focus_tags": ["quality"], "gating": { "type": "quality_threshold", "threshold": 0.85, "on_pass": "ARTIFACT_APPROVED", "on_fail": "ERROR_ENCOUNTERED" }, "confidence": 0.90 } ] } } Communication Patterns Neutral vs. Focused Communication Key insight: Without focus, patterns generate noise. With focus, patterns generate meaning. typescriptinterface CommunicationPattern { pattern_id: string; neutral_intent: string; // What it does without focus requires_focus: boolean; focus_effects: Record; // How each focus changes behavior } const communicationPatterns: CommunicationPattern[] = [ { pattern_id: "comm.trace.lineage", neutral_intent: "Trace complete lineage of all nodes", requires_focus: true, focus_effects: { "security": [ "Prioritize policy_gate edges", "Highlight authentication/authorization nodes", "Show risk assessment decisions", "Filter out non-security artifacts" ], "docs": [ "Prioritize documentation artifacts", "Show API endpoint nodes", "Highlight example generation", "Filter out implementation details" ], "performance": [ "Prioritize timing metrics", "Show execution latency nodes", "Highlight optimization decisions", "Filter out non-performance data" ] } } ]; Interactive Examples Example 1: Query with Focus = Security User Query: "Show me what's going on" Context: focus = "security" Step 1: Apply Focus Operator 𝓕 typescript// Original ledger (40 nodes) L_global = [n1, n2, n3, ..., n40] // Apply 𝓕(L_global, "security") L_security = 𝓕(L_global, "security") = [ n6, // focus.schema_design n10, // artifact.event_schema.ts n11, // artifact.ui_mappings.json n18, // merge.schema_artifacts n23 // artifact.schema_module ] // Security-focused nodes: 5 nodes User Sees: Security Analysis Summary Visible Nodes: 5 Focus Path: n6 → n10, n11 → n18 → n23 Key Findings: ✓ Type safety enforced via TypeScript interfaces ✓ Schema validation prevents injection attacks ✓ UI mappings follow secure binding patterns Risk Assessment: Low Recommendations: → Consider deeper validation pattern analysis (focus: validation) → Examine data flow security (focus: data) Example 2: Same Query with Focus = Docs User Query: "Show me what's going on" Context: focus = "docs" typescriptL_docs = 𝓕(L_global, "docs") = [ n9, // focus.communication n16, // artifact.comm_patterns n17, // artifact.interactive_examples n22, // merge.comm_artifacts n27, // artifact.comm_implementation n39 // artifact.documentation_published ] // Docs-focused nodes: 6 nodes User Sees: Documentation Coverage Report Visible Nodes: 6 Focus Path: n9 → n16, n17 → n22 → n27 → n39 Coverage Metrics: Sections documented: 4 (A, B, C, D) API coverage: 92% Interactive examples: 3 Total word count: 12,847 Status: Production-ready Recommendations: → Explore interactive examples in detail (focus: examples) → Validate API documentation completeness (focus: api) Comparative Analysis: Same Query, Three Truths The Quantum Nature of Focus The same user query—"Show me what's going on"—produced three completely different realities: typescriptconst query = "Show me what's going on"; 𝓕(L, "security") → 5 nodes, security audit, risk assessment 𝓕(L, "docs") → 6 nodes, coverage report, 92% documented 𝓕(L, "performance") → 4 nodes, timing profile, optimization paths All three answers are: Objectively true: Derived from the same immutable ledger Internally coherent: Each forms a complete narrative Simultaneously valid: No contradiction, only perspective Communication Requires Focus Without focus, MPLM would return all 40 nodes—an incomprehensible flood of information. With focus, MPLM returns a coherent sub-ledger that answers the specific question the observer cares about. Focus transforms noise into signal. Focus transforms data into meaning. Focus transforms ledgers into truth. Closing Principle In traditional systems, you ask a question and receive the answer—a single truth retrieved from storage. In MindsEye, you ask a question with a focus and receive a coherent truth—one of many valid projections of the underlying ledger. Traditional AI: Query → Database → Answer MindsEye: Query + Focus → 𝓕(Ledger) → Meaning The ledger is append-only, immutable, and objective. It contains all possible truths. Focus is the lens through which you observe. It determines which truth becomes visible. Meaning is not stored in nodes. Meaning emerges when focus is applied to pattern. SECTION E — GraphView + Focus UX (Instant Judge Understanding) Visualizing 10,000-Event Branching Ledgers Without Chaos E1. GraphView Goals What judges must understand in one screen: Auditability Through Visualization : Every decision, fork, and merge is visible and traceable. The graph proves intelligence is preserved, not overwritten. Focus Eliminates Chaos : Without focus, 10,000 nodes create visual noise. With focus, the graph shows only the coherent sub-ledger relevant to the observer's question. Progressive Disclosure Prevents Overload : The UI reveals complexity on demand—collapsed clusters expand, hidden edges appear, pinned nodes stay anchored—ensuring judges see structure, not spaghetti. E2. Layout Strategy for Massive Branching Macro to Micro Rendering Approach GraphView uses a two-phase rendering strategy: Phase 1: Macro (Cluster) Group nodes by focus and time windows into visual clusters. Render clusters as collapsed rectangles showing aggregate metrics. Phase 2: Micro (Neighborhood) When a cluster is expanded or a node is selected, render the local neighborhood (depth=2) with full detail. interface RenderPhase { macro : { clusters : Cluster []; // Focus-grouped node sets aggregates : ClusterMetrics ; // Node count, time span, focus layout : ' swimlane ' ; // Horizontal lanes per focus }; micro : { neighborhood : LedgerNode []; // Selected node ± 2 hops edges : Edge []; // Only edges within neighborhood layout : ' hierarchical ' ; // Topological sort, parent above child }; } Enter fullscreen mode Exit fullscreen mode Lane-Based DAG Layout The graph uses a 2D coordinate system : X-axis: Time / Topological Order (left = earlier, right = later) Y-axis: Focus Lanes (each focus gets a horizontal lane) Enter fullscreen mode Exit fullscreen mode ASCII Diagram: Lanes + Merge Junction TIME → Lane: SECURITY [n10]────────►[n23]────┐ │ ├──►[n28 MERGE] │ Lane: DATA [n12]──►[n19]──►[n24]─┘ ↓ │ [n34 MERGE] │ Lane: PATTERNS [n14]──────────►[n26]───────┘ │ └──►[n21 MERGE]──►[n30] Lane: GLOBAL [n1]──►[n2]──►[n5] (origin nodes) Key: [nX] = Node ────► = Normal edge (transition) ───┐ ├──► = Merge edge (multiple parents) [nX MERGE] = Merge node (2+ parents) Enter fullscreen mode Exit fullscreen mode Layout Rules: interface LayoutRules { xPosition : ( node : LedgerNode ) => number { // Topological sort: parents always left of children return node . topologicalOrder * UNIT_WIDTH ; }; yPosition : ( node : LedgerNode ) => number { // Assign lane based on primary focus tag const lane = this . getLaneForFocus ( node . focus_tags [ 0 ]); return lane . index * LANE_HEIGHT ; }; mergeNodePosition : ( node : LedgerNode ) => { x : number , y : number } { // Merge nodes positioned between parent lanes const parentLanes = [ node . parents . map ]( http : //node.parents.map)(p => this.getLane(p)); const avgY = average ([ parentLanes . map ]( http : //parentLanes.map)(l => l.yPosition)); const maxX = max ([ node . parents . map ]( http : //node.parents.map)(p => p.xPosition)); return { x : maxX + MERGE_OFFSET , y : avgY }; }; } Enter fullscreen mode Exit fullscreen mode Progressive Disclosure Rules 1. Stack Collapsing When multiple nodes share the same focus and timestamp window, collapse them into a stack. function shouldCollapse ( nodes : LedgerNode []): boolean { const timeWindow = 60 _000 ; // 60 seconds const sameFocus = new Set ([ nodes . map ]( http : //nodes.map)(n => n.focus_tags[0])).size === 1; const sameWindow = max ([ nodes . map ]( http : //nodes.map)(n => n.timestamp)) - min ([ nodes . map ]( http : //nodes.map)(n => n.timestamp)) < timeWindow; return sameFocus && sameWindow && nodes . length > 3 ; } interface CollapsedStack { label : string ; // "4 artifacts" nodeCount : number ; // 4 focusTags : string []; // ["data", "quality"] timeRange : [ Date , Date ]; expanded : boolean ; // Click to expand } Enter fullscreen mode Exit fullscreen mode 2. Edge Disclosure Don't draw all edges at once. Show edges progressively: type EdgeVisibility = | ' always ' // Direct parent-child (1 hop) | ' on-hover ' // Indirect (2-3 hops) | ' on-expand ' ; // Cross-focus (different lanes) function getEdgeVisibility ( edge : Edge , selectedNode : string | null ): EdgeVisibility { if ( edge . from === selectedNode || [ edge . to ]( http : //edge.to) === selectedNode) { return ' always ' ; } const hopDistance = calculateHops ( edge , selectedNode ); if ( hopDistance <= 1 ) return ' always ' ; if ( hopDistance <= 3 ) return ' on-hover ' ; const crossFocus = this . getLane ( edge . from ) !== this . getLane ([ edge . to ]( http : //edge.to)); return crossFocus ? ' on-expand ' : ' on-hover ' ; } Enter fullscreen mode Exit fullscreen mode 3. Pinned Anchors Allow users to pin important nodes that stay visible during panning/zooming. interface PinnedNode { nodeId : string ; label : string ; reason : ' origin ' | ' merge ' | ' error ' | ' user-pinned ' ; position : ' fixed ' ; // Remains in viewport } // Auto-pin certain node types function shouldAutoPin ( node : LedgerNode ): boolean { return ( node . parents . length === 0 || // Origin node . parents . length >= 2 || // Merge node . node_type === ' error ' || // Error branch node . focus_tags . includes ( ' complete ' ) // Terminal node ); } Enter fullscreen mode Exit fullscreen mode Render Budget Policy Limit visible nodes to maintain 60fps performance. interface RenderBudget { maxVisibleNodes : number ; // 500 nodes max maxVisibleEdges : number ; // 1000 edges max expansionBehavior : ' lazy ' ; // Expand on demand cullStrategy : ' frustum ' ; // Only render viewport + margin } class RenderBudgetManager { private budget : RenderBudget = { maxVisibleNodes : 500 , maxVisibleEdges : 1000 , expansionBehavior : ' lazy ' , cullStrategy : ' frustum ' }; enforceNodeLimit ( nodes : LedgerNode []): LedgerNode [] { if ( nodes . length <= this . budget . maxVisibleNodes ) { return nodes ; } // Priority order: // 1. Selected node + neighborhood // 2. Pinned nodes // 3. Nodes in viewport // 4. Recent nodes (by timestamp) const selected = this . getSelectedNeighborhood (); const pinned = this . getPinnedNodes (); const inViewport = this . getNodesInViewport (); let visible = [... selected , ... pinned , ... inViewport ]; visible = dedup ( visible ); if ( visible . length < this . budget . maxVisibleNodes ) { const remaining = this . budget . maxVisibleNodes - visible . length ; const recent = this . getRecentNodes ( remaining ); visible . push (... recent ); } return visible . slice ( 0 , this . budget . maxVisibleNodes ); } } Enter fullscreen mode Exit fullscreen mode Data Selection Function Pseudocode for choosing what to draw: function selectNodesToRender ( ledger : Ledger , focus : string | null , viewport : Viewport , selectedNode : string | null ): RenderableGraph { // Step 1: Apply focus filter (𝓕 operator) let nodes = focus ? ledger . nodes . filter ( n => n . focus_tags . includes ( focus ) || n . focus_tags . includes ( ' global ' ) ) : ledger . nodes ; // Step 2: Cull nodes outside viewport (with margin) const margin = 200 ; // pixels nodes = nodes . filter ( n => isInBounds ( n . position , viewport , margin ) ); // Step 3: Expand selected node neighborhood if ( selectedNode ) { const neighborhood = getNeighborhood ( selectedNode , depth : 2 ); nodes = union ( nodes , neighborhood ); } // Step 4: Include pinned nodes const pinned = getPinnedNodes (); nodes = union ( nodes , pinned ); // Step 5: Apply render budget nodes = budgetManager . enforceNodeLimit ( nodes ); // Step 6: Collapse stacks const stacks = identifyStacksToCollapse ( nodes ); const collapsed = collapseIntoStacks ( nodes , stacks ); // Step 7: Select edges const edges = selectEdges ( collapsed , viewport ); return { nodes : collapsed , edges , stacks }; } Enter fullscreen mode Exit fullscreen mode Complexity Note: Why This Stays Fast O(n) filtering, O(log n) spatial queries, O(1) rendering: // Time complexity analysis for 10,000 nodes: // Focus filter: O(n) // - Single pass through nodes: ~10ms for 10k nodes // Spatial culling: O(log n) with R-tree // - R-tree query for viewport: ~0.1ms // - Returns ~500 visible nodes // Neighborhood expansion: O(k) where k = neighborhood si
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#The-Editor
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://devblogs.microsoft.com/dotnet/net-framework-june-2021-cumulative-update-preview-2/
.NET Framework June 2021 Cumulative Update Preview - .NET Blog Skip to main content Microsoft Dev Blogs Dev Blogs Dev Blogs Home Developer Microsoft for Developers Visual Studio Visual Studio Code Develop from the cloud All things Azure Xcode DevOps Windows Developer ISE Developer Azure SDK Command Line Aspire Technology DirectX Semantic Kernel Languages C++ C# F# TypeScript PowerShell Team Python Java Java Blog in Chinese Go .NET All .NET posts .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework NuGet Servicing .NET Blog in Chinese Platform Development #ifdef Windows Microsoft Foundry Azure Government Azure VM Runtime Team Bing Dev Center Microsoft Edge Dev Microsoft Azure Microsoft 365 Developer Microsoft Entra Identity Developer Old New Thing Power Platform Data Development Azure Cosmos DB Azure Data Studio Azure SQL OData Revolutions R Unified Data Model (IDEAs) Microsoft Entra PowerShell More Search Search No results Cancel Dev Blogs .NET Blog .NET Framework June 2021 Cumulative Update Preview .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now June 24th, 2021 0 reactions .NET Framework June 2021 Cumulative Update Preview Tara Overfield Senior Software Engineer Show more Earlier this week, we released the June 2021 Cumulative Update Preview for .NET Framework for Windows 10, version 2004, Windows Server 2004, Windows 10, version 20H2, Windows Server 20H2, and Windows 10, version 21H1. Quality and Reliability This release contains the following quality and reliability improvements. ClickOnce Addresses a regression introduced in previous updates. We now honor WinTrust policy setting “Ignore timestamp revocation checks” setting when validating timestamps in ClickOnce manifests. CLR 1 When the process is not under high memory pressure it tends to favor doing BGCs over doing full compacting GCs. This is usually desirable but if the app behavior changes dramatically, it could cause much of the fragmentation in older generations (ie, gen2 and LOH) to be unused. You can collect GC ETW events which tell you how much fragmentation there is in gen2 and LOH and verify if you are in this situation. Windows Forms Addresses an issue in Property Grid control to prevent incorrect data read in some scenarios in 64 bit processes. Addresses an issue where System.Drawing double frees allocated memory when failing to get printer settings. WPF 2 Addresses an issue affecting a DataGrid contained in an outer ScrollViewer. Addresses a crash due to ElementNotAvailableException in a ListView with custom data-item automation peers. 1 Common Language Runtime (CLR) 2 Windows Presentation Foundation (WPF) Getting the Update The Cumulative Update Preview is available via Windows Update and Microsoft Update Catalog. Microsoft Update Catalog You can get the update via the Microsoft Update Catalog. **Note**: Customers that rely on Windows Update and Windows Server Update Services will automatically receive the .NET Framework version-specific updates. Advanced system administrators can also take use of the below direct Microsoft Update Catalog download links to .NET Framework-specific updates. Before applying these updates, please ensure that you carefully review the .NET Framework version applicability, to ensure that you only install updates on systems where they apply. The following table is for Windows 10 and Windows Server 2016+ versions. Product Version Cumulative Update Windows 10 21H1 .NET Framework 3.5, 4.8 Catalog 5003537 Windows 10, version 20H2 and Windows Server, version 20H2 .NET Framework 3.5, 4.8 Catalog 5003537 Windows 10 2004 and Windows Server, version 2004 .NET Framework 3.5, 4.8 Catalog 5003537   Previous Monthly Rollups The last few .NET Framework Monthly updates are listed below for your convenience: .NET Framework June 2021 Security and Quality Rollup Updates .NET Framework May 2021 Cumulative Update Preview for Windows 10, versions 2004, 20H2, 21H1 .NET Framework May 2021 Cumulative Update Preview .NET Framework May 2021 Security and Quality Rollup Updates 0 7 0 Share on Facebook Share on X Share on Linkedin Copy Link --> Category .NET Framework WinForms WPF Share Author Tara Overfield Senior Software Engineer Tara is a Software Engineer on the .NET team. She works on releasing .NET Framework updates. 7 comments Discussion is closed. Login to edit/delete existing comments. Code of Conduct Sort by : Newest Newest Popular Oldest Terry Hulseberg --> Terry Hulseberg --> June 28, 2021 · Edited 0 --> Collapse this comment --> Copy link --> --> --> --> I have multiple Win10 64-bit pro systems that update to this release. One of them immediately stopped working. I found there was 495GB used and only 5GB free indicated. This system only has 1 task and just a handful of programs loaded. I cannot find more than about 250GB used. THEN I discovered the C: drive has been encrypted by bitlocker. Apparently this is causing the drive to think it's FULL as I keep getting that error and it just acts like it. Update history shows this .NET update being installed on the exact day the problems started. I have turned off... Read more I have multiple Win10 64-bit pro systems that update to this release. One of them immediately stopped working. I found there was 495GB used and only 5GB free indicated. This system only has 1 task and just a handful of programs loaded. I cannot find more than about 250GB used. THEN I discovered the C: drive has been encrypted by bitlocker. Apparently this is causing the drive to think it’s FULL as I keep getting that error and it just acts like it. Update history shows this .NET update being installed on the exact day the problems started. I have turned off bitlocker and am currently decrypting the C: which looks like it going to take all day. WHAT THE HECK? AM I DOING THE RIGHT THING? 4 hours later, hardly any progress on decryption. manage=bde -status c: says protection off, decryption in=progress. Read less Tara Overfield --> Tara Overfield Author --> June 28, 2021 0 --> Collapse this comment --> Copy link --> --> --> --> Thanks for dropping a comment and sorry to hear about the drive-related issues. .NET Framework updates will not and can not make any system level changes to your logical drives and their encryption and/or bit-locker status. Dean Jackson --> Dean Jackson --> June 25, 2021 0 --> Collapse this comment --> Copy link --> --> --> --> Please explain what you mean by “Preview”. Does it mean that after some time, that a non-preview one of the same version will come to Windows Update? Thanks. Flux --> Flux --> June 25, 2021 · Edited 0 --> Collapse this comment --> Copy link --> --> --> --> Yes, exactly that. **Preview** doesn’t even mean “in beta”. It just means ahead of schedule. And let me clarify what “schedule” means. I download their 11 May 2021 update; it was digitally signed on 11 February 2021, one day after their February update was released. Their earlier 8 June 2021 update? It was digitally signed in April. This update? It was digitally signed on 15 May 2021. Tara Overfield --> Tara Overfield Author --> June 25, 2021 0 --> Collapse this comment --> Copy link --> --> --> --> .NET Framework releases updates to some OSes as optional updates in advance of releasing them to all customers as recommended. This June Preview is a early availability of what is scheduled to be released in early July. The signing date that you notice is because the .NET Framework servicing team creates the updates in advance of release date. The signing date is roughly aligned when updates are created. Vadim Sterkin --> Vadim Sterkin --> July 10, 2021 0 --> Collapse this comment --> Copy link --> --> --> --> Why do you keep force-installing this preview update on a monthly basis? Also, why do you ignore the inconvenient question about this? https://devblogs.microsoft.com/dotnet/net-framework-may-2021-cumulative-update-preview-for-windows-10-versions-2004-20h2-21h1/#comment-9281 Same thing with the July preview (I didn’t check the June one, but I’m sure it was the same experience). https://i.imgur.com/9uB8SzI.png Dean Jackson --> Dean Jackson --> June 29, 2021 0 --> Collapse this comment --> Copy link --> --> --> --> Thanks for responding and the clarification. Read next July 13, 2021 .NET July 2021 Updates – 5.0.8 and 3.1.17 Rahul Bhandari (MSFT) July 14, 2021 Announcing .NET MAUI Preview 6 David Ortinau Stay informed Get notified when new posts are published. Email * Country/Region * Select... United States Afghanistan Åland Islands Albania Algeria American Samoa Andorra Angola Anguilla Antarctica Antigua and Barbuda Argentina Armenia Aruba Australia Austria Azerbaijan Bahamas Bahrain Bangladesh Barbados Belarus Belgium Belize Benin Bermuda Bhutan Bolivia Bonaire Bosnia and Herzegovina Botswana Bouvet Island Brazil British Indian Ocean Territory British Virgin Islands Brunei Bulgaria Burkina Faso Burundi Cabo Verde Cambodia Cameroon Canada Cayman Islands Central African Republic Chad Chile China Christmas Island Cocos (Keeling) Islands Colombia Comoros Congo Congo (DRC) Cook Islands Costa Rica Côte dIvoire Croatia Curaçao Cyprus Czechia Denmark Djibouti Dominica Dominican Republic Ecuador Egypt El Salvador Equatorial Guinea Eritrea Estonia Eswatini Ethiopia Falkland Islands Faroe Islands Fiji Finland France French Guiana French Polynesia French Southern Territories Gabon Gambia Georgia Germany Ghana Gibraltar Greece Greenland Grenada Guadeloupe Guam Guatemala Guernsey Guinea Guinea-Bissau Guyana Haiti Heard Island and McDonald Islands Honduras Hong Kong SAR Hungary Iceland India Indonesia Iraq Ireland Isle of Man Israel Italy Jamaica Jan Mayen Japan Jersey Jordan Kazakhstan Kenya Kiribati Korea Kosovo Kuwait Kyrgyzstan Laos Latvia Lebanon Lesotho Liberia Libya Liechtenstein Lithuania Luxembourg Macau SAR Madagascar Malawi Malaysia Maldives Mali Malta Marshall Islands Martinique Mauritania Mauritius Mayotte Mexico Micronesia Moldova Monaco Mongolia Montenegro Montserrat Morocco Mozambique Myanmar Namibia Nauru Nepal Netherlands New Caledonia New Zealand Nicaragua Niger Nigeria Niue Norfolk Island North Macedonia Northern Mariana Islands Norway Oman Pakistan Palau Palestinian Authority Panama Papua New Guinea Paraguay Peru Philippines Pitcairn Islands Poland Portugal Puerto Rico Qatar Réunion Romania Rwanda Saba Saint Barthélemy Saint Kitts and Nevis Saint Lucia Saint Martin Saint Pierre and Miquelon Saint Vincent and the Grenadines Samoa San Marino São Tomé and Príncipe Saudi Arabia Senegal Serbia Seychelles Sierra Leone Singapore Sint Eustatius Sint Maarten Slovakia Slovenia Solomon Islands Somalia South Africa South Georgia and South Sandwich Islands South Sudan Spain Sri Lanka St Helena Ascension Tristan da Cunha Suriname Svalbard Sweden Switzerland Taiwan Tajikistan Tanzania Thailand Timor-Leste Togo Tokelau Tonga Trinidad and Tobago Tunisia Turkey Turkmenistan Turks and Caicos Islands Tuvalu U.S. Outlying Islands U.S. Virgin Islands Uganda Ukraine United Arab Emirates United Kingdom Uruguay Uzbekistan Vanuatu Vatican City Venezuela Vietnam Wallis and Futuna Yemen Zambia Zimbabwe I would like to receive the .NET Blog Newsletter. Privacy Statement. Subscribe Follow this blog Are you sure you wish to delete this comment? × --> OK Cancel Sign in Theme Insert/edit link Close Enter the destination URL URL Link Text Open link in a new tab Or link to existing content Search No search term specified. Showing recent items. Search or use up and down arrow keys to select an item. Cancel Code Block × Paste your code snippet Ok Cancel What's new Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organizations Copilot for personal use AI in Windows Explore Microsoft products Windows 11 apps Microsoft Store Account profile Download Center Microsoft Store support Returns Order tracking Certified Refurbished Microsoft Store Promise Flexible Payments Education Microsoft in education Devices for education Microsoft Teams for Education Microsoft 365 Education How to buy for your school Educator training and development Deals for students and parents AI for education Business Microsoft Cloud Microsoft Security Dynamics 365 Microsoft 365 Microsoft Power Platform Microsoft Teams Microsoft 365 Copilot Small Business Developer & IT Azure Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Marketplace Rewards Visual Studio Company Careers About Microsoft Company news Privacy at Microsoft Investors Diversity and inclusion Accessibility Sustainability Your Privacy Choices Opt-Out Icon Your Privacy Choices Your Privacy Choices Opt-Out Icon Your Privacy Choices Consumer Health Privacy Sitemap Contact Microsoft Privacy Manage cookies Terms of use Trademarks Safety & eco Recycling About our ads © Microsoft 2025
2026-01-13T08:48:03
https://dev.to/t/ruby
Ruby - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Ruby Follow Hide This tag is for posts related to the Ruby language, including its libraries. Create Post submission guidelines All articles and discussions should be about the Ruby programming language and related frameworks and technologies like Rails , Hanami , Sinatra etc. Please also add the relevant library tags when making a post. Questions are encouraged! Including the #help tag will make them easier to find. about #ruby Ruby is an open-source dynamic object-oriented interpreted language that combines the good bits from Perl, Smalltalk, and Lisp. It supports multiple programming paradigms including functional, object-oriented, and imperative. Ruby was initially conceived on February 24, 1993, by Yukihiro Matsumoto ('Matz') and version 1.0 was released in 1996 Older #ruby posts 1 2 3 4 5 6 7 8 9 … 75 … 290 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Rails 8 Strong Parameters: The Double-Bracket Fix for Nested Attributes Olumuyiwa Osiname Olumuyiwa Osiname Olumuyiwa Osiname Follow Jan 11 Rails 8 Strong Parameters: The Double-Bracket Fix for Nested Attributes # tutorial # backend # rails # ruby Comments Add Comment 3 min read Introducing app_pulse: a lightweight request signal collector for Ruby apps Virendra Jadhav Virendra Jadhav Virendra Jadhav Follow Jan 11 Introducing app_pulse: a lightweight request signal collector for Ruby apps # ruby # rails # opensource # rubygems Comments Add Comment 2 min read Released Gon v7.0.0 Shinichi Maeshima Shinichi Maeshima Shinichi Maeshima Follow Jan 11 Released Gon v7.0.0 # rails # ruby Comments Add Comment 2 min read Constructor Hell: Replacing Dependency Injection with Chain of Responsibility in Ruby andriy-baran andriy-baran andriy-baran Follow Jan 9 Constructor Hell: Replacing Dependency Injection with Chain of Responsibility in Ruby # rails # ruby # designpatterns # javascript Comments Add Comment 7 min read So You're a Ruby/Python Dev Learning Rust's Option Type Dev TNG Dev TNG Dev TNG Follow Jan 9 So You're a Ruby/Python Dev Learning Rust's Option Type # learning # ruby # rust # python Comments Add Comment 4 min read Building Enterprise Vector Search in Rails (Part 1/3): Architecture & Multi-Tenant Implementation Stokry Stokry Stokry Follow Jan 11 Building Enterprise Vector Search in Rails (Part 1/3): Architecture & Multi-Tenant Implementation # rails # ruby # ai # vectordatabase 5  reactions Comments Add Comment 7 min read Use native dialog with Turbo (and no extra JavaScript) Rails Designer Rails Designer Rails Designer Follow Jan 8 Use native dialog with Turbo (and no extra JavaScript) # ruby # rails # hotwire # webdev 1  reaction Comments Add Comment 4 min read Some fresh Ruby GIS gossip Germán Alberto Gimenez Silva Germán Alberto Gimenez Silva Germán Alberto Gimenez Silva Follow Jan 8 Some fresh Ruby GIS gossip # programming # ruby # servicessubscription # software Comments Add Comment 1 min read MCP Development with Ruby and Gemini CLI xbill xbill xbill Follow for Google Developer Experts Jan 11 MCP Development with Ruby and Gemini CLI # ruby # aitools # rubygems # mcpserver 3  reactions Comments Add Comment 10 min read Portable mruby binaries with Cosmopolitan Paweł Świątkowski Paweł Świątkowski Paweł Świątkowski Follow Jan 7 Portable mruby binaries with Cosmopolitan # ruby # mruby # cosmopolitan Comments Add Comment 3 min read Ruby Can Now Draw Maps — And I Started With Ice Cream Germán Alberto Gimenez Silva Germán Alberto Gimenez Silva Germán Alberto Gimenez Silva Follow Jan 7 Ruby Can Now Draw Maps — And I Started With Ice Cream # programming # ruby # rails # software Comments Add Comment 1 min read Announcing Telegem v3.0.0: Pure Async Telegram Bot Framework for Ruby phåńtøm šłîçk phåńtøm šłîçk phåńtøm šłîçk Follow Jan 6 Announcing Telegem v3.0.0: Pure Async Telegram Bot Framework for Ruby # ruby # telegem # telegram Comments Add Comment 3 min read Bringing PostgreSQL Triggers(pg_sql_triggers) into the Rails Era sam aswin sam aswin sam aswin Follow Jan 4 Bringing PostgreSQL Triggers(pg_sql_triggers) into the Rails Era # ruby # postgres # rails Comments Add Comment 2 min read Wait, what? PK is not needed for HABTM? tomdonarski tomdonarski tomdonarski Follow Jan 4 Wait, what? PK is not needed for HABTM? # database # rails # ruby # sql Comments Add Comment 2 min read Vectra — The Unified Vector Database Client for Ruby Stokry Stokry Stokry Follow Jan 9 Vectra — The Unified Vector Database Client for Ruby # ruby # ai # rails 7  reactions Comments Add Comment 2 min read Enums no Rails 8: anatomia e uma aplicação prática Dominique Morem Dominique Morem Dominique Morem Follow Jan 3 Enums no Rails 8: anatomia e uma aplicação prática # rails # ruby # enum # enumeration Comments Add Comment 8 min read Test projects at Telegem phåńtøm šłîçk phåńtøm šłîçk phåńtøm šłîçk Follow Jan 3 Test projects at Telegem # discuss # api # ruby # showdev Comments Add Comment 1 min read Ruby 클래스와 객체지향 프로그래밍 dss99911 dss99911 dss99911 Follow Dec 31 '25 Ruby 클래스와 객체지향 프로그래밍 # programming # ruby # class # oop Comments Add Comment 2 min read Building a Securities Brokerage with Ruby and Go Germán Alberto Gimenez Silva Germán Alberto Gimenez Silva Germán Alberto Gimenez Silva Follow Jan 5 Building a Securities Brokerage with Ruby and Go # go # programming # ruby # software Comments Add Comment 1 min read Ruby 제어문 - 조건문과 반복문 dss99911 dss99911 dss99911 Follow Dec 31 '25 Ruby 제어문 - 조건문과 반복문 # programming # ruby # controlflow # if Comments Add Comment 1 min read Ruby 데이터 타입 - 문자열, 배열, 맵 dss99911 dss99911 dss99911 Follow Dec 31 '25 Ruby 데이터 타입 - 문자열, 배열, 맵 # programming # ruby # string # array Comments Add Comment 1 min read Ruby 기초 - 문법과 기본 개념 dss99911 dss99911 dss99911 Follow Dec 31 '25 Ruby 기초 - 문법과 기본 개념 # programming # ruby # basics # syntax Comments Add Comment 1 min read Ruby 예외 처리와 정규 표현식 dss99911 dss99911 dss99911 Follow Dec 31 '25 Ruby 예외 처리와 정규 표현식 # programming # ruby # exception # regex Comments Add Comment 1 min read Ruby 파일 처리와 시스템 명령 dss99911 dss99911 dss99911 Follow Dec 31 '25 Ruby 파일 처리와 시스템 명령 # programming # ruby # file # io Comments Add Comment 1 min read Fitness Equation 12/31/2025 Brian Kim Brian Kim Brian Kim Follow Dec 31 '25 Fitness Equation 12/31/2025 # codequality # architecture # ruby # rails Comments Add Comment 8 min read loading... trending guides/resources 🧩 How We Solved “Unable to Get Certificate CRL” in Rails: A Debugging Story Pagy 9.1 to 43.0? What have Changed? Setting Up Solid Cache on Heroku with a Single Database Ruby on Rails in 2026: A Developer's Journey Through Time, Code, and Craft Rails 7.1 Framework Defaults 🚧 life is a meme! Ruby 4.0: The Structural Maturation of a Thirty-Year-Old Language Music Monday Spotify Open-Source Sync Bot Update favicon with badge using custom turbo streams in Rails Ruby PORO Explained: How Plain Old Ruby Objects Make Your Code Better Reading Ruby 4.0 NEWS with Pros Stop Wasting LLM Tokens: Introducing CTON (Compact Token-Oriented Notation) Ruby::Box Digest Introduction (Ruby 4.0.0 New Feature) 🚀 Bundler 4.0.0.beta1: A Big Step Forward for Writing Clean and Modern Ruby Rails 8.1's Job Continuations Could Save You Dollars in Server Costs `Ractor::Port` - Revamping the Ractor API Installing DaisyUI in Rails without Node.js What actually are .tt files in Ruby? Upgrading Rails applications with an AI skill Guide to Seamless Data Security in Rails With Mongoid’s Automatic Encryption 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://ruul.io/author/arno-yeramyan
Ruul Blog Writer - Arno Yeramyan Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up Arno Yeramyan Arno Yeramyan is a talented writer and financial expert who educates readers on various financial topics such as personal finance, investing, and retirement planning. He offers valuable insights to help readers make sound financial decisions for their future. 5 reasons why freelancers should draw agreements with clients As a freelancer, protecting your rights is essential. Secure your freelance business with an effective freelancer agreement. Learn how with our guide! When and how to ask for payment upfront as a freelancer Take a look at why you should ask for payment upfront, how to go about doing it, and different options you can pursue when it comes to getting paid. Who decides payment terms - freelancer or client? Payment terms are an important part of a freelance contract and should be negotiated and agreed upon in writing to ensure timely and fair compensation for the work. How working from home can improve your life Discover how remote work can transform your life for the better. Explore benefits like flexibility, better work-life balance, and increased productivity! Comprehensive Guide to Retirement Planning for Freelancers in the U.S. Learn the challenges of building a retirement plan as a freelancer and the options available to save for retirement, including SEP-IRA, SIMPLE IRA, Solo 401(k)s, Roth IRA, and HSA. 8 tips for solo talents to stay healthy and happy Prioritizing your mental and physical health is crucial for freelancers. Read on for tips on scheduling work, having a dedicated workspace, and taking care of your body. Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Q-Will-you-put-ads-on-my-posts-pages
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://prod.outgoing.prod.webservices.mozgcp.net/v1/f015999f41bfd4d73fa2cfffd78f17bbde46e070ae5b7ccd5ac986391a4a9511/https%3A//git.internet-czas-dzialac.pl/icd/rentgen
Redirecting to https://git.internet-czas-dzialac.pl/icd/rentgen Redirecting to https://git.internet-czas-dzialac.pl/icd/rentgen Please use caution when installing third-party add-ons. If you are immediately prompted to install an add-on, please let us know
2026-01-13T08:48:03
http://www.dotnetrocks.com/about
Home No Ads Links Feed About VoxPop .NET Rocks! .NET Rocks! is a weekly talk show for anyone interested in programming on the Microsoft .NET platform. The shows range from introductory information to hardcore geekiness. Carl Franklin Started .NET Rocks! in August, 2002! That was a few years before the word "Podcast" existed! It has been publishing almost every week since then. .NET Rocks! is not just for developers. Search for "Geek Out" to find these hidden gems. Richard shares his research about a geeky topic. They are great to share with kids! Carl Franklin is Executive Vice President of App vNext , a software development firm focused on the latest methodologies and technologies. Carl is a 20+ year veteran of the software industry, co-host and founder of .NET Rocks! , the first and most widely listened to podcast for .NET developers, a Microsoft MVP for Developer Technology, and Senior Executive of Pwop Studios , a full-service audio and video production/post production studio located in Southeastern Connecticut. Carl is also the creator of Music to Code By , a set of 25-minute long instrumental music pieces designed to get you into a state of flow and keep you there. Music to Code By has been praised widely by developers for keeping them focused and helping them solve difficult problems. Carl has been a leader in the .NET community since 2002, and in the Visual Basic (VB) community before that. In the very early days he wrote for Visual Basic Programmer’s Journal, authoring the Q&A column of that magazine as well as many feature articles for VBPJ and other magazines. He has authored two books for John Wiley & Sons on sockets programming in VB, and in 1994 he helped create the very first web site for VB developers, Carl & Gary's VB Home Page. Before he started .NET Rocks! in 2002 (three years before the word ‘podcast’ became popular) he developed and taught hands-on training classes for VB.NET and ASP.NET via his training company, Franklins.Net. Carl has spoken regularly at conferences around the world, such as DevIntersection , NDC , NDC London , OreDev , Microsoft TechEd, Microsoft TechEd Europe, DevTeach , DevReach , and others. In addition to his work in the development field, Carl works in the music business as a composer, recording engineer, producer, multi-instrumentalist, and vocalist. With his band, the Franklin Brothers Band , he has produced two albums, Lifeboat to Nowhere and Been a While . Both albums get nothing but five star reviews. Noted guitar virtuoso John Scofield has collaborated with Carl on two songs, Chain Reaction and Groove or Get Out of the Way . Richard Campbell started playing with microcomputers in 1977 at the age of 10. He's really never done anything else since. In that time he's been involved in every level of the PC industry, from manufacturing, to sales, to development, and into large scale infrastructure implementation. He has been a witness and participant to the Bill Gates vision of "A PC on every desktop." For years he's served as a consultant to companies in many countries, including Barnes&Noble.com, Dow Chemical, Johnson & Johnson Health Care Services, Reuters, Subaru/Isuzu and the U.S. Air Force, providing advice on architecture, scaling systems and mentoring development teams. His long experience in working with large scale systems made him a sought-after consultant during the halycon years of the DotCom boom. He worked closely with venture capital and private equity firms providing architectural guidance and due diligence. He is a Microsoft Regional Director and is recognized as a Microsoft Most Valuable Professional (MVP) in the area of ASP.NET  development. In 2004 Richard first met Carl Franklin, creator of .NET Rocks ( www.dotnetrocks.com ), The Internet Audio Talkshow for .NET Developers. Richard was a guest on show 69, but his friendship with Carl quickly evolved into a partnership and by show 100 in early 2005 he came onboard as co-host. In 2007 he started RunAs Radio ( www.runasradio.com ), a podcast for IT Professionals. He is a co-founder of Strangeloop Networks, which was acquired by Radware in 2013 and spent five years on the board of directors of Telerik which was acquired by Progress Software in 2014. In 2012 Richard founded the Humanitarian Toolbox ( www.htbox.org ), an organization designed to let developers around the world donate their skills to disaster relief organizations by building open source software. By 2014, Humanitarian Toolbox became a 501(c)3 registered US charity, working on a number of different projects for the United Nations, US Center for Disease Control and Red Cross. Today Richard is a consultant and advisor to a number of successful technology firms as well as the co-owner and content planner of the DevIntersection ( www.devintersection.com ) group of conferences.
2026-01-13T08:48:03
https://pwc.turtl.co/story/ai-jobs-barometer-industry/page/4/4
Financial Services - PwC’s 2025 Global AI Jobs Barometer angular.module('turtl.shared.services').value('companyId', "6526758175d527fc821f889c"); // Entry data point for ng2 - we should aim to move as much as we can here going forward window.APP_DATA = { ngxsInitialState: { flipbook: {"id":"682b14f1091bcc22e9c7d83a","_id":"682b14f1091bcc22e9c7d83a","identifier":"ai-jobs-barometer-industry","shortId":"7wNZj1","showTemplatePicker":null,"getStartedModalType":null,"slug":"ai-jobs-barometer-industry","docType":"turtl-doc","personalisation":{"enabled":false,"schema":[{"type":"string","name":"heading-ea2058dc-f93b-4f40-811b-18d9cb28cc12","form":{"type":"heading","label":"Personalize your Doc","custom":true,"presentational":true,"enabled":{"rule":true},"visible":{"rule":true}},"id":"1d4a04a3-cffb-4087-bf0e-c4872589424c"},{"type":"string","name":"text-52e22f72-6169-452c-994f-0a6b04b34b51","form":{"type":"text","label":"Use the form below to personalize the Doc for your customers.","custom":true,"presentational":true,"visible":{"rule":true}},"id":"d56e1b12-c7b0-4e7e-8d0f-cfb234398fac"}],"formSettings":{},"applyPageRulesToMaster":false,"forcePublicPersonalisations":false,"publiclyPersonalisable":false,"aggregatePersonalisations":false,"autoPersonaliseWithTurtlDataForInternalUsers":false,"sidebarForm":true,"loadThemeInForm":true,"autoAccountPersonalisation":false},"personalisationForm":"https://pwc.turtl.co/story/682b14f1091bcc22e9c7d83a/personalise","mergeFields":[],"batchPersonalisationUrl":"/story/682b14f1091bcc22e9c7d83a/personalise/batch","publiclyPersonalisable":false,"personalisationSidebarForm":true,"title":"PwC’s 2025 Global AI Jobs Barometer","description":"PwC’s 2025 Global AI Jobs Barometer analysed nearly a billion job ads to uncover AI's global impact on jobs, skills, wages, and productivity. PwC also conducted detailed studies across industries to explore how AI impacts each sector.","draftToken":"29067596-f062-4ea9-ad6d-d2ea7bd2cbd2","updated":"2025-11-17T13:03:03.608Z","pages":[{"surf":{"image":{"source":{"url":"https://cdn.fs.turtl.co/WNHDESZwRRGnVZlrQufp","bounds":[284.375,-1.616484723854228e-13,1716,1126.1250000000002]},"url":"https://cdn.fs.turtl.co/Dg9kRWwkTsOvOeQ5IV0v","alt":"","personalisationToken":""},"imagePortrait":{"source":{"url":"https://cdn.fs.turtl.co/WNHDESZwRRGnVZlrQufp","bounds":[1296.75,68.25,597.1875,1007.75390625]},"url":"https://cdn.fs.turtl.co/sMPaObKtTNWOB0Sw1y1i","alt":"","personalisationToken":""},"video":{"poster":{"source":{"bounds":[]},"url":"/images/turtl.editor/_blank.png","alt":"","personalisationToken":""},"url":"","posterTimestamp":0},"heading":" PwC’s 2025 Global AI Jobs Barometer ","soundbite":" Industry Insights   ","readOn":"Read on","mediaType":"image","position":"center-left","color":"option-surf-black","style":"cover","readOnColor":""},"immerse":{"pageGroupsMeta":{"pageGroupsToImmersePageIndexesMap":[[0]]},"cache":{"wrapperEl":" %CONTENT% ","columnLayoutHtml":"","preparedHtml":" ","columnLayoutPages":[{"html":" \n \n \n ","section":{"sectionTtlUuid":"36fb42b5-b41b-4f79-a28d-b39df825112d"},"firstElementOnMobileUuid":"1c0f9700-167f-4df1-a791-a07d1688c482","orderedNodeUuids":["1c0f9700-167f-4df1-a791-a07d1688c482"]}]},"enabled":false,"body":"","pageGroups":[{"title":"Page","id":"36fb42b5-b41b-4f79-a28d-b39df825112d","html":" ","style":"option-immerse-page-white","created":"2025-05-19T11:24:33.576Z","columns":24,"columnGap":20,"isFreeformMode":true,"actAsPageIfOnePage":true}],"columns":3,"requiresLead":false,"signupOptional":false,"style":"","sections":[],"inlineParent":false},"mobileSurf":null,"locked":false,"hierarchy":1,"lineage":["682b14f1091bcc22e9c7d83a"],"topics":[],"_id":"682b14f1091bcc22e9c7d83b"},{"surf":{"image":{"source":{"url":"https://cdn.fs.turtl.co/2VMbCnc5SlSOHqtPJHY5","bounds":[0,375.2727272727273,7719.896103896102,5066.181818181819]},"url":"https://cdn.fs.turtl.co/W7lQZH7PQVOE5901E8MY","alt":"","personalisationToken":""},"imagePortrait":{"source":{"url":"https://cdn.fs.turtl.co/2VMbCnc5SlSOHqtPJHY5","bounds":[1477.6363636363635,0,3266.2626262626254,5511.818181818182]},"url":"https://cdn.fs.turtl.co/sdWNnKNeRZ6L2LWz63ic","alt":"","personalisationToken":""},"video":{"poster":{"source":{"bounds":[]},"url":"/images/turtl.editor/_blank.png","alt":"","personalisationToken":""},"url":"","posterTimestamp":0},"heading":" Healthcare ","soundbite":"","readOn":"Read on","mediaType":"image","position":"left","color":"option-surf-black","style":"fade","readOnColor":""},"immerse":{"pageGroupsMeta":{"pageGroupsToImmersePageIndexesMap":[[0],[1],[2],[3],[4],[5],[6],[7]]},"cache":{"wrapperEl":" %CONTENT% ","columnLayoutHtml":"","preparedHtml":" AI Jobs Barometer | Healthcare Healthcare Regulation and health concerns slow adoption in the short term, but a profound impact is on the horizon   In the Healthcare industry, AI adoption is slower than in others due to concerns around data privacy, health impacts and the availability of data, but the need for AI solutions is acute. Across the Healthcare industry, workers are in short supply, and the risk-controlled adoption of this technology could help plug gaps in care and other areas of the health system. In this industry report, we examine how the Healthcare industry is adopting AI and how this is affecting jobs and talent.   AI-exposed jobs are jobs that contain many tasks in which AI can be used. Example jobs: financial analysts, data entry workers. 1 We use ‘AI-powered’ as an equivalent term to AI-exposed. Augmentable jobs are AI-exposed jobs in which AI enhances or supports human judgment and expertise on many tasks. Example jobs: surgeons, judges. 2   Automatable jobs are AI-exposed jobs in which AI can carry out many tasks. Example jobs: software coders, customer service workers. AI Jobs Barometer | Healthcare Healthcare has the highest share of job postings across all industries   The Healthcare industry's share of job postings has risen significantly over the past 12 years, from 13.9% in 2012 to 19.0% in 2024 (Figure 1). Nearly one in every five job advertisements globally is for a role in Healthcare.    The Healthcare industry's share of job postings has risen significantly over the past 12 years, from 13.9% in 2012 to 19.0% in 2024. Figure 1: The Healthcare industry has seen its share of jobs postings rise steadily between 2012 and 2024 Share of job vacancies in the Healthcare sector over time, 2012 to 2024, selected countries*   Sources: PwC analysis of Lightcast data *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. AI Jobs Barometer | Healthcare The demand for healthcare workers is high and rising   Regardless of the degree of AI exposure, our research shows that absolute job demand in healthcare has increased by roughly 80% since 2019.  Factors driving this demand include an ageing population, workforce shortages fuelled by high attrition, as well as more workers reaching or nearing retirement age 1 . Healthcare’s demand for workers may only intensify as a result. In OECD countries, health and social care systems now employ more workers than at any other time in history 2 . And a global shortfall of 11 million healthcare workers has been predicted by 2030—driven by increasingly stressful work conditions and comparatively low pay 3 . AI, and technology more broadly, presents an opportunity ­to close this gap while increasing job attractiveness and supporting better health outcomes for patients.   [1] OECD, Health at a glance , 7 November 2023 [2] OECD, Health at a glance , 7 November 2023 [3] World Health Organization, Health workforce, 2025 AI Jobs Barometer | Healthcare Healthcare’s adoption of AI    In 2024, 0.79% of job postings in the Healthcare industry required AI skills (an increase of 0.4 percentage points since 2012). The highly regulated nature of healthcare means that AI solutions may naturally see slower, more careful adoption 4 .  Figure 2: The proportion of jobs in the Healthcare industry that require AI skills is growing Share of job vacancies that require AI skills in the Healthcare sector over time, 2012 to 2024, selected countries*     Sources: PwC analysis of Lightcast data *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings data from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. [4] ‘Collective action in response to artificial intelligence in health,’ OECD Artificial Intelligence Papers (No. 10), January 2024 AI Jobs Barometer | Healthcare Job demand growth is stronger for augmentable jobs   Despite overall AI adoption in Healthcare remaining slow relative to other industries, both automatable and augmentable roles are seeing job demand growth.  And, in line with every other industry (apart from Financial Services), demand for augmentable jobs is outpacing demand for automatable jobs—growing 54% between 2019 and 2024, versus 41% (Figure 3).  Figure 3: Job numbers are growing for both automatable and augmentable jobs Average job growth for augmentation and automation, 2019 to 2024, by industry   Sources: PwC analysis of Lightcast data   AI Jobs Barometer | Healthcare Automatable healthcare jobs are already seeing rapid skills change   While job demand growth is slightly higher for augmentable jobs than it is for automatable ones in the Healthcare industry, it is actually automatable jobs that are starting to experience more rapid skill change (Figure 4).  Across most countries analysed, we found that change in the skills employers seek for automatable jobs in the Healthcare industry is notably higher than for augmentable jobs. This aligns with the global trend of faster skills turnover in automatable jobs. In Healthcare, this is particularly pronounced in developed countries such as Canada, France, the United Kingdom and the United States. This rapid skill change signals a glimpse of what may come in the Healthcare job market as AI adoption catches up with other industries. Faster skill change in automatable jobs suggests AI may already be enriching such work—making it more complex, creative and solution-oriented. It may also be a sign that healthcare systems are preparing for the AI-driven job changes to come, by starting to hire for AI-ready skills today.  Figure 4: Automatable jobs have experienced higher net skill change than augmentable jobs in the Healthcare industry Net skill change for jobs more exposed to augmentation and automation in the Healthcare sector between 2019 to 2024, by territory   Sources: PwC analysis of Lightcast data For this analysis we use a subset of developed countries that have good data availability. AI Jobs Barometer | Healthcare AI skills attract a wage premium Our global, cross-industry data indicate that virtually every industry pays a wage premium for workers with AI skills, demonstrating the value of such skills in the jobs market. Compared with the average cross-industry wage premium of 56%, Healthcare workers with AI skills are attracting a smaller premium of 18%, on average (Figure 5).   Healthcare workers with AI skills are attracting a smaller premium of 18%. Figure 5: Healthcare workers with AI skills attract a wage premium  Average wage premium for jobs if they are listed with 'AI skills', 2024, by sector   Sources: PwC analysis of Lightcast data The average wage premium is calculated by averaging findings per industry. We do not weight by sample size. Our analysis includes occupations more exposed to AI (not those less exposed to AI). AI Jobs Barometer | Healthcare Next steps for business leaders 1. Use AI for enterprise-wide transformation.  Many organisations are starting to use AI for isolated use cases. But the real benefit comes when AI is used to transform value creation at an enterprise-wide level, generating new revenue streams and gaining competitive advantage. 2. Treat AI as a growth strategy, not just an efficiency strategy. Companies are using AI not just to control headcount but rather to help workers create more value. Companies who use AI only to reduce staff numbers may miss out on the much bigger opportunities to use AI to claim new markets or generate new revenue streams. 3. Prioritise agentic AI which is an exponential workforce multiplier. With AI agents at their command, workers can achieve much more. Business leaders who adopt agents early won’t just cut costs – they can create organisations that think, adapt, and execute faster than competitors. PwC’s  agent OS helps businesses get the greatest value from their agents by enabling them to work as a team – sharing context, operating across platforms, and learning from one another. 4. Enable your workforce to have the skills to make the most of AI’s power.  As AI creates huge churn in the skills workers need, build a clear, data-based picture of skills gaps and create a plan for closing them. 4. Enable your workforce to have the skills to make the most of AI’s power.  As AI creates huge churn in the skills workers need, build a clear, data-based picture of skills gaps and create a plan for closing them. 5. Unlock AI’s transformative potential by building trust. Our research suggests the growth dividend from AI is not guaranteed and depends on more than just technical success – it also hinges on responsible deployment, clear governance and public and organisational trust. Learn more © 2025 PwC. All rights reserved. PwC refers to the PwC network and/or one or more of its member firms, each of which is a separate legal entity. Please see www.pwc.com/structure for further details. ","columnLayoutPages":[{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n Healthcare Regulation and health concerns slow adoption in the short term, but a profound impact is on the horizon   In the Healthcare industry, AI adoption is slower than in others due to concerns around data privacy, health impacts and the availability of data, but the need for AI solutions is acute. Across the Healthcare industry, workers are in short supply, and the risk-controlled adoption of this technology could help plug gaps in care and other areas of the health system. In this industry report, we examine how the Healthcare industry is adopting AI and how this is affecting jobs and talent. \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n AI-exposed jobs are jobs that contain many tasks in which AI can be used. Example jobs: financial analysts, data entry workers. 1 We use ‘AI-powered’ as an equivalent term to AI-exposed. \n \n \n \n Augmentable jobs are AI-exposed jobs in which AI enhances or supports human judgment and expertise on many tasks. Example jobs: surgeons, judges. 2   \n \n \n \n Automatable jobs are AI-exposed jobs in which AI can carry out many tasks. Example jobs: software coders, customer service workers. \n \n \n \n \n \n ","section":{"sectionTtlUuid":"fe9bfbd9-b103-45dc-a917-67f444bc6539"},"firstElementOnMobileUuid":"68a77d64-5688-4033-bc66-1490af3a2f58","orderedNodeUuids":["68a77d64-5688-4033-bc66-1490af3a2f58","6c66829a-e746-4883-9028-3bed13b186a9","2dee4e03-5e2b-406f-92d0-8865987a8aa6","63ce792e-e50c-4778-9dd5-80a22fcc4f8c","6c6b7f46-9c39-4fad-b0f7-e746f369cf8e","40ba8687-dbdf-47b5-8a9b-e1770b1fee2d"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n Healthcare has the highest share of job postings across all industries   The Healthcare industry's share of job postings has risen significantly over the past 12 years, from 13.9% in 2012 to 19.0% in 2024 (Figure 1). Nearly one in every five job advertisements globally is for a role in Healthcare.  \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n The Healthcare industry's share of job postings has risen significantly over the past 12 years, from 13.9% in 2012 to 19.0% in 2024. \n \n \n \n Figure 1: The Healthcare industry has seen its share of jobs postings rise steadily between 2012 and 2024 Share of job vacancies in the Healthcare sector over time, 2012 to 2024, selected countries* \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n Sources: PwC analysis of Lightcast data \n \n \n \n *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. \n \n \n \n \n \n ","section":{"sectionTtlUuid":"35ef441c-4146-4fd9-be08-334e84bc19af"},"firstElementOnMobileUuid":"3914577d-a6e2-453e-b8b7-cec0470664c0","orderedNodeUuids":["38dcd093-71b4-4965-b4de-28995885f8dd","3914577d-a6e2-453e-b8b7-cec0470664c0","7940e634-0011-433e-b5b3-b182409e50ca","e8412330-c749-43ac-8701-74e927a83ae0","cf651ad2-fc9b-4fc3-8113-08b4d5fe2b8c","7f05f944-0467-4e79-a6dc-86640e968dea","7e4162a8-e434-42c2-acd2-3fadaecbfb7a","9abd595c-2829-4ab0-83e4-617b7307f5d6"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n The demand for healthcare workers is high and rising   Regardless of the degree of AI exposure, our research shows that absolute job demand in healthcare has increased by roughly 80% since 2019.  Factors driving this demand include an ageing population, workforce shortages fuelled by high attrition, as well as more workers reaching or nearing retirement age 1 . Healthcare’s demand for workers may only intensify as a result. In OECD countries, health and social care systems now employ more workers than at any other time in history 2 . And a global shortfall of 11 million healthcare workers has been predicted by 2030—driven by increasingly stressful work conditions and comparatively low pay 3 . AI, and technology more broadly, presents an opportunity ­to close this gap while increasing job attractiveness and supporting better health outcomes for patients. \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n [1] OECD, Health at a glance , 7 November 2023 [2] OECD, Health at a glance , 7 November 2023 [3] World Health Organization, Health workforce, 2025 \n \n \n \n \n \n ","section":{"sectionTtlUuid":"701a7b37-1b00-471a-bc1b-dc2c3523665c"},"firstElementOnMobileUuid":"3e3d82ab-677f-4b4e-860d-e2ac831d5bf8","orderedNodeUuids":["1dd04fa1-c681-4d28-a90a-0aec41bb1466","3e3d82ab-677f-4b4e-860d-e2ac831d5bf8","4cae487e-5f31-4a8e-956e-53b408ee5e1c","e040d1df-18fd-4e9b-b791-095054e4491d"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n Healthcare’s adoption of AI    In 2024, 0.79% of job postings in the Healthcare industry required AI skills (an increase of 0.4 percentage points since 2012). The highly regulated nature of healthcare means that AI solutions may naturally see slower, more careful adoption 4 .  \n \n \n \n Figure 2: The proportion of jobs in the Healthcare industry that require AI skills is growing Share of job vacancies that require AI skills in the Healthcare sector over time, 2012 to 2024, selected countries* \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n Sources: PwC analysis of Lightcast data \n \n \n \n *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings data from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. \n \n \n \n [4] ‘Collective action in response to artificial intelligence in health,’ OECD Artificial Intelligence Papers (No. 10), January 2024 \n \n \n \n \n \n ","section":{"sectionTtlUuid":"5f45bc34-36b3-4640-a5cd-4311f3f7539d"},"firstElementOnMobileUuid":"4def3ca4-8756-49ec-bd8e-3003ad112ded","orderedNodeUuids":["d38d3ac5-7430-4808-9e37-29c4513209d2","4def3ca4-8756-49ec-bd8e-3003ad112ded","760ec535-37eb-4042-a595-b1935bf2b7d7","ee99034c-69d7-46a0-88dc-6c49ceb33b1b","59126ef6-0649-4afe-adc4-f74fc82f9ab4","d734069e-51e3-4632-92a7-ae4da1674723","97663a1b-42e2-410e-91f2-d7f717c72912","bf13229b-8efd-4329-86e0-c0b6da06149b"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n Job demand growth is stronger for augmentable jobs   Despite overall AI adoption in Healthcare remaining slow relative to other industries, both automatable and augmentable roles are seeing job demand growth.  And, in line with every other industry (apart from Financial Services), demand for augmentable jobs is outpacing demand for automatable jobs—growing 54% between 2019 and 2024, versus 41% (Figure 3).  \n \n \n \n Figure 3: Job numbers are growing for both automatable and augmentable jobs Average job growth for augmentation and automation, 2019 to 2024, by industry \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n Sources: PwC analysis of Lightcast data \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n \n \n ","section":{"sectionTtlUuid":"0f8fee92-59f7-4e69-929d-e7f162c9e8fd"},"firstElementOnMobileUuid":"ee8357b4-b7fb-4022-88e3-52b3abc36cce","orderedNodeUuids":["f2bd9a35-a338-43c5-864a-8cd38bd488bd","ee8357b4-b7fb-4022-88e3-52b3abc36cce","045ca3e0-1caf-474c-9694-b34423cd7a97","838817cf-c4eb-4186-a3db-f4547f4ca3ee","c14c2d9b-0041-4dd5-b05b-07781cadabb1","e8f2f4d0-4833-49b4-bd1d-0b527bf2d279"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n Automatable healthcare jobs are already seeing rapid skills change   While job demand growth is slightly higher for augmentable jobs than it is for automatable ones in the Healthcare industry, it is actually automatable jobs that are starting to experience more rapid skill change (Figure 4).  Across most countries analysed, we found that change in the skills employers seek for automatable jobs in the Healthcare industry is notably higher than for augmentable jobs. This aligns with the global trend of faster skills turnover in automatable jobs. In Healthcare, this is particularly pronounced in developed countries such as Canada, France, the United Kingdom and the United States. This rapid skill change signals a glimpse of what may come in the Healthcare job market as AI adoption catches up with other industries. Faster skill change in automatable jobs suggests AI may already be enriching such work—making it more complex, creative and solution-oriented. It may also be a sign that healthcare systems are preparing for the AI-driven job changes to come, by starting to hire for AI-ready skills today.  \n \n \n \n Figure 4: Automatable jobs have experienced higher net skill change than augmentable jobs in the Healthcare industry Net skill change for jobs more exposed to augmentation and automation in the Healthcare sector between 2019 to 2024, by territory \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n Sources: PwC analysis of Lightcast data \n \n \n \n For this analysis we use a subset of developed countries that have good data availability. \n \n \n \n \n \n ","section":{"sectionTtlUuid":"722f5c61-28b7-4538-a206-8493fdc60a98"},"firstElementOnMobileUuid":"c7afbe8c-2438-4490-9721-6f8da3ff6782","orderedNodeUuids":["df4b73c6-0937-485e-99c3-a59e39f91eb7","c7afbe8c-2438-4490-9721-6f8da3ff6782","19771d1e-3236-48b5-b4fa-8c8533054aa6","91a9ed7d-bc8f-4851-a13f-47ad536b512e","e68b8a5a-fa60-49a7-b806-4d746c379bac","b5b82b89-1fe2-46ea-a98a-1472b1458d29"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n AI skills attract a wage premium Our global, cross-industry data indicate that virtually every industry pays a wage premium for workers with AI skills, demonstrating the value of such skills in the jobs market. Compared with the average cross-industry wage premium of 56%, Healthcare workers with AI skills are attracting a smaller premium of 18%, on average (Figure 5). \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n Healthcare workers with AI skills are attracting a smaller premium of 18%. \n \n \n \n Figure 5: Healthcare workers with AI skills attract a wage premium  Average wage premium for jobs if they are listed with 'AI skills', 2024, by sector \n \n \n \n \n\n \n\n \n \n \n \n \n\n \n\n \n \n \n \n \n Sources: PwC analysis of Lightcast data \n \n \n \n The average wage premium is calculated by averaging findings per industry. We do not weight by sample size. Our analysis includes occupations more exposed to AI (not those less exposed to AI). \n \n \n \n \n \n ","section":{"sectionTtlUuid":"5b6ed8bd-89d4-405e-88fb-b01eaaf5a28e"},"firstElementOnMobileUuid":"f2823e8f-7363-4773-81ab-39db43409019","orderedNodeUuids":["58bd7b6b-e726-421c-9de6-8696d631e634","f2823e8f-7363-4773-81ab-39db43409019","81a36b49-7a5a-4c77-a151-30cb95d54222","9b253fa1-932f-43b4-8021-1d0bfac46b21","c40a1bb3-0c96-4c5e-9f36-519f80a5cf5d","396daf02-bf77-4b5f-bd09-eed3041564ca","dbb96363-4bf8-4951-bd80-c7e52470760a","60cabc36-d90e-4587-8ba8-197bdc6de760"]},{"html":" \n \n \n \n \n AI Jobs Barometer | Healthcare \n \n \n \n Next steps for business leaders \n \n \n \n 1. Use AI for enterprise-wide transformation.  Many organisations are starting to use AI for isolated use cases. But the real benefit comes when AI is used to transform value creation at an enterprise-wide level, generating new revenue streams and gaining competitive advantage. \n \n \n \n 2. Treat AI as a growth strategy, not just an efficiency strategy. Companies are using AI not just to control headcount but rather to help workers create more value. Companies who use AI only to reduce staff numbers may miss out on the much bigger opportunities to use AI to claim new markets or generate new revenue streams. \n \n \n \n 3. Prioritise agentic AI which is an exponential workforce multiplier. With AI agents at their command, workers can achieve much more. Business leaders who adopt agents early won’t just cut costs – they can create organisations that think, adapt, and execute faster than competitors. PwC’s  agent OS helps businesses get the greatest value from their agents by enabling them to work as a team – sharing context, operating across platforms, and learning from one another. \n \n \n \n 4. Enable your workforce to have the skills to make the most of AI’s power.  As AI creates huge churn in the skills workers need, build a clear, data-based picture of skills gaps and create a plan for closing them. \n \n \n \n 4. Enable your workforce to have the skills to make the most of AI’s power.  As AI creates huge churn in the skills workers need, build a clear, data-based picture of skills gaps and create a plan for closing them. \n \n \n \n 5. Unlock AI’s transformative potential by building trust. Our research suggests the growth dividend from AI is not guaranteed and depends on more than just technical success – it also hinges on responsible deployment, clear governance and public and organisational trust. \n \n \n \n Learn more \n \n \n \n © 2025 PwC. All rights reserved. PwC refers to the PwC network and/or one or more of its member firms, each of which is a separate legal entity. Please see www.pwc.com/structure for further details. \n \n \n \n \n \n ","section":{"sectionTtlUuid":"2c5e3b59-2750-4edb-9514-4fee8d026bff"},"firstElementOnMobileUuid":"e573a2fc-cd6d-4db3-b6c2-930a35a528f9","orderedNodeUuids":["941da68c-b641-4439-ad47-e276a49e4cea","e573a2fc-cd6d-4db3-b6c2-930a35a528f9","7e6c7613-6a2c-47db-8208-22a3b59cfd25","a3696081-beca-46ff-8f63-ec2e7779ac34","7679d785-870c-4143-bf48-ec95f21551f3","92688751-5ebb-43c7-9a92-8d8e1dc46734","cc9fb357-1f56-4dc7-86b4-f4a34e6a6828","3fc931ed-2144-4b46-9001-d0d5f4061960","eb761875-63b6-4f08-9eb7-93a3293eb5c6","c48df476-a048-4796-a5e2-b5ddbb413049"]}]},"enabled":true,"body":"","pageGroups":[{"title":"Page","id":"fe9bfbd9-b103-45dc-a917-67f444bc6539","html":" AI Jobs Barometer | Healthcare Healthcare Regulation and health concerns slow adoption in the short term, but a profound impact is on the horizon   In the Healthcare industry, AI adoption is slower than in others due to concerns around data privacy, health impacts and the availability of data, but the need for AI solutions is acute. Across the Healthcare industry, workers are in short supply, and the risk-controlled adoption of this technology could help plug gaps in care and other areas of the health system. In this industry report, we examine how the Healthcare industry is adopting AI and how this is affecting jobs and talent.   AI-exposed jobs are jobs that contain many tasks in which AI can be used. Example jobs: financial analysts, data entry workers. 1 We use ‘AI-powered’ as an equivalent term to AI-exposed. Augmentable jobs are AI-exposed jobs in which AI enhances or supports human judgment and expertise on many tasks. Example jobs: surgeons, judges. 2   Automatable jobs are AI-exposed jobs in which AI can carry out many tasks. Example jobs: software coders, customer service workers. ","style":"option-immerse-page-white","created":"2025-05-19T11:24:33.576Z","columns":24,"columnGap":20,"isFreeformMode":true,"actAsPageIfOnePage":true},{"id":"35ef441c-4146-4fd9-be08-334e84bc19af","title":"Page","html":" AI Jobs Barometer | Healthcare Healthcare has the highest share of job postings across all industries   The Healthcare industry's share of job postings has risen significantly over the past 12 years, from 13.9% in 2012 to 19.0% in 2024 (Figure 1). Nearly one in every five job advertisements globally is for a role in Healthcare.    The Healthcare industry's share of job postings has risen significantly over the past 12 years, from 13.9% in 2012 to 19.0% in 2024. Figure 1: The Healthcare industry has seen its share of jobs postings rise steadily between 2012 and 2024 Share of job vacancies in the Healthcare sector over time, 2012 to 2024, selected countries*   Sources: PwC analysis of Lightcast data *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. ","style":"option-immerse-page-white","columns":48,"isFreeformMode":true,"actAsPageIfOnePage":true,"created":"2025-05-19T16:38:13.222Z"},{"html":" AI Jobs Barometer | Healthcare The demand for healthcare workers is high and rising   Regardless of the degree of AI exposure, our research shows that absolute job demand in healthcare has increased by roughly 80% since 2019.  Factors driving this demand include an ageing population, workforce shortages fuelled by high attrition, as well as more workers reaching or nearing retirement age 1 . Healthcare’s demand for workers may only intensify as a result. In OECD countries, health and social care systems now employ more workers than at any other time in history 2 . And a global shortfall of 11 million healthcare workers has been predicted by 2030—driven by increasingly stressful work conditions and comparatively low pay 3 . AI, and technology more broadly, presents an opportunity ­to close this gap while increasing job attractiveness and supporting better health outcomes for patients.   [1] OECD, Health at a glance , 7 November 2023 [2] OECD, Health at a glance , 7 November 2023 [3] World Health Organization, Health workforce, 2025 ","title":"Page","id":"701a7b37-1b00-471a-bc1b-dc2c3523665c","created":"2025-05-19T17:36:43.337Z","columns":48,"style":"option-immerse-page-white","isFreeformMode":true,"actAsPageIfOnePage":true},{"id":"5f45bc34-36b3-4640-a5cd-4311f3f7539d","title":"Page","html":" AI Jobs Barometer | Healthcare Healthcare’s adoption of AI    In 2024, 0.79% of job postings in the Healthcare industry required AI skills (an increase of 0.4 percentage points since 2012). The highly regulated nature of healthcare means that AI solutions may naturally see slower, more careful adoption 4 .  Figure 2: The proportion of jobs in the Healthcare industry that require AI skills is growing Share of job vacancies that require AI skills in the Healthcare sector over time, 2012 to 2024, selected countries*     Sources: PwC analysis of Lightcast data *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings data from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. [4] ‘Collective action in response to artificial intelligence in health,’ OECD Artificial Intelligence Papers (No. 10), January 2024 ","style":"option-immerse-page-white","columns":48,"isFreeformMode":true,"actAsPageIfOnePage":true,"created":"2025-05-19T16:48:06.682Z"},{"id":"0f8fee92-59f7-4e69-929d-e7f162c9e8fd","title":"Page","html":" AI Jobs Barometer | Healthcare Job demand growth is stronger for augmentable jobs   Despite overall AI adoption in Healthcare remaining slow relative to other industries, both automatable and augmentable roles are seeing job demand growth.  And, in line with every other industry (apart from Financial Services), demand for augmentable jobs is outpacing demand for automatable jobs—growing 54% between 2019 and 2024, versus 41% (Figure 3).  Figure 3: Job numbers are growing for both automatable and augmentable jobs Average job growth for augmentation and automation, 2019 to 2024, by industry   Sources: PwC analysis of Lightcast data   ","style":"option-immerse-page-white","columns":48,"isFreeformMode":true,"actAsPageIfOnePage":true,"created":"2025-05-19T17:01:43.756Z"},{"id":"722f5c61-28b7-4538-a206-8493fdc60a98","title":"Page","html":" AI Jobs Barometer | Healthcare Automatable healthcare jobs are already seeing rapid skills change   While job demand growth is slightly higher for augmentable jobs than it is for automatable ones in the Healthcare industry, it is actually automatable jobs that are starting to experience more rapid skill change (Figure 4).  Across most countries analysed, we found that change in the skills employers seek for automatable jobs in the Healthcare industry is notably higher than for augmentable jobs. This aligns with the global trend of faster skills turnover in automatable jobs. In Healthcare, this is particularly pronounced in developed countries such as Canada, France, the United Kingdom and the United States. This rapid skill change signals a glimpse of what may come in the Healthcare job market as AI adoption catches up with other industries. Faster skill change in automatable jobs suggests AI may already be enriching such work—making it more complex, creative and solution-oriented. It may also be a sign that healthcare systems are preparing for the AI-driven job changes to come, by starting to hire for AI-ready skills today.  Figure 4: Automatable jobs have experienced higher net skill change than augmentable jobs in the Healthcare industry Net skill change for jobs more exposed to augmentation and automation in the Healthcare sector between 2019 to 2024, by territory   Sources: PwC analysis of Lightcast data For this analysis we use a subset of developed countries that have good data availability. ","style":"option-immerse-page-white","columns":48,"isFreeformMode":true,"actAsPageIfOnePage":true,"created":"2025-05-19T17:14:53.014Z"},{"id":"5b6ed8bd-89d4-405e-88fb-b01eaaf5a28e","title":"Page","html":" AI Jobs Barometer | Healthcare AI skills attract a wage premium Our global, cross-industry data indicate that virtually every industry pays a wage premium for workers with AI skills, demonstrating the value of such skills in the jobs market. Compared with the average cross-industry wage premium of 56%, Healthcare workers with AI skills are attracting a smaller premium of 18%, on average (Figure 5).   Healthcare workers with AI skills are attracting a smaller premium of 18%. Figure 5: Healthcare workers with AI skills attract a wage premium  Average wage premium for jobs if they are listed with 'AI skills', 2024, by sector   Sources: PwC analysis of Lightcast data The average wage premium is calculated by averaging findings per industry. We do not weight by sample size. Our analysis includes occupations more exposed to AI (not those less exposed to AI). ","style":"option-immerse-page-white","columns":48,"isFreeformMode":true,"actAsPageIfOnePage":true,"created":"2025-05-19T17:11:59.614Z"},{"html":" AI Jobs Barometer | Healthcare Next steps for business leaders 1. Use AI for enterprise-wide transformation.  Many organisations are starting to use AI for isolated use cases. But the real benefit comes when AI is used to transform value creation at an enterprise-wide level, generating new revenue streams and gaining competitive advantage. 2. Treat AI as a growth strategy, not just an efficiency strategy. Companies are using AI not just to control headcount but rather to help workers create more value. Companies who use AI only to reduce staff numbers may miss out on the much bigger opportunities to use AI to claim new markets or generate new revenue streams. 3. Prioritise agentic AI which is an exponential workforce multiplier. With AI agents at their command, workers can achieve much more. Business leaders who adopt agents early won’t just cut costs – they can create organisations that think, adapt, and execute faster than competitors. PwC’s  agent OS helps businesses get the greatest value from their agents by enabling them to work as a team – sharing context, operating across platforms, and learning from one another. 4. Enable your workforce to have the skills to make the most of AI’s power.  As AI creates huge churn in the skills workers need, build a clear, data-based picture of skills gaps and create a plan for closing them. 4. Enable your workforce to have the skills to make the most of AI’s power.  As AI creates huge churn in the skills workers need, build a clear, data-based picture of skills gaps and create a plan for closing them. 5. Unlock AI’s transformative potential by building trust. Our research suggests the growth dividend from AI is not guaranteed and depends on more than just technical success – it also hinges on responsible deployment, clear governance and public and organisational trust. Learn more © 2025 PwC. All rights reserved. PwC refers to the PwC network and/or one or more of its member firms, each of which is a separate legal entity. Please see www.pwc.com/structure for further details. ","title":"Page","id":"2c5e3b59-2750-4edb-9514-4fee8d026bff","created":"2025-05-21T14:07:38.895Z","columns":48,"style":"option-immerse-page-white","isFreeformMode":true,"actAsPageIfOnePage":true}],"columns":3,"requiresLead":false,"signupOptional":false,"style":"","sections":[],"inlineParent":false},"mobileSurf":null,"locked":false,"hierarchy":1,"lineage":["682b14f1091bcc22e9c7d83a"],"topics":[],"_id":"682b496b091bcc22e9d3538d"},{"surf":{"image":{"source":{"url":"https://cdn.fs.turtl.co/RYJRoschQL2YH3xFIIVE","bounds":[0,9,1440,945]},"url":"https://cdn.fs.turtl.co/JZ85T5pPRimIQREn5yLf","alt":"","personalisationToken":""},"imagePortrait":{"source":{"url":"https://cdn.fs.turtl.co/RYJRoschQL2YH3xFIIVE","bounds":[740.909090909091,190.90909090909076,519.86531986532,877.2727272727273]},"url":"https://cdn.fs.turtl.co/C2oSuPWRQCCD0c42UAax","alt":"","personalisationToken":""},"video":{"poster":{"source":{"bounds":[]},"url":"/images/turtl.editor/_blank.png","alt":"","personalisationToken":""},"url":"","posterTimestamp":0},"heading":" Energy, Utilities  and Resources ","soundbite":"","readOn":"Read on","mediaType":"image","position":"left","color":"option-surf-black","style":"fade","readOnColor":""},"immerse":{"pageGroupsMeta":{"pageGroupsToImmersePageIndexesMap":[[0],[1],[2],[3],[4],[5],[6],[7],[8],[9]]},"cache":{"wrapperEl":" %CONTENT% ","columnLayoutHtml":"","preparedHtml":" AI Jobs Barometer | Energy, Utilities and Resources Energy, Utilities and Resources Clean energy transition accelerates requirements for an AI-ready workforce The Energy, Utilities and Resources industry is undergoing unprecedented change as the world transitions towards cleaner energy sources and demand for critical resources accelerates. AI is already being harnessed in some energy systems, grids and mining operations globally. Workers in these industries are seeing changes to jobs and skills requirements as a result.  As with the overall industry findings from PwC’s 2025 Global AI Jobs Barometer, AI is not taking jobs away from workers in the Energy, Utilities, and Resources industry in most cases. AI is making employees more valuable, not less.  In this industry report, we examine how the Energy, Utilities and Resources industry is adopting AI and how this is affecting jobs and talent.    AI-exposed jobs are jobs that contain many tasks in which AI can be used. Example jobs: financial analysts, data entry workers. 1 We use ‘AI-powered’ as an equivalent term to AI-exposed. Augmentable jobs are AI-exposed jobs in which AI enhances or supports human judgment and expertise on many tasks. Example jobs: surgeons, judges. 2   Automatable jobs are AI-exposed jobs in which AI can carry out many tasks. Example jobs: software coders, customer service workers. AI Jobs Barometer | Energy, Utilities and Resources Industry vacancies remain relatively stable as a proportion of global job postings   Over the past decade-plus, job openings in the global Energy, Utilities and Resources industry have remained relatively stable as a share of overall job vacancies. Apart from some fluctuation between 2012 and 2018, the industry has seen a slight continuous decline in its share of vacancies, making up 5.5% of all job postings in 2024, down from 6.2% in 2012 (Figure 1).   Over the past decade-plus, job openings in the global Energy, Utilities and Resources industry have remained relatively stable. Figure 1: The Energy, Utilities and Resources industry’s share of jobs postings declined between 2012 and 2024 Share of job vacancies in the Energy, Utilities and Resources sector over time, 2012 to 2024, selected countries*   Sources: PwC analysis of Lightcast data *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings data from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. AI Jobs Barometer | Energy, Utilities and Resources Overall vacancy stability masks significant variation at the sub-industry level   A closer look at jobs within the industry tells a different story, however. While the proportion of industry job postings remained mostly unchanged over this time frame, underlying sub-industry trends reveal the impact of green energy developments and technology adoption on the industry’s labour market.   The International Energy Agency’s 2024 World Energy Employment  report shows that absolute job numbers in the industry have increased in recent years, spearheaded mainly by clean energy and recent uptick in oil and gas. Clean energy saw a 4.6% jump in employment since 2023 alone, while oil and gas employment grew 3%. Job numbers in coal declined, in line with the phasing out of coal in many countries 1 .  The rapid build-out of clean energy solutions globally has created a mismatch between workforce skills and industry needs 2 . The adoption of AI is also changing jobs in the industry, with important implications for energy and mining companies and their employees.   [1] International Energy Agency, World Energy Employment 2024,  November 2024 [2] Energy Monitor, ‘The energy transition skills gap is more than technical,’ 14 April 2023 AI Jobs Barometer | Energy, Utilities and Resources The adoption of AI is well underway   As many energy systems and electricity grids globally undergo major overhauls as part of the net-zero transition, AI is moving centre stage. And with good reason: A study by Bloomberg New Energy Finance (BNEF) focused on Germany, Spain, and the United Kingdom found that AI could potentially save 6% to 13% of power system costs by 2040 3 . The nature of jobs within the industry is changing quickly as a result, with reports that 38% of energy professionals already use AI, or will begin to do so within six months 4 . In Mining, as well as in the Oil and Gas industry, the adoption of AI is rapidly changing how work gets done. AI is making these jobs safer and workers more efficient and productive. It is also being used to analyse vast amounts of geological data to make resource identification more accurate, and to support more dependable demand forecasting 5;6 .   [3] World Economic Forum, ‘Harnessing AI to accelerate the Energy Transition,’ September 2021 [4] Global Energy Talent Index, 2024 Global Energy Talent Index Report , February 2024 [5] Jasper Ivan Madlangbayan and Tamara Thorne, ‘A peek at the AI revolution in mining: Promise meets peril,’ S&P Global, 5 February 2025 [6] Chirag Bharadwaj, ‘Unleashing the potential of artificial intelligence in the oil and gas industry: 10 use cases, benefits, examples,’ Appinventiv, 25 March 2025 AI Jobs Barometer | Energy, Utilities and Resources However, AI skills requirements are still lower in this industry than in many others   Yet, even as AI becomes more important, AI skills requirements in Energy, Utilities and Resources still lag a number of other industries. In 2024, 1.47% of job postings in the industry required AI skills—slightly below the cross-industry average (Figure 2). That said, the industry has experienced slow but consistent growth in the proportion of jobs demanding AI skills since 2013, signalling a shift towards greater demand for AI skills in the future.     AI skills requirements in Energy, Utilities and Resources still lag a number of other industries. Figure 2: The Energy, Utilities and Resources industry has seen modest growth in the proportion of jobs demanding AI skills Share of job vacancies that require AI skills in the Energy, Utilities and Resources sector over time, 2012 to 2024, selected countries*   Sources: PwC analysis of Lightcast data *Note that some countries only have data from 2018 or 2021 onwards. For consistency purposes, in this metric we only include the six countries that have full postings data from 2012 onwards: US, UK, Canada, Australia, New Zealand and Singapore. AI Jobs Barometer | Energy, Utilities and Resources Both augmentable and automatable jobs are seeing demand growth   Looking more closely at the growth in job demand for roles that are augmentable versus automatable reveals robust employer demand for both types of AI-powered workers in this industry.  In energy specifically, demand for augmentable roles has grown 93% between 2019 and 2024, only slightly outpacing the 87% demand growth for automatable jobs. In mining and quarrying, demand growth has been even stronger—135% for augmentable jobs versus 116% for automatable roles (Figure 3). Figure 3: Job numbers are growing at similar rates for both automatable and augmentable jobs in the Energy, Utilities and Resources industry   Average job growth for augmentation and automation, 2019 to 2024, by industry   Sources: PwC analysis of Lightcast data   AI Jobs Barometer | Energy, Utilities and Resources Workers with AI skills generally earn more   Workers with AI skills command wage premiums. Our research shows that jobs that require AI skills in the Energy sub-industry enjoyed a 102% wage premium in 2024. In the Mining or Resources sub-industry, the picture is rather different, with mining workers attracting a smaller premium of 15% (Figure 4).   Figure 4: Energy workers who have AI skills in addition to core skills command a sizeable wage premium Average wage premium for jobs if they are listed with ‘AI skills’, 2024, by sector   Sources: PwC analysis of Lightcast data The average wage premium is calculated by averaging findings per industry. We do not weight by sample size. Our analysis includes occupations more exposed to AI (not those less exposed to AI).  AI Jobs Barometer | Energy, Utilities and Resources Unlike other industries, augmentable jobs are seeing more rapid net skill change  While AI is automating repetitive tasks such as utility meter reading, fault detection and predictive maintenance, the 2025 Global Energy Talent Index shows an increase in demand for more complex skills—including workers skilled in AI systems oversight, cybersecurity and data analytics 7 . Across the whole industry, roles and skills requirements are evolving for augmentable and automatable jobs 8 . But, in contrast to most other industries, augmentable jobs in the Energy, Utilities and Resources industry have generally experienced higher net skill change than automatable ones. However, this trend is reversed in the United Kingdom, United States, Australia and France, with automatable jobs in these countries seeing more rapid net skill change (Figure 5).   Figure 5: Augmented jobs have generally experienced higher net skill change than automated jobs Net skill change for jobs more exposed to augmentation and automation in the Energy, Utilites and Resources sector between 2019 to
2026-01-13T08:48:03
https://maker.forem.com/t/tutorial
Tutorial - Maker Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Maker Forem Close # tutorial Follow Hide Tutorial is a general purpose tag. We welcome all types of tutorial - code related or not! It's all about learning, and using tutorials to teach others! Create Post submission guidelines Tutorials should teach by example. This can include an interactive component or steps the reader can follow to understand. Older #tutorial posts 1 2 3 4 5 6 7 8 9 … 75 … 2222 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Interactive LED Chaser with 555 Timer & CD4017 DIY Guide Messin Messin Messin Follow Dec 28 '25 Interactive LED Chaser with 555 Timer & CD4017 DIY Guide # tutorial # diy # beginners Comments Add Comment 3 min read Overcoming Critical Gear Challenges: A Guide to High-Performance Custom Design for EVs and Robotics Muhammad Abdullah Muhammad Abdullah Muhammad Abdullah Follow Dec 25 '25 Overcoming Critical Gear Challenges: A Guide to High-Performance Custom Design for EVs and Robotics # robotics # tutorial Comments Add Comment 10 min read The Most Common LED Strip “Fails” Aren’t the Strip — They’re Optics + Power Planning emmma emmma emmma Follow Jan 6 The Most Common LED Strip “Fails” Aren’t the Strip — They’re Optics + Power Planning # beginners # tutorial Comments 1  comment 3 min read Making DIY High-Performance Air Purifier for Delhi: Build Guide Akaalforge Akaalforge Akaalforge Follow Nov 21 '25 Making DIY High-Performance Air Purifier for Delhi: Build Guide # beginners # tutorial 5  reactions Comments Add Comment 10 min read Nano Banana Tutorial Guide: Transform Pet Photos and Art into 3D Collectibles Monica997 Monica997 Monica997 Follow Sep 18 '25 Nano Banana Tutorial Guide: Transform Pet Photos and Art into 3D Collectibles # beginners # tutorial 1  reaction Comments 2  comments 3 min read October 2025 Maker Roundup: Big Mergers, Cool Builds, and Fresh Kits Om Shree Om Shree Om Shree Follow Oct 12 '25 October 2025 Maker Roundup: Big Mergers, Cool Builds, and Fresh Kits # news # beginners # tutorial # raspberrypi 20  reactions Comments 3  comments 3 min read Installing Pi-hole with an LCD screen Thomas Bnt Thomas Bnt Thomas Bnt Follow Aug 3 '25 Installing Pi-hole with an LCD screen # raspberrypi # tutorial # iot # electronics 9  reactions Comments 5  comments 5 min read Alec Steele: Turning a Picture into a Damascus Pattern Maker YouTube Maker YouTube Maker YouTube Follow Aug 6 '25 Alec Steele: Turning a Picture into a Damascus Pattern # project # tutorial 3  reactions Comments Add Comment 1 min read Maker's Muse: 8 Things that RUIN 3D print accuracy (and how to fix it) Maker YouTube Maker YouTube Maker YouTube Follow Aug 4 '25 Maker's Muse: 8 Things that RUIN 3D print accuracy (and how to fix it) # help # project # tutorial 3  reactions Comments Add Comment 1 min read 3D Printing Nerd: HOW to 3D PRINT a HAT! Maker YouTube Maker YouTube Maker YouTube Follow Aug 1 '25 3D Printing Nerd: HOW to 3D PRINT a HAT! # tutorial # project 2  reactions Comments Add Comment 1 min read I Like To Make Stuff: What Can I Make With 3D Printing & Pool Noodles?! Maker YouTube Maker YouTube Maker YouTube Follow Aug 1 '25 I Like To Make Stuff: What Can I Make With 3D Printing & Pool Noodles?! # project # tutorial 1  reaction Comments Add Comment 1 min read loading... trending guides/resources Interactive LED Chaser with 555 Timer & CD4017 DIY Guide Overcoming Critical Gear Challenges: A Guide to High-Performance Custom Design for EVs and Robotics The Most Common LED Strip “Fails” Aren’t the Strip — They’re Optics + Power Planning Making DIY High-Performance Air Purifier for Delhi: Build Guide 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Maker Forem — A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Maker Forem © 2016 - 2026. We're a space where makers create, share, and bring ideas to life. Log in Create account
2026-01-13T08:48:03
https://coachingfederation.org/blog/coaching-industry-continues-global-growth-with-5-34-billion-usd-revenue-new-research-reveals/
Coaching Industry Continues Global Growth with $5.34 Billion USD Revenue, New Research Reveals - ICF Skip to content Paris Is Calling — Early Bird Registration Now Open for Converge Summit 2026! SAVE UP TO 25% on Select Professional Development | Sale Ends January 16! For Coach Educators ICF Accreditation How to Apply for ICF Accreditation ICF Coach Educators: Networking Opportunities Coach Educator Competencies Renew Your ICF Accreditation About About ICF ICF Membership Membership Benefits Individual Membership Organization Membership The ICF Ecosystem Awards 30th Anniversary History Mission & Vision Social Responsibility Values Our People Contact Us Policies & Statements ICF Bylaws Strategic Alliances Advertise & Sponsor In Memoriam Become a Member Join ICF Renew Membership ICF Membership Membership Benefits Individual Membership Organization Membership The ICF Ecosystem ICF Coaching Education ICF Coaching in Organization Accreditation Standards ICF Foundation Our People ICF Boards Thought Leaders Groups & Volunteers History Contact Us ICF FAQs Values Mission & Vision Policies & Statements ICF Bylaws Awards In Memoriam ICF Strategic Alliances Advertise & Sponsor Contact Us My Account Log In Join ICF Become a Coach Why Become a Certified Coach? How to Become a Coach Start Your Journey Credentialing Credentialing ICF Credentialing Overview ACC PCC MCC ACTC Compare Credentials Prepare for ICF Credential Application Education & Training Requirements Experience Requirements Mentor and Supervision Requirements  Performance Evaluations ICF Exams Apply for Credential Renew Your Credential Coaching Ethics Coaching Competencies Verify a Coach Credential Updates  Get your ICF Credential Apply for Credential Renew Your Credential ICF Credentials Overview Associate Certified Coach (ACC) PCC MCC ACTC Compare ICF Coaching Credentials Apply for Credential Renew Your Credential Prepare for ICF Credential Application Education & Training Requirements Experience Requirements Performance Evaluations ICF Credential Exams Coaching Competencies Coaching Ethics Verify a Coach Education & Professional Development Education & Professional Development Find Professional Development All Courses Learning Portal Continuing Coach Education (CCE) Mentor Coaching Peer Coaching Coaching Supervision Find Coaching Education Find Coaching Education Explore Education Find Coaching Education Find Professional Development All Courses Learning Portal ICF Continuing Coach Education (CCE) Accreditation ICF Mentor Coaching Peer Coaching Coaching Supervision Community & Events Community & Events Events Calendar & Course Directory ICF Events International Coaching Week (ICW) ICF Converge ICF Converge Summit Business Development Series (BDS) Global Leaders Forum (GLF) Professional Community ICF Engage Communities of Practice Networking for Accredited Providers ICF Chapters ICF Foundation Get Connected Find a Chapter Events Calendar & Course Directory Events International Coaching Week (ICW) ICF Converge Business Development Series (BDS) Global Leaders Forum (GLF) Professional Community ICF Engage Communities of Practice ICF Coach Educators: Networking Opportunities ICF Chapters ICF Foundation Resources Coaching Resources Blog Press Releases Thought Leadership & The Future of Coaching Featured Topics Business Resources Diversity & Inclusion Coaching Culture Social Impact ICF COACHBOCK™ Research Global Coaching Study Snapshot Surveys Building a Coaching Culture Consumer Awareness Study Academic Research Research Portal Coaching and Technology View All Resources Resource Library Blog Press Releases Thought Leadership & The Future of Coaching Featured Topics Research Get Coaching Coaching for Me What Is Coaching Coaching In My Organization What is Coaching Culture Create a Coaching Culture For Coach Educators ICF Accreditation: Become ICF Accredited Coaching Program How to Apply for ICF Accreditation ICF Coach Educators: Networking Opportunities Coaching Education Competencies Renew Your ICF Accreditation About ICF Membership Membership Benefits Individual Membership Organization Membership The ICF Ecosystem Awards ICF 30th Anniversary History Mission & Vision Social Responsibility Values Our People Policies & Statements Bylaws ICF Strategic Alliances Advertise & Sponsor In Memoriam Contact Us My Account Search for: Log In Become a Coach Why Become a Certified Coach? How to Become a Coach Start Your Journey Credentialing Credentialing ICF Credentialing Overview ACC PCC MCC ACTC Compare Credentials Prepare for ICF Credential Application Education & Training Requirements Experience Requirements Mentor and Supervision Requirements  Performance Evaluations ICF Exams Apply for Credential Renew Your Credential Coaching Ethics Coaching Competencies Verify a Coach Credential Updates  Get your ICF Credential Apply for Credential Renew Your Credential ICF Credentials Overview Associate Certified Coach (ACC) PCC MCC ACTC Compare ICF Coaching Credentials Apply for Credential Renew Your Credential Prepare for ICF Credential Application Education & Training Requirements Experience Requirements Performance Evaluations ICF Credential Exams Coaching Competencies Coaching Ethics Verify a Coach Education & Professional Development Education & Professional Development Find Professional Development All Courses Learning Portal Continuing Coach Education (CCE) Mentor Coaching Peer Coaching Coaching Supervision Find Coaching Education Find Coaching Education Explore Education Find Coaching Education Find Professional Development All Courses Learning Portal ICF Continuing Coach Education (CCE) Accreditation ICF Mentor Coaching Peer Coaching Coaching Supervision Community & Events Community & Events Events Calendar & Course Directory ICF Events International Coaching Week (ICW) ICF Converge ICF Converge Summit Business Development Series (BDS) Global Leaders Forum (GLF) Professional Community ICF Engage Communities of Practice Networking for Accredited Providers ICF Chapters ICF Foundation Get Connected Find a Chapter Events Calendar & Course Directory Events International Coaching Week (ICW) ICF Converge Business Development Series (BDS) Global Leaders Forum (GLF) Professional Community ICF Engage Communities of Practice ICF Coach Educators: Networking Opportunities ICF Chapters ICF Foundation Resources Coaching Resources Blog Press Releases Thought Leadership & The Future of Coaching Featured Topics Business Resources Diversity & Inclusion Coaching Culture Social Impact ICF COACHBOCK™ Research Global Coaching Study Snapshot Surveys Building a Coaching Culture Consumer Awareness Study Academic Research Research Portal Coaching and Technology View All Resources Resource Library Blog Press Releases Thought Leadership & The Future of Coaching Featured Topics Research Get Coaching Coaching for Me What Is Coaching Coaching In My Organization What is Coaching Culture Create a Coaching Culture For Coach Educators ICF Accreditation: Become ICF Accredited Coaching Program How to Apply for ICF Accreditation ICF Coach Educators: Networking Opportunities Coaching Education Competencies Renew Your ICF Accreditation About ICF Membership Membership Benefits Individual Membership Organization Membership The ICF Ecosystem Awards ICF 30th Anniversary History Mission & Vision Social Responsibility Values Our People Policies & Statements Bylaws ICF Strategic Alliances Advertise & Sponsor In Memoriam Contact Us My Account Search for: Log In September 16, 2025 Coaching Industry Continues Global Growth with $5.34 Billion USD Revenue, New Research Reveals Home / Post / Coaching Industry Continues Global Growth with $5.34 Billion USD Revenue, New Research Reveals – International Coaching Federation Releases 2025 Global Coaching Study, Showcasing Profession’s Impact on Global Economy – Lexington, Kentucky, USA  — The International Coaching Federation (ICF) today released its  2025 ICF Global Coaching Study , which examines how the coaching profession fuels economic growth globally. Amid geopolitical shifts and technology disruptions, the study — conducted over an eight-week span — reveals the profession’s top revenue drivers and key trends fueling its global growth, while demonstrating how geography, gender, and generational differences are shaping its future.   “We are pleased to share the results of the 2025 Global Coaching Study , which validate the impact that coaching has on people, organizations, and economies,” said ICF CEO Magdalena Nowicka Mook. “For 30 years, ICF has led the way in shaping the coaching industry. Through this global study — tracking the reach and growth of coaching since 2007 — we capture key insights into the current state of the profession. As coaching evolves, these insights guide our commitment to supporting the success of coaches , celebrating the power of coaching, and advancing our global mission to make coaching an essential part of a thriving society.” Leadership and executive coaching continue to be dominant areas in the coaching industry, with 54% of coaches indicating specialization in them. While these coaching services dominate the market, the study also reveals notable differences among coaches of different generations. Millennial coaches are less focused on leadership and executive coaching (66%), compared with 81% of Baby Boomer coaches. In addition to the diversification of coaching services and practitioner profiles across generations, the study shows growing diversity in gender representation and credentialing among coaches. The coaching profession continues to be female-led (72%), with Eastern Europe having the highest level at 81%, and Asia at the lowest level with 62%. Regionally, Eastern Europe led the profession in number of coaches obtaining more qualifications to grow their business (50%). Globally, two-thirds of coaches hold third-level advanced degrees, with older generations more likely to have pursued higher educational qualifications. This trend reflects a concerted effort across regions to grow coaching practices with enhanced skillsets.    Additional key findings from the ICF 2025 Global Coaching Study reveal:   Employment Growth: The global number of coach practitioners rose 15% since 2023, reaching a record 122,974.   Skillset Expansion : Coaches offer services in addition to coaching (60% training, 57% consulting, 55% facilitation, and 49% mentoring).   Generational Shift : The percentage of Gen X coaches rose from 49% to 53%, and Baby Boomer coaches declined from 38% to 35%, marking the beginning of a generational shift in the coaching landscape.   Future Outlook: 59% of coaches expect revenue growth next year, driven more by increased clients and sessions rather than increasing their fees.   The survey, conducted by PricewaterhouseCoopers (PwC), engaged over 10,000 participants in 127 countries. The 2025 study represents the sixth of ICF’s major research efforts to evaluate the size and scope of the coaching profession. The inaugural study was published in 2007 with follow-up studies in 2012, 2016, 2020, and 2023.    The executive summary of the study is available on the  ICF website . Journalists can request a media copy via the contact information below.      MEDIA CONTACT   Emily Wenstrom   202 . 594 . 6358   ewenstrom@stantoncomm.com   About the International Coaching Federation The International Coaching Federation (ICF) is the world’s largest organization, leading the global advancement of the coaching profession and fostering coaching’s role as an integral part of a thriving society. Founded in 1995, its 60,000-plus members and credential-holders located in more than 160 countries and territories work toward common goals of enhancing awareness of coaching and upholding the integrity of the profession through lifelong learning and upholding the highest ethical standards. Through the work of its six unique family organizations, ICF empowers professional coaches, coaching clients, organizations, communities, and the world through coaching. For more information, visit www.coachingfederation.org . Post Type Press Releases Audience Type Coach Educators, Experienced Coaches, External Coaches, HR & Organizational Leaders, ICF Assessors, ICF Chapter Leaders, Individuals Interested in Experiencing Coaching, Internal Coaches, Managers/Leaders Using Coaching Skills, Mentor Coaches, New Coaches, Professional Coaches, Team and Group Coaches Related Posts Sponsored January 1, 2026 How Psychology and Supervision Evolve Coaching As the coaching profession continues to grow and mature, one question is… December 22, 2025 How Conscientious Inclusion Can Improve Your Coaching Coaching continues to evolve as the world becomes more interconnected, multicultural, and… December 18, 2025 The Coaching Trap: When Empathy Becomes Exhaustion Prepare yourself for the fact that this will not be about you… Change Lives — Starting With Your Own. Join ICF. The time is now. Embark on your journey with ICF to transform people’s lives, their communities, and the world.   Join Us 2365 Harrodsburg Rd Suite A325 Lexington, KY 40504 Quick Links Log In For Coach Educators Coaching and Technology Coaching Ethics Global Digital Library Press Releases Sitemap Contact Us Explore Become a Coach Credentialing Education Community & Events Resources Get Coaching Ethics Complaints About Policies Privacy Policy Cookies Policy Accessibility Statement © 2026 International Coaching Federation. All rights reserved. Website by Yoko Co Scroll To Top
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Helpful-Resources
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://bizarro.dev.to/taylor_morgan
Taylor Morgan - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Taylor Morgan Taylor Morgan, 21, social media influencer with a passion for football and exploring the world. Always creating, traveling, and inspiring with every new adventure. Joined Joined on  Nov 20, 2025 More info about @taylor_morgan Post 0 posts published Comment 1 comment written Tag 5 tags followed Want to connect with Taylor Morgan? Create an account to connect with Taylor Morgan. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://neon.tech/dpa
DATA PROCESSING ADDENDUM - Neon This 250+ engineer team replaced shared staging with isolated database branches for safer deploys Neon Product Database Autoscaling Automatic instance sizing Branching Faster Postgres workflows Bottomless storage With copy-on-write Instant restores Recover TBs in seconds Connection pooler Built-in with pgBouncer Ecosystem Neon API Manage infra, billing, quotas Auth Add authentication Data API PostgREST-compatible Instagres No-signup flow Migration guides Step-by-step What is Neon? Serverless Postgres, by Databricks Solutions Use cases Serverless Apps Autoscale with traffic Multi-TB Scale & restore instantly Database per Tenant Data isolation without overhead Platforms Offer Postgres to your users Dev/Test Production-like environments Agents Build full-stack AI agents For teams Startups Build with Neon Security Compliance & privacy Case studies Explore customer stories Docs Pricing Company Blog About us Careers Contact Discord 20.7k Log In Sign Up DATA PROCESSING ADDENDUM Last Modified: 20 August 2025 This Data Processing Addendum, including its Annexes and the Standard Contractual Clauses (“ DPA ”), forms an integral part of the Neon Terms of Service, or any other written agreement that governs Customer’s use of the Neon Services (as defined below) entered into between the entity identified as the “Customer” in the signature block below (“ Customer ”) and Neon, LLC. (“ Neon” )  (the “ Agreement ”), and applies solely to the extent that Neon processes any Customer Personal Data (defined below) in connection with the Neon Services. By signing the Agreement, Customer enters into this DPA on behalf of itself and, if applicable and to the extent required under Applicable Data Protection Laws, in the name and on behalf of its Authorized Affiliates. All capitalized terms not defined herein shall have the meaning set forth in the Agreement. For the purposes of the DPA only, and except where otherwise indicated, the term “Customer” shall include Customer and its Authorized Affiliates. DEFINITIONS “Applicable Data Protection Laws” means all data protection and privacy laws and regulations applicable to the respective party in its role in the processing of Customer Personal Data under the Agreement, which may include, to the extent applicable, European Data Protection Laws and the CCPA. “Authorized Affiliate ” means a Customer Affiliate who is authorized to use the Neon Services under the Agreement and who has not signed their own separate “Agreement” with Neon.   “CCPA” means the California Consumer Privacy Act of 2018 (Cal. Civ. Code § 1798.100, et seq. ), as may be amended, superseded or replaced from time to time. “ Content” means, if not defined within the Agreement, all data processed by Neon on your behalf in the course of providing the Neon Services. “Customer Personal Data” means any ‘personal data’ or ‘personal information’ contained within Content.  “Neon Services” means the Platform (as defined in the Agreement). “European Data Protection Laws” means (a) Regulation 2016/679 (General Data Protection Regulation) (“ EU GDPR ”); (b) the EU GDPR as saved into United Kingdom law by virtue of section 3 of the European Union (Withdrawal) Act 2018 (“ UK GDPR ”); and (c) the Swiss Federal Data Protection Act and its implementing regulations (“ Swiss Data Protection Act ”); in each case as may be amended, superseded or replaced from time to time. “Restricted Transfer” means a transfer (directly or via onward transfer) of personal data that is subject to European Data Protection Laws to a third country outside the European Economic Area, United Kingdom and Switzerland which is not subject to an adequacy determination by the European Commission, United Kingdom or Swiss authorities (as applicable).    “Security Addendum” means the security addendum found at Annex C. “Security Breach” means a breach of security leading to an accidental or unlawful destruction, loss, alteration, unauthorized disclosure of, or access to, Customer Personal Data. “Standard Contractual Clauses” or “SCCs” means the standard contractual clauses annexed to the European Commission’s Implementing Decision 2021/914 of 4 June 2021, as may be amended, superseded or replaced from time to time.  “Subprocessor” means any other processor engaged by Neon to process Customer Personal Data. “UK Addendum” means the International Data Transfer Addendum (version B1.0) issued by the Information Commissioners Office under S.119 (a) of the UK Data Protection Act 2018, as updated or amended from time to time. The terms “controller” , “data subject” , “supervisory authority” , “processor” , “process” , “processing” , “personal data” , and “personal information” shall have the meanings given to them in Applicable Data Protection Laws. The term “controller” includes “business”, the term “data subject” includes “consumers”, and the term “processor” includes “service provider” (in each case, as defined by the CCPA).  PROCESSING OF PERSONAL DATA Scope and Roles of the Parties. This DPA applies when Customer Personal Data is processed by Neon as a processor in its provision of the Neon Services to Customer, who will act as either a controller or processor, as applicable, of Customer Personal Data.  Customer Processing. Customer agrees that (i) it will comply with its obligations under Applicable Data Protection Laws in its processing of Customer Personal Data and any processing instructions it issues to Neon, and (ii) it has provided notice and obtained (or will obtain) all consents and rights necessary under Applicable Data Protection Laws for Neon to process Customer Personal Data and provide the Neon Services pursuant to the Agreement (including this DPA).  Neon Processing. Neon agrees that (a) when Neon processes Customer Personal Data in its capacity as a processor on behalf of the Customer, Neon will (i) comply with Applicable Data Protection Laws, and (ii) process the Customer Personal Data as necessary to perform its obligations under the Agreement, and only in accordance with Customer’s documented instructions  (as set forth in the Agreement, in this DPA, or as directed by the Customer or Customer’s Authorized Users through the Neon Services). Neon is not responsible for determining if Customer’s processing instructions are compliant with applicable law. However, Neon shall notify Customer in writing if, in its reasonable opinion, the Customer’s processing instructions infringe Applicable Data Protection Laws and provided that Customer acknowledges that Customer Personal Data may be processed on an automated basis in accordance with Customers’ use of the Neon Services, which Neon does not monitor. Details of Processing. The details of the processing of Customer Personal Data by Neon are set out in Annex A to the DPA.   CONFIDENTIALITY Personnel. Neon shall ensure that any employees or personnel it authorizes to process Customer Personal Data is subject to an appropriate duty of confidentiality.  SUBPROCESSING Authorization. Customer provides a general authorization to Neon use of Subprocessors to process Customer Personal Data in accordance with this Section, including those Subprocessors listed  at https://neon.com/subprocessors (“ Subprocessor List ”). Subprocessor Obligations. Neon shall (i) enter into a written agreement with its Subprocessors, which includes data protection and security measures no less protective than the measures set forth in this DPA; and (ii) remain fully liable for any breach of the Agreement and this DPA that is caused by an act, error or omission of its Subprocessors to the extent that Neon would have been liable for such act, error or omission had it been caused by Neon.  Subprocessor Changes. At least thirty (30) calendar days prior to the date on which any new Subprocessor shall commence processing Customer Personal Data, Neon shall update the Subprocessor List and provide Customer with notice of that update. Such notice will be sent to individuals who have signed up to receive updates to the Subprocessor List via the mechanism(s) indicated on the Subprocessor List. Subprocessor Objections. Customer may object to Neon’ appointment of a new Subprocessor on reasonable grounds relating to data protection by notifying Neon in writing at privacy@neon.tech  within ten (10) calendar days after receiving notice pursuant to Section 4.3.  In such an event, Neon and Customer will discuss those objections in good faith with a view to achieving resolution .  If the parties are not able to achieve resolution, within ten (10)  calendar days from Neon’ written notification, Customer, as its sole and exclusive remedy, may terminate the Order Form(s) with respect to only those aspects which cannot be provided by Neon without the use of the new Subprocessor.  Neon will provide Customer with a pro rata reimbursement of any prepaid, but unused fees of such Order Form(s) following the effective date of such termination.   ASSISTANCE      Data Subject Requests. Customer is responsible for responding to and complying with data subject requests (“ DSR ”). The Neon Services include controls that Customer may use to assist it to respond to DSR. If Customer is unable to access or delete any Customer Personal Data using such controls, Neon shall, taking into account the nature of the processing, reasonably cooperate with Customer to enable Customer to respond to the DSR. If a data subject sends a DSR to Neon directly and where Customer is identified or identifiable from the request, Neon will promptly forward such DSR to Customer and Neon shall not, unless legally compelled to do so, respond directly to the data subject except to refer them to the Customer to allow Customer to respond as appropriate.  Data Protection Impact Assessments . Neon will provide reasonably requested information regarding the Neon Services  to Customer to carry out data protection impact assessments relating to the processing of Customer Personal Data and any related required consultation with supervisory authorities as required by Applicable Data Protection Laws, so long as Customer does not otherwise have access to the relevant information. Legal Requests. If Neon receives a subpoena, court order, warrant or other legal demand from law enforcement or any public or judicial authority seeking the disclosure of Customer Personal Data, Neon will attempt to redirect the governmental body to request such Customer Personal Data directly from Customer. As part of this effort, Neon may provide Customer’s basic contact information to the governmental body. If compelled to disclose Customer Personal Data to a governmental body, Neon will give Customer reasonable notice of the legal demand to allow Customer to seek a protective order or other appropriate remedy, unless Neon is legally prohibited from doing so. SECURITY Security Measures.  Neon has implemented and will maintain appropriate technical and organizational security measures as set forth in Annex C (“ Security Measures ”). The Security Measures are subject to technical progress and development and Neon may update the Security Measures, provided that any updates shall not materially diminish the overall security of Customer Personal Data or the Neon Services. Neon may make available certain security controls within the Neon Services that Customer may use in accordance with the Documentation.  Security Breach Notification. In the event of a Security Breach, Neon will (a) notify Customer in writing without undue delay and in no event later than seventy-two (72) hours after becoming aware of the Security Breach; and (b) promptly take reasonable steps to contain, investigate, and mitigate any adverse effects resulting from the Security Breach. Neon will reasonably cooperate with and assist Customer with respect to any required notification to supervisory authorities or data subjects (as applicable), taking into account the nature of the processing, the information available to Neon, and any restrictions on disclosing the information (such as confidentiality).   AUDITS AND RECORDS      Audit. We will make information reasonably necessary to demonstrate compliance with this DPA available to you and allow for and contribute to audits, including inspections conducted by you or your auditor in order to assess compliance with this DPA, where required by applicable law. You acknowledge and agree that you will exercise your audit rights under this DPA by instructing us to comply with the audit measures described in this ‘Demonstration of Compliance’ section. You acknowledge that the Neon Services are hosted by our hosting Sub-Processors who maintain independently validated security programs and that our systems are audited annually as part of SOC 2 compliance and regularly tested by independent third party penetration testing firms. Upon request, we will supply (on a confidential basis) our SOC 2 report and summary copies of our penetration testing report(s) to you so that you can verify our compliance with this DPA .   TRANSFER OF PERSONAL DATA Restricted Transfers. Where the transfer of Customer Personal Data to Neon is a Restricted Transfer, such transfer shall be governed by the Standard Contractual Clauses, which shall be deemed incorporated into and form an integral part of the Agreement in accordance with Annex B of this DPA. Alternative Transfer Mechanisms .  If and to the extent that a court of competent jurisdiction or a supervisory authority with binding authority orders (for whatever reason) that the measures described in this DPA cannot be relied on to lawfully transfer Customer Personal Data to Neon, the parties shall reasonably cooperate to agree and take any actions that may be reasonably required to implement any additional measures or alternative transfer mechanism to enable the lawful transfer of such Customer Personal Data. Additionally, in the event Neon adopts an alternative transfer mechanism (including any successor version of the Privacy Shield), such alternative transfer mechanism shall apply instead of the SCCs described in Section 8.1 of this DPA (but only to the extent such alternative transfer mechanism complies with applicable European Data Protection Laws and extends to the territories to which Customer Personal Data is transferred). BACKUP, DELETION & RETURN  No Backups. The Neon Services do not include backup services or disaster recovery for Customer Personal Data. Neon does provide functionality within the Neon Services that may permit Customer to backup certain Customer Personal Data on its own. It is the Customer’s obligation to backup any Customer Personal Data if desired. Deletion. The Neon Services include controls that Customer may use at any time during the term of the Agreement to retrieve or delete Customer Personal Data. Subject to the terms of the Agreement, Neon will delete Customer Personal Data from the Neon Services when Customer uses such controls to send an instruction to delete. Termination. Upon termination or expiration of the Agreement and following Customer’s written request, Neon will delete or assist Customer in deleting any Customer Personal Data within its possession or control within thirty (30) days following such request.  CCPA COMPLIANCE Neon shall not process, retain, use, or disclose Customer Personal Data for any purpose other than for the purposes set out in the Agreement, DPA and as permitted under the CCPA.  Neon shall not sell or share information as those terms are defined under the CCPA. GENERAL The parties agree that this DPA shall replace any existing data processing addendum, attachment, exhibit or standard contractual clauses that the parties may have previously entered into in connection with the Neon Services. Neon may update this DPA from time to time, with such updated version posted to https://neon.com/dpa or a successor website designated by Neon; provided, however, that no such update shall materially diminish the privacy or security of Customer Personal Data. If any part of this DPA is held unenforceable, the validity of all remaining parts will not be affected. Neon’ obligations set forth in this DPA shall also extend to Authorized Affiliates, subject to the following conditions: (a) Customer is solely responsible for communicating any additional processing instructions on behalf of its Authorized Affiliates; (b) Customer shall be responsible for Authorized Affiliates’ compliance with this DPA and all acts and/or omissions by an Authorized Affiliate with respect to Customer’s obligations under this DPA; and (c) if an Authorized Affiliate seeks to assert a legal demand, action, suit, claim, proceeding or otherwise against Neon (“ Authorized Affiliate Claim ”), Customer must bring such Authorized Affiliate Claim directly against Neon on behalf of such Authorized Affiliate, unless Applicable Data Protection Laws require the Authorized Affiliate be a party to such claim, and all Authorized Affiliate Claims shall be considered claims made by Customer and shall be subject to any liability restrictions set forth in the Agreement, including any aggregate limitation of liability. In no event will this DPA or any party restrict or limit the rights of any data subject or of any competent supervisory authority. In the event of any conflict between this DPA and any data privacy provisions set out in any agreements between the parties relating to the Neon Services, the parties agree that the terms of this DPA shall prevail, provided that if and to the extent the Standard Contractual Clauses conflict with any provision of this DPA, the Standard Contractual Clauses control and take precedence. If there is any conflict between this DPA and a Business Associate Agreement entered into between the parties (“ BAA ”), then the BAA shall prevail to the extent of any conflict solely with respect to any PHI (as defined in such BAA). Notwithstanding anything to the contrary in the Agreement or this DPA and to the maximum extent permitted by law, each party’s and all of its Affiliates’ liability, taken together in the aggregate, arising out of or related to this DPA (including all Annexes hereto), the SCCs or any data protection agreements in connection with the Agreement (if any), whether in contract, tort or under any other theory of liability, shall remain subject to the limitation of liability section of the Agreement and any reference in such section to the liability of a party means the aggregate liability of that party and all of its Affiliates under the Agreement and this DPA, including all Annexes hereto. Customer agrees that any regulatory penalties incurred by Neon that arise in connection with Customer’s failure to comply with its obligations under this DPA or any laws or regulations including Applicable Data Protection Laws shall reduce Neon’ liability under the Agreement as if such penalties were liabilities to Customer under the Agreement. This DPA will be governed by and construed in accordance with the governing law and jurisdiction provisions in the Agreement, unless required otherwise by Applicable Data Protection Laws. The obligations placed upon each party under this DPA and the Standard Contractual Clauses shall survive so long as Neon processes Customer Personal Data on behalf of Customer . ANNEX A DESCRIPTION OF THE PROCESSING / TRANSFER ANNEX 1(A): LIST OF PARTIES Data exporter Name of the data exporter: The entity identified as the “Customer” in the Agreement and this DPA. Contact person’s name, position and contact details: The address and contact details associated with Customer’s Neon account, or as otherwise specified in this DPA or the Agreement.  Activities relevant to the data transferred: The activities specified in Annex 1(B)below.  Signature and date : See front end of the DPA.  Role (Controller/Processor): Controller (for Module 2) or Processor (for Module 3). Data importer Name of the data importer: Neon LLC Contact person’s name, position and contact details: Neal Hannan Senior Director and Associate General Counsel Activities relevant to the data transferred: The activities specified in Annex 1.B below.  Signature and date : See front end of the DPA.  Role (Controller/Processor): Processor  ANNEX 1(B): DESCRIPTION OF THE PROCESSING / TRANSFER Categories of data subjects whose personal data is transferred: Data subjects include individuals about whom data is provided to Neon via the Neon Services (by or at the direction of Customer), which shall include:____________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________IF CUSTOMER HAS NOT FILLED OUT THE ABOVE SECTION: Customer shall be deemed to have declared that the categories of data subjects include: (a) individual contacts, prospects, customers, business partners and vendors of Customer (who are natural persons); (b) employees or contact persons of Customer’s prospects, customers, business partners and vendors; (c) employees, agents, advisors, freelancers of Customer (who are natural persons);  (d) Customer’s Authorized Users  or (e) other individuals whose personal data is included in Content. Categories of personal data transferred: The types of Customer Personal Data are determined and controlled by Customer in its sole discretion, and may include, but are not limited to:____________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________________IF CUSTOMER HAS NOT FILLED OUT THE ABOVE SECTION: Customer shall be deemed to have declared that the types of Customer Personal Data may include but are not limited to the following types of Customer Personal Data: (a) name, address, title, contact details; and/or (b) any other personal data processed in the course of the Services as Content. Sensitive data transferred (if appropriate)  Subject to any applicable restrictions and/or conditions in the Agreement and this DPA, Customer may include ‘special categories of personal data’ or similarly sensitive personal data (as described or defined in Applicable Data Protection Laws) in Customer Personal Data, the extent of which is determined and controlled by Customer in its sole discretion, and which may include, but is not limited to Customer Personal Data revealing racial or ethnic origin, political opinions, religious or philosophical beliefs, or trade union membership, genetic data, biometric data processed for the purposes of uniquely identifying a natural person, data concerning health and/or data concerning a natural person’s sex life or sexual orientation. Frequency of the Transfer  Continuous or one-off depending on the services being provided by Neon. Nature, subject matter and duration of the processing:  Nature: Neon provides a cloud-based unified data analytics platform and related services, as further described in the Agreement. Subject Matter: Customer Personal Data. Duration: The duration of the processing will be for the term of the Agreement and any period after the termination or expiry of the Agreement during which Neon processes Customer Personal Data. Purpose(s) of the data transfer and further processing: Neon shall process Customer Personal Data for the following purposes: (a) as necessary for the performance of the Neon Services and Neon’ obligations under the Agreement (including the DPA), including processing initiated by Authorized Users in their use and configuration of the Neon Services; and (b) further documented, reasonable instructions from Customer agreed upon by the parties (the “ Purposes ”). Period for which the personal data will be retained:  Neon will retain Customer Personal Data for the term of the Agreement and any period after the termination of expiry of the Agreement during which Neon processes Customer Personal Data in accordance with the Agreement.  ANNEX 1(C): COMPETENT SUPERVISORY AUTHORITY Competent supervisory authority The data exporter’s competent supervisory authority will be determined in accordance with the EU GDPR. ANNEX B STANDARD CONTRACTUAL CLAUSES (Modules 2 and 3) 1. Subject to Section 8.1 of the DPA, where the transfer of Customer Personal Data to Neon is a Restricted Transfer and Applicable Data Protection Laws require that appropriate safeguards are put in place, such transfer shall be governed by the Standard Contractual Clauses, which shall be deemed incorporated into and form part of the DPA as follows:  a.   In relation to transfers of Customer Personal Data protected by the EU GDPR, the SCCs shall apply as follows: Module Two terms shall apply (where Customer is the controller of Customer Personal Data) and the Module Three terms shall apply (where Customer is the processor of Customer Personal Data); in Clause 7, the optional docking clause shall apply and Authorized Affiliates may accede the SCCs under the same terms and conditions as Customer, subject to mutual agreement of the parties; in Clause 9, option 2 (“ general authorization ”) is selected, and the process and time period for prior notice of Sub-processor changes shall be as set out in Section 4.3 of the DPA; in Clause 11, the optional language shall not apply; in Clause 17, option 1 shall apply and the SCCs shall be governed by Irish law; in Clause 18(b), disputes shall be resolved before the courts of Ireland;       Annex I shall be deemed completed with the information set out in Annex A to the DPA; and Annex II shall be deemed completed with the information set out in the Security Addendum, subject to Section 6.1 (Security Measures) of the DPA. b. In relation to transfers of Customer Personal Data protected by the UK GDPR, the SCCs as implemented under Section 1(a) above shall apply with the following modifications:  the SCCs shall be modified and interpreted in accordance with Part 2 of the UK Addendum, which shall be deemed incorporated into and form an integral part of the DPA; Tables 1, 2 and 3 in Part 1 of the UK Addendum shall be deemed completed with the information set out in Annex A and Annex B to the DPA and the Security Addendum respectively, and Table 4 in Part 1 of the UK Addendum shall be deemed completed by selecting “neither party”; and        Any conflict between the terms of the SCCs and the UK Addendum will be resolved in accordance with Section 10 and Section 11 of the UK Addendum. c. In relation to transfers of Customer Personal Data protected by the Swiss Data Protection Act, the SCCs as implemented under Section 1(a) above will apply with the following modifications: references to “Regulation (EU) 2016/679” and specific articles therein shall be interpreted as references to the Swiss Data Protection Act and the equivalent articles or sections therein;  references to “EU”, “Union”, “Member State” and “Member State law” shall be replaced with references to “Switzerland” and/or “Swiss law” (as applicable);  references to the “competent supervisory authority” and “competent courts” shall be replaced with references to the “Swiss Federal Data Protection Information Commissioner” and “applicable courts of Switzerland”);  the SCCs shall be governed by the laws of  Switzerland ; and disputes shall be resolved before the competent Swiss courts. 2. Where the Standard Contractual Clauses apply pursuant to Section 8.1 of this DPA, this section sets out the parties’ interpretations of their respective obligations under specific provisions of the Clauses, as identified below. Where a party complies with the interpretations set out below, that party shall be deemed by the other party to have complied with its commitments under the Standard Contractual Clauses: where Customer is itself a processor of Customer Personal Data acting on behalf of a third party controller and Neon would otherwise be required to interact directly with such third party controller (including notifying or obtaining authorizations from such third party controller), Neon may interact solely with Customer and Customer shall be responsible for forwarding any necessary notifications to and obtaining any necessary authorizations from such third party controller; the certification of deletion described in Clause 16(d) of the SCCs shall be provided by      Neon to Customer upon Customer’s written request;       for the purposes of Clause 15(1)(a) the SCCs, Neon shall notify Customer and not the relevant data subject(s) in case of government access requests, and Customer shall be solely responsible for notifying the relevant data subjects as necessary; and  Taking into account the nature of the processing, Customer agrees that it is unlikely that Neon would become aware of Customer Personal Data processed by Neon is inaccurate or outdated. To the extent Neon becomes aware of such inaccurate or outdated data, Neon will inform the Customer in accordance with Clause 8.4 SCCs.  Annex C – Security Measures We currently observe the Security Measures described in this Annex C. All capitalized terms not otherwise defined herein will have the meanings as set forth in the Agreement.  a) Access Control i)  Preventing Unauthorized Product Access Outsourced processing: We host our Service on an outsourced cloud infrastructure provider, according to a shared responsibility model. Additionally, we maintain contractual relationships with vendors in order to provide the Services in accordance with our DPA. We rely on contractual agreements, privacy policies, and vendor compliance programs in order to protect data processed or stored by these vendors. Physical and environmental security: We host our product infrastructure with multi-tenant, outsourced infrastructure providers. We do not own or maintain hardware located at the outsourced infrastructure providers’ data centers. Production servers and client-facing applications are logically and physically secured from our internal corporate information systems. The physical and environmental security controls are audited for SOC 2 Type 2. Authentication: We implement a uniform password policy for our customer products. Customers who interact with the products via the user interface must authenticate before accessing Customer Data. Authorization: Customer Data is stored in multi-tenant storage systems accessible to Customers via only application user interfaces and application programming interfaces. Customers are not allowed direct access to the underlying application infrastructure. The authorization model in each of our products is designed to ensure that only the appropriately assigned individuals can access relevant features, views, and customization options. Authorization to data sets is performed through validating the user’s permissions against the attributes associated with each data set. Application Programming Interface (API) access: Public product APIs can be accessed using an API key or through Oauth authorization. ii)  Preventing Unauthorized Use We implement industry standard access controls and detection capabilities for the internal networks that support its products. Access controls: Network access control mechanisms are designed to prevent network traffic using unauthorized protocols from reaching the product infrastructure. The technical measures implemented differ between infrastructure providers and include Virtual Private Cloud (VPC) implementations, security group assignment, and traditional firewall rules. Intrusion detection and prevention: We implement a Web Application Firewall (WAF) solution to protect hosted customer websites and other internet-accessible applications. The WAF is designed to identify and prevent attacks against publicly available network services. Static code analysis: Code stored in our source code repositories is checked for best practices and identifiable software flaws using automated tooling. Penetration testing: We maintain relationships with industry-recognized penetration testing service providers for penetration testing of the Neon web application, API, and proximity and authentications flows at least annually. The intent of these penetration tests is to identify security vulnerabilities and mitigate the risk and business impact they pose to the in-scope systems. iii)    Limitations of Privilege & Authorization Requirements Product access: A subset of our employees have access to the products and to customer data via controlled interfaces. The intent of providing access to a subset of employees is to provide effective customer support, product development and research, to troubleshoot potential problems, to detect and respond to security incidents and implement data security. Access is enabled through “just in time” (JITA) requests for access; all such requests are logged. Employees are granted access by role, and reviews of high risk privilege grants are initiated as needed.  Administrative or high risk access permissions are reviewed at least annually.  Reference checks: Where permitted by applicable law, Neon employees undergo reference checks.  All Neon employees are required to conduct themselves in a manner consistent with company guidelines, non-disclosure requirements, and ethical standards. b) Transmission Control In-transit: We require HTTPS encryption (also referred to as SSL or TLS)  on all login interfaces. Our HTTPS implementation uses industry standard algorithms and certificates. At-rest: We store user passwords following policies that follow industry standard practices for security. We have implemented technologies to ensure that stored data is encrypted at rest.  c) Input Control Detection: We designed our infrastructure to log extensive information about the system behavior, traffic received, system authentication, and other application requests. Internal systems aggregate log data and alert appropriate employees of malicious, unintended, or anomalous activities. Our personnel, including security, operations, and support personnel, are responsive to known incidents. Response and tracking: We maintain a record of known security incidents that includes description, dates and times of relevant activities, and incident disposition. Suspected and confirmed security incidents are investigated by security, operations, or support personnel; and appropriate resolution steps are identified and documented. For any confirmed incidents, we will take appropriate steps to minimize product and Customer damage or unauthorized disclosure. Notification to you will be in accordance with the terms of the Agreement.  d) Availability Control Infrastructure availability: The infrastructure providers use commercially reasonable efforts to ensure a minimum of 99.5% uptime. The providers maintain a minimum of N+1 redundancy to power, network, and heating, ventilation and air conditioning (HVAC) services. Fault tolerance: Backup and replication strategies are designed to ensure redundancy and fail-over protections during a significant processing failure. Customer Data is stored in cold storage (S3 for AWS).  Online replicas and backups: Where feasible, production databases are designed to replicate data between no less than 1 primary and 1 secondary database. All databases are backed up and maintained using at least industry standard methods. Disaster Recovery Plans: We maintain and regularly test disaster recovery plans to help ensure availability of information following interruption to, or failure of, critical business processes. Our products are designed to ensure redundancy and seamless failover. The server instances that support the products are also architected with a goal to prevent single points of failure. This design assists our operations in maintaining and updating the product applications and backend while limiting downtime. Neon A Databricks Company Neon status loading... Made in SF and the World Copyright Ⓒ 2022 – 2026 Neon, LLC Company About Blog Careers Contact Sales Partners Security Legal Privacy Policy Terms of Service DPA Subprocessors List Privacy Guide Cookie Policy Business Information Resources Docs Changelog Support Community Guides PostgreSQL Tutorial Startups Creators Social Discord GitHub x.com LinkedIn YouTube Compliance CCPA Compliant GDPR Compliant ISO 27001 Certified ISO 27701 Certified SOC 2 Certified HIPAA Compliant Compliance Guide Neon’s Sub Contractors Sensitive Data Terms Trust Center
2026-01-13T08:48:03
https://ruul.io/blog/i-need-my-computer-and-a-stable-internet-connection-thats-it
I need my computer and a stable internet connection, that’s it - Ruul Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up No items found. I need my computer and a stable internet connection, that’s it Experience the freedom of remote work—just you, your computer, and a stable internet connection. Unlock limitless possibilities and embrace flexibility! Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Jorin Eichorn is telling Ruulers about the many perks of being an independent professional. “I am glad that I didn’t have to stay inside my apartment for weeks in a German city but could spend the first wave of Covid-19 in Bali/Indonesia, for instance. For me, that is enough reason to be convinced that location independence has its value.’ 1- Please introduce yourself and tell us a little bit about your work. My name is Jorin, I am from Germany, and I am currently working in business development for the Citizen Circle. That is a German-speaking online entrepreneur community where I am responsible for creating new partnerships, making business connections, and coming up with new ideas to, well, develop the business.Like all of our team, I am working full-time remote, enabling me to choose to work from wherever I want to. I need my computer and a stable internet connection, that’s it.I was traveling a lot in my life already, and I am currently staying in Portugal, where the weather is relatively fine compared to the rest of the European mainland. I have learned 6 languages with time, often when staying in a place for a longer time. 2- Why do you define yourself ‘location independent by conviction’. Why did you choose to be an advocate for the freelance ecosystem? There are many advantages to location independence in my eyes, both personal and professional ones. The mere fact that I do not have to commute every day, can choose the place where I want to live and, in my case, also when I want to do my work are reasons enough for me to strive for this option. Let’s not be silent about that working location independently also has some disadvantages like everything in life. It’s safe to say that it is not for everyone as you need high self-discipline, proper self-management and sometimes also have to work under contrarious conditions. I was already typing emails on my mobile phone, connecting my Bluetooth keyboard; the phone was squeezed in between the two seats in front of me when I crossed the Atlas Mountains in Morocco in a local bus.I think that location independence, as I describe it, gives you more external freedom. If I can expand and explore the outside world, experiencing different cultures, countries, and people, I can also expand and explore my inside.Also, the latest Corona pandemic proved me kind of right. I was already used to working remotely when other people hastily had to switch over to a home office setting, not knowing how that could work. Both companies, as well as their employees, had not been prepared to work in that way. I am glad that I didn’t have to stay inside my apartment for weeks in a German city but could spend the first wave of Covid-19 in Bali/Indonesia, for instance.For me, that is reason enough to be convinced that location independence has its value. 3- What are your predictions for the future of work? Well, I am not very good at predicting the future in general. I believe that artificial intelligence will play a significant role soon. More simple and repetitive jobs such as subway driver or working at an assembly line will be done by machines entirely.Until recently, many jobs were to be done in offices will be possible to do from home. I believe that it was more the companies and their old-fashioned ways of functioning, and bosses who don’t trust their employees claiming that remote work wouldn’t be possible. My younger brother is an excellent example of that. A year ago, working from home was considered taking a day off at home by the management and the team itself. You can imagine that this has tremendously changed over the last couple of months.Yet, on the other hand, there will always be jobs that, in my opinion, will never be possible remotely, even though some independent location disciples claim that. Everything which has to do directly with human beings will always require other human beings - on the spot.I see many more transnational and global collaborations, many very small companies of 2-3 people running their own business. 4- How can distributed/remote teams work efficiently and constructively together? From my personal experiences, there are a few things which need to be sorted out very well. Sure, you need the proper infrastructure and technical device to be able to work at all. But then there is a much more important part: team building and communication among the team members.I worked in distributed teams where I didn’t feel like belonging to an actual team at all. And that wasn’t particularly the fault of the team members itself but the company’s CEOs. It is their task not only to find the right people but to hold up the vision, giving this whole thing a “why,” as I say it. A modern leader of the 21st century needs to have many social skills and understand his employees. And that is not an easy task to do. So one measure is to have regular team meetings in person. I would say that people in a distributed team need to see each other in person at least every six months. They need to interact not only on the screen but in real life. This ultimately bonds creates rapport, positively affects individual performance, and makes the right people stay longer, be more loyal to a company. 5- You have lived in Germany, Spain, Honduras, France, Australia, Turkey, Tanzania, Portugal, and Indonesia. Which place was the best? What would you recommend to freelancers when they are searching for new places to live in? Yes, that’s right. It has become a little list already. Just to be on the same page: living in a country means that I participated in everyday life, learned at least a bit of the language, and have some friends there until today.The question of which was the best place, I find it a difficult one. I was in those places in different stages of life respectively and had another purpose each time. I have to admit that I haven’t yet found my place where I would like to base for a longer time. That is my next goal in fact. However, I recognized that I am still most connected to Europe and would like to spend most of my year in a somewhat warmer place (read Mediterranean area). For the winter, I am inclined to go to some Latin American country like Colombia. 6- In one sentence, how do you define Ruul? Ruul has a service that solves individual freelancers’ problems who need to act as a company but don’t want to go through all the legal hassle. ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More Unemployment for self-employed - 3 steps to collect Do you want to get unemployment benefits as a self-employed freelancer or gig worker? Find out about eligibility and how to claim. Read more Who decides payment terms - freelancer or client? Payment terms are an important part of a freelance contract and should be negotiated and agreed upon in writing to ensure timely and fair compensation for the work. Read more Challenges and best practices of leading a remote team Managing remote teams can be challenging. Find out how to improve communication, establish clear guidelines, and use technology to enhance productivity. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Scheduling-a-post
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://www.trustpilot.com/review/upwork.com
Upwork Reviews | Read Customer Service Reviews of upwork.com Categories Blog Log in For businesses For businesses Log in Categories Blog Business Services Administration & Services Business to Business Service Upwork Summary About Reviews Visit website Write a review Visit website Claimed profile Upwork   Reviews   10,300 • 4.0 Business to Business Service Write a review Visit website Write a review Companies on Trustpilot aren't allowed to offer incentives or pay to hide reviews. Review summary Based on reviews, created with AI Reviewers had a great experience with this company. People appreciate the platform for enabling them to connect with clients and expand their professional network. Consumers highlight the opportunities to earn money from their homes. They also value the platform's user-friendliness and the smooth co mmunication it facilitates. Furthermore, reviewers commend the secure payment system. Many users have attained top-rated status and secured long-term clients through this platform. Consumers find the website to be well-designed and populated with talented individuals. They recommend thoroughly vetting freelancers to ensure a positive experience. Some reviewers express concerns regarding the connect system, suggesting improvements in reimbursement policies and pricing. Others mention the need for enhanced client support and stricter measures against fraudulent activities. See more Based on these reviews RD Rizqah DJ Dec 8, 2025 Verified I started my graphic design career on Upwork in 2023 and can recommend this path for anyone wanting a remote business. It has allowed me to broaden my client base and build an international reputa... See more AM Amna Nov 19, 2025 Verified Despite completing excellent projects, being Top-Rated, and submitting proposals, I still don’t receive new jobs. I am spending money, energy, and time, but I’m not getting the results I want. No clie... See more RA Radha Nov 22, 2025 Verified The mobile app is not great. There is file size limitation and also we cannot share via our email because of terms and conditions. So sometimes there is a problem in sample work sharing with new clie... See more Sharon Williams Dec 20, 2025 The freelancer was wonderful and did an amazing job. But my concern is with UpWork the company and its practices. When a person does a great job, we pay for the service, we also pay UpWork which al... See more AH Ahmed Dec 20, 2025 Verified Giving 2 starts because, Upwork should not allow new client profile to give feedback. In 2025, I got 2 bad reviews and both of them were new profiles with less than $300 spending. Now, I d... See more Carter Maloff Dec 19, 2025 When it works it works. Nothing but problems with this website, payments gateway not working, getting locked out of my account with no warning AFTER placing orders. Slow resolution system. The... See more AD Adam Dec 21, 2025 Verified Great platform. Always vet your freelancers and set proper deliverables with milestones and you'll be good. There are some scammer freelancers on their but you have to be careful. And upwork is good w... See more MA Matthew Dec 22, 2025 Verified There was a talent I connected with that was committing fraud. Upwork had the proof, showed Upwork, no consideration for our contract and the work that was done. At the end, I had to pay 1/3 of the co... See more MA Mahmood Dec 21, 2025 Verified I have a great experience with Upwork. I started my freelance journey with Upwork three years ago, with dedication and found consistent clients, gained a lot of experience in my field and I improved... See more BI Bipu Nov 19, 2025 Verified Project competitions experience is good. But the last contact I was ended, this experience is not good. Client is very very cheaper mind and cleaver. He hire freelancer as per hourly job, but during d... See more OL Oleg Nov 22, 2025 Verified After four years on Upwork, I've achieved Top Rated status and work exclusively with clients from the US and Europe. Reviews and JSS really bring in orders, payments are secure, and withdrawals are in... See more JO Jesumbo Oludipe Dec 17, 2025 Verified Upwork has been a great platform to work on. It’s easy to connect with serious clients, manage projects smoothly, and communicate clearly in one place. While there is a learning curve as a beginner, s... See more FR Francisco Nov 22, 2025 Verified I like how easy it is to apply for jobs. I dislike the current state of the connect system. There are so many situation the connect should be reimbursed, less connects beings used, or not used a... See more Okiki Rodiyat Dec 1, 2025 Verified This Freelance platform earn my 100%, trust their customer support is on point and they value every freelancer working with them. They tend to hear freelance side as well not only buyer side when issu... See more SS Sara Saeed Nov 24, 2025 Verified Upwork is a good platform, but it takes a very neutral stance. Honestly, it doesn’t protect freelancers that much; it protects clients more. So sometimes a freelancer can lose money even after delive... See more Chris Stewart Dec 18, 2025 Just another company grinding every last bit of information out of you before finally letting you know that you need to pay for additional software and 'tokens' to even be able to bid for jobs....comp... See more KT Kate Taraskina Nov 24, 2025 Verified Upwork has been a meaningful part of my freelance journey. It opened doors to clients I would never have met otherwise, and it gave me a clear, structured way to present my portfolio, define my proc... See more RC Russ Carlson Nov 22, 2025 Verified Upwork has been a tremendous resource for me, and I use it often. It is the first place I go to look for staff for any projects. I won't say that every project has gone well. There are still huma... See more SA Sajjad Nov 22, 2025 Verified Upwork as freelancing platform is great! I have see no issue using this platform since more than a year. I just only have one thing to say negative about Upwork is that sometimes on desktop Upwork web... See more UM Uma Updated Nov 22, 2025 Verified Upwork is a great and unique platform that helps us reach client from all over the world no matter which country the freelancer is from. Upwork helps us showcase all our project reviews honestly which... See more BA Badare Nov 23, 2025 Verified Upwork is a very nice platform for freelancers, but these days it's become more costly for developers, because we need to buy credits and spend a lot to do a job proposal. Connect is also very costly;... See more AB Aaron Brunstein Dec 18, 2025 Verified Upwork made my old life style change forever! I never went back to an office, I manage my times.. I work for employers overseas.. I connected with people that I never tought I was going to meet. I als... See more JO Jovan Dec 17, 2025 Verified Upwork is a a great platform, but Upwork fees are unjustifiably high. Clients pay for postings. Freelancers pay to apply, bid, display availability badges, boost profile, and on top of that 10% of all... See more KS Katherine S. Dec 16, 2025 Uowork is a decent platform for freelancers. Communication can be frustrating at times and I've had a couple developers ghost me after I completed work for them with not a lot of help from Uowork when... See more RA Rahil Ahsan Dec 18, 2025 Verified At first I was frustrated! But I believe in myself and in Upwork. Upwork helped me to build a good career in freelancing world proving my expertise in the field I wanted. I would say Upwork is the... See more VA Valerie Dec 18, 2025 Verified Upwork is the best and most trusted platform for me. It always serve both job seekers and these people looking for assistance with best quality job post and and service. It's been serving people fo... See more Shelby McIntyre Dec 20, 2025 Verified Upwork is reliable and trustworthy when it comes to communicating with clients and freelancers, along with processing payments, etc. I have yet to have an issue, and any support I've needed has been q... See more RA Rand Dec 17, 2025 Verified I get stuck when I lose a client but with infinite job posts, I get 1 month jobless, tops. I just wish I can get my rising talent badge back. I got duped by a client because I didnt see the offer whic... See more OK Okai Dec 20, 2025 Verified My experience with Upwork have been great and excellent, they have been able to help me secure jobs and I earn from home also. I recommend everyone to try and freelance on Upwork BG Blaire G. Dec 15, 2025 Verified Saira always impresses us, never a complaint about her work and professionalism. She marks all the boxes for web-based work. A genuine gem of a person, and we’re proud to have her a part of our team.... See more MU Muhammad Dec 20, 2025 Verified It's been more than 4 years I'm selling my services on Upwork. This is the one platform where you get the experience to work with quality clients. SO Sonia Dec 20, 2025 Verified I am working with Upwork more then 11 years and I am very happy to work here. It's easy to communicate with client and contact service is very helpful. It's easy to get job and handle client. QU Quyum Dec 17, 2025 Verified Upwork has been helpful in many ways. There to assist any rising talent to build a successful online career of their choice. AN Anuj Dec 22, 2025 Verified Good experience with up-work. Good thing is here that developer always payoff for his hardwork. No worry for payments. MS Md Sazzad Dec 17, 2025 Verified Upwork is one of the best platform for earning Money staying from home. Very professional client come here and purchase their needs. Gameaning Studio Dec 20, 2025 From a studio owner point of view, If you're looking for small side business to meet people who wants some projects that would be good. but for a large scale business and take this as... See more SK Shailika Kandari Nov 22, 2025 Verified I started as a freelance translator in 2020. The experience and reviews received on Upwork gave a boost to my profile and helped me bag long term clients via LinkedIn. From working on short term gigs... See more OR Oreoluwa Updated Jan 4, 2026 Verified “My experience on Upwork has been good overall. However, Upwork should address the issue of clients with unverified accounts posting fake jobs, which causes freelancers to waste connects. Additionally... See more DG Dominic Goddard-John 7 days ago I've been using Upwork for close to two months now and have had zero interest in my profile and haven't received any interview offers. Frankly, it feels like a con as a beginner. You pay a sub... See more SU Suna Nov 22, 2025 Verified I’m a freelancer here, I’m Top Rated Plus, and I’ve been very satisfied with my experience so far. I’m also happy with how the platform operates. I just wish there were a Connects refund option for... See more KA Karungu Jan 4, 2026 Why the most important is not very convenient. When the time comes to withdraw hard earned money, either the payment methods are limited, or the system glitching LOL ZS Z Sarwari 7 days ago My journey with Upwork started many years ago and this was a great journey, so I recommend Upwork for new freelancers for starting their freelancing journey. Lilly-Mae Olly Dec 18, 2025 Website is actually really nice filled with very talented people. I would advise people always to check upwork. Obviously make sure to avoid poorly reviewed people and you're bound to have a great exp... See more SI Sitara Dec 17, 2025 Verified My experience with Upwork has been very good. The platform is easy to use and helps connect with real clients. Payments are secure and communication is smooth. Upwork is a trustworthy platform for fre... See more TA Talha Nov 22, 2025 Verified Upwork has given me the chance to earn in dollars while living right here in my own country. There are countless opportunities and a huge range of clients to work with. To really have a good experi... See more VA Vasily Dec 18, 2025 Verified After a decade on Upwork, it remains my top pick for remote work. The platform's ability to help freelancers showcase skills and find diverse projects is unmatched. I especially value the peace of min... See more YA Yasin Dec 20, 2025 Verified My experience with Upwork has been good overall. I started working on the platform as an individual freelancer and was able to build strong relationships with clients and successfully complete pr... See more See all 10,300 reviews We perform checks on reviews Company details Active Trustpilot subscription # 226 of 248 best companies in Business to Business Service # 4 of 6 best companies in Employment Search Service # 89 of 125 best companies in Online Marketplace # 24 of 28 best companies in Recruitment Service Written by the company Upwork is the world’s largest human and AI-powered work marketplace, connecting businesses of all sizes with highly skilled independent talent. From startups to Fortune 100 enterprises, companies rely on Upwork to find trusted experts across 10,000+ skills in web and app development, design, finance, customer support, consulting, and more. Built for the AI era, Upwork combines human ingenuity with smart tools like Uma™, our mindful AI, to streamline hiring, match top talent faster, and deliver outcomes at scale. With flexible solutions like Business Plus, Upwork gives SMB leaders and growing companies a faster, easier way to scale. Business Plus offers access to top-tier talent, hands-on support, and advanced tools to simplify hiring, onboarding, and project management, all in one place. By integrating AI-powered solutions with human ingenuity, Upwork helps businesses manage projects with greater efficiency and effectiveness. Companies can leverage the platform to not only find the right experts but also to oversee project progress and outcomes seamlessly. This combination of skilled freelancers and intelligent tools empowers organizations to move faster, optimize spending, and ultimately unlock growth opportunities in an increasingly competitive landscape. Whether filling skill gaps, scaling complex projects, or driving digital transformation, Upwork helps businesses move faster, spend smarter, and unlock growth. This is where expert talent and AI-powered solutions come together to get work done. See more Contact info 530 Lytton Ave, Suite 301, 94301, Palo Alto, United States upwork.com Join Upwork The place where businesses and freelancers connect Sign Up for Free 4.0 Great 10K reviews 5-star 4-star 3-star 2-star 1-star How is the TrustScore calculated? Hasn’t replied to negative reviews How this company uses Trustpilot 4.0 All reviews 10,300 total ● Write a review 5-star 74% 4-star 5% 3-star 2% 2-star 2% 1-star 17% How Trustpilot labels reviews More filters Most recent KM Kate M GB • 2 reviews 8 hours ago Not great. Costs too much to apply for jobs Not great, not great at all. Applying for jobs is too expensive and the clients don’t even view your profile (most likely fake jobs). In the end you end up paying more from your pocket applying for jobs that what you are making from freelancing…. January 5, 2026 Unprompted review sana ur rehman PK • 1 review 20 hours ago Worst Experience ever as a Freelancer Worst Experience ever as a Freelancer. It don't let me allow to contact support after my account restriction for ID verification. New Freelancer stay away from this platform. Not Recommended. January 12, 2026 Unprompted review ED Edward CA • 5 reviews A day ago FULL of Scammers. Paid 300 dollars to got no Jobs! Only attracting Scammers!!! Full of Scammers and Upwork customer serivce DOES NOTHING! The really do nothing! Its impossible to properly talk to them about it! 3 Scammers reached me with links or files or email (different methods each time) for a project the need a freelancer for. I click on it to check the work required (sometimes its real files mixed with viruses or malware/spyware) and sometimes they contain a link to steal your information. One person was able to steal my Facebook login credentials (Facebook informed me!) They told me that someone who doesnt seem me, tried to access my account, so I had to change my Facebook credentials. Talked to upwork about it.. everytime and nothing! They just say block that person. Its FULL of scammers. I was NEVER, ONCE, reached by a real person for a real project. Spent OVER 300 DOLLARS on connects and it ONLY attracts scammers. January 18, 2025 Unprompted review DA Daria GB • 1 review A day ago They take a bit chunk of the profit They take a bit chunk of the profit that you make, also in order to apply for a jon you also need to have "Connects" which you also pay or. So in order words, to apply to a job (where there is no guarantee somebody will choose to work with you), you need to pay. Also, their Customer Support team is awful and not helpful at all. I am reaching out with a very common problem that can be solved quickly, and its been a third week of communicating with them with no solution. It seems they just send generic answers and do not even know how their system works. January 11, 2026 Unprompted review Tomáš Nosek CZ • 3 reviews 2 days ago Scam There were some job offers, but only for premium members. I would have to pay to become one of them. January 11, 2026 Unprompted review MO Mohammad BD • 1 review 2 days ago Verified charges are high and tought to get job November 18, 2025 Annie W. TT • 1 review 3 days ago A lot has changed over the years A lot has changed over the years, and not for the better. It's difficult and expensive, if you're not making good money, to survive as a freelancer on Upwork. Like every system in this world, those who make a lot of money are rewarded, and those who don't are punished. January 10, 2026 Unprompted review CU customer BG • 66 reviews 4 days ago Scam Scam. They suspended my account for no reason and refused to unblock me wishing me "all the best". I don't recommend this platform. January 9, 2026 Unprompted review Baran Arslan TR • 2 reviews 4 days ago Unresponsive freelancer and no clear resolution through UpworkI had a very disappointing experience… I had a very disappointing experience with a freelancer hired through Upwork, and unfortunately I was unable to resolve the issue properly through Upwork itself. From the beginning, I clearly explained that this was an 18+ website and that all Google Ads management had to be done in Turkish. I explicitly asked whether this would be an issue and was told it would not be. After the project started, the situation became confusing. I was first in contact with one person, then suddenly redirected to another individual who was introduced as a business partner. Later, I was informed that the original person was no longer involved. Since then, no one has taken responsibility and my messages have gone unanswered. The campaign results were extremely poor, and the service did not meet the expectations communicated at the start. When I requested a reasonable solution — deducting only the actual hours worked and refunding the remaining amount — I received no response. What makes this more frustrating is that I have been unable to reach a clear resolution through Upwork, as communication completely stopped on the freelancer side. I am sharing this to warn others to be cautious and to highlight the lack of accountability and support I experienced. January 8, 2026 Unprompted review Eldars Potapovs UA • 1 review 6 days ago This platform is rude and cruel. This platform is rude and cruel. Please don't use this platform January 7, 2026 Unprompted review TA Taras UA • 1 review 6 days ago Заблокувало акаунт тільки як… I received a project and topped up my account, it was immediately blocked and I sent all the documents, but the account was never unblocked, I gave a bank statement, and they wrote back to me that it was an online bank, I sent them a photo of the branch and a link to the page, the most incompetent people. January 5, 2026 Unprompted review LO Lorenzo US • 1 review 7 days ago They frequently block accounts. I recommend avoiding Upwork, especially if you're new to it. They often block accounts and don't restore them. They also frequently block new user accounts. Perhaps they don't need new users at all. December 17, 2025 Unprompted review JR Jonathan Reid GB • 10 reviews 7 days ago My account on upwork got hacked My account on upwork got hacked. Upwork provide no way to report this. In order to get any help, you have to log in, which is impossible once you've been locked out of your account. I made a new account in order to report the issue. It is impossible to report the issue because there is no actual human support, only chatbots that put you in an infinite loop of not being able to help. January 6, 2026 Unprompted review DG Dominic Goddard-John GB • 16 reviews 7 days ago It's a bit of a con as a beginner and not worth the cost. I've been using Upwork for close to two months now and have had zero interest in my profile and haven't received any interview offers. Frankly, it feels like a con as a beginner. You pay a subscription fee if you want 'plus' which is meant to be a must have if you're really looking to build a profile. Then you have to buy credits to apply for jobs and get your CV and application seen. THEN Upwork takes a commission cut on your work completed. This is all whilst not receiving any introductory call or advice from account manager on how to set up a strong profile and use the site effectively. You're essentially navigating in the dark all whilst paying for the pleasure of doing so. The market is saturated and there are hundreds-to-thousands on users who take work on at ridiculous low rates, so most jobs I've come across will end up paying below minimum wage for the UK. I cancelled my membership today a d regret taking it out in the first place. January 6, 2026 Unprompted review ZS Z Sarwari US • 1 review 7 days ago My journey with Upwork started many… My journey with Upwork started many years ago and this was a great journey, so I recommend Upwork for new freelancers for starting their freelancing journey. December 6, 2025 Unprompted review Adeel Ahmad FR • 2 reviews Jan 6, 2026 Verified Upwork made my life Upwork made my life. Upwork is my life November 18, 2025 QF Queen Frasers DE • 4 reviews Jan 5, 2026 No Real Client Protection – Platform Favors Process Over Fairness I had a very disappointing experience with Upwork as a client. I hired a freelancer for a small fixed-price WooCommerce optimization project. The freelancer’s work not only failed to deliver the promised results, but also caused real damage to my website (product image issues). I spent weeks coordinating with multiple independent parties (theme developer, plugin support, hosting provider) to identify and contain the damage. Throughout August and September, I cooperated fully with Upwork’s support and informal mediation process, provided extensive documentation, responded promptly (often within hours), and even granted administrator access as requested. The freelancer repeatedly denied responsibility and eventually stopped responding. Despite all this, Upwork failed to resolve the issue or provide a refund. Instead, the case was closed due to the freelancer’s non-response — effectively punishing the client for the freelancer’s lack of cooperation. As a last resort, I disputed the payment through my payment provider. After the chargeback succeeded, Upwork froze my account and demanded that I pay the money again, even though the service was never properly delivered. They made it clear that protecting their internal process mattered more than protecting the client. This experience made one thing very clear: Upwork offers little real protection to clients once payment is released, regardless of service quality, actual damage, or how much evidence you provide. The risk is entirely shifted onto the client. I would strongly caution anyone considering using Upwork for technical or business-critical work. If something goes wrong, you may lose both your money and a significant amount of time — with no meaningful support from the platform. August 1, 2025 Unprompted review WS Wyrm Sidekick LT • 4 reviews Jan 5, 2026 Predatory platform that hates their own… Predatory platform that hates their own freelancers. All they want is to earn their money from the freelancers instead of together with them. January 5, 2026 Unprompted review KA Karungu KE • 3 reviews Jan 4, 2026 All good except payment system Why the most important is not very convenient. When the time comes to withdraw hard earned money, either the payment methods are limited, or the system glitching LOL January 4, 2026 Unprompted review Ivan Dan US • 7 reviews Jan 4, 2026 Verified DONT USE THIS WEBSITE You get scammed… DONT USE THIS WEBSITE You get scammed left and right - HIGHLY don't recommend using this Upwork company - they will always side with scammers, and refuse to block them even when they 100% see they are scammers - they will do nothing about it, just pretend, and auto-reply. November 17, 2025 Previous 1 2 3 4 Next page The Trustpilot Experience We're open to all Anyone can write a Trustpilot review. People who write reviews have ownership to edit or delete them at any time, and they’ll be displayed as long as an account is active . We champion verified reviews Companies can ask for reviews via automatic invitations. Labeled Verified, they’re about genuine experiences. Learn more about other kinds of reviews. We fight fake reviews We use dedicated people and clever technology to safeguard our platform. Find out how we combat fake reviews . We show the latest reviews Learn about Trustpilot’s review process . We encourage constructive feedback Here are 8 tips for writing great reviews . We verify reviewers Verification can help ensure real people are writing the reviews you read on Trustpilot. We advocate against bias Offering incentives for reviews or asking for them selectively can bias the TrustScore, which goes against our guidelines . Take a closer look are you human? Choose country United States Danmark Österreich Schweiz Deutschland Australia Canada United Kingdom Ireland New Zealand United States España Suomi Belgique België France Italia 日本 Norge Nederland Polska Brasil Portugal Sverige About About us Jobs Contact Blog How Trustpilot works Press Investor Relations Community Trust in reviews Help Center Log in Sign up Businesses Trustpilot Business Products Plans & Pricing Business Login Blog for Business Data Solutions Follow us on Legal Privacy Policy Terms & Conditions Guidelines for Reviewers System status Modern Slavery Statement © 2026 Trustpilot, Inc. All rights reserved.
2026-01-13T08:48:03
https://dev.to/podcast-on-api-design-and-development-strategies/4-ways-to-improve-your-enterprise-api-strategy-feat-the-carmax-api-team#main-content
4 Ways to Improve Your Enterprise API Strategy feat. the CarMax API Team - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close API Intersection Follow 4 Ways to Improve Your Enterprise API Strategy feat. the CarMax API Team Dec 15 '22 play To subscribe to the podcast, visit https://stoplight.io/podcast --- API Intersection Podcast listeners are invited to sign up for Stoplight and save up to $650! Use code INTERSECTION10 to get 10% off a new subscription to Stoplight Platform Starter or Pro. Offer good for annual or monthly payment option for first-time subscribers. 10% off an annual plan ($650 savings for Pro and $94.80 for Starter) or 10% off your first month ($9.99 for Starter and $39 for Pro). Valid until December 31, 2022 Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Markdown-Cheatsheet
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://prod.outgoing.prod.webservices.mozgcp.net/v1/c62fb8d1b758fbe7b61a3d681ac40e7c683046c9f8fc2debe33704b0376aa924/https%3A//www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen
Redirecting to https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Redirecting to https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Please use caution when installing third-party add-ons. If you are immediately prompted to install an add-on, please let us know
2026-01-13T08:48:03
https://www.brow.sh/
Browsh You are using an outdated browser. Please upgrade your browser to improve your experience. Downloads Docs Donate Github Toggle Menu Browsh is a fully-modern text-based browser. It renders anything that a modern browser can; HTML5, CSS3, JS, video and even WebGL. Its main purpose is to be run on a remote server and accessed via SSH/Mosh or the in-browser HTML service in order to significantly reduce bandwidth and thus both increase browsing speeds and decrease bandwidth costs. Download (v1.8.0) Browsh is available as a single static binary on all major platforms. The only dependency is a recent 57+ version of Firefox. Latest version | Releases archive A Docker image is also available: docker run -it browsh/browsh Live SSH Demo Temporarily offline Just point your SSH client to brow.sh , eg; ssh brow.sh . No auth needed. The service is for demonstration only, sessions last 5 minutes and are logged. Note that SSH is actually a very inefficient protocol, for best results install Browsh on your own server along with Mosh . In-browser Services Temporarily offline html.brow.sh Uses very basic graphics and HTML anchor tags. Although this service may appear similar to the terminal client it does not yet have feature parity. text.brow.sh Uses nothing but pure text, better for usage with curl , for instance. Donate Browsh is currently maintained and funded by one person . If you'd like to see Browsh continue to help those with slow and/or expensive Internet, please consider donating .
2026-01-13T08:48:03
https://dev.to/t/indiegames/page/2
Indiegames Page 2 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # indiegames Follow Hide Quirky passion projects with extra heart Create Post Older #indiegames posts 1 2 3 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Q-Can-I-use-profanity-in-my-posts
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/t/rails/page/8
Ruby on Rails Page 8 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Ruby on Rails Follow Hide Ruby on Rails is a popular web framework that happens to power dev.to ❤️ Create Post about #rails Ruby on Rails, or Rails, is a server-side web application framework written in Ruby under the MIT License. It was released in 2005 and powers websites like GitHub, Basecamp, and many others. The framework and community prides itself on developer experience, sensible abstractions and empowering individual developers to accomplish a lot. Older #rails posts 5 6 7 8 9 10 11 12 13 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How we sped up our rails migration setup in 90% Augusto Pagnossim Frigo Augusto Pagnossim Frigo Augusto Pagnossim Frigo Follow for Virtual360 Sep 3 '25 How we sped up our rails migration setup in 90% # programming # ruby # rails # postgres Comments Add Comment 8 min read Como aceleramos em 90% a execução das nossas migrações em Rails Augusto Pagnossim Frigo Augusto Pagnossim Frigo Augusto Pagnossim Frigo Follow for Virtual360 Sep 3 '25 Como aceleramos em 90% a execução das nossas migrações em Rails # programming # ruby # rails # postgres Comments Add Comment 7 min read AWS::S3::Errors::RequestTimeTooSkewed Aleksandr Aleksandr Aleksandr Follow Jul 28 '25 AWS::S3::Errors::RequestTimeTooSkewed # aws # ruby # rails # bug Comments Add Comment 1 min read Using Phlex helps me be a better programmer Jan Peterka Jan Peterka Jan Peterka Follow Jul 26 '25 Using Phlex helps me be a better programmer # rails Comments 1  comment 7 min read Identificador Único Universal (UUID): o que a pgcrypto e a sua mãe têm em comum... Dominique Morem Dominique Morem Dominique Morem Follow Jul 26 '25 Identificador Único Universal (UUID): o que a pgcrypto e a sua mãe têm em comum... # uuid # rails # humor # postgres Comments Add Comment 6 min read Shift+Click Selection for Bulk Actions with Stimulus Rails Designer Rails Designer Rails Designer Follow Aug 28 '25 Shift+Click Selection for Bulk Actions with Stimulus # ruby # rails # hotwire # webdev 1  reaction Comments Add Comment 2 min read How to Build AI-Generated Loading Messages in Rails 8 with Hotwire & Stimulus Andres Urdaneta Andres Urdaneta Andres Urdaneta Follow Aug 27 '25 How to Build AI-Generated Loading Messages in Rails 8 with Hotwire & Stimulus # webdev # ruby # rails # ai 1  reaction Comments Add Comment 9 min read Organized Configuration in Rails Rails Designer Rails Designer Rails Designer Follow Aug 27 '25 Organized Configuration in Rails # ruby # rails # webdev 1  reaction Comments Add Comment 3 min read Vibe Coding: Building the Brooke & Maisy E-Commerce Store with Rails and Kilo Code Mason Roberts Mason Roberts Mason Roberts Follow Aug 16 '25 Vibe Coding: Building the Brooke & Maisy E-Commerce Store with Rails and Kilo Code # webdev # ai # kilocode # rails 1  reaction Comments Add Comment 4 min read Tame Your Flaky RSpec Tests by Fixing the Seed Takashi SAKAGUCHI Takashi SAKAGUCHI Takashi SAKAGUCHI Follow Jul 23 '25 Tame Your Flaky RSpec Tests by Fixing the Seed # ruby # rails Comments Add Comment 4 min read How to use nested attributes in Ruby on Rails (create multiple objects at once) Douglas Berkley Douglas Berkley Douglas Berkley Follow Jul 23 '25 How to use nested attributes in Ruby on Rails (create multiple objects at once) # webdev # tutorial # rails Comments Add Comment 5 min read How to set a timeout to RSpec test executions Lucas M. Lucas M. Lucas M. Follow Jul 24 '25 How to set a timeout to RSpec test executions # rails # ruby # opensource # programming 1  reaction Comments Add Comment 11 min read How I Built a Database Debugging Tool for Rails and Why You Might Need It Patrick Patrick Patrick Follow Jul 20 '25 How I Built a Database Debugging Tool for Rails and Why You Might Need It # ruby # rails # devtools # opensource Comments Add Comment 2 min read 💎 ANN: kettle-test v1.0.0 Peter H. Boling Peter H. Boling Peter H. Boling Follow Aug 22 '25 💎 ANN: kettle-test v1.0.0 # testing # ruby # rails # devtools 6  reactions Comments Add Comment 2 min read Números em Ruby Henrique Silva Henrique Silva Henrique Silva Follow Jul 16 '25 Números em Ruby # ruby # rails # programming Comments Add Comment 2 min read Bun + Ruby: The New Full-Stack Duo Alex Aslam Alex Aslam Alex Aslam Follow Jul 16 '25 Bun + Ruby: The New Full-Stack Duo # webdev # programming # javascript # rails 2  reactions Comments Add Comment 2 min read A História do Ruby Henrique Silva Henrique Silva Henrique Silva Follow Jul 16 '25 A História do Ruby # ruby # rails # programming Comments Add Comment 2 min read Instalando Ruby no Linux Henrique Silva Henrique Silva Henrique Silva Follow Jul 15 '25 Instalando Ruby no Linux # ruby # rails # ubuntu # sistema Comments Add Comment 3 min read JuggleBee’s Great Leap – Data Migration, ActiveStorage, and Production Readiness (Part 2) Braden King Braden King Braden King Follow Aug 18 '25 JuggleBee’s Great Leap – Data Migration, ActiveStorage, and Production Readiness (Part 2) # ruby # rails # refactoring # webdev Comments Add Comment 7 min read Why I Chose Ruby on Rails to Build Launchzilla.net Zil Norvilis Zil Norvilis Zil Norvilis Follow Aug 15 '25 Why I Chose Ruby on Rails to Build Launchzilla.net # webdev # rails # ruby Comments 1  comment 2 min read Custom `RoutingError` handling in Rails Augusts Bautra Augusts Bautra Augusts Bautra Follow Jul 16 '25 Custom `RoutingError` handling in Rails # rails # exceptions # app 2  reactions Comments Add Comment 1 min read String Inflectors: bring a bit of Rails into JavaScript Rails Designer Rails Designer Rails Designer Follow Aug 14 '25 String Inflectors: bring a bit of Rails into JavaScript # ruby # rails # javascript # hotwire 1  reaction Comments Add Comment 4 min read Day 1 of why you should join Friendly.rb this year Lucian Ghinda Lucian Ghinda Lucian Ghinda Follow Aug 12 '25 Day 1 of why you should join Friendly.rb this year # techtalks # ruby # rails # development 9  reactions Comments 1  comment 1 min read Upscaling Images with AI SINAPTIA SINAPTIA SINAPTIA Follow Aug 13 '25 Upscaling Images with AI # ruby # rails # ai Comments Add Comment 4 min read JuggleBee’s Great Leap - Rebuilding a Rails 4 App in Rails 8 (Part 1) Braden King Braden King Braden King Follow Aug 13 '25 JuggleBee’s Great Leap - Rebuilding a Rails 4 App in Rails 8 (Part 1) # ruby # refactoring # rails # webdev Comments Add Comment 9 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/iggredible/cookies-vs-local-storage-vs-session-storage-3gp3#comment-1obok
Cookies vs Local Storage vs Session Storage - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Igor Irianto Posted on Mar 20, 2021 • Edited on Jun 3, 2021           Cookies vs Local Storage vs Session Storage # cookies # localstorage # sessionstorage # beginners Many of us have heard of Session Storage, Local Storage, and Cookies. But what exactly are they, what problems are they solving, and how are they different? Cookies In the beginning, the web used HTTP protocols to send messages (btw, SSL is more secure, you should use HTTPS instead of HTTP). These protocols are stateless protocols. In a stateless protocol, each request doesn't store any states, or "persisting information"; each request is its own island and it doesn't have idea about the other requests. Having a stateless protocol optimizes performance, but it also comes with a problem: what if you need to remember a user session? If you have darkMode: true or user_uuid: 12345abc , how can a server remember that if you're using a stateless protocol? With Cookies! A Cookie can be set from a HTTP header. Usually the server that you're trying to reach, if it has cookies, will send an HTTP header like this: Set-Cookie: choco_chip_cookie=its_delicious Enter fullscreen mode Exit fullscreen mode When your browser receives this header, it saves the choco_chip_cookie Cookie. Cookies are associated with websites. If websitea.com has cookie_a , you can't see cookie_a while you're in websiteb.com . You need to be in websitea.com . To see the Cookies you have, if you have Firefox, from your devtools, go to storage -> Cookies; if you have Chrome, from your devtools, go to Application -> storage -> Cookies. Most websites use Cookies, you should find some there (if not, go to a different site). Cookies can have an expiration date. Of course, you can set it to last effectively forever if you set it to a far future date: Set-Cookie: choco_chip_cookie=its_delicious; Expires=Mon, 28 Feb 2100 23:59:59GMT; Enter fullscreen mode Exit fullscreen mode One more Cookie behavior that you might need to know: your browser sends cookies on each request . When you visit https://example.com and you have to make 30 requests to download the HTML page and its 29 asset files, your browser will send your cookies (for https://example.com domain name) 30 times, one for each request. This only applies if you store your assets under the same domain name, like example.com/assets/images/cute-cats.svg , example.com/assets/stylesheets/widgets.css , etc. If you store your assets under a different domain / subdomain, like exampleassets.com/assets/stylesheets/widgets.css or static.example.com/assets/stylesheets/widgets.css , then your browser won't send the Cookies there. FYI, storing your assets in a different domain is a good strategy to improve your speed! The max size for Cookies are 4kb. This makes sense, because Cookies are being sent all the time. You don't want to send 3mb Cookie data to all 30 different requests when visiting a page. Even with this size cap, you should minimize Cookies as much as possible to reduce traffic. A popular usage for Cookie is to use a UUID for your website and run a separate server to store all the UUIDs to hold session information. A separate Redis server is a good alternative because it is fast. So when a user tries to go to example.com/user_settings , the user sends its Cookie for example.com , something like example_site_uuid=user_iggy_uuid , which then is read by your server, then your server can match it with the key in Redis to fetch the user session information for the server to use. Inside your Redis server, you would have something like: user_iggy_uuid: {darkMode: false, lastVisit: 01 January 2010, autoPayment: false, ...} . I highly encourage you to see it in action. Go to any web page (make sure it uses Cookies) using a Chrome / Firefox / any modern browser. Look at the cookies that you currently have. Now look at the Network tab and check out the request headers. You should see the same Cookies being sent. You can use Javascript to create cookies with document.cookie . document.cookie = "choco_chip_cookie=its_delicious"; document.cookie = "choco_donut=its_awesome"; console.log(document.cookie); Enter fullscreen mode Exit fullscreen mode In addition to Expires , Cookies have many more attribute you can give to do all sorts of things. If you want to learn more, check out the mozilla cookie page . Cookies can be accessed by third parties (if the site uses HTTP instead of HTTPs for example), so you need to use the Secure attribute to ensure that your Cookies are sent only if the request uses HTTPS protocol. Additionally, using the HttpOnly attribute makes your Cookies inaccessible to document.cookie to prevent XSS attacks. Set-Cookie: awesome_uuid=abc12345; Expires=Thu, 21 Oct 2100 11:59:59 GMT; Secure; HttpOnly Enter fullscreen mode Exit fullscreen mode In general, if you're in doubt, use the Secure and HttpOnly Cookie attributes. Local Storage and Session Storage Local Storage and Session Storage are more similar than different. Most modern browsers should support Local Storage and Session Storage features. They are used to store data in the browser. They are accessible from the client-side only (web servers can't access them directly). Also since they are a front-end tool, they have no SSL support. Unlike Cookies where all Cookies (for that domain) are sent on each request, Local and Session Storage data aren't sent on each HTTP request. They just sit in your browser until someone requests it. Each browser has a different specifications on how much data can be stored inside Local and Session Storage. Many popular literatures claim about 5mb limit for Local Storage and 5-10mb limit (to be safe, check with each browser). The main difference between Local and Session storage is that Local Storage has no expiration date while Session Storage data are gone when you close the browser tab - hence the name "session". Both storages are accessible via Javascript DOM. To set, get, and delete Local Storage data: localStorage.setItem('strawberry', 'pancake'); localStorage.getItems('strawberry'); // pancake` localStorage.chocolate = 'waffle'; localStorage.chocolate; // waffle localStorage['blueberry'] = 'donut'; localStorage['blueberry']; // donut; delete localStorage.strawberry; Enter fullscreen mode Exit fullscreen mode You can also store JSON-like object inside a Local Storage. Keep in mind that you need to pass them a JSON string (use JSON.stringify ). Also since you are passing it a JSON string, don't forget to run JSON.parse to get the value. localStorage.desserts = JSON.stringify({choco: "waffle", fruit: "pancake", sweet: "donut"}); const favDessert = JSON.parse(localStorage.desserts)['choco']; // waffle Enter fullscreen mode Exit fullscreen mode If you have Chrome, you can see the localStorage values you just entered in the devtool Application tab -> Storage -> Local Storage. If you have Firefox, in the devtool, you can find it in the Storage tab, under Local Storage. Accessing the Session Storage with Javascript is similar to Local Storage: sessionStorage.setItem('strawberry', 'pancake'); sessionStorage.getItems('strawberry'); // pancake` sessionStorage.chocolate = 'waffle'; sessionStorage.chocolate; // waffle sessionStorage['blueberry'] = 'donut'; sessionStorage['blueberry']; // donut; delete sessionStorage.strawberry; Enter fullscreen mode Exit fullscreen mode Both storages are scoped to the domain name, just like Cookies. If you run localStorage.setItem('choco', 'donut'); in https://example.com and you run localStorage.setItem('choco', 'bo'); in https://whatever.com , the Local Storage item choco donut is stored only in example.com while choco bo is stored in whatever.com . Both Local and Session Storage are scoped by browser vendors. If you store it using Chrome, you can't read it from Firefox. Cookies vs Local Storage vs Session Storage To summarize: Cookies Has different expiration dates (both the server or client can set up expiration date) The Client can't access the Cookies if the HttpOnly flag is true Has SSL Support Data are transferred on each HTTP request 4kb limit Local Storage Has no expiration date Client only Has no SSL support Data are not transferred on each HTTP request 5 mb limit (check with the browser) Session Storage Data is gone when you close the browser tab Client only Has no SSL support Data are not transferred on each HTTP request 5-10 mb limit (check with the browser) Top comments (8) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   VIMAL KUMAR VIMAL KUMAR VIMAL KUMAR Follow 404 bio not found Location INDIA Education Indian Institute of Information Technology Ranchi Work Associate @Cognizant Joined Apr 3, 2020 • Mar 21 '21 Dropdown menu Copy link Hide Thanks for sharing Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Mohammad Mahdi Bahrami Mohammad Mahdi Bahrami Mohammad Mahdi Bahrami Follow A new teenage frontend developer... Location Qom, Iran Work Student at highschool. Frontend dev at "ToloNajm" astrology-research company Joined Mar 27, 2022 • May 12 '22 Dropdown menu Copy link Hide I was stuck you helped me. Thank you. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Shuvo Shuvo Shuvo Follow I am a Frontend Developer. I love to write React.js,Vue.js,Nuxt.js,Next.js and awesome JavaScript Code. Thank you! Location Dhaka,Bangladesh Joined Jan 4, 2022 • Apr 26 '22 Dropdown menu Copy link Hide Thanks for sharing Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Moinul Islam Moinul Islam Moinul Islam Follow Email moinulilm10@gmail.com Location Nikunja, Dhaka Joined Oct 19, 2020 • Sep 12 '21 Dropdown menu Copy link Hide nice article Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   OKIEMUTE BADARE OKIEMUTE BADARE OKIEMUTE BADARE Follow Work Full Stack JavaScript Dev Joined Jun 9, 2021 • Jul 26 '22 Dropdown menu Copy link Hide Nice Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Klim Klim Klim Follow Location Russia Work Junior Frontend Engineer Joined Mar 7, 2020 • Jul 7 '21 Dropdown menu Copy link Hide Very useful article! Thank you 👍 Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Lilian Lilian Lilian Follow Joined May 18, 2021 • May 18 '21 Dropdown menu Copy link Hide thanks!! was super useful! Like comment: Like comment: Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Igor Irianto Follow Vim, Rails, cheesy puns Location Dallas, TX Joined Apr 27, 2019 More from Igor Irianto Tmux Tutorial for Beginners # tmux # vim # tutorial # beginners Scalability For Beginners # scalability # beginners # 101 Redis For Beginners # redis # beginners # nosql 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://chawan.net/
Chawan: TUI web browser Index News Docs Issues Source # Chawan: TUI web browser Chawan is a text-mode web browser and pager for Unix-like systems, with a focus on implementing modern web standards while remaining self-contained, easy to understand and extensible. It includes functionality like CSS, inline images inside the terminal, and JavaScript through a small, independent browser engine. Most of Chawan has been developed from scratch in the memory-safe Nim programming language. ## Download You can download the latest release (v0.3.1) here . Sources are currently hosted on SourceHut and Codeberg . There are also packages maintained by volunteers, of stable versions at: Alpine Linux: https://pkgs.alpinelinux.org/packages?name=chawan Arch Linux: https://archlinux.org/packages/extra/x86_64/chawan/ FreeBSD: https://www.freshports.org/www/chawan/ Homebrew: https://formulae.brew.sh/formula/chawan NixOS: https://search.nixos.org/packages?show=chawan Slackware (SBo): https://slackbuilds.org/repository/15.0/network/chawan/ and unstable versions (tip of the master branch) at: AUR: https://aur.archlinux.org/packages/chawan-git AppImage: https://git.lerch.org/lobo/chawan-appimage/ Homebrew (using --HEAD ): https://formulae.brew.sh/formula/chawan ## Gallery This page showcases some websites being rendered in Chawan. ## Features UI Inspired by w3m and vi . Keybindings are user-programmable using JavaScript. Protocols HTTP(S), SFTP (using libssh2 ), FTP, Gopher, Gemini, Finger, Spartan. Extensible by users. Formats HTML, plain text, Markdown, man page, and directory listing viewers are included. Extensible by users through HTML converters (you can even replace built-in viewers). CSS Colors, formatting, flow layout (block, inline, float, etc.), table layout, flex layout. Images Displayed using Sixels or the Kitty protocol . Supported input formats are PNG, JPEG, BMP, GIF ( stb_image ), WebP ( jebp ) and SVG ( nanosvg ). Opt-in; edit the config to enable it. JavaScript Uses QuickJS . Supports various DOM manipulation and network APIs. Opt-in; edit the config to enable it. Sandboxing Websites are loaded inside separate processes, further locked down using syscall filtering mechanisms on FreeBSD, OpenBSD and Linux. ## Subprojects Parts of Chawan available as separate libraries: Chame : HTML5 parser in pure Nim. Chagashi : character coding library in pure Nim. Monoucha : QuickJS binding generator and runtime glue in Nim. ## License Public domain, with permissively licensed components. ## Banners Contributed by user arcathrax, these are also in the public domain. Spread the word :)
2026-01-13T08:48:03
https://wagslane.dev/
Lane's Blog Open main menu Articles Tags About RSS Articles Tags About RSS Learn backend development with my current project: Boot.dev Lane’s Blog Jan 08, 2023 - The Zen of Proverbs Dec 17, 2022 - College: A Solution in Search of a Problem Nov 05, 2022 - Thoughts on the “Guard” Proposal for Go’s Error Handling Aug 29, 2022 - Devops: An Idea so Good, No One Admits They Don’t Do It Jun 27, 2022 - Learn to Say ‘No’ Jun 17, 2022 - Businesses that Use Dark Patterns Deserve to Go Under May 17, 2022 - Func-y JSON, an alternative to REST May 09, 2022 - SEO is One Giant Scam of a Job May 01, 2022 - Things I don’t want to do to grow my side project Mar 05, 2022 - The Craziest Thing to Hear After Leaving Mormonism Sep 13, 2021 - The Collapsing Quality of Dev.to Jun 30, 2021 - Keep Your Data Raw at Rest Apr 12, 2021 - Continuous Deployments != Continuous Disruptions Jan 05, 2021 - Kanban vs Scrum – Why Kanban is More Agile Sep 15, 2020 - Go’s Major Versioning Sucks – From a Fanboy Aug 15, 2020 - Optimize For Simplicity First Aug 07, 2020 - Saving a Third of Our Memory by Re-ordering Go Struct Fields Jul 14, 2020 - Your Manager Can’t Code? They Shouldn’t Be Your Manager May 18, 2020 - Leave Scrum to Rugby, I Like Getting Stuff Done Aug 25, 2019 - A Case Against “A Case for the Book of Mormon” © Lane Wagner Github Twitter
2026-01-13T08:48:03
https://cursor.com/cn/
Cursor 跳转到内容 Cursor 功能特性 企业 定价 资源 ↓ 更新日志 博客 文档  ↗ 社区 学习  ↗ 工作坊 论坛  ↗ 职业机会 功能特性 企业 定价 资源  → 登录 下载 Cursor 旨在让您的工作效率达到非凡水平,是使用 AI 编写代码的最佳方式。 下载 macOS 版本 ⤓ 试用移动端 Agent → This element contains an interactive demo for sighted users showing multiple Cursor interfaces: the IDE with AI-powered coding assistance, the CLI with command-line assistance. The interfaces are displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor 获取 Cursor 进行中 4 企业订单管理系统 生成中 分析 Tab 与 Agent 使用模式 生成中 PyTorch MNIST 实验 生成中 修复 PR 评论获取问题 生成中 准备审查 2 为 Dashboard 设置 Cursor Rules + 37 - 0 · 为 Dashboard 设置 Cursor Rules 生物信息学工具 + 135 - 21 · 生物信息学工具 train_model.py run_experiment.py config.yaml import torch import torch . nn as nn from torch . utils . data import DataLoader from torchvision import datasets def get_dataloaders ( batch_size = 64 ): transform = transforms . Compose ([ transforms . ToTensor ()]) train = datasets . MNIST ( root = "data" , train = True , download = True , transform = transform ) test = datasets . MNIST ( root = "data" , train = False , download = True , transform = transform ) return DataLoader ( train , batch_size = batch_size , shuffle = True ), DataLoader ( test , batch_size = batch_size ) class MLP ( nn . Module ): def __init__ ( self , hidden = 128 ): super (). __init__ () self . net = nn . Sequential ( nn . Flatten (), nn . Linear ( 28 * 28 , hidden ), nn . ReLU (), nn . Linear ( hidden , 10 ), ) def forward ( self , x ): return self . net ( x ) def train_model ( epochs = 1 , lr = 1e-3 , device = None): device = device or ( "cuda" if torch . cuda . is_available () else "cpu" ) model = MLP (). to ( device ) opt = torch . optim . Adam ( model . parameters (), lr = lr ) loss_fn = nn . CrossEntropyLoss () train_loader , _ = get_dataloaders () + # Seed for reproducibility + torch . manual_seed ( 42 ) + if device == "cuda" : + torch . cuda . manual_seed_all ( 42 ) + # AMP + Scheduler + scaler = torch . cuda . amp . GradScaler ( enabled =( device == "cuda" )) + scheduler = torch . optim . lr_scheduler . CosineAnnealingLR ( opt , T_max = epochs ) model . train () for epoch in range ( epochs ) : total , correct = 0 , 0 for x , y in tqdm ( train_loader , desc = f "epoch { epoch + 1 } " ) : x , y = x . to ( device ), y . to ( device ) opt . zero_grad ( set_to_none = True ) logits = model ( x ) loss = loss_fn ( logits , y ) loss . backward () opt . step () scaler . scale ( loss ). backward () scaler . unscale_ ( opt ) + torch . nn . utils . clip_grad_norm_ ( model . parameters (), max_norm = 1.0 ) scaler . step ( opt ) scaler . update () + preds = logits . argmax ( dim = 1 ) + total += y . size ( 0 ) + correct += ( preds == y ). sum (). item () + acc = correct / max ( 1 , total ) scheduler . step () + print ( f "epoch { epoch + 1 } : acc= { acc :.3f } " ) return model `, import torch import torch.nn as nn from torch.utils.data import DataLoader from torchvision import datasets def get_dataloaders ( batch_size = 64 ): transform = transforms. Compose ([transforms. ToTensor ()]) train = datasets. MNIST (root= " data " , train= True , download= True , transform=transform) test = datasets. MNIST (root= " data " , train= False , download= True , transform=transform) return DataLoader (train, batch_size=batch_size, shuffle= True ), DataLoader (test, batch_size=batch_size) class MLP (nn.Module): def __init__ ( self , hidden = 128 ): super (). __init__ () self .net = nn. Sequential ( nn. Flatten (), nn. Linear ( 28 * 28 , hidden), nn. ReLU (), nn. Linear (hidden, 10 ), ) def forward ( self , x ): return self . net (x) def train_model ( epochs = 1 , lr = 1e-3 , device = None ): device = device or ( " cuda " if torch.cuda. is_available () else " cpu " ) model = MLP (). to (device) opt = torch.optim. Adam (model. parameters (), lr=lr) loss_fn = nn. CrossEntropyLoss () train_loader, _ = get_dataloaders () + # Seed for reproducibility + torch. manual_seed ( 42 ) + if device == " cuda " : + torch.cuda. manual_seed_all ( 42 ) + # AMP + Scheduler + scaler = torch.cuda.amp. GradScaler (enabled=(device == " cuda " )) + scheduler = torch.optim.lr_scheduler. CosineAnnealingLR (opt, T_max=epochs) model. train () for epoch in range (epochs): total, correct = 0 , 0 for x, y in tqdm (train_loader, desc= f "epoch { epoch+ 1 } " ): x, y = x. to (device), y. to (device) opt. zero_grad (set_to_none= True ) logits = model (x) loss = loss_fn (logits, y) loss. backward () opt. step () scaler. scale (loss). backward () scaler. unscale_ (opt) + torch.nn.utils. clip_grad_norm_ (model. parameters (), max_norm= 1.0 ) scaler. step (opt) scaler. update () + preds = logits. argmax (dim= 1 ) + total += y. size ( 0 ) + correct += (preds == y). sum (). item () + acc = correct / max ( 1 , total) scheduler. step () + print ( f "epoch { epoch+ 1 } : acc= { acc :.3f } " ) return model ` , PyTorch MNIST 实验 添加混合精度训练、学习率调度和适当的验证。同时创建一个实验配置系统,以便我可以轻松运行不同的超参数设置。 Agent GPT-5 agent 获取 CLI Cursor Agent ~/Repos/ml-research-notebook PyTorch MNIST 实验 添加混合精度训练、学习率调度和适当的验证。同时创建一个实验配置系统,以便我可以轻松运行不同的超参数设置。 → GPT-5.2 / 用于命令 · @ 用于文件 每天被数百万专业开发者信赖使用。 Agent 将想法转化为代码 人机协作的 AI 编程助手,效率比单独开发者高出数个数量级。 了解 Agent → This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor 获取 Cursor 进行中 4 企业订单管理系统 生成中 分析 Tab 与 Agent 使用模式 生成中 PyTorch MNIST 实验 生成中 修复 PR 评论获取问题 生成中 准备审查 2 为 Dashboard 设置 Cursor Rules + 37 - 0 · 为 Dashboard 设置 Cursor Rules 生物信息学工具 + 135 - 21 · 生物信息学工具 分析 Tab 与 Agent 使用模式 帮助我了解团队在我们的工作区中如何在标签页视图和代理面板之间分配注意力。 Agent GPT-5 神奇般精准的自动补全 我们的定制 Tab 模型以惊人的速度和精准度预测您的下一步操作。 了解 Tab → This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor 获取 Cursor Dashboard.tsx SupportChat.tsx "use client" ; import React , { useState } from "react" ; import Navigation from "./Navigation" ; import SupportChat from "./SupportChat" ; export default function Dashboard () { return ( < div className = "flex h-[600px] border rounded-lg overflow-hidden" > < div className = "w-64 border-r" > </ div > < div className = "w-80 border-l" > < SupportChat /> </ div > </ div > ); } " use client " ; import React, { useState } from " react " ; import Navigation from " ./Navigation " ; import SupportChat from " ./SupportChat " ; export default function Dashboard() { return ( < div className = " flex h-[600px] border rounded-lg overflow-hidden " > < div className = " w-64 border-r " > </ div > < div className = " w-80 border-l " > < SupportChat /> </ div > </ div > ); } 软件开发无处不在 Cursor 在 GitHub 中审查你的 PR,在 Slack 中作为队友,以及你工作的任何其他地方。 了解 Cursor 的生态系统 → This element contains an interactive demo for sighted users showing multiple Cursor interfaces: Slack integration for team communication, GitHub integration for code review and debugging. The interfaces are displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Slack 获取 Cursor for Slack #ask-cursor 8 位成员 dylan 小功能建议,但如果网站的发布页面能添加锚点链接会非常有用 4 条回复 dylan 希望能够访问 cursor.com/changelog#1.0 来查看 1.0 更新日志 eric checks out @cursor can you take a stab? Cursor APP 我为更新日志条目实现了直接链接功能,并更新了整个项目的 Node.js 版本约束,以提高兼容性和可维护性。 查看 PR 在 Cursor 中打开 在 Web 中打开 dylan Nice @eric can you take a look? GitHub Pull Request 获取 BugBot 审查 cursor 机器人 已审查 1分钟前 src/vs/workbench/composer/browser/components/ComposerUnifiedDropdown.tsx 3292 - {selectedMode().keybinding} 3293 + {composerOpenModeToggleKeybinding} cursor 机器人 1分钟前 Bug: 函数返回对象而非字符串(逻辑错误) composerOpenModeToggleKeybinding 是一个需要调用才能获取其值的函数。直接使用它会导致快捷键显示条件始终为真。 在 Cursor 中修复 在 Web 中修复 构建软件的新方式。 每一批次之间的差异简直天壤之别,采用率从个位数一下子跃升到 80% 以上。它就像野火一样迅速蔓延,最优秀的开发者都在使用 Cursor。 Diana Hu 普通合伙人 , Y Combinator 毫无疑问,我目前付费使用的最有价值的 AI 工具就是 Cursor。它速度快,会在你真正需要的时间和位置进行自动补全,括号处理得当,键盘快捷键设计合理,还支持自带模型(bring-your-own-model)……各个方面都打磨得非常到位。 shadcn shadcn/ui 的创建者 最出色的 LLM 应用都会提供一个“自主程度”滑杆:由你来决定给 AI 多大的自主权。在 Cursor 中,你可以使用 Tab 补全、通过 Cmd+K 进行定向编辑,或者直接启用完全自主的智能代理模式。 Andrej Karpathy 首席执行官 , Eureka Labs Cursor 在 Stripe 内部的使用人数很快就从几百名极度热情的员工增长到上千名。我们在研发和软件创作上的投入超过其他任何项目,而一旦让这一过程变得更高效、更有成效,就会带来显著的经济收益。 Patrick Collison 联合创始人兼首席执行官 , Stripe 可以正式说了。 我讨厌凭感觉写代码。 我爱用 Cursor 的 Tab 补全写代码。 太夸张了。 ThePrimeagen @ThePrimeagen 做程序员这件事,确实正变得越来越有趣。你不再需要翻阅一页页资料,而是更专注于你真正想要发生的事情。我们现在只触及了所有可能性的 1%,而在像 Cursor 这样的交互式体验中,像 GPT-5 这样的模型才能发挥出最耀眼的光芒。 Greg Brockman 总裁 , OpenAI 保持前沿 访问最佳模型 从 OpenAI、Anthropic、Gemini 和 xAI 的所有前沿模型中进行选择。 探索模型 ↗ Auto 推荐 Composer 1 GPT-5 高速 Claude Sonnet 4.5 ✓ Claude Opus 4.5 Gemini 3 Pro Grok Code 完整的代码库理解 Cursor 会学习您的代码库的工作方式,无论规模或复杂度如何。 了解代码库索引 ↗ 这些菜单标签颜色在哪里定义? 开发持久耐用的软件 受到超过半数财富 500 强企业的信赖,安全、大规模地加速开发。 探索企业版 → 更新日志 CLI Jan 8, 2026 全新 CLI 功能与性能改进 2.3 Dec 22, 2025 布局自定义与稳定性改进 Dec 18, 2025 企业洞察、计费分组、服务账户,以及更完善的安全控制 2.2 Dec 10, 2025 调试模式、计划模式优化、多智能体评审与置顶对话 查看 Cursor 的新功能 → Cursor 是一个专注于构建编程未来的应用型团队。 加入我们 → 最新亮点 隆重推出 Cursor 2.0 和 Composer 全新界面与我们的首款编码模型,均为与智能代理协同工作而专门打造。 Product   ·   Oct 29, 2025 使用在线强化学习改进 Cursor Tab 我们的全新 Tab 模型在减少 21% 建议数量的同时,接受率提升了 28%。 Research   ·   Sep 12, 2025 借助定制 MXFP8 内核实现 MoE 训练速度提升 1.5 倍 通过针对 Blackwell GPU 的全面重构,实现 MoE 层 3.5 倍加速。 Research   ·   Aug 29, 2025 查看更多文章 → 立即试用 Cursor。 下载 macOS 版本 ⤓ 试用移动端 Agent → 产品 功能特性 企业 Web Agents Bugbot CLI 定价 资源 下载 更新日志 文档  ↗ 学习  ↗ 论坛  ↗ 状态  ↗ 公司 职业机会 博客 社区 工作坊 学生 品牌 法律信息 服务条款 隐私政策 数据使用 安全性 连接 X  ↗ LinkedIn  ↗ YouTube  ↗ © 2026 Cursor 🛡 SOC 2 认证 🌐 简体中文 ↓ English 简体中文 ✓ 日本語 繁體中文 跳转到内容 Cursor 功能特性 企业 定价 资源 ↓ 更新日志 博客 文档  ↗ 社区 学习  ↗ 工作坊 论坛  ↗ 职业机会 功能特性 企业 定价 资源  → 登录 下载 Cursor 旨在让您的工作效率达到非凡水平,是使用 AI 编写代码的最佳方式。 下载 macOS 版本 ⤓ 试用移动端 Agent → This element contains an interactive demo for sighted users showing multiple Cursor interfaces: the IDE with AI-powered coding assistance, the CLI with command-line assistance. The interfaces are displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor 获取 Cursor 进行中 4 企业订单管理系统 生成中 分析 Tab 与 Agent 使用模式 生成中 PyTorch MNIST 实验 生成中 修复 PR 评论获取问题 生成中 准备审查 2 为 Dashboard 设置 Cursor Rules + 37 - 0 · 为 Dashboard 设置 Cursor Rules 生物信息学工具 + 135 - 21 · 生物信息学工具 train_model.py run_experiment.py config.yaml import torch import torch . nn as nn from torch . utils . data import DataLoader from torchvision import datasets def get_dataloaders ( batch_size = 64 ): transform = transforms . Compose ([ transforms . ToTensor ()]) train = datasets . MNIST ( root = "data" , train = True , download = True , transform = transform ) test = datasets . MNIST ( root = "data" , train = False , download = True , transform = transform ) return DataLoader ( train , batch_size = batch_size , shuffle = True ), DataLoader ( test , batch_size = batch_size ) class MLP ( nn . Module ): def __init__ ( self , hidden = 128 ): super (). __init__ () self . net = nn . Sequential ( nn . Flatten (), nn . Linear ( 28 * 28 , hidden ), nn . ReLU (), nn . Linear ( hidden , 10 ), ) def forward ( self , x ): return self . net ( x ) def train_model ( epochs = 1 , lr = 1e-3 , device = None): device = device or ( "cuda" if torch . cuda . is_available () else "cpu" ) model = MLP (). to ( device ) opt = torch . optim . Adam ( model . parameters (), lr = lr ) loss_fn = nn . CrossEntropyLoss () train_loader , _ = get_dataloaders () + # Seed for reproducibility + torch . manual_seed ( 42 ) + if device == "cuda" : + torch . cuda . manual_seed_all ( 42 ) + # AMP + Scheduler + scaler = torch . cuda . amp . GradScaler ( enabled =( device == "cuda" )) + scheduler = torch . optim . lr_scheduler . CosineAnnealingLR ( opt , T_max = epochs ) model . train () for epoch in range ( epochs ) : total , correct = 0 , 0 for x , y in tqdm ( train_loader , desc = f "epoch { epoch + 1 } " ) : x , y = x . to ( device ), y . to ( device ) opt . zero_grad ( set_to_none = True ) logits = model ( x ) loss = loss_fn ( logits , y ) loss . backward () opt . step () scaler . scale ( loss ). backward () scaler . unscale_ ( opt ) + torch . nn . utils . clip_grad_norm_ ( model . parameters (), max_norm = 1.0 ) scaler . step ( opt ) scaler . update () + preds = logits . argmax ( dim = 1 ) + total += y . size ( 0 ) + correct += ( preds == y ). sum (). item () + acc = correct / max ( 1 , total ) scheduler . step () + print ( f "epoch { epoch + 1 } : acc= { acc :.3f } " ) return model `, import torch import torch.nn as nn from torch.utils.data import DataLoader from torchvision import datasets def get_dataloaders ( batch_size = 64 ): transform = transforms. Compose ([transforms. ToTensor ()]) train = datasets. MNIST (root= " data " , train= True , download= True , transform=transform) test = datasets. MNIST (root= " data " , train= False , download= True , transform=transform) return DataLoader (train, batch_size=batch_size, shuffle= True ), DataLoader (test, batch_size=batch_size) class MLP (nn.Module): def __init__ ( self , hidden = 128 ): super (). __init__ () self .net = nn. Sequential ( nn. Flatten (), nn. Linear ( 28 * 28 , hidden), nn. ReLU (), nn. Linear (hidden, 10 ), ) def forward ( self , x ): return self . net (x) def train_model ( epochs = 1 , lr = 1e-3 , device = None ): device = device or ( " cuda " if torch.cuda. is_available () else " cpu " ) model = MLP (). to (device) opt = torch.optim. Adam (model. parameters (), lr=lr) loss_fn = nn. CrossEntropyLoss () train_loader, _ = get_dataloaders () + # Seed for reproducibility + torch. manual_seed ( 42 ) + if device == " cuda " : + torch.cuda. manual_seed_all ( 42 ) + # AMP + Scheduler + scaler = torch.cuda.amp. GradScaler (enabled=(device == " cuda " )) + scheduler = torch.optim.lr_scheduler. CosineAnnealingLR (opt, T_max=epochs) model. train () for epoch in range (epochs): total, correct = 0 , 0 for x, y in tqdm (train_loader, desc= f "epoch { epoch+ 1 } " ): x, y = x. to (device), y. to (device) opt. zero_grad (set_to_none= True ) logits = model (x) loss = loss_fn (logits, y) loss. backward () opt. step () scaler. scale (loss). backward () scaler. unscale_ (opt) + torch.nn.utils. clip_grad_norm_ (model. parameters (), max_norm= 1.0 ) scaler. step (opt) scaler. update () + preds = logits. argmax (dim= 1 ) + total += y. size ( 0 ) + correct += (preds == y). sum (). item () + acc = correct / max ( 1 , total) scheduler. step () + print ( f "epoch { epoch+ 1 } : acc= { acc :.3f } " ) return model ` , PyTorch MNIST 实验 添加混合精度训练、学习率调度和适当的验证。同时创建一个实验配置系统,以便我可以轻松运行不同的超参数设置。 Agent GPT-5 agent 获取 CLI Cursor Agent ~/Repos/ml-research-notebook PyTorch MNIST 实验 添加混合精度训练、学习率调度和适当的验证。同时创建一个实验配置系统,以便我可以轻松运行不同的超参数设置。 → GPT-5.2 / 用于命令 · @ 用于文件 每天被数百万专业开发者信赖使用。 Agent 将想法转化为代码 人机协作的 AI 编程助手,效率比单独开发者高出数个数量级。 了解 Agent → This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor 获取 Cursor 进行中 4 企业订单管理系统 生成中 分析 Tab 与 Agent 使用模式 生成中 PyTorch MNIST 实验 生成中 修复 PR 评论获取问题 生成中 准备审查 2 为 Dashboard 设置 Cursor Rules + 37 - 0 · 为 Dashboard 设置 Cursor Rules 生物信息学工具 + 135 - 21 · 生物信息学工具 分析 Tab 与 Agent 使用模式 帮助我了解团队在我们的工作区中如何在标签页视图和代理面板之间分配注意力。 Agent GPT-5 神奇般精准的自动补全 我们的定制 Tab 模型以惊人的速度和精准度预测您的下一步操作。 了解 Tab → This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor 获取 Cursor Dashboard.tsx SupportChat.tsx "use client" ; import React , { useState } from "react" ; import Navigation from "./Navigation" ; import SupportChat from "./SupportChat" ; export default function Dashboard () { return ( < div className = "flex h-[600px] border rounded-lg overflow-hidden" > < div className = "w-64 border-r" > </ div > < div className = "w-80 border-l" > < SupportChat /> </ div > </ div > ); } " use client " ; import React, { useState } from " react " ; import Navigation from " ./Navigation " ; import SupportChat from " ./SupportChat " ; export default function Dashboard() { return ( < div className = " flex h-[600px] border rounded-lg overflow-hidden " > < div className = " w-64 border-r " > </ div > < div className = " w-80 border-l " > < SupportChat /> </ div > </ div > ); } 软件开发无处不在 Cursor 在 GitHub 中审查你的 PR,在 Slack 中作为队友,以及你工作的任何其他地方。 了解 Cursor 的生态系统 → This element contains an interactive demo for sighted users showing multiple Cursor interfaces: Slack integration for team communication, GitHub integration for code review and debugging. The interfaces are displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Slack 获取 Cursor for Slack #ask-cursor 8 位成员 dylan 小功能建议,但如果网站的发布页面能添加锚点链接会非常有用 4 条回复 dylan 希望能够访问 cursor.com/changelog#1.0 来查看 1.0 更新日志 eric checks out @cursor can you take a stab? Cursor APP 我为更新日志条目实现了直接链接功能,并更新了整个项目的 Node.js 版本约束,以提高兼容性和可维护性。 查看 PR 在 Cursor 中打开 在 Web 中打开 dylan Nice @eric can you take a look? GitHub Pull Request 获取 BugBot 审查 cursor 机器人 已审查 1分钟前 src/vs/workbench/composer/browser/components/ComposerUnifiedDropdown.tsx 3292 - {selectedMode().keybinding} 3293 + {composerOpenModeToggleKeybinding} cursor 机器人 1分钟前 Bug: 函数返回对象而非字符串(逻辑错误) composerOpenModeToggleKeybinding 是一个需要调用才能获取其值的函数。直接使用它会导致快捷键显示条件始终为真。 在 Cursor 中修复 在 Web 中修复 构建软件的新方式。 每一批次之间的差异简直天壤之别,采用率从个位数一下子跃升到 80% 以上。它就像野火一样迅速蔓延,最优秀的开发者都在使用 Cursor。 Diana Hu 普通合伙人 , Y Combinator 毫无疑问,我目前付费使用的最有价值的 AI 工具就是 Cursor。它速度快,会在你真正需要的时间和位置进行自动补全,括号处理得当,键盘快捷键设计合理,还支持自带模型(bring-your-own-model)……各个方面都打磨得非常到位。 shadcn shadcn/ui 的创建者 最出色的 LLM 应用都会提供一个“自主程度”滑杆:由你来决定给 AI 多大的自主权。在 Cursor 中,你可以使用 Tab 补全、通过 Cmd+K 进行定向编辑,或者直接启用完全自主的智能代理模式。 Andrej Karpathy 首席执行官 , Eureka Labs Cursor 在 Stripe 内部的使用人数很快就从几百名极度热情的员工增长到上千名。我们在研发和软件创作上的投入超过其他任何项目,而一旦让这一过程变得更高效、更有成效,就会带来显著的经济收益。 Patrick Collison 联合创始人兼首席执行官 , Stripe 可以正式说了。 我讨厌凭感觉写代码。 我爱用 Cursor 的 Tab 补全写代码。 太夸张了。 ThePrimeagen @ThePrimeagen 做程序员这件事,确实正变得越来越有趣。你不再需要翻阅一页页资料,而是更专注于你真正想要发生的事情。我们现在只触及了所有可能性的 1%,而在像 Cursor 这样的交互式体验中,像 GPT-5 这样的模型才能发挥出最耀眼的光芒。 Greg Brockman 总裁 , OpenAI 保持前沿 访问最佳模型 从 OpenAI、Anthropic、Gemini 和 xAI 的所有前沿模型中进行选择。 探索模型 ↗ Auto 推荐 Composer 1 GPT-5 高速 Claude Sonnet 4.5 ✓ Claude Opus 4.5 Gemini 3 Pro Grok Code 完整的代码库理解 Cursor 会学习您的代码库的工作方式,无论规模或复杂度如何。 了解代码库索引 ↗ 这些菜单标签颜色在哪里定义? 开发持久耐用的软件 受到超过半数财富 500 强企业的信赖,安全、大规模地加速开发。 探索企业版 → 更新日志 CLI Jan 8, 2026 全新 CLI 功能与性能改进 2.3 Dec 22, 2025 布局自定义与稳定性改进 Dec 18, 2025 企业洞察、计费分组、服务账户,以及更完善的安全控制 2.2 Dec 10, 2025 调试模式、计划模式优化、多智能体评审与置顶对话 查看 Cursor 的新功能 → Cursor 是一个专注于构建编程未来的应用型团队。 加入我们 → 最新亮点 隆重推出 Cursor 2.0 和 Composer 全新界面与我们的首款编码模型,均为与智能代理协同工作而专门打造。 Product   ·   Oct 29, 2025 使用在线强化学习改进 Cursor Tab 我们的全新 Tab 模型在减少 21% 建议数量的同时,接受率提升了 28%。 Research   ·   Sep 12, 2025 借助定制 MXFP8 内核实现 MoE 训练速度提升 1.5 倍 通过针对 Blackwell GPU 的全面重构,实现 MoE 层 3.5 倍加速。 Research   ·   Aug 29, 2025 查看更多文章 → 立即试用 Cursor。 下载 macOS 版本 ⤓ 试用移动端 Agent → 产品 功能特性 企业 Web Agents Bugbot CLI 定价 资源 下载 更新日志 文档  ↗ 学习  ↗ 论坛  ↗ 状态  ↗ 公司 职业机会 博客 社区 工作坊 学生 品牌 法律信息 服务条款 隐私政策 数据使用 安全性 连接 X  ↗ LinkedIn  ↗ YouTube  ↗ © 2026 Cursor 🛡 SOC 2 认证 🌐 简体中文 ↓ English 简体中文 ✓ 日本語 繁體中文 Agent Agent 在 Cursor 中修复 在 Web 中修复 Agent Agent 在 Cursor 中修复 在 Web 中修复
2026-01-13T08:48:03
https://dev.to/t/portfolio/page/5
Portfolio Page 5 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # portfolio Follow Hide Getting feedback on and discussing portfolio strategies Create Post Older #portfolio posts 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu My First Month of Portfolio Analytics: Tracking a 600%+ Traffic Boost & a Big Engagement Mystery! Neeraj S Neeraj S Neeraj S Follow Nov 30 '25 My First Month of Portfolio Analytics: Tracking a 600%+ Traffic Boost & a Big Engagement Mystery! # analytics # webdev # portfolio # googleanalytics Comments 1  comment 2 min read My Portfolio MD. Mohiuddin Ahmed MD. Mohiuddin Ahmed MD. Mohiuddin Ahmed Follow Oct 31 '25 My Portfolio # portfolio # webdev 3  reactions Comments 1  comment 1 min read 12 full-stack project ideas (with designs) for your developer portfolio Matt Studdert Matt Studdert Matt Studdert Follow for Frontend Mentor Nov 17 '25 12 full-stack project ideas (with designs) for your developer portfolio # webdev # beginners # fullstack # portfolio 2  reactions Comments Add Comment 25 min read How to Sell Your Skills with a Small Project Bradley Matera Bradley Matera Bradley Matera Follow Nov 20 '25 How to Sell Your Skills with a Small Project # portfolio # tutorial # beginners # career 23  reactions Comments 7  comments 3 min read Build a Portfolio That Wins Real Opportunities Sonia Bobrik Sonia Bobrik Sonia Bobrik Follow Oct 22 '25 Build a Portfolio That Wins Real Opportunities # career # developer # portfolio Comments Add Comment 4 min read I Built a Curl Command Generator App with React ak0047 ak0047 ak0047 Follow Nov 23 '25 I Built a Curl Command Generator App with React # beginners # react # portfolio # cli 14  reactions Comments 3  comments 4 min read Building an Intelligent Portfolio Filtering System with Next.js and React Context Ryan VerWey Ryan VerWey Ryan VerWey Follow Nov 23 '25 Building an Intelligent Portfolio Filtering System with Next.js and React Context # webdev # typescript # learning # portfolio 6  reactions Comments Add Comment 8 min read Building My Portfolio: From Idea to Launch thehollowed1 thehollowed1 thehollowed1 Follow Nov 22 '25 Building My Portfolio: From Idea to Launch # showdev # portfolio # tailwindcss # nextjs 1  reaction Comments Add Comment 1 min read Devfolios ꜱᴛᴀʀᴋ ꜱᴛᴀʀᴋ ꜱᴛᴀʀᴋ Follow Oct 19 '25 Devfolios # webdev # beginners # career # portfolio Comments Add Comment 1 min read Building a Personal Portfolio Website Using Only HTML and CSS Chukwunonso Joseph Ofodile Chukwunonso Joseph Ofodile Chukwunonso Joseph Ofodile Follow Oct 18 '25 Building a Personal Portfolio Website Using Only HTML and CSS # webdev # html # css # portfolio Comments Add Comment 3 min read From Local to Global: How Portfolios Help You Get International Clients Shaikh Taslim Ahmed Shaikh Taslim Ahmed Shaikh Taslim Ahmed Follow Oct 17 '25 From Local to Global: How Portfolios Help You Get International Clients # portfolio # website # appointment # networking Comments Add Comment 3 min read Stop Chasing Clients: Let Your Portfolio Do the Selling for You Shaikh Taslim Ahmed Shaikh Taslim Ahmed Shaikh Taslim Ahmed Follow Oct 17 '25 Stop Chasing Clients: Let Your Portfolio Do the Selling for You # portfolio # website # networking # appointment Comments Add Comment 3 min read "My Portfolio Got 17-Minute Average Engagement - Here's How It Happened" Neeraj S Neeraj S Neeraj S Follow Nov 18 '25 "My Portfolio Got 17-Minute Average Engagement - Here's How It Happened" # webdev # portfolio # analytics Comments Add Comment 3 min read How to Build Client Trust in 10 Seconds Using Portfolio Design Psychology Shaikh Taslim Ahmed Shaikh Taslim Ahmed Shaikh Taslim Ahmed Follow Oct 14 '25 How to Build Client Trust in 10 Seconds Using Portfolio Design Psychology # portfolio # website # networking # appointment Comments Add Comment 3 min read Building and Running Arbitrage Bots: A Developer’s Perspective TradeLink TradeLink TradeLink Follow Oct 13 '25 Building and Running Arbitrage Bots: A Developer’s Perspective # arbitrage # cryptocurrency # portfolio Comments Add Comment 2 min read How to Write a Portfolio Bio That Makes People Want to Hire You Shaikh Taslim Ahmed Shaikh Taslim Ahmed Shaikh Taslim Ahmed Follow Oct 15 '25 How to Write a Portfolio Bio That Makes People Want to Hire You # portfolio # website # appointment # networking 1  reaction Comments Add Comment 4 min read Cloud Resume Challenge - Chunk 5 - The Final Write-Up Trinity Klein Trinity Klein Trinity Klein Follow Nov 11 '25 Cloud Resume Challenge - Chunk 5 - The Final Write-Up # portfolio # aws # cloud # career 2  reactions Comments Add Comment 6 min read How to Design a Portfolio That Sells Without Looking “Salesy” Shaikh Taslim Ahmed Shaikh Taslim Ahmed Shaikh Taslim Ahmed Follow Oct 8 '25 How to Design a Portfolio That Sells Without Looking “Salesy” # writing # career # portfolio # design Comments Add Comment 3 min read Why We Need a Simple Portfolio with the Best UX Mafuzur Rahman Mafuzur Rahman Mafuzur Rahman Follow Oct 6 '25 Why We Need a Simple Portfolio with the Best UX # programming # ai # javascript # portfolio 1  reaction Comments Add Comment 1 min read How to Sell Services Directly from Your Portfolio Without Third-Party Platforms Shaikh Taslim Ahmed Shaikh Taslim Ahmed Shaikh Taslim Ahmed Follow Oct 4 '25 How to Sell Services Directly from Your Portfolio Without Third-Party Platforms # career # portfolio # productivity 5  reactions Comments Add Comment 2 min read Why I Rebuilt My Developer Portfolio Around Three Core Values (Reliability, Thoughtfulness, and Excellence) Obinna Duru Obinna Duru Obinna Duru Follow Nov 5 '25 Why I Rebuilt My Developer Portfolio Around Three Core Values (Reliability, Thoughtfulness, and Excellence) # portfolio # blockchain # smartcontract # webdev 2  reactions Comments 3  comments 2 min read How I built a professional portfolio using React, Redux, and APIs. Mohamed Fathy Mohamed Fathy Mohamed Fathy Follow Oct 3 '25 How I built a professional portfolio using React, Redux, and APIs. # portfolio # tutorial # react # api Comments Add Comment 1 min read IT Connect – Our Final Year Project is Now LIVE! Isme Kastrati Isme Kastrati Isme Kastrati Follow Oct 3 '25 IT Connect – Our Final Year Project is Now LIVE! # showdev # portfolio # webdev Comments Add Comment 2 min read 🚀Looking for collaborators for MVP: Delimo – a sharing platform for Serbia (Java / Vue / Android) ValeriiLindenPy ValeriiLindenPy ValeriiLindenPy Follow Sep 30 '25 🚀Looking for collaborators for MVP: Delimo – a sharing platform for Serbia (Java / Vue / Android) # portfolio # opensource # java # beginners Comments Add Comment 2 min read How I Built My Developer Portfolio with Vite, React, and Bun — Fast, Modern & Fully Customizable Dainy Jose Dainy Jose Dainy Jose Follow Nov 2 '25 How I Built My Developer Portfolio with Vite, React, and Bun — Fast, Modern & Fully Customizable # react # vite # portfolio # webdev 11  reactions Comments 4  comments 4 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/podcast-on-api-design-and-development-strategies/simplifying-video-streaming-with-apis-feat-varun-singh-cpto-at-dailyco#main-content
Simplifying Video Streaming with APIs feat. Varun Singh CPTO at Daily.co - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close API Intersection Follow Simplifying Video Streaming with APIs feat. Varun Singh CPTO at Daily.co Jul 26 '23 play This week on API Intersection , we welcomed Varun Singh, Chief Product & Technology Officer of the Daily . Daily is a company that powers real-time audio and video for millions of people globally. Their user base consists of many developers who use their APIs and client SDKs to build audio and video features into applications.  We delved into the significance of APIs in the video streaming industry and the crucial design considerations when integrating with such systems. Varun shed light on the challenges that APIs address in the video industry, such as achieving low latency in live streaming and real-time communications and efficiently managing multiple streams while ensuring a seamless user experience, especially when scaling to accommodate large numbers of participants. "Previously, video streaming was primarily focused on platforms like Netflix and YouTube. However, with the pandemic, real-time video communications have become more prevalent due to the surge in video calls, which means more and more APIs being created to support that," shares Varun.  Find Varun and his teams work on LinkedIn and at Daily.co . _____ To subscribe to the podcast, visit https://stoplight.io/podcast --- API Intersection Podcast listeners are invited to sign up for Stoplight and save up to $650! Use code INTERSECTION10 to get 10% off a new subscription to Stoplight Platform Starter or Pro. Offer good for annual or monthly payment option for first-time subscribers. 10% off an annual plan ($650 savings for Pro and $94.80 for Starter) or 10% off your first month ($9.99 for Starter and $39 for Pro). Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://skills.github.com/quickstart
GitHub Skills Quickstart Guide Skills GitHub Skills Quickstart Guide Build your own GitHub Actions-powered courses in a few simple steps. This guide covers planning your course, building your course, and best practices for GitHub Actions-powered courses. Take a look at our GitHub Skills courses for examples and templates. Table of contents Author prerequisites Planning your course Set up your repository Writing your README Writing your Actions workflow files Testing and monitoring your course Best practices for building courses Author prerequisites Course authors should be familiar with Markdown , YAML , and GitHub Actions before starting to make their own courses. Some courses will require knowledge of GitHub CLI and command line . Planning your course Write down your learning goals Does your course give the learner something practical to work on? Learners prefer working on real projects over examples. How can the learner use this project after they finish the course? What specific skill does the learner leave your course with? Focus on what the learner will be able to do after they complete the course. Is an Actions-based course right for your goal? Does the learning experience benefit from step-by-step, in-repository learning? Outline your steps Does this workflow match what the learner will do in the “real world”? If you were teaching your friend, how would you interact with them in the repository? Does each step build towards the skills you’ve identified? Can you teach the skill in three to five small steps? Most learners tend to drop off after 30-45 minutes. We’ve found that it takes learners about four times the length of an expert to complete a course. If your course needs more steps, consider splitting your learning objective into multiple courses. Does the order of the steps build the learner’s knowledge in each step? Each step should reference and build on the knowledge in the previous steps. Does each step relate to the main learning goal? You can use GitHub Actions and GitHub CLI to automate any needed steps that don’t build towards the learning goal. Set up your repository Start by clicking “Use this template” on our course template . Check the box for “Template repository” either when setting up your repository, or in the repository settings afterwards. Actions are not enabled by default in forks. Add a 1280×640 social image. Learners will share your course on different websites that will pull in the social image. Enable the automatically delete head branches setting. Add a LICENSE file to your repository . Add a .gitignore file . You can see an example .gitignore . We recommend at minimum ignoring operating system generated files. Include skills-course in the repository topics . Writing your README Your README file will have a few sections: a header, a start step, three to five workflow steps, a finish step, and a footer. The raw source of the README in Introduction to GitHub includes many comments you can use to guide the development of your course’s README file. Writing your README: Header Start with a short paragraph describing what you’ll teach. Be sure to include information on how the course is relevant to the learner. This paragraph should answer the question, “Why should I take this course?” Include the course title in sentence case, and a concise description in emphasis. Writing your README: Start A brief paragraph should describe the goal of the course, what the learner will learn, and why they should take the course. A brief list of the following items can help the learner decide if the course is right for them: Who is this for What you’ll learn What you’ll build Prerequisites How long the course is (time and steps) Include clear directions on how to start the course. Writing your README: Steps Each step should: Acknowledge the learner completed the previous step, using emphasis (italics). Concisely describe the concept behind the next step. Link to GitHub docs for more in-depth explanation. Describe what the learner is about to do Mark the activity with ### :keyboard: Activity: Specific description Use an ordered list to briefly describe what the learner needs to do Let the learner know it will need about 20 seconds and refresh to move on to the next step Include warning and troubleshooting information if the learner gets stuck Try to keep your formatting consistent so the learner can more easily find what they are looking for. The first step is the hardest, so pick something easy! On the first step, encourage users to open new tabs for steps. Writing your README: Finish In the finish section, Celebrate that the learner finished the course Include an celebratory image Review what the learner just did Provide next steps for learners who want to know more Invite feedback about the course Writing your README: Footer Include a link for how learners should get help if they get stuck or have further questions Include a link to the GitHub status page. If GitHub Actions is down, the course won’t work. Include copyright information and a link to the license Include Code of Conduct and other contributing information The footer should not be included in the finish section. The footer should appear regardless of which step the learner is currently on. Writing your Actions workflow files Writing your Actions workflow files: Connect your steps to GitHub Actions events Every step will have an Actions workflow file that triggers on GitHub Actions events . Start by reviewing which event corresponds with each of your steps. Writing your Actions workflow files: Identify what GitHub Actions will need to do in each step You can use GitHub CLI in your Actions workflows to perform almost any GitHub interaction you can think of. Write down everything each step will need to do to complete the step. Store links for reference as your work on your course. Writing your Actions workflow files: Sections of the workflow file Take a look at Introduction to GitHub for example workflow files. Each workflow file has the name format: N-brief-summary.yml , where N is the step number and brief-summary describes the step. We recommend this format to make it easy to see the order the steps will run in. Each workflow file will have a few sections, the name, describing comments, event trigger, job header, and steps. The first section is the name : name : Step 0, Start Next, add comments describing what the Actions workflow will do: # This step triggers after the learner creates a new repository from the template. # This step updates from step 1 to step 2. Followed by the event trigger : # This will run every time we create push a commit to `main`. # Reference: https://docs.github.com/en/actions/learn-github-actions/events-that-trigger-workflows on : workflow_dispatch : push : branches : - main Next is the job header . You can add if tags to limit the scope of the event trigger here. You’ll also need to specify runs-on to get your Actions workflow running. jobs : on_start : name : On start # We will only run this action when: # 1. This repository isn't the template repository. # Reference https://docs.github.com/en/actions/learn-github-actions/contexts # Reference https://docs.github.com/en/actions/learn-github-actions/expressions if : ${{ !github.event.repository.is_template }}} # We'll run Ubuntu for performance instead of Mac or Windows. runs-on : ubuntu-latest Last, we are finally in the steps of the Actions workflow. This is the heart of the file, where you can customize your course the most. steps : # We'll need to check out the repository so that we can edit the README. - name : Checkout uses : actions/checkout@v3 # Update README and set step to '1'. - name : Update to step 1 uses : skills/action-update-step@v2 with : token : ${{ secrets.GITHUB_TOKEN }} from_step : 0 to_step : 1 branch_name : my-first-branch You may include the update step action in your course, however it is not fully required. You may also customize this script to meet the needs of your course. Include thorough comments in your workflow files to describe each section. Other authors and your future self will thank you later. Testing and monitoring your course Click on “Use this template” and run through your course on a your personal account. Does everything work? Do any actions go red? Consider asking for both technical and content review. Test your course with a potential learner. Check in our your course regularly for any reported issues or out-of-date information. Best practices for building courses Not everyone reads docs! Many potential course authors will use your course as an example. Make sure to include lots of comments in your README and Actions workflow files. Keep everything you need in the one course repository. If you need your courses to have limited access, create an organization for your courses, make your courses private, and invite the specific users that need these courses to your organization. Consider adding a Code of Conduct, contributing guide, and issue templates. Keep the number of files and folders in the root directory short. More items in the root level means the README is further down the page. Content The more content you have, the more content you will have to update later. Be concise. Link to the GitHub Docs whenever you can. Where does the learner go to get help? Add links to your README to let the learner know where to ask for help. Make it as easy as possible for the learner to get started. Learners will give up if they don’t make some progress within a few minutes. Write in casual, polite, active, and inspiring language. We’ve found courses perform better when they are more friendly. Use emoji to convey a positive tone. Emoji can add to content, but use words to convey meaning. Check spelling and grammar. Limit use of acronyms, write out the full text instead. Images can be helpful, but only when they are up-to-date. Provide examples and templates to reduce how much work the learner needs to do to complete the step. Follow the GitHub docs content style guide . Actions workflows You can do anything in your course that GitHub Actions can do. Review the GitHub Actions docs and some examples of GitHub Actions to get a feel for what all actions can do. If you are building a course for your own organization, you can add your own analytics or learning management system integration as part of the Actions workflows. Sharing your course Your course only matters if potential learners know about it. Where can you link to your course? If public, is social media an option? Make sure your course includes keywords and text that someone would search for in Google and other search engines. © 2025 GitHub, Inc. Terms Privacy Status Pricing Expert Services Blog
2026-01-13T08:48:03
https://dev.to/lexiebkm
Alexander B.K. - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Alexander B.K. Full Stack Web Developer Location Batam, Indonesia Joined Joined on  Apr 26, 2019 github website Education Associate Degree in Physics Engineering (Applied Physics) Work Full Stack Web Developer Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close 8 Week Community Wellness Streak Consistency pays off! Be an active part of our community by posting at least 2 comments per week for 8 straight weeks. Earn the 16 Week Badge next. Got it Close 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close More info about @lexiebkm Skills/Languages - VB6, SQL Server, Crystal Reports, FoxPro 2.6 for DOS - Javascript (ES6), React (without Redux) - PHP, Laravel - MySQL Currently learning - Redux, Redux Toolkit, RTK Query - Node.Js, Express - Java - Go aka Golang - C# - PHP, Laravel more detail - REST API Post 0 posts published Comment 300 comments written Tag 0 tags followed Want to connect with Alexander B.K.? Create an account to connect with Alexander B.K.. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/iggredible
Igor Irianto - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Igor Irianto Vim, Rails, cheesy puns Location Dallas, TX Joined Joined on  Apr 27, 2019 Personal website https://irian.to/ twitter website Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close 16 Week Writing Streak You are a writing star! You've written at least one post per week for 16 straight weeks. Congratulations! Got it Close 8 Week Writing Streak The streak continues! You've written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close More info about @iggredible Skills/Languages Main lang: - JS (React, Vue, Node, Express) - Ruby (Rails, Sinatra) Knows: - Python - Elixir - Lisp Currently learning Rails, JS, shell scripts Post 85 posts published Comment 122 comments written Tag 26 tags followed Vim Global Command Igor Irianto Igor Irianto Igor Irianto Follow Nov 19 '22 Vim Global Command # vim # global # ex # command 13  reactions Comments 1  comment 7 min read Want to connect with Igor Irianto? Create an account to connect with Igor Irianto. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Learning Vim Regex Igor Irianto Igor Irianto Igor Irianto Follow Jan 29 '22 Learning Vim Regex # vim # neovim # regex # search 64  reactions Comments 4  comments 22 min read Vimgrep Tips and Tricks Igor Irianto Igor Irianto Igor Irianto Follow Jan 4 '22 Vimgrep Tips and Tricks # vim # grep # vimgrep # tips 26  reactions Comments 3  comments 10 min read The Easy Way to Copy Text in Tmux Igor Irianto Igor Irianto Igor Irianto Follow Nov 22 '21 The Easy Way to Copy Text in Tmux # tmux # vim # vi # tutorial 129  reactions Comments 7  comments 7 min read Tmux Tutorial for Beginners Igor Irianto Igor Irianto Igor Irianto Follow Nov 10 '21 Tmux Tutorial for Beginners # tmux # vim # tutorial # beginners 71  reactions Comments 6  comments 23 min read What Is Inside My Vimrc Igor Irianto Igor Irianto Igor Irianto Follow Sep 16 '21 What Is Inside My Vimrc # vim # vimrc # editor # ide 19  reactions Comments Add Comment 10 min read How to Use Rsync to Backup Your Files Igor Irianto Igor Irianto Igor Irianto Follow Sep 3 '21 How to Use Rsync to Backup Your Files # rsync # backup # cron 35  reactions Comments 2  comments 5 min read Hard Link Vs Symbolic Link 101 Igor Irianto Igor Irianto Igor Irianto Follow Aug 25 '21 Hard Link Vs Symbolic Link 101 # hardlink # symboliclink # softlink # linux 6  reactions Comments Add Comment 7 min read Debugging a Rails App in Vim With Vimspector Igor Irianto Igor Irianto Igor Irianto Follow Aug 14 '21 Debugging a Rails App in Vim With Vimspector 12  reactions Comments Add Comment 6 min read Reducing a Screenshot Size in Mac Igor Irianto Igor Irianto Igor Irianto Follow Aug 11 '21 Reducing a Screenshot Size in Mac # screenshot # image # imagemagick # png 6  reactions Comments Add Comment 4 min read Debugging in Vim with Vimspector Igor Irianto Igor Irianto Igor Irianto Follow Aug 7 '21 Debugging in Vim with Vimspector # vim # vimspector # debug # debugging 132  reactions Comments 6  comments 14 min read Executing a Command in Multiple Files in Vim Igor Irianto Igor Irianto Igor Irianto Follow Jun 3 '21 Executing a Command in Multiple Files in Vim # vim # files # substitute 10  reactions Comments 1  comment 3 min read Interface Segregation Principle Igor Irianto Igor Irianto Igor Irianto Follow Apr 7 '21 Interface Segregation Principle # isp # solid # interface # interfacesegregationprinciple 11  reactions Comments 1  comment 1 min read Liskov Substitution Principle Igor Irianto Igor Irianto Igor Irianto Follow Apr 6 '21 Liskov Substitution Principle # liskov # lsp # solid # oop 9  reactions Comments Add Comment 1 min read What Do Reliability, Scalability, and Maintainability Mean? Igor Irianto Igor Irianto Igor Irianto Follow Apr 3 '21 What Do Reliability, Scalability, and Maintainability Mean? # reliability # scalability # maintainability # practice 14  reactions Comments 1  comment 3 min read Open Closed Principle Igor Irianto Igor Irianto Igor Irianto Follow Mar 30 '21 Open Closed Principle # solid # ocp # reusability # openclosed 9  reactions Comments Add Comment 2 min read Single Responsibility Principle Igor Irianto Igor Irianto Igor Irianto Follow Mar 26 '21 Single Responsibility Principle # solid # single # reusability # srp 7  reactions Comments Add Comment 1 min read Micro-services vs Monolith Architecture Igor Irianto Igor Irianto Igor Irianto Follow Mar 25 '21 Micro-services vs Monolith Architecture # microservices # monolith # scalability # architecture 11  reactions Comments 2  comments 2 min read Loose Coupling Basics Igor Irianto Igor Irianto Igor Irianto Follow Mar 24 '21 Loose Coupling Basics # scalability # coupling # loose # dependency 4  reactions Comments Add Comment 2 min read What the heck are MIME types? Igor Irianto Igor Irianto Igor Irianto Follow Mar 23 '21 What the heck are MIME types? # mime # html # http # https 10  reactions Comments Add Comment 2 min read HTML5 Feature Detection Igor Irianto Igor Irianto Igor Irianto Follow Mar 22 '21 HTML5 Feature Detection # html # features # javascript # dom 7  reactions Comments 1  comment 3 min read Cookies vs Local Storage vs Session Storage Igor Irianto Igor Irianto Igor Irianto Follow Mar 20 '21 Cookies vs Local Storage vs Session Storage # cookies # localstorage # sessionstorage # beginners 104  reactions Comments 8  comments 5 min read Scalability For Beginners Igor Irianto Igor Irianto Igor Irianto Follow Mar 19 '21 Scalability For Beginners # scalability # beginners # 101 9  reactions Comments Add Comment 3 min read Keep your front-end servers stateless to make them scalable Igor Irianto Igor Irianto Igor Irianto Follow Mar 16 '21 Keep your front-end servers stateless to make them scalable # scalability # frontend # redis 10  reactions Comments 2  comments 3 min read Redis For Beginners Igor Irianto Igor Irianto Igor Irianto Follow Mar 13 '21 Redis For Beginners # redis # beginners # nosql 83  reactions Comments 3  comments 8 min read How to search faster in Vim with FZF.vim Igor Irianto Igor Irianto Igor Irianto Follow Jun 30 '20 How to search faster in Vim with FZF.vim # vim # fzf # search # productivity 173  reactions Comments 20  comments 7 min read Why I use Vim Igor Irianto Igor Irianto Igor Irianto Follow Jun 9 '20 Why I use Vim # vim # programming # productivity # unix 47  reactions Comments 15  comments 8 min read Organize data on-the-go with Linux sort Igor Irianto Igor Irianto Igor Irianto Follow Jun 6 '20 Organize data on-the-go with Linux sort # sort # linux # unix # productivity 14  reactions Comments Add Comment 6 min read The Only Vim Insert-Mode Cheatsheet You Ever Needed Igor Irianto Igor Irianto Igor Irianto Follow May 14 '20 The Only Vim Insert-Mode Cheatsheet You Ever Needed # vim # neovim # insert # cheatsheet 79  reactions Comments 11  comments 4 min read Learn how to use vim undo to time travel Igor Irianto Igor Irianto Igor Irianto Follow May 9 '20 Learn how to use vim undo to time travel # vim # undo # productivity # neovim 14  reactions Comments Add Comment 4 min read Working with vim and git Igor Irianto Igor Irianto Igor Irianto Follow May 5 '20 Working with vim and git # vim # neovim # git # fugitive 30  reactions Comments 1  comment 5 min read How to use tags in Vim to jump to definitions quickly Igor Irianto Igor Irianto Igor Irianto Follow Apr 28 '20 How to use tags in Vim to jump to definitions quickly # vim # tags # definition # productivity 41  reactions Comments 2  comments 6 min read How to search and open files in Vim without plugins Igor Irianto Igor Irianto Igor Irianto Follow Apr 23 '20 How to search and open files in Vim without plugins # vim # files # management # productivity 11  reactions Comments 1  comment 7 min read Using buffers, windows, and tabs efficiently in Vim Igor Irianto Igor Irianto Igor Irianto Follow Apr 20 '20 Using buffers, windows, and tabs efficiently in Vim # vim # windows # tab # productivity 82  reactions Comments 12  comments 7 min read What does 2>&1 mean? Igor Irianto Igor Irianto Igor Irianto Follow Apr 17 '20 What does 2>&1 mean? # unix # redirection # stdout # stderr 15  reactions Comments 2  comments 5 min read How to use Vim Packages Igor Irianto Igor Irianto Igor Irianto Follow Apr 14 '20 How to use Vim Packages # vim # neovim # packages # plugins 37  reactions Comments 3  comments 4 min read How to make API request from command line with CURL Igor Irianto Igor Irianto Igor Irianto Follow Apr 9 '20 How to make API request from command line with CURL # curl # https # api # request 26  reactions Comments Add Comment 4 min read How to Use Command Line Find Igor Irianto Igor Irianto Igor Irianto Follow Apr 3 '20 How to Use Command Line Find # find # linux # search # commandline 45  reactions Comments Add Comment 6 min read Introduction to Awk Igor Irianto Igor Irianto Igor Irianto Follow Mar 30 '20 Introduction to Awk # awk # unix # commandline # grep 33  reactions Comments 1  comment 7 min read Basic Vim Mapping Igor Irianto Igor Irianto Igor Irianto Follow Mar 26 '20 Basic Vim Mapping # vim # neovim # map # shortcut 63  reactions Comments Add Comment 5 min read Discovering Vim Global Command Igor Irianto Igor Irianto Igor Irianto Follow Mar 21 '20 Discovering Vim Global Command # vim # neovim # global # productivity 66  reactions Comments 6  comments 7 min read How to Learn Vim in 2020 Igor Irianto Igor Irianto Igor Irianto Follow Mar 18 '20 How to Learn Vim in 2020 # vim # neovim # editor # codenewbie 150  reactions Comments 2  comments 8 min read Introduction to Vim modes Igor Irianto Igor Irianto Igor Irianto Follow Mar 12 '20 Introduction to Vim modes # vim # neovim # programming # linux 58  reactions Comments 2  comments 10 min read Introduction to Ed Editor Igor Irianto Igor Irianto Igor Irianto Follow Mar 10 '20 Introduction to Ed Editor # ed # linux # editor # vim 24  reactions Comments 2  comments 4 min read Mastering Vim grammar Igor Irianto Igor Irianto Igor Irianto Follow Mar 6 '20 Mastering Vim grammar # vim # neovim # editor # grammar 209  reactions Comments 7  comments 6 min read Setting up redirect on firebase Igor Irianto Igor Irianto Igor Irianto Follow Mar 6 '20 Setting up redirect on firebase # seo # firebase # redirect # webdev 10  reactions Comments 2  comments 2 min read HTML forms 101 Igor Irianto Igor Irianto Igor Irianto Follow Feb 27 '20 HTML forms 101 # html # form # input # label 25  reactions Comments 2  comments 5 min read How to load external script in Nuxt app Igor Irianto Igor Irianto Igor Irianto Follow Feb 25 '20 How to load external script in Nuxt app # nuxt # javascript # script # stylesheet 22  reactions Comments 2  comments 2 min read How do you exercise? Igor Irianto Igor Irianto Igor Irianto Follow Feb 18 '20 How do you exercise? # watercooler # exercise # fitness # health 6  reactions Comments 16  comments 1 min read Proto and Prototype in Javascript Igor Irianto Igor Irianto Igor Irianto Follow Feb 11 '20 Proto and Prototype in Javascript # javascript # proto # prototype # codenewbie 20  reactions Comments 2  comments 3 min read Devs, make sure your page is searchable! Igor Irianto Igor Irianto Igor Irianto Follow Feb 4 '20 Devs, make sure your page is searchable! # google # search # seo # webdev 113  reactions Comments 18  comments 2 min read CSS Selectors Cheat Sheet Igor Irianto Igor Irianto Igor Irianto Follow Jan 31 '20 CSS Selectors Cheat Sheet # css # codenewbie # frontend # cheatsheet 53  reactions Comments 1  comment 7 min read Static Site Hosting 101 Igor Irianto Igor Irianto Igor Irianto Follow Jan 25 '20 Static Site Hosting 101 # codenewbie # nuxt # firebase # netlify 45  reactions Comments Add Comment 5 min read Connecting React with Redux Igor Irianto Igor Irianto Igor Irianto Follow Jan 18 '20 Connecting React with Redux # react # redux # javascript # webdev 49  reactions Comments 1  comment 7 min read Redux 101 Igor Irianto Igor Irianto Igor Irianto Follow Jan 11 '20 Redux 101 # redux # react # javascript # frontend 94  reactions Comments 6  comments 6 min read How to download all your DEV articles in markdown format Igor Irianto Igor Irianto Igor Irianto Follow Jan 4 '20 How to download all your DEV articles in markdown format # articles # blog # jamstack # opensource 50  reactions Comments 10  comments 2 min read Automate typing with Vim macros Igor Irianto Igor Irianto Igor Irianto Follow Dec 28 '19 Automate typing with Vim macros # vim # neovim # productivity # macros 42  reactions Comments 8  comments 4 min read Type less and save time with Vim's global command! Igor Irianto Igor Irianto Igor Irianto Follow Dec 21 '19 Type less and save time with Vim's global command! # vim # neovim # global # productivity 79  reactions Comments 8  comments 4 min read Javascript Promise 101 Igor Irianto Igor Irianto Igor Irianto Follow Dec 14 '19 Javascript Promise 101 # javascript # promise # async # then 88  reactions Comments Add Comment 5 min read Execute command line commands from inside vim Igor Irianto Igor Irianto Igor Irianto Follow Dec 7 '19 Execute command line commands from inside vim # vim # productivity # commandline # neovim 61  reactions Comments 12  comments 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/ajtiti/ajtiti-33-korpo-vs-startup-vs-software-house#main-content
AjTiTi #33 - Korpo vs Startup vs Software House - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close AjTiTi [PL] Follow AjTiTi #33 - Korpo vs Startup vs Software House Jan 21 '22 play W dzisiejszym odcinku rozmawiamy o tym, czym wyróżnia się praca programistów w zależności od tego dla jakiego rodzaju firm pracują. Jak to jest być w korpo, dobrze? Pewnie nie ma tak, że to dobrze, albo że nie dobrze... A jak to wygląda, gdy pracujesz w startupie? A może software house? Czym różnią się te typy organizacji, jakie są nasze doświadczenia oraz co polecamy początkującym programistom - o tym wszystkim posłuchasz właśnie tutaj. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://vispero.com/resources/the-anatomy-of-visually-hidden/
The anatomy of visually-hidden - Vispero Skip to content Make your kiosks accessible —  Meet us at NRF 2026 Why Vispero Who We Serve Close Who We Serve Open Who We Serve Commercial Enterprises Education and Libraries Individuals Accessibility Leaders and Practitioners Government and Public Sector Federal Agencies State and Local Government Section 508 and WCAG Compliance Programs What We Offer Close What We Offer Open What We Offer JAWS for Kiosk Assistive Technology JAWS Fusion Zoomtext JAWS Inspect and Tools Digital Accessibility Services Expert services and staffing Audit and VPAT PDF Remediation User Experience and Design Accessibility Training Partners Resources Close Resources Open Resources All Resources Blog Case Studies Podcasts Webinars White Papers & Reports Accessiblity Practice Accessibility 101 Accessibility Managed Services Assistive Technology Digital Accessibility and Compliance Accessibility Audits, Testing and VPAT About Vispero Close About Vispero Open About Vispero About Us Leadership Team Newsroom Events Careers Get Started Contact Us Speak With an Expert Shop Software Get Started Contact Us Speak With an Expert Shop Software Blog The anatomy of visually-hidden Vispero Team November 10, 2022 Accessibiity Practice Home Resources Blog The anatomy of visually-hidden On This Page ADA Title II Compliance Download our ADA Title II Compliance Guide to identify accessibility gaps, prioritize fixes, and build a sustainable digital strategy for long-term compliance. Download Share on LinkedIn Visually-hidden styles are used to hide content from most users, while keeping it accessible to assistive technology users. It works because the content is technically visible and displayed — it appears in the accessibility tree and the render tree, both of which are used by assistive technologies — it’s just that the rendered size is zero. Our industry has largely settled on a standard CSS pattern for this, refined over years of testing and iteration, by many people. This pattern: .visually-hidden { clip: rect(0 0 0 0); clip-path: inset(50%); height: 1px; overflow: hidden; position: absolute; white-space: nowrap; width: 1px; } Most libraries and frameworks include a rule like this, or something very similar, either with the same name, or it’s often called .sr-only ( screen reader only , but that’s not a good name, because visually-hidden content is not just for screen readers). This article is not about when or why you would use visually-hidden content. There’s a number of excellent articles that discuss these questions in detail, notably Scott O’Hara’s Inclusively Hidden . But most of them don’t go into much detail about the specific CSS involved — why do we use this particular pattern, with these specific properties? So today I’m going to dissect it, looking at each of the properties in turn, why it’s there, and why it isn’t something else. Position The most significant property is position . .visually-hidden { position: absolute; ... } This removes the element from the document flow, so it doesn’t take up any space in the layout. Further top and left positions are explicitly not defined; they default to auto , which means that the element’s initial position in the layout doesn’t change. And that is critically important. The original technique for visually-hidden was to use “off-left positioning”, whereby an element was shifted out of the viewport using left:-100em or similar. However that approach has several problems: It causes horizontal scrollbars to appear on RTL (Right to Left) pages. Assistive software that programmatically scrolls content into view may not work correctly, if it’s trying to show content that’s outside the viewport. This can affect screen magnification software used by some people with low vision or reading difficulties. Screen readers cannot show visual indication of their read cursor position, because the read cursor is outside the viewport. In JAWS, this feature is known as Visual Tracking, and it draws a red border around whatever element is being read (whether or not it’s focusable; this is not the same as focus indication). Keeping the element in the same position avoids all those issues. Size and overflow Since we can’t move the element, we visually hide its content by reducing the size and overflow: .visually-hidden { width: 1px; height: 1px; overflow: hidden; ... } Those 1px values are significant. We can’t set zero dimensions on an element with overflow:hidden , because that may cause it to be removed from the accessibility tree (and therefore hidden from assistive technology users). Update — February 2023: Prompted by a conversation on Mastodon , I re-tested this and found that it doesn’t happen anymore. All current browsers and screen readers continue to keep content in the accessibility tree even if it has zero dimensions. However, I don’t know how far back this problem resolves, so I’m reluctant to recommend permanently changing the pattern. The safest bet is to continue to use 1px dimensions, even though it’s probably not necessary. Further update — July 2023: Manuel Matuzović’s article Visually hidden links with 0 dimensions demonstrates that Safari doesn’t focus elements with zero dimensions. Skip links with zero width or height will not be keyboard accessible to Safari users. Therefore, the 1px dimensions are still necessary , and will remain necessary for the foreseeable future. Pixel clipping The sizing and overflow still preserves a single rendered pixel, which could be visible. If the element has a green background, for example, you would still get one green pixel. We get rid of that using clip and/or clip-path : .visually-hidden { clip: rect(0 0 0 0); clip-path: inset(50%); ... } All that does is visually clip the element to 0 × 0, without affecting its content in the accessibility tree. Note that clip is actually redundant here, because the clip-path definition produces the same result. The clip is a legacy hangover, from when clip-path didn’t exist. But now that it does exist and is widely supported (and clip is deprecated anyway), there’s no need to include it unless you need to support Internet Explorer (IE). If you don’t support IE, then clip-path is all you need: .visually-hidden { clip-path: inset(50%); ... } Text wrapping The last thing in the pattern is to prevent text wrapping, using white-space : .visually-hidden { white-space: nowrap; ... } The purpose of this is not obvious. Text wrapping is a visual layout property, why would we need it for content that cannot be seen? The first reason is that it might affect text processing in NVDA. Reducing the size of an element causes the text to wrap. Wrapping in such a small space means that every word is on its own line, and this may cause NVDA to re-interpret spaces as line-breaks, removing them, and thereby causing the entire text to become a single word. J. Renée Beach’s article, Beware smushed off-screen accessible text , describes this issue in more detail, and they recommend using white-space to prevent the text from wrapping in the first place. However I haven’t been able to reproduce this problem in my own testing, so it’s possible that it only applies to older versions of NVDA (the article is from 2016). The second reason is that text wrapping affects the size of the Visual Tracking indicator in JAWS. To give an example, let’s take three sentences with exactly the same text, where the first is unstyled and the others are visually-hidden. In the first case, the tracking indicator surrounds the whole sentence: In the second case, if the text is allowed to wrap , then the tracking indicator matches the space that the text layout requires, as though its overflow were visible. This doesn’t seem to fit the text, it doesn’t look like a sentence, and its extended height would overlap other content: But if we add white-space:nowrap , then now the tracking indicator seems to fit the content: Screen readers are sometimes used to help with visual reading or comprehension (i.e., by people who are not blind), so it’s very important that the visual tracking should be as consistent as possible with the spoken output. This consideration affects other kinds of hidden content as well. For example, when custom checkboxes are implemented with zero opacity on the native control, they should be given the same size and position as the apparent control (see linked example). This provides pointer support without needing any scripting, but it also benefits JAWS users by ensuring that the tracking indicator matches the apparent control, while the read cursor is actually on the native control. A short note on focus Visually-hidden content must not have keyboard focus, otherwise sighted keyboard users could TAB to an element they can’t see. If focusable content is visually-hidden, then it must become visible when it receives focus (this is common behavior with skip links ). The simplest way to enforce that is to negate the :focus state in the selector: .visually-hidden:not(:focus):not(:active) { ... } Update — December 2022: The selector also includes :active negation. The original version of this post did not include that, because logically it shouldn’t be necessary — an element with these styles cannot be in the :active state unless it’s already in the :focus state. However Mehdi Merah commented to point out that Safari does not follow the expected interaction pattern. If an element has keyboard focus, and is then clicked with a pointer, the pointer-down event causes it to lose the :focus state in Safari, meaning that the skip link would disappear before it’s activated. Where we came in And with all of that done, here’s the recommended pattern: .visually-hidden:not(:focus):not(:active) { clip-path: inset(50%); height: 1px; overflow: hidden; position: absolute; white-space: nowrap; width: 1px; } This is almost identical to the example I showed you at the start, except that I’ve added the :focus and :active negation, and removed the unnecessary clip . Where we’re going? It’s all a bit of a hack really. But at least it’s a robust and proven hack, that does what it says on the tin. At least until the fabled day when this becomes reality: .visually-hidden { display: visually-hidden; } Although opinion is divided on whether it’s a good idea to entrench this as a standard, rather than to address the shortcomings that visually-hidden content is intended to work around. For example, having form controls that are fully styleable, or providing native skip-to-content functionality in the browser, would avoid the need for this kind of hack in the longer term. For more about this debate, check out the following articles: The Web Needs a Native .visually-hidden Visually hidden content is a hack that needs to be resolved, not enshrined Like to be notified about more articles like this? Subscribe to the Knowledge Center Newsletter . It not only gives you summaries and links to our technical blog posts but also TPGi webinars, podcasts, and business blog posts – as well as accessibility and web tech conferences and other events, and a reading list of other relevant articles. You get one email a month, it’s free, requires just your email address, and we promise we won’t share that with anyone. Check the archive . Published On: November 10, 2022 Last Updated: December 4, 2025 About Vispero Team Vispero® is the world’s leading assistive technology provider for the visually impaired. We have a long history of developing and providing innovative solutions for blind and low vision individuals that help them reach their full potential. See All Posts by Vispero Team → 17757 US Highway 19 N, Suite 200 Clearwater, FL 33764 Phone: 1-800-444-4443 Why Vispero About Us Partners Resources Events Careers Contact us Commercial Enterprises Education and Libraries Individuals Accessibility Leaders and Practitioners Government and Public Sector • Federal Agencies • State and Local Government • Section 508 and WCAG Compliance Programs Digital Accessibility and Compliance Accessibility Audits, Testing and VPAT Digital Accessibility Services • Expert services and staffing • Audit and VPAT • PDF Remediation • User Experience and Design • Accessibility Training JAWS for Kiosk Assistive Technology • JAWS • Fusion • Zoomtext • JAWS Inspect and Tools © 2025 Vispero Privacy Policy Accessibility Statement Linkedin
2026-01-13T08:48:03
https://addons.mozilla.org/es-MX/firefox/addon/rentgen/
Rentgen – Consigue esta extensión para 🦊 Firefox (es-MX) Buscador de complementos para Firefox Extensiones Temas Más... para Firefox Diccionarios y paquetes de idiomas Otros sitios de navegadores Complementos para Android Cerrar sesión Buscar Buscar Rentgen por “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 reviews) 5 (12 reviews) 216 Users 216 Users Descarga Firefox y obtiene la extensión Descargar archivo Metadata de la extensión Capturas de pantalla Sobre esta extensión Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Developer comments Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Rated 5 by 12 reviewers Inicia sesión para evaluar esta extensión Todavía no hay valoraciones Se guardó la valoración 5 12 4 0 3 0 2 0 1 0 Leer las 12 revisiones Permissions and data Required permissions: Leer y modificar los ajustes de privacidad Controlar configuración proxy del navegador Acceder a tus datos para todos los sitios web Data collection: The developer says this extension doesn't require data collection. Saber más Más información Enlaces del complemento Página de inicio Ayuda del sitio Correo de ayuda Versión 0.2.4 Tamaño 9.55 MB Última actualización hace 21 días (23 de dic. de 2025) Categorías Desarrollo web Privacidad y seguridad Licencia Licencia Pública General de GNU v3.0 solamente Política de privacidad Leer la política de privacidad de este complemento Historial de versiones Ver todas las versiones Etiquetas anti malware anti tracker container privacy security Añadir a la colección Seleccione una colección… Crear una nueva colección Reportar este complemento Ayudar a este desarrollador El desarrollador de esta extensión te pide le ayudes a seguir con el desarrollo haciendo una pequeña contribución. Contribuir ahora Ir a la página de inicio de Mozilla Complementos Acerca de Acerca de los complementos de Firefox Taller de extensiones Central del desarrollador Normativas para desarrolladores Blog Comunitario Foro Informar de un error Guía de revisión Navegadores Desktop Mobile Enterprise Productos Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Privacidad Cookies Legal A menos que se indique lo contrario, el contenido de este sitio está licenciado bajo la licencia Creative Commons Reconocimiento Compartir-Igual v3.0 o una versión posterior. Cambiar idioma Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://bizarro.dev.to/nadia_wali_e37c498e2e2752
Nadia Wali - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Nadia Wali 404 bio not found Joined Joined on  Nov 8, 2025 More info about @nadia_wali_e37c498e2e2752 Post 0 posts published Comment 1 comment written Tag 0 tags followed Want to connect with Nadia Wali? Create an account to connect with Nadia Wali. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://gg.forem.com/t/singleplayer
Singleplayer - Gamers Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Gamers Forem Close # singleplayer Follow Hide Solo epics for the lone wolf in you Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu My First game - Comms Under Fire Shaquille Niekerk Shaquille Niekerk Shaquille Niekerk Follow Dec 11 '25 My First game - Comms Under Fire # gamedev # indie # cloudgaming # singleplayer 8  reactions Comments 3  comments 1 min read Dragon Age trilogy remaster was pitched to EA, but "they basically seem to be against free money" says series veteran Gaming News Gaming News Gaming News Follow Aug 12 '25 Dragon Age trilogy remaster was pitched to EA, but "they basically seem to be against free money" says series veteran # rpg # gamedev # pcgaming # singleplayer Comments Add Comment 1 min read Baldur's Gate 3 Actor Thinks Video Game Performers Are Being "Slept On" In Film And TV Adaptations Gaming News Gaming News Gaming News Follow Aug 12 '25 Baldur's Gate 3 Actor Thinks Video Game Performers Are Being "Slept On" In Film And TV Adaptations # rpg # singleplayer # pcgaming # gamedev Comments Add Comment 1 min read Deus Ex Lead Does Not Want You To Steal His Voice For A Cyberpunk 2077 Mod Gaming News Gaming News Gaming News Follow Aug 8 '25 Deus Ex Lead Does Not Want You To Steal His Voice For A Cyberpunk 2077 Mod # pcgaming # rpg # modding # singleplayer Comments Add Comment 1 min read GOG's Freedom To Buy Campaign Gives Away Controversial Games For Free To Protest Censorship Gaming News Gaming News Gaming News Follow Aug 8 '25 GOG's Freedom To Buy Campaign Gives Away Controversial Games For Free To Protest Censorship # pcgaming # gamedeals # indiegames # singleplayer Comments Add Comment 1 min read ‘They're promoting it with lazy, AI-generated bullsh*t': James Pond creator says he hates sequel studio ‘with a passion' Gaming News Gaming News Gaming News Follow Aug 8 '25 ‘They're promoting it with lazy, AI-generated bullsh*t': James Pond creator says he hates sequel studio ‘with a passion' # retrogaming # platformers # gamedev # singleplayer Comments Add Comment 1 min read Adult Games Are Only The Beginning, Grand Theft Auto And Saints Row Reportedly "At Risk" Of Being Delisted By Payment Processors Gaming News Gaming News Gaming News Follow Aug 8 '25 Adult Games Are Only The Beginning, Grand Theft Auto And Saints Row Reportedly "At Risk" Of Being Delisted By Payment Processors # pcgaming # openworld # sandboxgames # singleplayer Comments Add Comment 1 min read ‘They're promoting it with lazy, AI-generated bullsh*t': James Pond creator says he hates sequel studio ‘with a passion' Gaming News Gaming News Gaming News Follow Aug 7 '25 ‘They're promoting it with lazy, AI-generated bullsh*t': James Pond creator says he hates sequel studio ‘with a passion' # retrogaming # platformers # gamedev # singleplayer Comments Add Comment 1 min read ‘Even the visuals and systems are pretty much the same': Hideo Kojima says too many games are similar these days Gaming News Gaming News Gaming News Follow Aug 7 '25 ‘Even the visuals and systems are pretty much the same': Hideo Kojima says too many games are similar these days # gamedev # indiegames # playstation # singleplayer Comments Add Comment 1 min read After Devil May Cry 5 outsells Monster Hunter Wilds in Capcom's latest financial quarter, publisher's share prices tumble Gaming News Gaming News Gaming News Follow Aug 5 '25 After Devil May Cry 5 outsells Monster Hunter Wilds in Capcom's latest financial quarter, publisher's share prices tumble # pcgaming # rpg # openworld # singleplayer Comments Add Comment 1 min read Capcom's stock price plummets as its latest financial report shows cratering Monster Hunter Wilds sales Gaming News Gaming News Gaming News Follow Aug 5 '25 Capcom's stock price plummets as its latest financial report shows cratering Monster Hunter Wilds sales # pcgaming # rpg # steam # singleplayer Comments Add Comment 1 min read ‘Even the visuals and systems are pretty much the same': Hideo Kojima says too many games are similar these days Gaming News Gaming News Gaming News Follow Aug 5 '25 ‘Even the visuals and systems are pretty much the same': Hideo Kojima says too many games are similar these days # gamedev # indiegames # singleplayer # pcgaming Comments Add Comment 1 min read A month on, Hideo Kojima says 79% of Death Stranding 2 players continued after credits rolled Gaming News Gaming News Gaming News Follow Jul 29 '25 A month on, Hideo Kojima says 79% of Death Stranding 2 players continued after credits rolled # playstation # pcgaming # openworld # singleplayer Comments Add Comment 1 min read Gamers Are Flocking To Brutal Legend To Pay Tribute To Ozzy Osbourne Gaming News Gaming News Gaming News Follow Jul 29 '25 Gamers Are Flocking To Brutal Legend To Pay Tribute To Ozzy Osbourne # pcgaming # xbox # playstation # singleplayer Comments Add Comment 1 min read The Star Wars Outlaws flop - Guillemot blames waning interest in the franchise Gaming News Gaming News Gaming News Follow Jul 21 '25 The Star Wars Outlaws flop - Guillemot blames waning interest in the franchise # openworld # singleplayer # ubisoft # pcgaming Comments Add Comment 1 min read Yves Guillemot blames Star Wars Outlaws flopping on the IP itself being in a bad place Gaming News Gaming News Gaming News Follow Jul 21 '25 Yves Guillemot blames Star Wars Outlaws flopping on the IP itself being in a bad place # pcgaming # playstation # openworld # singleplayer Comments Add Comment 1 min read Ken Levine's Judas is "old-school" - "You buy the game and you get the whole thing" Gaming News Gaming News Gaming News Follow Jul 18 '25 Ken Levine's Judas is "old-school" - "You buy the game and you get the whole thing" # fps # singleplayer # pcgaming # playstation 2  reactions Comments Add Comment 1 min read EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste Gaming News Gaming News Gaming News Follow Jul 18 '25 EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste # simulationgames # sandboxgames # pcgaming # singleplayer Comments Add Comment 1 min read The Only Official John Wick Video Game Is Being Pulled From All Platforms 6 Years After Release Gaming News Gaming News Gaming News Follow Jul 18 '25 The Only Official John Wick Video Game Is Being Pulled From All Platforms 6 Years After Release # indiegames # strategygames # singleplayer # pcgaming Comments Add Comment 1 min read EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste Gaming News Gaming News Gaming News Follow Jul 18 '25 EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste # simulationgames # sandboxgames # singleplayer # pcgaming Comments Add Comment 1 min read Ken Levine's Judas is "old-school" - "You buy the game and you get the whole thing" Gaming News Gaming News Gaming News Follow Jul 17 '25 Ken Levine's Judas is "old-school" - "You buy the game and you get the whole thing" # fps # singleplayer # pcgaming # playstation Comments Add Comment 1 min read EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste Gaming News Gaming News Gaming News Follow Jul 17 '25 EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste # simulationgames # singleplayer # pcgaming # playstation Comments Add Comment 1 min read Ken Levine's Judas is "old-school" - "You buy the game and you get the whole thing" Gaming News Gaming News Gaming News Follow Jul 15 '25 Ken Levine's Judas is "old-school" - "You buy the game and you get the whole thing" # fps # singleplayer # playstation # xbox Comments Add Comment 1 min read "That's Some Real Coward S***" - Hideki Kamiya Discusses The Fallout From The Bayonetta 3 Voiceover Controversy Gaming News Gaming News Gaming News Follow Jul 14 '25 "That's Some Real Coward S***" - Hideki Kamiya Discusses The Fallout From The Bayonetta 3 Voiceover Controversy # nintendo # nintendoswitch # singleplayer # gamedev Comments Add Comment 1 min read EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste Gaming News Gaming News Gaming News Follow Jul 14 '25 EA's latest The Sims 4 patch is making everyone pregnant, including the men and the chaste # pcgaming # playstation # singleplayer # simulationgames Comments Add Comment 1 min read loading... trending guides/resources My First game - Comms Under Fire 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Gamers Forem — An inclusive community for gaming enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#main-content
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/help/fun-stuff#main-content
Fun Stuff - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Fun Stuff Fun Stuff In this article Sloan: The DEV Mascot Caption This!, Meme Monday & More! Caption This! Meme Monday Music Monday Explore for extra enjoyment! Sloan: The DEV Mascot Why is Sloan the Sloth the official DEV Moderator, you ask? Sloths might not seem like your typical software development assistant, but Sloan defies expectations! Here's why: Moderates and Posts Content: Sloan actively moderates and posts content on DEV, ensuring a vibrant and welcoming community. Welcomes New Members: Sloan greets and welcomes new members to the DEV community in our Weekly Welcome thread, fostering a sense of belonging. Answers Your Questions: Have a question you'd like to ask anonymously? Sloan's got you covered! Submit your question to Sloan's Inbox, and they'll post it on your behalf. Visit Sloan's Inbox Follow Sloan! Caption This!, Meme Monday & More! Caption This! Every week, we host a "Caption This" challenge! We share a mysterious picture without context, and it's your chance to work your captioning magic and bring it to life. Unleash your creativity and craft the perfect caption for these quirky images! Meme Monday Meme Monday is our weekly thread where you can join in the laughter by sharing your favorite developer memes. Each week, we select the best one to kick off the next week as the post image, sparking another round of fun and creativity. Music Monday Share what music you're listening to each week on the Music Monday thread , - check back each week for different themes and discover weird and wonderful bands and artists shared by the community! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://addons.mozilla.org/zh-TW/firefox/addon/rentgen/
Rentgen – 下載 🦊 Firefox 擴充套件(zh-TW) Firefox 瀏覽器附加元件 擴充套件 佈景主題 更多… 用於 Firefox 字典與語言套件 其他瀏覽器網站 Android 版的附加元件 登入 搜尋 搜尋 Rentgen 作者: “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5(12 筆評分) 5(12 筆評分) 216 位使用者 216 位使用者 下載 Firefox 並安裝擴充套件 下載檔案 擴充套件後設資料 畫面擷圖 關於此擴充套件 Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy 開發者留言 Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl 由 1 位評論者給出 5 分 登入後即可幫此擴充套件評分 目前沒有評分 已儲存星等 5 12 4 0 3 0 2 0 1 0 閱讀全部 12 條評論 權限與資料 必要權限: 讀取或修改隱私設定 控制瀏覽器代理伺服器設定 存取您所有網站中的資料 收集下列資料: 開發者聲稱此擴充套件不要求收集任何資料。 了解更多 更多資訊 附加元件網址 首頁 技術支援網站 技術支援信箱 版本 0.2.4 大小 9.55 MB 最近更新 21 天前 (2025年12月23日) 相關分類 網頁開發 隱私權與安全性 授權條款 僅 GNU General Public License v3.0 隱私權保護政策 閱讀此附加元件的隱私權保護政策 版本紀錄 瀏覽所有版本 標籤 anti malware anti tracker container privacy security 新增至收藏集 選擇收藏集… 建立新收藏集 檢舉此附加元件 支援這位開發者 這套擴充套件的開發者希望您透過小小的捐獻協助其後續開發。 立刻捐款 前往 Mozilla 官網 附加元件 關於 Firefox 附加元件部落格 擴充套件工作坊 開發者交流中心 開發者政策 社群部落格 討論區 回報 Bug 評論撰寫指南 瀏覽器 Desktop Mobile Enterprise 產品 Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) 隱私權 Cookie 法律資訊 除另有 註明 外,本站內容皆採用 創用 CC 姓名標示—相同方式分享條款 3.0 或更新版本授權大眾使用。 變更語言 Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://neon.tech/storage
Neon Storage: Bottomless, Branchable This 250+ engineer team replaced shared staging with isolated database branches for safer deploys Neon Product Database Autoscaling Automatic instance sizing Branching Faster Postgres workflows Bottomless storage With copy-on-write Instant restores Recover TBs in seconds Connection pooler Built-in with pgBouncer Ecosystem Neon API Manage infra, billing, quotas Auth Add authentication Data API PostgREST-compatible Instagres No-signup flow Migration guides Step-by-step What is Neon? Serverless Postgres, by Databricks Solutions Use cases Serverless Apps Autoscale with traffic Multi-TB Scale & restore instantly Database per Tenant Data isolation without overhead Platforms Offer Postgres to your users Dev/Test Production-like environments Agents Build full-stack AI agents For teams Startups Build with Neon Security Compliance & privacy Case studies Explore customer stories Docs Pricing Company Blog About us Careers Contact Discord 20.7k Log In Sign Up Neon Storage: Bottomless, Branchable The foundation for scalable, copy-on-write Postgres with usage-based pricing and zero storage management. Neon implements a unique storage layer for Postgres that eliminates capacity planning and enables new workflows. Built on a copy-on-write engine backed by bottomless cloud storage, Neon’s architecture removes the constraints of traditional serverful setups, which require pre-provisioned storage volumes and limit scalability. At the same time, it lays the foundation for core Neon features like instant branching and point-in-time restores . Storage constraints in serverful Postgres architectures Most managed Postgres databases follow a version of the architectural pattern laid out by Amazon RDS: under the hood, Postgres runs in a VM that includes a storage volume like EBS. This experience is very rigid, and makes it so even when using a “managed” cloud Postgres, teams still encounter significant storage babysitting events and other inefficiencies. The most common examples: Manual provisioning & rigid scaling. Classic setups require teams to pre-allocate disk storage and expand it manually. Scaling capacity is inflexible, at most one expansion every few hours, and often you can't reduce volume size. This guesswork often leads to over-provisioning and emergency resizes to avoid full disks. Slow cloning and recovery. This architecture also implies that making a copy of a large database or restoring from backup is a time-consuming ordeal. Snapshot-based backups in most cloud databases involve copying the entire dataset from cloud storage and replaying logs, meaning that restoring a multi-terabyte instance can take hours. This delays testing and recovery, impacting development agility and uptime. Low resource efficiency. In traditional plans you pay for capacity whether you use it or not. An RDS instance’s storage and compute are allocated up-front (and billed 24/7), so idle resources and empty disk space burn a hole in your budget. Maintaining standby replicas or separate dev/test instances compounds the cost, even if they’re mostly idle. How Neon reimagines Postgres storage Neon’s architecture separates storage from compute, implementing a multi-tenant cloud service where each layer can scale independently. The Pageserver (running on SSDs) and Safekeepers (which replicate Postgres’ write-ahead log) form a distributed storage system, with durable object storage (e.g., S3) as the ultimate source of truth. This design decouples performance-critical caching and log replication from long-term storage, enabling both dynamic scaling and built-in fault tolerance. Unlike traditional serverful setups, where compute and storage are tightly coupled inside a VM, Neon keeps storage completely independent. A Postgres instance can be paused, scaled, or replicated without moving data. Stateless compute nodes simply reconnect to the storage layer on demand. Because the storage engine ingests and tracks all changes via PostgreSQL’s WAL, it maintains a complete, append-only history of the database. This log-structured design lays the groundwork for advanced features like branching, time travel, and instant recovery, without relying on bulky snapshots or manual intervention. Unique benefits derived from Neon’s implementation Copy-on-write design. Neon’s storage engine never overwrites data in place – it writes new copies of pages when changes occur. When you create a new branch (a copy of the database), Neon doesn’t duplicate the whole dataset. Instead, it references the existing data pages and only writes new pages for data that is modified.This copy-on-write approach avoids expensive full-copy operations. As a result, features like branching, snapshots, and backups no longer require bulk data dumps or lengthy restores. Bottomless capacity, no provisioning. Neon’s bottomless storage design means you never worry about disk size. The system automatically grows and shrinks with your data, leveraging cloud object storage in the background. There’s no need to predict or allocate storage up front – Neon will seamlessly offload cold data to object storage (e.g. S3) and pull it back when needed using its engine. You won’t run out of space and you won’t spend time managing volumes. Built-in caching for performance. A concern with decoupling storage is performance, so Neon’s architecture includes intelligent caching . The Pageserver acts as a high-speed cache on SSDs for recently used data, serving pages to the Postgres compute with minimal latency. In essence, Neon keeps hot data in a cache tier (and in memory) close to the compute, while cold data resides in S3. This means you enjoy the performance of local SSD on your active working set, even as your total data size scales far beyond what SSDs alone could hold. Pay only for actual usage. Neon charges based on the data you actually store, not on a pre-set capacity. This usage-based pricing model means you’re billed for GB-months of storage consumed (and compute time used), rather than for idle headroom. You don’t pay for 500 GB “just in case” when you’re only using 100 GB, a stark contrast to allocation-based plans. This on-demand efficiency can translate into substantially lower costs as you scale, when disks become larger (and more empty) as data gets purged regularly. Branching and instant restores. With a complete WAL history at its core, Neon enables powerful workflows like branching databases and point-in-time recovery with minimal effort. You can spin up a new logical copy of your database in seconds, without copying data, even for datasets with many TBs. Under the hood, Neon simply forks the page history via copy-on-write. Similarly, you can instantly rewind or restore a database to an earlier snapshot in time. The ability to clone or rollback a TB-sized Postgres in moments opens up development and disaster recovery capabilities previously not feasible on managed Postgres . Always durable and multi-AZ resilient. Neon’s storage layer was built for high availability . Every piece of data is redundantly stored across availability zones and in cloud storage. Incoming WAL records are replicated to multiple Safekeepers (each in a different AZ) for durability, then routinely uploaded to the object store (which offers 11 nines of durability). Your data is safe from single-AZ outages or disk failures by default. Operational simplicity through architectural change Neon’s storage engine fundamentally changes what you can expect from Postgres in the cloud. You no longer have to over-provision or constantly manage your database storage. Instead, it expands as needed, stays highly available, and only charges you for actual utilization. This architecture also delivers a better developer experience. Need a fresh database branch for a feature test? It’s a click away. Hit a new growth milestone? Neon transparently handles it with no performance hit, no emergency migrations. Our goal with this design is to offer a truly cloud-native infrastructure layer for Postgres, finally abstracting the storage details and letting you scale with confidence. Try Neon Get started in seconds via our Free Plan . If you have questions, reach out to us . Get started Last updated on June 4, 2025 Was this page helpful? Yes No Thank you for your feedback! On this page Storage constraints in serverful Postgres architectures How Neon reimagines Postgres storage Unique benefits derived from Neon’s implementation Copy-on-write design. Bottomless capacity, no provisioning. Built-in caching for performance. Pay only for actual usage. Branching and instant restores. Always durable and multi-AZ resilient. Operational simplicity through architectural change Suggest edits Back to top Neon A Databricks Company Neon status loading... Made in SF and the World Copyright Ⓒ 2022 – 2026 Neon, LLC Company About Blog Careers Contact Sales Partners Security Legal Privacy Policy Terms of Service DPA Subprocessors List Privacy Guide Cookie Policy Business Information Resources Docs Changelog Support Community Guides PostgreSQL Tutorial Startups Creators Social Discord GitHub x.com LinkedIn YouTube Compliance CCPA Compliant GDPR Compliant ISO 27001 Certified ISO 27701 Certified SOC 2 Certified HIPAA Compliant Compliance Guide Neon’s Sub Contractors Sensitive Data Terms Trust Center
2026-01-13T08:48:03
https://dev.to/search?q=meme%20monday%20ben%20halpern&sort_by=published_at&sort_direction=desc
Search Results for meme monday ben halpern - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Search Search results for meme monday ben halpern Most Relevant Newest Oldest Posts People Organizations Tags Comments Powered by Algolia Posts People Organizations Tags Comments Powered by Algolia 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/adventures_in_devops/the-role-of-ai-in-devops-observability-security-and-efficiency-devops-194#main-content
The Role of AI in DevOps: Observability, Security, and Efficiency - DevOps 194 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in DevOps Follow The Role of AI in DevOps: Observability, Security, and Efficiency - DevOps 194 Mar 28 '24 play Andreas Grabner is the DevOps Activist at Dynatrace, DevRel for CNCF Keptn, CNCF Ambassador, and PurePerformance Podcast host. They dive into the world of DevOps, platform engineering, and the latest developments in technology. In this episode, they explore the impact of AI in DevOps, the significance of observability tools, and the potential security risks associated with AI-generated code. They delve into the challenges of running open-source projects in containers and the importance of using commercial solutions to solve complex engineering problems. They also discuss the evolution of software engineering education, the role of platform engineering in enterprise-scale DevOps, and the necessity of understanding underlying mechanisms and optimizing for specific use cases. Join them as they explore the cutting-edge technologies and industry insights that are shaping the future of DevOps and platform engineering. Sponsors Chuck's Resume Template Developer Book Club Become a Top 1% Dev with a Top End Devs Membership Socials LinkedIn: Andreas Grabner Become a supporter of this podcast: https://www.spreaker.com/podcast/adventures-in-devops--6102036/support . Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://addons.mozilla.org/de/firefox/addon/rentgen/
Rentgen – Holen Sie sich diese Erweiterung für 🦊 Firefox (de) Add-ons für den Firefox-Browser Erweiterungen Themes Mehr… für Firefox Wörterbücher & Sprachpakete Andere Browser-Seiten Add-ons für Android Anmelden Suchen Suchen Rentgen von “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 Bewertungen) 5 (12 Bewertungen) 216 Benutzer 216 Benutzer Laden Sie Firefox herunter und holen Sie sich die Erweiterung Datei herunterladen Metadaten zur Erweiterung Screenshots Über diese Erweiterung Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Entwickler-Kommentare Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Bewertet mit 5 von 12 Bewertern Melden Sie sich an, um diese Erweiterung zu bewerten Es liegen noch keine Bewertungen vor Stern-Bewertung gespeichert 5 12 4 0 3 0 2 0 1 0 12 Bewertungen lesen Berechtigungen und Daten Benötigte Berechtigungen: Datenschutzeinstellungen lesen und ändern Proxy-Einstellungen des Browsers ändern Auf Ihre Daten für diverse Websites zugreifen Datenerfassung: Der Entwickler sagt, dass diese Erweiterung keine Datenerhebung benötigt. Weitere Informationen Weitere Informationen Add-on-Links Homepage Hilfeseite Hilfe-E-Mail-Adresse Version 0.2.4 Größe 9,55 MB Zuletzt aktualisiert vor 21 Tagen (23. Dez. 2025) Verwandte Kategorien Webentwicklung Datenschutz & Sicherheit Lizenz Nur GNU General Public License v3.0 Datenschutzrichtlinie Lesen Sie die Datenschutzrichtlinie für dieses Add-on Versionsgeschichte Alle Versionen anzeigen Schlagwörter anti malware anti tracker container privacy security Zur Sammlung hinzufügen Eine Sammlung auswählen… Neue Sammlung erstellen Dieses Add-on melden Diesen Entwickler unterstützen Der Entwickler dieser Erweiterung bittet Sie, dass Sie die Entwicklung unterstützen, indem Sie einen kleinen Betrag spenden. Jetzt spenden Zur Mozilla-Startseite gehen Add-ons Über Firefox-Add-ons-Blog Erweiterungs-Workshop Entwickler-Zentrum Regeln für Entwickler Blog der Gemeinschaft Forum Einen Fehler melden Bewertungsleitfaden Browser Desktop Mobile Enterprise Produkte Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Datenschutz Cookies Rechtliches Sofern nicht anders vermerkt , steht der Inhalt dieser Seite unter der Creative Commons Attribution Share-Alike License v3.0 oder einer späteren Version. Sprache ändern Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://dev.to/podcast-on-api-design-and-development-strategies/fintech-open-banking-security-feat-clyde-cutting-at-truist#main-content
Fintech, Open Banking, & Security feat. Clyde Cutting at Truist - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close API Intersection Follow Fintech, Open Banking, & Security feat. Clyde Cutting at Truist Nov 16 '23 play This week on API Intersection , we talk with our friend Clyde Cutting at Truist, who has years and years of experience working in the open banking world. If you want insights into open banking, security, and fintech, this episode has got you covered. Enjoy, and check out Clyde's LinkedIn if you're looking to learn more or get in touch. _____ To subscribe to the podcast, visit https://stoplight.io/podcast Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://cursor.com/bugbot
Bugbot · Cursor Skip to content Cursor Features Enterprise Pricing Resources ↓ Changelog Blog Docs  ↗ Community Learn  ↗ Workshops Forum  ↗ Careers Features Enterprise Pricing Resources  → Sign in Download Features   /   Bugbot AI will be central to how we review code, not just produce it. Try Bugbot for free A mandatory pre-merge check for thousands of teams. Catch real bugs and security issues Bugbot optimizes for detecting the hardest logic bugs with a low false positive rate. This element contains an interactive demo for sighted users. It's a demonstration of Cursor integrated within GitHub, showing AI-powered code review and debugging assistance. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. GitHub Pull Request Get BugBot Review Cursor bot reviewed 2 days ago backend/server/src/bugbotGithub/applyBugbotPRReview.ts 228 - const reviewCommentsResponse = await octokit.request('GET /repos/{owner}/{repo}/pulls/comments'); 228 + const reviewCommentsResponse = await octokit.request('GET /repos/{owner}/{repo}/pulls/{pull_number}/comments', { 229 owner: repository.owner, 230 repo: repository.repo, 231 pull_number: pullRequest.issueNumber, 232 - review_id: commentResponse.data.id, 232 + since: new Date(Date.now() - 10000).toISOString(), // Only get recent comments 233 }); Cursor bot 2 days ago Bug: PR Comments Fetching Misses New Inline Comments (Potential edge case) By switching to all PR comments and relying on a fixed 10s since filter without pagination, Bugbot can miss new inline comments — either due to timing delays or because they aren't included in the first batch of results. Fix in Cursor Fix in Web Ship with confidence When enabled, Bugbot automatically runs in the background on new PRs. Interactive demo with multiple windows showing Cursor's AI-powered features. Overview Settings Members Integrations Cloud Agents Bugbot Usage Docs Contact Us Bugbot Settings Automatically review pull requests (PRs) for bugs and issues Only Run When Mentioned Only run when 'bugbot run' or '@cursor review' is commented on a PR Only Run Once Automatically Automatically review when a PR is published, ignoring new pushes Review Draft PRs Allow Bugbot to automatically review draft pull requests Team scopes anysphere Team Managed mayagao Team Managed Uphold code standards Define rules, enforce best practices, and set up project-specific guidelines. This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor EVERYSPHERE .cursor rules transfer-funds.mdc production.mdc financial-security-standards.mdc payment-processing.mdc kyc-verification.mdc fraud-detection.mdc banking-integration.mdc crypto-trading.mdc compliance-reporting.mdc financial-security-standards.mdc -- description: Security and compliance standards for financial services development globs: - src/payments/**/* - src/transactions/**/* - src/compliance/**/* alwaysApply: true --   Financial Data Handling Use Decimal.js or BigNumber.js for all monetary calculations Never store raw credit card numbers; use tokenization via Stripe/Adyen Implement double-entry bookkeeping for transaction integrity All amounts must include currency codes (USD, EUR, etc.) Validate account numbers using Luhn algorithm before processing     Templates @payment-processor.ts @compliance-audit-logger.ts @financial-validator.ts       Quickly resolve issues Bugbot is built to work tightly with Cursor; with one click, kick off an agent to scaffold a fix. This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor Fix PR Comments Fetching Issue Fix this bug... The user avatar image `src` (`marketing-static/icon-192x192.png`) is missing a leading slash. This relative path can cause the image to fail loading when the component is used in different URL contexts, as it resolves relative to the current page instead of the site root. Thought 6s Searched PR comments fetching patterns and GitHub API pagination I can see the issue! The bug is in the PR comments fetching logic in applyBugbotPRReview.ts . Agent GPT-5 Trusted by top engineering organizations The hit rate from Bugbot is insane. Catching bugs early saves huge downstream cost. Bugbot slotted perfectly into our flow. David Cramer Co‑Founder & CPO , Sentry Our resolution rate with Bugbot is over 50%. Bugbot finds real bugs after human approval. Avoiding one sev pays for itself. Kodie Goodwin AI Engineering Leader , Discord Bugbot helps give back 40% of time spent on code reviews. It's helping our top engineers hold the line on quality while keeping up with shipping pace. Ankur Bhatt Head of AI Engineering , Rippling Bugbot blew us away with the nuance of bugs it was catching. It's incredibly strong at reviewing AI-generated code and gives us confidence in quality. Vijay Iyengar AI Engineering Leader , Sierra Learn more Bugbot is out of beta Automatically review your PRs with Bugbot Read blog post → Code Review Review pull requests and identify bugs, security issues, and code quality problems. View docs ↗ Questions & Answers How does Bugbot integrate with my existing workflow? ↓ ↑ Can I customize how Bugbot does reviews? ↓ ↑ How accurate is Bugbot's bug detection? ↓ ↑ Can I try Bugbot before purchasing? ↓ ↑ Get started with Bugbot. Try Bugbot for free → Product Features Enterprise Web Agents Bugbot CLI Pricing Resources Download Changelog Docs  ↗ Learn  ↗ Forum  ↗ Status  ↗ Company Careers Blog Community Workshops Students Brand Legal Terms of Service Privacy Policy Data Use Security Connect X  ↗ LinkedIn  ↗ YouTube  ↗ © 2026 Cursor 🛡 SOC 2 Certified 🌐 English ↓ English ✓ 简体中文 日本語 繁體中文 Skip to content Cursor Features Enterprise Pricing Resources ↓ Changelog Blog Docs  ↗ Community Learn  ↗ Workshops Forum  ↗ Careers Features Enterprise Pricing Resources  → Sign in Download Features   /   Bugbot AI will be central to how we review code, not just produce it. Try Bugbot for free A mandatory pre-merge check for thousands of teams. Catch real bugs and security issues Bugbot optimizes for detecting the hardest logic bugs with a low false positive rate. This element contains an interactive demo for sighted users. It's a demonstration of Cursor integrated within GitHub, showing AI-powered code review and debugging assistance. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. GitHub Pull Request Get BugBot Review Cursor bot reviewed 2 days ago backend/server/src/bugbotGithub/applyBugbotPRReview.ts 228 - const reviewCommentsResponse = await octokit.request('GET /repos/{owner}/{repo}/pulls/comments'); 228 + const reviewCommentsResponse = await octokit.request('GET /repos/{owner}/{repo}/pulls/{pull_number}/comments', { 229 owner: repository.owner, 230 repo: repository.repo, 231 pull_number: pullRequest.issueNumber, 232 - review_id: commentResponse.data.id, 232 + since: new Date(Date.now() - 10000).toISOString(), // Only get recent comments 233 }); Cursor bot 2 days ago Bug: PR Comments Fetching Misses New Inline Comments (Potential edge case) By switching to all PR comments and relying on a fixed 10s since filter without pagination, Bugbot can miss new inline comments — either due to timing delays or because they aren't included in the first batch of results. Fix in Cursor Fix in Web Ship with confidence When enabled, Bugbot automatically runs in the background on new PRs. Interactive demo with multiple windows showing Cursor's AI-powered features. Overview Settings Members Integrations Cloud Agents Bugbot Usage Docs Contact Us Bugbot Settings Automatically review pull requests (PRs) for bugs and issues Only Run When Mentioned Only run when 'bugbot run' or '@cursor review' is commented on a PR Only Run Once Automatically Automatically review when a PR is published, ignoring new pushes Review Draft PRs Allow Bugbot to automatically review draft pull requests Team scopes anysphere Team Managed mayagao Team Managed Uphold code standards Define rules, enforce best practices, and set up project-specific guidelines. This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor EVERYSPHERE .cursor rules transfer-funds.mdc production.mdc financial-security-standards.mdc payment-processing.mdc kyc-verification.mdc fraud-detection.mdc banking-integration.mdc crypto-trading.mdc compliance-reporting.mdc financial-security-standards.mdc -- description: Security and compliance standards for financial services development globs: - src/payments/**/* - src/transactions/**/* - src/compliance/**/* alwaysApply: true --   Financial Data Handling Use Decimal.js or BigNumber.js for all monetary calculations Never store raw credit card numbers; use tokenization via Stripe/Adyen Implement double-entry bookkeeping for transaction integrity All amounts must include currency codes (USD, EUR, etc.) Validate account numbers using Luhn algorithm before processing     Templates @payment-processor.ts @compliance-audit-logger.ts @financial-validator.ts       Quickly resolve issues Bugbot is built to work tightly with Cursor; with one click, kick off an agent to scaffold a fix. This element contains an interactive demo for sighted users. It's a demonstration of Cursor's IDE showing AI-powered coding assistance features. The interface is displayed over a scenic painted landscape wallpaper, giving the demo an artistic backdrop. Cursor Fix PR Comments Fetching Issue Fix this bug... The user avatar image `src` (`marketing-static/icon-192x192.png`) is missing a leading slash. This relative path can cause the image to fail loading when the component is used in different URL contexts, as it resolves relative to the current page instead of the site root. Thought 6s Searched PR comments fetching patterns and GitHub API pagination I can see the issue! The bug is in the PR comments fetching logic in applyBugbotPRReview.ts . Agent GPT-5 Trusted by top engineering organizations The hit rate from Bugbot is insane. Catching bugs early saves huge downstream cost. Bugbot slotted perfectly into our flow. David Cramer Co‑Founder & CPO , Sentry Our resolution rate with Bugbot is over 50%. Bugbot finds real bugs after human approval. Avoiding one sev pays for itself. Kodie Goodwin AI Engineering Leader , Discord Bugbot helps give back 40% of time spent on code reviews. It's helping our top engineers hold the line on quality while keeping up with shipping pace. Ankur Bhatt Head of AI Engineering , Rippling Bugbot blew us away with the nuance of bugs it was catching. It's incredibly strong at reviewing AI-generated code and gives us confidence in quality. Vijay Iyengar AI Engineering Leader , Sierra Learn more Bugbot is out of beta Automatically review your PRs with Bugbot Read blog post → Code Review Review pull requests and identify bugs, security issues, and code quality problems. View docs ↗ Questions & Answers How does Bugbot integrate with my existing workflow? ↓ ↑ Can I customize how Bugbot does reviews? ↓ ↑ How accurate is Bugbot's bug detection? ↓ ↑ Can I try Bugbot before purchasing? ↓ ↑ Get started with Bugbot. Try Bugbot for free → Product Features Enterprise Web Agents Bugbot CLI Pricing Resources Download Changelog Docs  ↗ Learn  ↗ Forum  ↗ Status  ↗ Company Careers Blog Community Workshops Students Brand Legal Terms of Service Privacy Policy Data Use Security Connect X  ↗ LinkedIn  ↗ YouTube  ↗ © 2026 Cursor 🛡 SOC 2 Certified 🌐 English ↓ English ✓ 简体中文 日本語 繁體中文
2026-01-13T08:48:03
https://addons.mozilla.org/pt-BR/firefox/addon/rentgen/
Rentgen – Instale esta extensão para o 🦊 Firefox (pt-BR) Extensões do Navegador Firefox Extensões Temas Mais… Firefox Dicionários e Pacotes de Idioma Outros navegadores Extensões para Android Entrar Pesquisar Pesquisar Rentgen por “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 avaliações) 5 (12 avaliações) 216 usuários 216 usuários Baixe o Firefox e instale a extensão Baixar arquivo Metadados da extensão Capturas de tela Sobre esta extensão Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Comentários do desenvolvedor Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Avaliado em 5 por 1 revisor Identifique-se para avaliar esta extensão Ainda não existem avaliações Avaliação salva 5 12 4 0 3 0 2 0 1 0 Ler todas as 12 análises Permissões e dados Permissões necessárias: Ler e modificar as configurações de privacidade Controlar configurações de proxy de navegação Acessar seus dados em todos os sites visitados Coleta de dados: O desenvolvedor afirma que esta extensão não requer coleta de dados. Saiba mais Mais informações Links da extensão Página Inicial Site de suporte Email de suporte Versão 0.2.4 Tamanho 9,55 MB Ultima atualização há 21 dias (23 de dez de 2025) Categorias relacionadas Desenvolvimento Web Privacidade e Segurança Licença Somente GNU General Public License v3.0 Política de privacidade Leia a política de privacidade desta extensão Histórico de versões Ver todas as versões Etiquetas anti malware anti tracker container privacy security Adicionar a uma coleção Selecione uma coleção… Criar nova coleção Denunciar esta extensão Ajudar este desenvolvedor O desenvolvedor desta extensão pede que você ajude a apoiar seu desenvolvimento contínuo fazendo uma pequena contribuição. Contribuir agora Ir para a página inicial da Mozilla Extensões Sobre Blog de extensões do Firefox Workshop de extensões Central do desenvolvedor Diretivas do desenvolvedor Blog da comunidade Fórum Relatar um erro Guia de análise Navegadores Desktop Mobile Enterprise Produtos Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Privacidade Cookies Jurídico Exceto onde de outra forma notado , o conteúdo deste site está licenciado sob a Creative Commons Licença de Atribuição Compartilha-Igual v3.0 ou qualquer versão posterior. Alterar idioma Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://addons.mozilla.org/pl/firefox/addon/rentgen/reviews/?score=1
Recenzje dodatku Rentgen — dodatki do Firefoksa (pl) Aby używać tych dodatków, potrzebujesz pobrać Firefoksa . Zamknij to powiadomienie Dodatki do przeglądarki Firefox Rozszerzenia Motywy Więcej… do Firefoksa Słowniki i pakiety językowe Inne strony Dodatki na Androida Zaloguj się Wyszukaj Wyszukaj Recenzje dodatku Rentgen Rentgen Autor: “Internet. Time to act!” Foundation Ocena: 5/5 5 gwiazdek/5 5 12 4 0 3 0 2 0 1 0 Wszystkie recenzje Tylko pięciogwiazdkowe recenzje Tylko czterogwiazdkowe recenzje Tylko trzygwiazdkowe recenzje Tylko dwugwiazdkowe recenzje Tylko jednogwiazdkowe recenzje Nie ma żadnych recenzji Strona domowa Mozilli Dodatki O serwisie Blog dodatków do Firefoksa Warsztat rozszerzeń Strefa autora Zasady programistów Blog społeczności Forum Zgłoś błąd Wytyczne recenzji Przeglądarki Desktop Mobile Enterprise Produkty Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Prywatność Ciasteczka Kwestie prawne O ile nie wskazano inaczej , treść tej strony jest dostępna na warunkach licencji Creative Commons Attribution Share-Alike w wersji 3.0 lub nowszej. Zmień język Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://developers.reddit.com/apps/spam-src-spotter
Spam Source Spotter | Reddit for Developers Readme A moderation bot to report posts that are from domains that are not commonly used. On many subreddits, most posts originate from a relatively predictable list of domains, and if a domain is posted that has never been seen before it can be an indication of spam activity. This app allows you to set three options. Act on sources that have been seen this many times or less E.g. if the threshold is zero, no posts will be reported. Some subs might find it useful to run with this setting for a week or two after install to help build up a store of domains that the sub sees (although the app does attempt to build a list on install - see the Operation Notes section). If the threshold is 2, the first and second post that uses that domain will be reported, but no further ones. Check posts after approving out of the modqueue If enabled, posts will be checked both when they are submitted (if they get past Automod or Reddit filters like Crowd Control) and when filtered posts get approved out of the modqueue. If disabled, posts will only be checked if they get past Automod/Reddit filters. Template for report text Allows you to specify a custom reporting message. Placeholders {{domain}} and {{usecount}} are supported. Operation Notes When the app is first installed, it analyses the first 1000 subreddit posts when sorted by "hot" and stores the number of times each has been used. This should reduce the number of spurious reports that would otherwise occur if every post was considered the "first time"! After that point, the app will gather statistics on domains seen as posts are created or approved out of the modqueue, maintaining this data store. If a post has been removed by a moderator or deleted by its author, it is not taken into account for future reports. Checks are not currently run on posts while they are still in the moderation queue because it is not possible to report a queued post. This means that you may find you approve a post and then immediately get a report from the app unless you turn off that option. Source Code Spam Source Spotter is open source. You can find the source code on Github here . Change History v1.1.1 Update Devvit and dependencies to the latest version. No user facing changes on this release. v1.1 Fixes a bug that can result in usage count not decrementing when a post is deleted Fixes a bug that can prevent install from working on some subreddits Update Devvit and dependencies to latest version v1.0.3 Fixed an error that prevented scores from being decremented is a user deletes their own post. About this app fsv Creator App identifier spam-src-spotter Version 1.1.1 Send feedback Terms and conditions Privacy policy Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:48:03
https://neon.tech/docs/introduction/read-replicas
Neon Read Replicas - Neon Docs This 250+ engineer team replaced shared staging with isolated database branches for safer deploys Neon Docs Search ... Ask AI Log In Sign Up Get started About Connect Connect to Neon Clients & tools Troubleshooting Develop Frontend & Frameworks Frameworks Languages ORMs Backend Data API Neon Auth Postgres RLS AI AI for Agents AI App Starter Kit Tools & Workflows API, CLI & SDKs Local development Integrations (3rd party) Workflows & CI/CD Templates Examples repo Manage Neon platform Plans and billing Neon on Azure Security & compliance Postgres Extensions Postgres guides Compatibility Version support Upgrade PostgreSQL Tutorial Resources Status Support Changelog Roadmap Early access Community Glossary RSS feeds Platform integration Search ... Ask AI About Neon Architecture Architecture overview   Compute lifecycle   Serverless   Autoscaling Overview   Autoscaling architecture   Autoscaling algorithm   Configure autoscaling   Scale to zero Scale to zero   Scale to zero guide   Branching Get started with branching   About branching   Branching workflows   Branch archiving   Branch expiration   Schema-only branches   Reset from parent   Read replicas Overview   Create and manage   Use cases   Read-only access   Ad-hoc queries   Analytics queries   Scale applications   With ORMs   Prisma   Logical replication Getting started   Concepts   In Neon   Commands   Schema changes   Tips   Data recovery Backup & restore   Restore window   Instant restore   Time Travel   Time Travel tutorial   Schema diff   Schema diff tutorial   Data protection IP Allow   Private Networking   Protected branches   High availability High availability   / Overview Neon Read Replicas Scale your app, run ad-hoc queries, and provide read-only access without duplicating data Neon read replicas are independent computes designed to perform read operations on the same data as your primary read-write compute. Neon's read replicas do not replicate or duplicate data. Instead, read requests are served from the same storage, as shown in the diagram below. While your read-write queries are directed through your primary compute, read queries can be offloaded to one or more read replicas. You can instantly create read replicas for any branch in your Neon project and configure the compute size allocated to each. Read replicas also support Neon's Autoscaling and Scale to Zero features, providing you with the same control over compute resources that you have with your primary compute. How are Neon read replicas different? No additional storage is required : With read replicas reading from the same source as your primary read-write compute, no additional storage is required to create a read replica. Data is neither duplicated nor replicated. Creating a read replica involves spinning up a read-only compute instance, which takes a few seconds. You can create them almost instantly : With no data replication required, you can create read replicas almost instantly. They are cost-efficient : With no additional storage or transfer of data, costs associated with storage and data transfer are avoided. Neon's read replicas also benefit from Neon's Autoscaling and Scale to Zero features, which allow you to manage compute usage. They are instantly available : You can allow read replicas to scale to zero when not in use without introducing lag. When a read replica starts up in response to a query, it is up to date with your primary read-write compute almost instantly. How do you create read replicas? You can create read replicas using the Neon Console, Neon CLI , or Neon API , providing the flexibility required to integrate read replicas into your workflow or CI/CD processes. From the Neon Console, it's a simple Add Read Replica action on a branch. note You can add read replicas to a branch as needed to accommodate your workload. The Free plan is limited to a maximum of 3 read replica computes per project. From the CLI or API: CLI API neon branches add-compute mybranch --type read_only For more details and how to connect to a read replica, see Create and manage Read Replicas . Read Replica architecture The following diagram shows how your primary compute and read replicas send read requests to the same Pageserver, which is the component of the Neon architecture that is responsible for serving read requests. Neon read replicas are asynchronous, which means they are eventually consistent . As updates are made by your primary compute, Safekeepers store the data changes durably until they are processed by Pageservers. At the same time, Safekeepers keep read replica computes up to date with the most recent changes to maintain data consistency. Cross-region support Neon only supports creating read replicas in the same region as your database. However, a cross-region replica setup can be achieved by creating a Neon project in a different region and replicating data to that project via logical replication . For example, you can replicate data from a Neon project in a US region to a Neon project in a European region following our Neon-to-Neon logical replication guide . Read-only access to the replicated database can be managed at the application level. Use cases Neon's read replicas have a number of applications: Horizontal scaling : Scale your application by distributing read requests across replicas to improve performance and increase throughput. Analytics queries : Offloading resource-intensive analytics and reporting workloads to reduce load on the primary compute. Read-only access : Granting read-only access to users or applications that don't require write permissions. Get started with read replicas To get started with read replicas, refer to our guides: Create and manage Read Replicas Learn how to create, connect to, configure, delete, and monitor read replicas Scale your app with Read Replicas Scale your app with read replicas using built-in framework support Run analytics queries with Read Replicas Leverage read replicas for running data-intensive analytics queries Run ad-hoc queries with Read Replicas Leverage read replicas for running ad-hoc queries Provide read-only access with Read Replicas Leverage read replicas to provide read-only access to your data Previous Reset from parent Next Create and manage Last updated on December 3, 2025 Was this page helpful? Yes No Thank you for your feedback! On this page How are Neon read replicas different? How do you create read replicas? Read Replica architecture Cross-region support Use cases Get started with read replicas Copy page as markdown Edit this page on GitHub Open in ChatGPT Neon Docs Neon A Databricks Company Neon status loading... Made in SF and the World Copyright Ⓒ 2022 – 2026 Neon, LLC Company About Blog Careers Contact Sales Partners Security Legal Privacy Policy Terms of Service DPA Subprocessors List Privacy Guide Cookie Policy Business Information Resources Docs Changelog Support Community Guides PostgreSQL Tutorial Startups Creators Social Discord GitHub x.com LinkedIn YouTube Compliance CCPA Compliant GDPR Compliant ISO 27001 Certified ISO 27701 Certified SOC 2 Certified HIPAA Compliant Compliance Guide Neon’s Sub Contractors Sensitive Data Terms Trust Center
2026-01-13T08:48:03
https://addons.mozilla.org/sk/firefox/addon/rentgen/
Rentgen – rozšírenie pre 🦊 Firefox (sk) Doplnky pre prehliadač Firefox Rozšírenia Témy vzhľadu Ďalšie… Pre Firefox Slovníky a jazykové balíky Stránky ostatných prehliadačov Doplnky pre Android Prihlásiť sa Hľadať Hľadať Rentgen Autor: “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (počet recenzií: 12) 5 (počet recenzií: 12) 216 používateľov 216 používateľov Stiahnuť Firefox a získať rozšírenie Stiahnuť súbor Metadáta rozšírenia Snímky obrazovky O tomto rozšírení Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Komentáre vývojára Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Hodnotené 5 od 12 recenzentov Ak chcete ohodnotiť toto rozšírenie, musíte sa prihlásiť Doplnok zatiaľ nie je ohodnotený Hodnotenie bolo uložené 5 12 4 0 3 0 2 0 1 0 Prečítajte si 12 recenzií Povolenia a údaje Požadované oprávnenia: Čítať a upravovať nastavenia súkromia Kontrola nad nastavením proxy Pristupovať k údajom pre všetky webové stránky Zber údajov: Vývojár uvádza, že toto rozšírenie nevyžaduje zhromažďovanie údajov. Ďalšie informácie Ďalšie informácie Odkazy doplnku Domovská stránka Stránka podpory E‑mail podpory Verzia 0.2.4 Veľkosť 9,55 MB Posledná aktualizácia pred 21 dňami (23. dec 2025) Príbuzné kategórie Tvorba webu Súkromie a bezpečnosť Licencia Len GNU General Public License v3.0 Zásady ochrany osobných údajov Prečítajte si Zásady ochrany osobných údajov pre tento doplnok História verzií Zobraziť všetky verzie Značky anti malware anti tracker container privacy security Pridať do kolekcie Vyberte kolekciu… Vytvoriť novú kolekciu Nahlásiť tento doplnok Podporte tohto vývojára Vývojár tohto rozšírenia žiada o podporu v jeho vývoji zaslaním malého príspevku. Prispejte teraz Prejsť na domovskú stránku Mozilly Doplnky O nás Blog o doplnkoch pre Firefox Workshop tvorby rozšírenia Centrum pre vývojárov Pravidlá pre vývojárov Komunitný blog Fórum Nahlásiť chybu Pokyny pre recenzentov Prehliadače Desktop Mobile Enterprise Produkty Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Súkromie Cookies Právne informácie Ak nie je uvedené inak, obsah tejto stránky je dostupný pod licenciou Creative Commons Attribution Share-Alike License v3.0 alebo jej akejkoľvek vyššej verzie. Zmeniť jazyk Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://dev.to/help/fun-stuff#Music-Monday
Fun Stuff - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Fun Stuff Fun Stuff In this article Sloan: The DEV Mascot Caption This!, Meme Monday & More! Caption This! Meme Monday Music Monday Explore for extra enjoyment! Sloan: The DEV Mascot Why is Sloan the Sloth the official DEV Moderator, you ask? Sloths might not seem like your typical software development assistant, but Sloan defies expectations! Here's why: Moderates and Posts Content: Sloan actively moderates and posts content on DEV, ensuring a vibrant and welcoming community. Welcomes New Members: Sloan greets and welcomes new members to the DEV community in our Weekly Welcome thread, fostering a sense of belonging. Answers Your Questions: Have a question you'd like to ask anonymously? Sloan's got you covered! Submit your question to Sloan's Inbox, and they'll post it on your behalf. Visit Sloan's Inbox Follow Sloan! Caption This!, Meme Monday & More! Caption This! Every week, we host a "Caption This" challenge! We share a mysterious picture without context, and it's your chance to work your captioning magic and bring it to life. Unleash your creativity and craft the perfect caption for these quirky images! Meme Monday Meme Monday is our weekly thread where you can join in the laughter by sharing your favorite developer memes. Each week, we select the best one to kick off the next week as the post image, sparking another round of fun and creativity. Music Monday Share what music you're listening to each week on the Music Monday thread , - check back each week for different themes and discover weird and wonderful bands and artists shared by the community! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Ffeatures%2Fcode-review
Sign in to GitHub · GitHub Skip to content You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time.
2026-01-13T08:48:03
https://neon.tech/blog/point-in-time-recovery-in-postgres
Point In Time Recovery Under the Hood in Serverless Postgres - Neon This 250+ engineer team replaced shared staging with isolated database branches for safer deploys Neon Product Database Autoscaling Automatic instance sizing Branching Faster Postgres workflows Bottomless storage With copy-on-write Instant restores Recover TBs in seconds Connection pooler Built-in with pgBouncer Ecosystem Neon API Manage infra, billing, quotas Auth Add authentication Data API PostgREST-compatible Instagres No-signup flow Migration guides Step-by-step What is Neon? Serverless Postgres, by Databricks Solutions Use cases Serverless Apps Autoscale with traffic Multi-TB Scale & restore instantly Database per Tenant Data isolation without overhead Platforms Offer Postgres to your users Dev/Test Production-like environments Agents Build full-stack AI agents For teams Startups Build with Neon Security Compliance & privacy Case studies Explore customer stories Docs Pricing Company Blog About us Careers Contact Discord 20.7k Log In Sign Up Postgres Feb 22, 2024 Point In Time Recovery Under the Hood in Serverless Postgres Disaster recovery and Time Travel queries in Neon Postgres We are Neon, the serverless Postgres. We separate storage and compute, allowing developers to query their database at any point in its history. In this article, Raouf explains how Neon’s storage system enables Time Travel queries to confidently run your Point In Time Restore processes. Imagine working on a crucial project when suddenly, due to an unexpected event, you lose significant chunks of your database. Whether it’s a human error, a malicious attack, or a software bug, data loss is a nightmare scenario. But fear not! We recently added support for Point-In-Time Restore (PITR) to Neon, so you can turn back the clock to a happier moment before things went south. You can try PITR on Neon for free now . In the video below and in the PITR announcement article , my friend Evan shows you can recover your data in a few clicks. He also uses Time Travel Assist to observe the state of the database at a given timestamp to confidently and safely run the restore process. How is this possible? This article is for those interested in understanding how PITR works under the hood in Neon. To better explain this, we will:  Cover the basics of PITR in Postgres  Explore the underlying infrastructure that allows for PITR in Neon.  We’ll ensure by the end of this post that you’re always prepared for disaster strikes. Understanding the basics of Point In-Time Recovery in Postgres PITR in Postgres is made possible using two key components: Write-Ahead Logging : Postgres uses Write-Ahead Logging (WAL) to record all changes made to the database. Think of WAL as the database’s diary, keeping track of every detail of its day-to-day activities.  Base backups : Base backups are snapshots of your database at a particular moment in time.  With these two elements combined, you define a strategy to restore your database to any point after the base backup was taken, effectively traveling through your database’s timeline. However, you’d need to do some groundwork, which consists of the following: Setting up WAL archiving: By defining an `archive_command` and setting `archive_mode` to `on`  in your `postgresql.conf`. Creating base backups: You can use the `pg_basebackup` to create daily backups. If, for any reason, you need to restore your database, you need to recover the latest backup and replay the WAL on top of it. The same logic applies to restoring from a point in time in the retention period.  Let’s say we want to restore the database to its state on February 1st at 14:30. We first locate the last backup file created before that target time, restore it, and then replay the WAL up to that time.  Great! We now know how to perform a PITR in Postgres. However, there are a few limitations to this approach: You might notice a drop in performance while performing backups,  Because you have a finite storage capacity, you must define a limit to your archived WAL. This limit is known as the retention period (a.k.a history retention), which determines how far back in time your data can be restored. You have a single point of failure (SPOF) since all base backups and WAL archives are in the same location. We can enhance our architecture by adopting disaster recovery tools like Barman to avoid SPOF and downtime. With Barman, Postgres streams base backups and WAL archives to an external backup server. Or, if you know what you’re doing, you can configure Postgres to stream base backups and WAL archives to an AWS S3 bucket, and add a standby, which serves as an exact copy of your database, to avoid downtime. Your setup would look like this: To sum it up and to perform a PITR in Postgres without downtime, you need to: Have a backup server Set up WAL archiving and stream it to the backup Schedule daily backups Additionally, you need to install a bunch of packages and configure and maintain this infrastructure, a time that can be spent focused on your application instead. It’s that convenience, simplicity, and confidence in your data of use that Neon offers. So, how do we make it look so easy? Let’s step back and explain how Neon’s storage engine works. Understanding Neon’s architecture Neon’s philosophy is that the “database is its logs”. In our case: “Postgres is its WAL records”. Neon configures Postgres to stream the WAL to a custom Rust-based storage engine. Neon’s storage engine is composed of three parts: A persistence layer called “ Safekeepers ” makes sure the written data is never lost, using Paxos as a consensus algorithm . A storage layer called “Pageservers”: multi-tenant storage that can reconstruct the data from WAL and send it to Postgres. A second persistence layer to durably store the WAL in AWS S3. And since all the data is stored in Neon’s storage engine, Postgres doesn’t need to persist data on the local disk. This turns Postgres into a stateless compute instance that can start in under 500ms, making Neon serverless.  As a result, we no longer require:  A standby: because, in the case of a Postgres crash, we can quickly spin up another instance. Backups: Neon’s storage engine stores the WAL and creates and performs compactions The data flow would look like the following: Check out the Architecture decisions in Neon article by Heikki Linnakangas to learn more. To understand the magic behind PITR in Neon, we’ll explore how the Pageservers work. Pageservers: under the hood Each transaction in the WAL is associated with a Log Sequence Number (LSN), marking the byte position in the WAL stream where the record of that transaction starts. If we follow our initial analogy of WAL being a detailed diary of everything in the database, then the LSN is the page number in that diary. The Pageserver can be represented by a 2-dimensional graph, where the Y-axis is the `LSN`, and the X-axis is the `key` that points to the database, relation, and then block number. A key for example can point to certain rows in your database. When data is written in Neon, the role of Pageservers is to accumulate WAL records. Then, when these records reach approximately 1GB in size, Pageservers create two types of immutable layer files: Image layers (bars) : contain a snapshot of a key range for a specific LSN. You can see Image Layers as the state of rows in certain tables or indexes at a given time. Delta layers (rectangles) : contain the incremental changes within a key range. You can see Delta layers as a log of all the changes that happened to your rows. Does this sound familiar? Indeed, it employs the same principle as the traditional Postgres setups for PITR we’ve previously discussed, which include base backups and WAL archiving. The main difference here is that you don’t need to initiate a lengthy and complex restore procedure every time you wish to read data from a previous state of the database. This is because Pageservers inherently know how to reconstruct the state of the page at any given LSN or timeline. Ephemeral branches We mentioned previously that, in Postgres, each WAL record is associated with an LSN. In Neon, Postgres tracks the last evicted LSN in the buffer cache, so Postgres knows at which point in time it should fetch the data.  When Postgres requests a page from the Pageserver, it triggers the GetPage@LSN function, which returns the state of a given key at that specific LSN. Read the Deep dive in Neon’s storage engine article to learn more about Neon’s architecture. In practice, you can access different timelines through database branches. These branches are copy-on-write clones of your database, representing the state of your data at any point in its history. When you create a branch, you specify the LSN (or a timestamp), and Neon’s control plane generates a timeline associated with your project, keeping track of it. We’ve enhanced the Point In Time Recovery (PITR) feature in Neon with Time Travel Assist. This functionality allows you to perform Time Travel queries to review the state of your database at a specific timestamp or LSN, following the same underlying steps: Creating a timeline, and Running GetPage@LSN. However, these branches are ephemeral, having a Time To Live (TTL) of 10 seconds. We refer to these as ephemeral branches, and they will soon become a crucial part of your development workflows. Ephemeral branches enable you to connect to a previous state of your database by merely specifying the LSN or timestamp in your connection string. This capability is natively supported by Pageservers, and Neon’s PITR feature is the first step towards making ephemeral connections available to developers. Stay tuned for more development in this area. Conclusion While Postgres’ features offer powerful options and tools like Barman to help with disaster recovery, Neon’s approach makes PITR reliable, accessible, efficient, and integrated into a seamless database management experience.  By first exploring how to do PITR in Postgres, we’ve learned about the importance of continuous archiving and creating base backups.  Neon’s storage engine saves WAL records and snapshots of your database and can natively reconstruct data for any point in time in your history. This capability allows for the Time Travel Assist to query your database at a given timestamp before you proceed to its restoration using short-lived or ephemeral branches. Ephemeral branches introduce a unique way to interact with your data’s history by allowing developers to access different timelines and perform Time Travel queries to provide the ability to review prior states and understand your data’s lifecycle. What about you? How often do you use PITR in your projects? Join us on Discord and let us know how we can enhance your Postgres experience in the cloud. Special thanks to skeptrune for reviewing and suggesting adding a mention to Barman. Posted by Raouf Chebri Senior Developer Advocate More articles Zero-ETL lakehouses for Postgres people George MacKerron Handling Auth in a Staging Environment Carlota Soto Reusable Prompts: The Future of Starter Templates Andre Landgraf Share: Subscribe to our changelog. No spam, guaranteed. Subscribe Share: More from Neon Postgres Jan 12, 2026 Zero-ETL lakehouses for Postgres people George MacKerron App Platform Jan 10, 2026 Handling Auth in a Staging Environment Carlota Soto AI Jan 08, 2026 Reusable Prompts: The Future of Starter Templates Andre Landgraf Neon A Databricks Company Neon status loading... Made in SF and the World Copyright Ⓒ 2022 – 2026 Neon, LLC Company About Blog Careers Contact Sales Partners Security Legal Privacy Policy Terms of Service DPA Subprocessors List Privacy Guide Cookie Policy Business Information Resources Docs Changelog Support Community Guides PostgreSQL Tutorial Startups Creators Social Discord GitHub x.com LinkedIn YouTube Compliance CCPA Compliant GDPR Compliant ISO 27001 Certified ISO 27701 Certified SOC 2 Certified HIPAA Compliant Compliance Guide Neon’s Sub Contractors Sensitive Data Terms Trust Center
2026-01-13T08:48:03
https://dev.to/art_light#main-content
Art light - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Art light Trust yourself🌞your capabilities are your true power. ❤Telegram - ✔lighthouse4661 ❤Discord - ✔lighthouse4661 Joined Joined on  Nov 21, 2025 Email address art.miclight@gmail.com github website twitter website Pronouns He/him Work CTO More info about @art_light Badges 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages Python, TypeScript, PyTorch, Transformers, vLLM, SGLang, FastAPI, React, Next.js, Vite, Rust, Zustand, Redux Toolkit, TanStack Query, Tailwind, CSS architecture, component systems Currently learning Mixture-of-Experts (MoE) architectures LoRA fine-tuning with quantized weights (Q-LoRA, GPTQ, AWQ) Continuous batching inference engines (vLLM, SGLang) Available for I’m looking for a reliable, talented collaborator who’s interested in long-term growth and building something truly impactful together with my technical support Post 9 posts published Comment 302 comments written Tag 31 tags followed We Didn’t “Align” — We Argued (and Shipped a Better System) Art light Art light Art light Follow Jan 11 We Didn’t “Align” — We Argued (and Shipped a Better System) # discuss # career # programming # developer 29  reactions Comments 6  comments 2 min read Want to connect with Art light? Create an account to connect with Art light. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Prompt Engineering Won’t Fix Your Architecture Art light Art light Art light Follow Jan 9 Prompt Engineering Won’t Fix Your Architecture # discuss # career # ai # programming 117  reactions Comments 101  comments 3 min read I Didn’t “Become” a Senior Developer. I Accumulated Damage. Art light Art light Art light Follow Jan 7 I Didn’t “Become” a Senior Developer. I Accumulated Damage. # discuss # programming # ai # career 123  reactions Comments 34  comments 2 min read Hello 2026: This Will Only Take Two Weeks Art light Art light Art light Follow Jan 4 Hello 2026: This Will Only Take Two Weeks # discuss # programming # devops # career 70  reactions Comments 6  comments 2 min read Let’s fight the bugs! Art light Art light Art light Follow Dec 28 '25 Let’s fight the bugs! # programming # coding 67  reactions Comments 2  comments 3 min read AI Agents vs Microservices: Where Intelligence Meets Architecture Art light Art light Art light Follow Dec 10 '25 AI Agents vs Microservices: Where Intelligence Meets Architecture # agentaichallenge # kubernetes # microservices # ai 77  reactions Comments Add Comment 4 min read How can we earn badges? Art light Art light Art light Follow Dec 7 '25 How can we earn badges? 10  reactions Comments Add Comment 1 min read 3 Practical Ways to Build Your Own AI Model (For Any Skill Level) Art light Art light Art light Follow Dec 6 '25 3 Practical Ways to Build Your Own AI Model (For Any Skill Level) # ai # beginners # python # machinelearning 78  reactions Comments 8  comments 4 min read Scalable AI Application Development: Combining Python ML Frameworks with TypeScript-Powered Web Systems Art light Art light Art light Follow Dec 4 '25 Scalable AI Application Development: Combining Python ML Frameworks with TypeScript-Powered Web Systems # ai # webdev # python # typescript 75  reactions Comments 11  comments 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://addons.mozilla.org/ko/firefox/addon/rentgen/
Rentgen – 🦊 Firefox용 확장 기능 (ko) Firefox 브라우저 부가 기능 확장 기능 테마 더보기… Firefox용 사전 및 언어 팩 다른 브라우저 사이트 Android 부가 기능 로그인 검색 검색 Rentgen 제작자: “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (리뷰 12개) 5 (리뷰 12개) 사용자 216명 사용자 216명 Firefox를 다운로드하고 확장 기능을 받으세요 파일 다운로드 확장 메타 데이터 스크린샷 정보 Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy 개발자 의견 Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl 12명이 5점으로 평가함 로그인하여 이 확장 기능의 평점을 남겨주세요 아직 평점이 없습니다 별점 저장됨 5 12 4 0 3 0 2 0 1 0 리뷰 12개 모두 읽기 권한 및 데이터 필수 권한: 개인 정보 설정 읽기 및 수정 브라우저 프록시 설정 제어 모든 웹사이트에서 사용자의 데이터에 접근 데이터 수집: 개발자가 이 확장 기능은 데이터 수집이 필요하지 않다고 합니다. 더 알아보기 추가 정보 부가 기능 링크 홈 페이지 지원 사이트 지원 이메일 버전 0.2.4 크기 9.55 MB 마지막 업데이트 21일 전 (2025년 12월 23일) 관련 카테고리 웹 개발 도구 개인 정보 보호 및 보안 라이선스 GNU General Public License v3.0 전용 개인정보처리방침 이 부가 기능에 대한 개인정보처리방침 읽기 버전 목록 모든 버전 보기 태그 anti malware anti tracker container privacy security 모음집에 추가 모음집 선택… 새 모음집 만들기 이 부가 기능 신고 이 개발자 지원 이 확장 기능의 개발자가 여러분이 작은 기여로 지속적인 개발을 지원해 줄 것을 요청합니다. 기여하기 Mozilla 홈페이지로 이동 부가 기능 소개 Firefox 부가 기능 블로그 확장 기능 워크샵 개발자 허브 개발자 정책 커뮤니티 블로그 포럼 버그 신고 리뷰 지침 브라우저 Desktop Mobile Enterprise 제품 Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) 개인 정보 쿠키 법률 특별한 고지 가 없는 한, 본 사이트의 콘텐츠는 Commons Attribution Share-Alike License v3.0 또는 그 이후 버전에 따라 사용이 허가됩니다. 언어 변경 Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://bizarro.dev.to/almira_chand_5dde59954daa/comment/3386k
Brzmi ciekawie — sporo nowości o Facebooku, Apple i AI, plus fajne rekomendac... - ALTERNATE UNIVERSE DEV Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account ALTERNATE UNIVERSE DEV Close Discussion on: ICD Weekend #25 – Facebook podsłuchuje Snapchata • nowe sposoby na oszukiwanie AI View post Collapse Expand   Almira Chand Almira Chand Almira Chand Follow Joined Dec 25, 2025 • Dec 25 '25 Dropdown menu Copy link Hide Brzmi ciekawie — sporo nowości o Facebooku, Apple i AI, plus fajne rekomendacje z F-Droida. Chętnie sprawdzę linki — to konkretne rzeczy, nie przypadek jak w 3Patti Boss . Like comment: Like comment: Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV ALTERNATE UNIVERSE DEV — A constructive and inclusive social network for software developers. With you every step of your journey. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . ALTERNATE UNIVERSE DEV © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://share.transistor.fm/s/0883be0d#goodpods-path-1
APIs You Won't Hate | Note-taking tools for devs, with Drew White from Stashpad APIs You Won't Hate 40 ? 30 : 10)" @keyup.document.left="seekBySeconds(-10)" @keyup.document.m="toggleMute" @keyup.document.s="toggleSpeed" @play="play(false, true)" @loadedmetadata="handleLoadedMetadata" @pause="pause(true)" preload="none" @timejump.window="seekToSeconds($event.detail.timestamp); shareTimeFormatted = formatTime($event.detail.timestamp)" > Trailer Bonus 10 40 ? 30 : 10)" class="seek-seconds-button" > 40 ? 30 : 10"> Subscribe Share More Info Download More episodes Subscribe newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyFeedUrl()" class="form-input-group" > Copied to clipboard Apple Podcasts Spotify Pocket Casts Overcast Castro YouTube Goodpods Goodpods Metacast Amazon Music Pandora CastBox Anghami Anghami Fountain JioSaavn Gaana iHeartRadio TuneIn TuneIn Player FM SoundCloud SoundCloud Deezer Podcast Addict Share newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyShareUrl()" class="form-input-group" > Share Copied to clipboard newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyEmbedHtml()" class="form-input-group" > Embed Copied to clipboard Start at Trailer Bonus Full Transcript View the website updateDescriptionLinks($el))" class="episode-description" > Chapters January 9, 2023 by APIs You Won't Hate View the website Listen On Apple Podcasts Listen On Spotify Listen On YouTube RSS Feed Subscribe RSS Feed RSS Feed URL Copied! Follow Episode Details / Transcript Mike talks with Drew White from Stashpad about personal notetaking apps for developers, and the potential of future API hooks for Stashpad. Show Notes Stashpad - https://stashpad.com/ Stashpad Discord - https://discord.gg/ScxPxcN9fK Drew White - @drucial Creators and Guests Host Mike Bifulco Cofounder and host of APIs You Won't Hate. Blogs at https://mikebifulco.com Into 🚴‍♀️, espresso ☕, looking after 🌍. ex @Stripe @Google @Microsoft What is APIs You Won't Hate? A no-nonsense (well, some-nonsense) podcast about API design & development, new features in the world of HTTP, service-orientated architecture, microservices, and probably bikes. Mike Bifulco: Hello, hello and welcome to APIs you Won't Hate. My name is Mike Fulco. Your effervescent and ever present host of the show. Today I am flying solo and having a chat with actually a friend of mine. Locally here in my hometown of Charlotte who I've known for a while now. And we're, we're gonna talk a bit about what he is working on, a bit about how he got there and you know, some of the backstory of that stuff. So I'm very excited to talk to today. Drew White. Drew, How's it going, man? Drew White: Hey Mike. How are you? Doing good today. Mike Bifulco: I'm good. I'm good. We have a lot of things to talk about. I'm really interested to hear your whole story and talk a little bit about stash pad where you, you have been laying down your lines of code of late among other things. Yeah, and I think we, we'll kind of get into all those things. In particular, like anything to do with building en engineering teams and all that is always interesting around here. Drew, tell me about yourself. How did we meet? Let's start there Drew White: this is actually, I feel like it was kismet if I can use that word. Yeah. So I'm a cyclist as you guys probably know, Mike is as well. And I was riding with a buddy on a local Greenway, and Mike was riding one of the most esoteric bikes that I feel like only a handful of local cyclists probably even know what they are. But I saw it was like, Hey. Is that a such and such? And he was like, Yeah, how did you, like, it was just like a, a sort of thing. And so we kind of met on the, the Greenway had a small little conversation and then later I had a. Set of wheels for sale. I, I believe, And you responded to the post. I don't think I realized it was you until you came to pick up the wheels and bought them and Yeah. So like that whole thing and then, yeah, just started riding like morning greenway grabbing coffee, that sort of thing. And that was a couple years ago now, Mike Bifulco: it was during the dark days of the pandemic for sure. You know, when, when we were not doing much indoor stuff, definitely a bit of kismet there. And I, I think if I remember like the space between bumping into each other for the first time and then me contacting you on Facebook marketplace to buy wheels when I needed them was like days to a week at most. Drew White: I think it was two days. I think it was two days. Mike Bifulco: a very strange back to back set of coincidences that I'm, you know, frankly pretty grateful for. Drew White: And I am too Mike Bifulco: Yeah, of course. We've talked about, you know, tons of writing stuff ever since, of course. And coffee seems to come up fairly often and you, you have similar tastes in design and all that other stuff too. So it's been super cool to kind of get to know you here. And what's been really cool to see over the past few years is like you've done a complete full on career. Like I, I, a pivot is not even fair. Like you've done an absolute like SUEx to your working world. Tell me a little bit about your working history. Like what, what have you done and what are you doing? Drew White: Yeah, so I've kind of taken a non-traditional path into the working world. I kind of started in finance for the first two years out of school. I did not go to college. Just really wasn't my, I attempted, but really wasn't my thing. So jumped into finance for a couple of years and then spent the. I don't know, decade or so in aerospace. Started kind of at the bottom of sort of midsize company and worked my way up to marketing director. And so from there, pivoted out of that into starting my own marketing agency which I did smack Deb in the middle of the pandemic right around the time that I met you. And what's interesting is I had been, You know, fascinated with the developer world for a couple years at that point. But really hadn't made it like a high priority on my, I tend to accumulate hobbies. So it kind of fell to the bottom of the stack. And then I met you and we were kind of talking about some of this stuff on the bike rides and, and such and such. And I had started building a lot of websites and things for. and yeah, just with one of your, your previous employers. Shown me the, the gymnasium actually which was like sort of like tutorial land, educational portal for largely like web dev stuff I feel like. But anyways, took every single course available on there and got a lot out of it. And just like that love of wanting to build stuff just ignited from that point forward. So fast forward. Let's say a year of really focusing on development education, particularly with JavaScript. I was kind of burn out managing this, this marketing business. Found a actual subcontractor that was interested in acquiring it and. Bailed and decided that I wanted to take a stab at, you know, working for a startup in the tech world. And so kind of applied to a couple of places and put my resume out there a little bit, However minimal it might have been at that point in time. And fielded quite a few inquiries and really landed on I had one conversation. Kara Bornstein is Stash pad ceo. And really believed in her vision and her as a leader of that company. So it was pretty sold and then in the second interview, got to meet with the cto the Meron and was even more sold. So I had kind of decided at that point that this is really where I wanted to be and. So took a role there as a developer experience designer, , Mike Bifulco: man, you've done so many things in such a short amount of time, like. Literally from, from finance to being a marketing director, to running an agency to figuring out how to find your way into the dev world is really fascinating. you know, Along the way, like you, you also had some interesting projects that you put out into the world, which, though your resume may have been short at the time you had some really cool stuff like your skew amorphism project . That, that was cool. Do you wanna talk a little bit about. Drew White: Yeah, sure. So I was just kind of in all of my free time, I was building a lot of UI stuff just. For learning purposes of my own, but also just cuz there were things that I wanted that I, I couldn't find or I didn't think existed or something like that. So I was using a lot of like, skew, morphism, glass, amorphism and amorphism in some of my designs. Primarily because I have a background in 3D design and so it was like sort of appealing to me to be able to create some of that stuff. Sort of like the in, in the web, which I thought was awesome. And so yeah, I created this tool. I got tired of like finagling, like, okay, 0.3 pixels, 0.4 pixels, like, like all of this stuff, like adjusting 'em to get like the shadows and the highlights and all of that stuff just right. And so I created a little tool that's basically a, a CSS generator with these really nice little sliders that, you know, you can quickly dial. The amount of s amorphism amorphism that you want with the right direction of light down to like, I think it's 1000th of a pixel or something like that. It's pretty crazy. But yeah, built that and it's actually gotten quite a bit of use from my, not only myself, but like other designers and developers have used it as well. And yeah, that was like the first real tool that I built and put out. Picked up any traction but it was super fun to build for sure. Mike Bifulco: Yeah. I appreciate most about you, how understated you are. It, this is an insanely cool thing and like to me, the, the perfect example of showing , that you're an interesting person who's taking a hands on approach to learning and actually building things out. I will drop the URL for this tool in, in the browser or sorry, in the, in the show notes here. And what's interesting for the audience of APIs you won't hate is like a lot of the folks we work with here. Really into building the data layer, the back end side of things, the connective tissue from the front end to the back end. But you can imagine in many ways that you could show off your chops as an API developer by building out a simple tool that just shows one facet of here's how I would, you know, build out these, these knobs and levers to adjust the experience of building an api. Better. New Amorphism is a very touchable like you know, tasty kind of thing to be able to go out and use and like as someone who's trying to break into the industry or as someone who was trying to break into the industry at the time, it's the perfect kind of prism put in front of yourself to say like, yeah, cool. I haven't worked in this yet, but I do this kind of work and I do a really good job of it. And it's gotten some great attention too, which is really cool. The, the thing I still need to yell at you about is you need to put your name on that webpage. In big, bold letters somewhere, minimalism be damned. People should know where it came from. You know what I mean? Drew White: That is sort of like a thing that we've talked about a bit. I'm a minimalist through and through like at every phase and yeah, it's, I get it. The branding. I need to be better about that for sure. And maybe someday I'll put it on there. Mike Bifulco: Fair enough. Yeah, I'll go chase down your code and open a poll request for you. Yeah. Cool. So why don't we talk a little bit about what you're doing now. So what is stpa? Drew White: So Stash Padd is a notes taking application. Kind of aims to flip that concept of notes taking on its head. The whole point of what we're doing is reducing the burden of capture. I mean from my perspective, notes is not a particularly enjoyable experience for most people. However, it is a particularly important. Part of daily dev life or daily, you know, really work life. Being able to get thoughts out of our head, take notes on conversations that we've had, meetings standups, code reviews, all that kind of stuff very easily, very quickly, and be able to put it somewhere and not really have to worry about where you're putting it necessarily and kind of give you that feeling and vibe. Similar to like if you were dm, DMing yourself in Slack. Where it's the, it's the lowest burden of entry for capture. And the, the, in my personal experience, I might be biased, but my personal experience, it's the, it's the least amount of friction for getting something out of my head and into somewhere that I can recall it later when I need to. So yeah, we've been working on the app for, oh, probably two years now, I guess is when. Things kind of started, but we just launched in August on product hunt. And reception has been phenomenal. It's been so, so good. So yeah. That's what Stash pad is. It's at the helm we have Kara Bernstein and Theo Meron as the two founders. And then it's a pretty small team. We're located in Raleigh or Durham, North Carolina. I keep saying Raleigh every Mike Bifulco: Middle of both. Drew White: Yeah. Yeah. Mike Bifulco: I mean, most people put 'em right next to each other anyway. Drew White: At the American Underground there which has been great. So, Yeah. Mike Bifulco: Yeah. Cool. Yeah. American Underground is kind of like the home of startups in, in that part of North Carolina. A super cool community created there. So note taking is a really interesting thing to me. I, I have kind of a, a interesting history with it and actually I remember, I wish I could tell you when it was, but I remember a specific conversation I had with one of my great friends actually. My former employer, Andrew Miller, who is the program director over at Gymnasium and his longtime friend of mine, one of the, the smartest people I know. At one point I remember having a conversation with him where he asked me about how I take notes for work. Like how do I keep track of what I'm doing? And literally at the time, my response was, why would I take notes? Like, I just remember it, you know? And like the, the brash, bold statement that I made that was just like I don't know. My brain's working at a thousand percent all the time. Why do I need to write anything down? I remember that moment and I remember like literally a month later being like, Oh man, I need to write everything down. Like I'm starting to forget things. They're all falling outta the back of my head. And that, that was the moment where I really started to focus on like, trying to organize myself, trying to organize my thoughts and have frankly, filtered through a lot of tools in the meantime. And I think. The note taking thing and writing down notes and taking notes is a virtuous thing. It's very good. You want to do it because it, it's less burden for your, your mind, but also it helps other people, right? So like, Drew, if you and I have a conversation, I'm teaching you something one on one, that's awesome. You might learn something from me. But if I also write it down and one other person reads it, I've doubled the efficacy of that conversation. And that's why note taking is good. It's also helpful. If I forget it in the future, I can come back to it. What, what I also really like about it too is that. Note taking is different for everyone and you kind of have to find what works for you. And I feel like people may feel like the market is kind of floated, flooded with note taking tools. But I think that's because people's style of thought and their style of organization is very, very different from one another and like, Some people are good with just a notepad, you know, txt file and, and the chaos that that may bring on. Some people might like the iOS, you know, note app for their own thing. But truly finding something that is like broadly applicable and easy to use and easy to understand is a challenging problem space. Drew White: Yeah, and I think actually your experience that you just described is fairly common. You know, I had the same. Greater than do attitude towards notes in the early days, like I have a pretty solid memory. I can remember a lot of things. But what I think a lot of people who do take notes now understand, and people who don't take notes will ultimately figure out is that the more you keep in your head, Yeah, you may be able to keep it in there, but you got limited space up there. So the more you take in, eventually some of that stuff's gonna start falling off. And then there's like the stress of, you know, some of that data may be important and then you may not have it. So I've definitely adapted a practice and you're absolutely right, there's a lot of options out there and. Varying degrees of Complexity, which is the interesting part to me. But I think what is so interesting is just the fact that there are so many, like different note taking applications speaks to a larger problem, right? No one has kind of sorted this stuff out. Usually, particularly in the dev the development world, engineering world dev tools tend to be winner take all, I mean, vs. Code by far and away owns the market and in ide, maybe with JetBrains or something coming in right behind them. You've got. Basically issue tracking tools and all these other things. There's usually like a winner take all sort of situation and in so sort of personal notes that sort of space that really isn't something that is landed on. People are kind of all over the board from, you know, untitled text files, just flooding their desktop to any combination of different apps, big ones, no notion Evernote obsidian, all of those things and. Where we like to think that we can fit in and, and, and why we're building this thing in the first place is to kind of have this defacto, we'll do whatever you want it to do. Lightweight and very speedy. I've used some of the other big name apps out there particularly. Like Apple notes and things like that. And there always seems to be a little bit of friction between, I just got told some information that I need to remember in four hours from now, or two days from now, or two months from now. Where do I put that? How do I organize that in my. Hierarchy or whatever and how am I gonna find that later? And that has always been my challenge. I've bounced around from, from app to app long before I even knew that stash pad was a thing. And so that's the problem we aim to resolve. And the reality is if we can bring a little bit of joy to something that is often like a mundane sort of experience yeah, I mean, all the better. That's. The goal Mike Bifulco: Sure. Yeah. It's a, it's a hard thing to describe the way, the value of having a good note taking system feels. But like, when you come out on the other side of it and you start writing things down, the task of recall suddenly doesn't become, I need to remember every detail about this thing. All you need to remember is that you wrote it down and you can find it. And that's something that, the scale that comes with that is pretty tremendous and also really helpful. Like in three years when I wanna look up what you and I talked about today I certainly won't remember. Right in my brain, but I will remember that we had this talk and I can jump back into my notes and chase it down. Drew White: Yep. Mike Bifulco: It's, it's super cool and I feel like there's a lot of psychology that goes into it, like both the people's hesitance to take on note taking, but then like the personal style, the workflow, the things that trigger peoples like, I need to take a note about this, or I need to keep my list of tasks in this versus you know, am I summarizing an article or, or writing down a note about, I dunno, some hack I wrote in my code, Whatever the case may. Yeah, I, I like all of that stuff. It's really interesting to think about and like you must be building a very kind of generic tool set to do that, right. Drew White: Yeah. I mean, like our whole concept is, is giving Users, people a default place to write to that they don't have to worry about. Like, it's, it's essentially a log, you know, it's. Date timestamped log. That includes everything that you've got. So if you even remember roughly what happened during the day, you should be able to find the note that, that you took down which is pretty awesome. And so sort of the next big thing for us is further removing we'll call 'em barriers to capture cuz we believe that that's the most important thing. And so as we continue to expand, Develop the product. One of our, our major items on our roadmap is like integrations and our api. So the whole idea of being able to. Send content from somewhere into stash pad or even have that content automatically be imported into Stash Padd as a note in the right place when you need it is really exciting for me. I don't know what it was like, you know, at any of your, your previous employers. But like one of the biggest things moving to the tech world that kind of knocked me off my socks is the tech stack. I was not prepared for that whatsoever. Like even coming from like my own business where I was using quite a few different tools for different purposes and managing those things. Like my bookmark folder for like just dash padd tools is, is, is pretty big. Like we, we've got at least 12 separate tools that we use for different purposes. And while that's great and all of them work really well, sometimes it's hard. Particularly in my position, it's difficult. Hey, remember where that comment that someone made that you need to reference came from? Or like, was it in Slack? Was it in, was it a conversation, Was it a thread in Slack, like going back and doing all of that stuff? Or was it a slab or any, any number of, of different locations it could have come from. And so the ability to have this sort of automated notes dashboard which is, you know, the ultimate goal here. Really, really appealing to me to be able to create some smart stacks that give you the information you need from the resources that you use, the tools that you use and combine that with capturing your own notes from one-on-ones meetings, code reviews, all of that stuff is really just feels like I would like to have that today. Mike Bifulco: Sure . Sure. Yeah. I what I'm really interested to hear about too is like, this is, this is one of those great cases where almost certainly you will be using Dash pad as you're building it. You know, probably both personally and as, as a company, as a team, whatever that looks like. Can you tell me a little bit about what, what your, like what your, I dunno. Your dog fooding process is like, and some of the things that your team does with Stash pad. Drew White: Yeah, so our dog fooding process is pretty strong. Everybody on our team is very opinionated and also very thorough and not afraid to speak up, which is hugely beneficial both from like a development standpoint, but honestly from a design standpoint, which I spend a lot of time in. And so we all use stash pad very differently. It's actually pretty fascinating. Often, like, we'll go into like a spec review or something like that and this person will say, You know, I use this this way, that makes perfect sense to me. And then like I'm looking at 'em like, I don't use it that way at all. Like I, my mindset, my brain map is, is different. My mental model is different. And so what's fascinating is we've, we've kind of engineered the flexibility to match different mental models into the app which has. I don't know, kind of just eye opening for me, but I use it all the time. Primarily with code reviews, design reviews, that sort of thing. Spec reviews. I have several, one-on-ones every week. I like to use it for them so I can both remember what we talked about, but also kind of measure my own progress and be able to go back and look at some of the things that we talked about. I also do it. Basically things that I want to bring up. I also use it as a drafting tool, believe it or not. Cuz it does support markdown and so I can do some longer form notes if I need to. So I do like it as a drafting tool. They render really, really nicely. And then I also use it as like a lockbox for data. I know I'm gonna need in perpetuity. I can keep a place for quick, quick info that I just need to access all the time. And I can know that everything in there is always gonna be there forever in the shape that it needs. So and that's how I use it. I also use it as a task manager. We've got a great sort of to-dos system and hierarchical todos, which is super awesome. So like you can create a stack of todos. Which is within another stack of, to-dos, that stack itself can be a to-do so on and so forth. So Yeah. it works really well for keeping me organized. Mike Bifulco: I can imagine as an engineer or someone working on a product team, whether you're an engineer or a designer or a product manager, whatever, whatever your role is there's a lot of value in keeping yourself organized and, and making this thing work for you. Can you tell me a little bit about the storage plan for for Dash pad? So right now, is it local only? Is it cloud synced? Is it something you use with like Dropbox or Google Drive or something like that? How does it work? Drew White: Yeah, right now it is local only. That was a decision we made based on some, you know, early feedback that we had from engineers and, you know, companies being very, we, we want people to be very have the option to be very private about their, their data and not be sinking to and from the cloud. But as. Right now we are I don't wanna put an actual date on it. We do have a date for release, but just in case things get pushed, you know plus a couple of days, minus a couple of days, whatever the case is, we are rolling out sync in the very near future which will give users an opportunity to not only have data on multiple computers, but also we'll be rolling out our mobile app about the same time. So yeah, we'll have access to. Again, the whole idea is further reducing that, that, that friction capture. So yeah, we'll, we'll have cloud sync available for a pretty small monthly fee. I don't know exactly what it is off the top of my head. But it's very reasonable. And I think there will be a, a certain number of. Um, like free sync sort of things. And then the community version, which is non sync will be free forever in perpetuity. Mike Bifulco: Yeah. Very cool. Is there, so is Stpa taking the perspective that notes are a sort of personal trove of information or is there collaborative features? Drew White: Yeah. So I mean, our whole thing through this has been, there are so many tools out there for teams, right? And. There's very little for managing your own daily work. And so we have taken this stance that Stash pad is for you, not for your team, not for your manager, not for even necessarily the enterprise, although I'm sure we will have enterprise level customers. The idea is it's for the engineer, it's for the user and. That being said, we actually do, we used to have a a web app version, which was like version negative 0.1 or whatever you wanna call it. That does have a collab feature that we still to this day use for retro. And it is easily the greatest platform for something like that that we have experimented with. We've tried basically everything else. We always end up coming back to the old web app. So, yeah, there may be plans for, for adopting some of that functionality in the future as well. Mike Bifulco: Sure. Yeah, I think it's, it is a good angle to take or an interesting angle to take, certainly. I think a lot of folks gut response might be that like having a team collaborative tool is maybe the, the table stakes for them. But in practice, all of the companies I've worked at that have reached any like. Reasonable team size of, call it five people or greater, tend to standardize on like, what is easiest. So and, and by that I mean like things that they've probably already paid for within the enterprise. So that may be Google Talks or Jira or GitHub or like the things that are sort of built into that process. But what I also like about this is that by keeping it local and for yourself, like it, it, it's a way for you to keep your information, to grow your own sort of stack of knowledge and, and to build upon your own set of notes in a way. That is you flavored. I think that's really interesting. And obviously you can still collaborate with your team right there. There are you know, ways to get information out of this thing. It's not a one way valve. Yeah, yeah, Drew White: And I think just based on our experience using the web app, I can't see that not making it in like the collaborative use case, not making it into the app. It's just, it's too good to like pass on. I just don't know where it lives on our roadmap today. Mike Bifulco: The perpetual startup challenge. Yeah. When, When is it the most important thing to build? Drew White: That's right. And I think a lot of people like, I mean, we're a team of seven, so like we're, we're pretty small. And so we've gotta kind of pick and choose our priorities, particularly this close to our launch, you know, And so we're trying to deliver one thing, but a perfect one thing, and then we'll Mike Bifulco: of course. Drew White: the next thing, you know? Mike Bifulco: Yeah. So I'm, I'm curious to probe in a little more about the sort of API layer that you teased, cuz I know that the, the team listening to this will definitely be interested in that. What does that look like? What are the sort of hooks you're thinking about? You know, opening up APIs for. Drew White: Yeah, I mean, primarily the initial sort of main function of the API is intended to expand capture essentially. So the ability to send information to stash pad from basically any tool or any product, any project that you're working on would be the primary function. You may have some other functionalities that come after that. But yeah, I mean our whole thing is that the easier you can make capture, the more likely people are gonna take notes and the better they're gonna retain information and then ultimately the better they're gonna be able to work. So yeah, the, that, that'll be the, the primary function there. We're still kind of working through the details on this. This is on our current roadmap. And I know it's coming probably way quicker. We're gonna be . It feels like we're doing a lot of things right now. But they're all very good things and we're executing at a pretty high level. And so we're trying to maintain that, that momentum. So I, I'd be surprised if this wasn't out early first quarter next year. Yeah. Mike Bifulco: Yeah. Cool. I, I know your team. So you said it's a seven person team. And I, I know you've done some of the engineering work. I'd imagine there's a few engineers that, that work on the product. Can you talk a little bit about what dpad is built with? Drew White: Yeah. Stash Padd is built with react type script in El. Has our primary shippable form, and then the mobile app will be React native actually. So yeah, it's been, it's actually been quite a joy to work with. I know. Our one of our engineers who kind of does a lot of the electron work definitely has some grapes about it. He just wrote a blog post that'll be up on our website probably at the end of today. But yeah, it's, it's, it's a great tool and there's a reason that it's so widely used. And so even with some of the, the push and pull I think it's still a good option, particularly for desktop. And it allows us to ship to Linux and Windows and Mac kind of all in one go. Mike Bifulco: Sure. Yeah, I feel like the electron's perpetual thing is that as it does more people want more. And you know, early on the conversation was mostly around performance. You know we can't ship a Chrome browser for everything. But to be honest, I think that's become less of a problem in recent years as computers have gotten better, as electronic self has gotten better, as Chrome has gotten more lightweight and all those things. Or chromium, I guess not quite chrome. Drew White: Right? Mike Bifulco: And it's interesting to pair that with React Native too, which historically has had similar things and has gotten tremendously further along in the past few years. Like building for React native now is so much easier than it was in 2016. It's, it's a much, much more capable thing. It's cool to see that coming around. Drew White: Yeah, I did some stuff with React native, just personal projects a couple years ago, and I haven't had an opportunity to work on any of the mobile stuff Now my role is, is pretty widely split between design, engineering, dev, re and then some higher level stuff, product stuff. So, but any chance I, I get an an opportunity to, to work in app I relish those opportunities cuz that's sort of what drove me to this place in the first place. But yeah, the we're, we're pretty excited. We've got some, some really good things coming out and I think they're happy with React native today. The engineers are don't, I haven't heard much in the way of complaints, so that's always a good sign. Mike Bifulco: Yeah, I'll say certainly. Cool. So Drew what other things haven't we touched on with Stash pad that, that folks might be interested in if they haven't tried it yet? Drew White: Yeah, I think for me it's the, it's really the speed of the thing that makes it so much better. Like I, I've been a long time, I, I kind of bounce, I mentioned it earlier, I bounced around from app to app for years notes app that is and ultimately landed on Apple Notes just because of its, Sort of nativity as it were. But it was always kind of like somewhat of a compromise for me. But I've actually just, I mean, within the last six months have like fully transitioned into stash pad as a whole, primarily because of the speed of the thing. It's just uncanny, like I think all of our. Basic actions are sub hundred milliseconds or something like that. Like even like loading a massive list of notes is just ridiculously fast. And the other real concept behind it, like particularly if, if you're like a developer and you know, the importance of keeping your hands on the keyboard, like the thing is, is well set up you can navigate everything create, delete, you know, whatever you want to do without ever leaving the keyboard. And like, Super familiar, sort of key bindings that make a lot of sense. And so that's like another huge thing for, for me in particular. We also have like a shortcut, like a global OS shortcut. So you can open it up while you're, so you're working in BS code or your ide and you gotta take a quick note. You can just open it up without ever touching the mouse and bounce over to it, dump your note, go back to work, and just basically eliminate that context switching sort of moment right there. Yeah, I think if anybody hasn't tried it that's listening. It's certainly worth it. It's free, so no harm, no foul. You can download it, our website wws-padd.com. And yeah, give it a try. Let us know. And we're super active on our Discord server. We love getting feedback from, from users even when they hate it. Like we got railed the other day by some guy. He just didn't like the interface like whatsoever. And. He was, he must have sent like 10 emails yesterday, I think. But that's good stuff for us. Like, it's, it's good feedback. Like we don't mind it at all. So yeah, I, I definitely think everybody, if you're using Evernote or Notion or Apple Notes or Ulysses or any of the other ones it's worth giving a try. It's a different experience for sure. You may like it, you may not, but we hope that you. Mike Bifulco: Yeah. Cool. I'll, I'll make sure to drop a link in the show notes here too. And if people wanna chase you down, Drew, where's the best place to find you? Drew White: Usually you can find me at the Whitewater Center in Charlotte, North Carolina or at Fonta Flora. Also Shta no. Yeah, you can find me on Twitter. Atul. I don't, I, I, I spend a lot of time there observing, but I'm not like a huge content creator. I like watching. Mike Bifulco: there's a lot to observe on Twitter these days too. Drew White: Yeah. Yeah, yeah. And then, yeah, that's probably the easiest way to get ahold of me, Mike Bifulco: Cool. Right on. Well, Drew, thanks so much for hanging out today. It's been really cool talking about STA pad. Yeah, come back anytime, especially once you're starting to talk about like opening up the API taps we'll have lots of people with very interesting opinions for you, and I'm sure you'll get a, a bit of an onslaught in your discord for people with feature requests and things like that in the near Drew White: Perfect. We'll create your own channel just for you guys. Mike Bifulco: Right on. Thanks so much, Drew. We'll talk soon. Drew White: thanks Mike. Mike Bifulco: See ya. All audio, artwork, episode descriptions and notes are property of APIs You Won't Hate, for APIs You Won't Hate, and published with permission by Transistor, Inc. Broadcast by
2026-01-13T08:48:03
https://addons.mozilla.org/pt-PT/firefox/addon/rentgen/
Rentgen – Obtenha esta extensão para o 🦊 Firefox (pt-PT) Extras do Firefox Extensões Temas Mais… para o Firefox Dicionários e pacotes de idiomas Outros sites de navegadores Extras para Android Iniciar sessão Pesquisar Pesquisar Rentgen por “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 reviews) 5 (12 reviews) 216 Users 216 Users Transferir o Firefox e obter a extensão Transferir ficheiro Metadados da extensão Capturas de ecrã Acerca desta extensão Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Comentários do programador Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Rated 5 by 12 reviewers Iniciar sessão para avaliar esta extensão Não existem avaliações ainda Avaliação de estrelas guardada 5 12 4 0 3 0 2 0 1 0 Ler todas as 12 análises Permissions and data Permissões necessárias: Ler e modificar definições de privacidade Controlar as definições de proxy do navegador Aceder aos seus dados para todos os sites Data collection: The developer says this extension doesn't require data collection. Saber mais Mais informação Ligações do extra Página inicial Site de apoio Email de apoio Versão 0.2.4 Tamanho 9,55 MB Última atualização há 21 dias (23 de dez de 2025) Categorias relacionadas Desenvolvimento da web Privacidade e segurança Licença Apenas a GNU General Public License v3.0 Política de privacidade Ler a política de privacidade para este extra Histórico de versões Ver todas as versões Etiquetas anti malware anti tracker container privacy security Adicionar à coleção Selecionar uma coleção… Criar nova coleção Reportar este extra Apoie este programador O programador desta extensão pede que apoie o desenvolvimento da mesma através de um pequeno donativo. Contribuir agora Ir para a página inicial da Mozilla Extras Acerca Blogue de extras do Firefox Workshop de extensões Central do programador Políticas de programador Blogue da comunidade Fórum Reportar um erro Guia de análise Navegadores Desktop Mobile Enterprise Produtos Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Privacidade Cookies Informação legal Exceto onde anotado o contrário, o conteúdo neste site está licenciado sob a licença Creative Commons Atribuição-CompartilhaIgual v3.0 ou qualquer versão mais recente. Alterar idioma Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://addons.mozilla.org/ru/firefox/addon/rentgen/
Rentgen – скачайте это расширение для 🦊 Firefox (ru) Дополнения для браузера Firefox Расширения Темы Больше… для Firefox Словари и языковые пакеты Другие версии браузера Дополнения для Android Войти Поиск Поиск Rentgen от “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 отзывов) 5 (12 отзывов) 216 пользователей 216 пользователей Скачать Firefox и установить расширение Скачать файл Метаданные расширения Скриншоты Об этом расширении Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Комментарии разработчика Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Оценено 12 рецензентами на 5 Войдите, чтобы оценить это расширение Оценок пока нет Рейтинг сохранён 5 12 4 0 3 0 2 0 1 0 Прочитать 12 отзывов Разрешения и данные Требуемые разрешения: Читать и изменять параметры приватности Контролировать настройки прокси в браузере Получать доступ к вашим данных на всех сайтах Сбор данных: Разработчик сообщает, что это расширение не требует сбора данных. Подробнее Больше сведений Ссылки дополнения Домашняя страница Страница поддержки Эл. почта поддержки Версия 0.2.4 Размер 9,55 МБ Последнее обновление 21 день назад (23 дек. 2025 г.) Связанные категории Веб-разработка Приватность и защита Лицензия Только Стандартная общественная лицензия GNU v3.0 Политика приватности Прочитать политику приватности для этого дополнения История версий Просмотреть все версии Метки anti malware anti tracker container privacy security Добавить в подборку Выбрать подборку… Создать новую подборку Пожаловаться на это дополнение Поддержать этого разработчика Разработчик этого расширения просит вас помочь поддержать его дальнейшее развитие, внеся небольшое пожертвование. Пожертвовать сейчас Перейти на домашнюю страницу Mozilla Дополнения О сайте Блог дополнений для Firefox Мастерская расширений Центр разработчика Политики разработчика Блог Сообщества Форум Сообщить об ошибке Руководство по написанию отзывов Браузеры Desktop Mobile Enterprise Продукты Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Приватность Куки Юридическая информация За исключением случаев, описанных здесь , содержимое этого сайта лицензировано на условиях лицензии Creative Commons «Атрибуция — На тех же условиях» версии 3.0 или любой более поздней версии. Изменить язык Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise/allSettled
Promise.allSettled() - JavaScript | MDN Skip to main content Skip to search MDN HTML HTML: Markup language HTML reference Elements Global attributes Attributes See all… HTML guides Responsive images HTML cheatsheet Date & time formats See all… Markup languages SVG MathML XML CSS CSS: Styling language CSS reference Properties Selectors At-rules Values See all… CSS guides Box model Animations Flexbox Colors See all… Layout cookbook Column layouts Centering an element Card component See all… JavaScript JS JavaScript: Scripting language JS reference Standard built-in objects Expressions & operators Statements & declarations Functions See all… JS guides Control flow & error handing Loops and iteration Working with objects Using classes See all… Web APIs Web APIs: Programming interfaces Web API reference File system API Fetch API Geolocation API HTML DOM API Push API Service worker API See all… Web API guides Using the Web animation API Using the Fetch API Working with the History API Using the Web speech API Using web workers All All web technology Technologies Accessibility HTTP URI Web extensions WebAssembly WebDriver See all… Topics Media Performance Privacy Security Progressive web apps Learn Learn web development Frontend developer course Getting started modules Core modules MDN Curriculum Learn HTML Structuring content with HTML module Learn CSS CSS styling basics module CSS layout module Learn JavaScript Dynamic scripting with JavaScript module Tools Discover our tools Playground HTTP Observatory Border-image generator Border-radius generator Box-shadow generator Color format converter Color mixer Shape generator About Get to know MDN better About MDN Advertise with us Community MDN on GitHub Blog Toggle sidebar Web JavaScript Reference Standard built-in objects Promise allSettled() Theme OS default Light Dark English (US) Remember language Learn more Deutsch English (US) Français 日本語 한국어 Português (do Brasil) Русский 中文 (简体) Promise.allSettled() Baseline Widely available This feature is well established and works across many devices and browser versions. It’s been available across browsers since ⁨July 2020⁩. Learn more See full compatibility Report feedback The Promise.allSettled() static method takes an iterable of promises as input and returns a single Promise . This returned promise fulfills when all of the input's promises settle (including when an empty iterable is passed), with an array of objects that describe the outcome of each promise. In this article Try it Syntax Description Examples Specifications Browser compatibility See also Try it const promise1 = Promise.resolve(3); const promise2 = new Promise((resolve, reject) => setTimeout(reject, 100, "foo"), ); const promises = [promise1, promise2]; Promise.allSettled(promises).then((results) => results.forEach((result) => console.log(result.status)), ); // Expected output: // "fulfilled" // "rejected" Syntax js Promise.allSettled(iterable) Parameters iterable An iterable (such as an Array ) of promises. Return value A Promise that is: Already fulfilled , if the iterable passed is empty. Asynchronously fulfilled , when all promises in the given iterable have settled (either fulfilled or rejected). The fulfillment value is an array of objects, each describing the outcome of one promise in the iterable , in the order of the promises passed, regardless of completion order. Each outcome object has the following properties: status A string, either "fulfilled" or "rejected" , indicating the eventual state of the promise. value Only present if status is "fulfilled" . The value that the promise was fulfilled with. reason Only present if status is "rejected" . The reason that the promise was rejected with. If the iterable passed is non-empty but contains no pending promises, the returned promise is still asynchronously (instead of synchronously) fulfilled. Description The Promise.allSettled() method is one of the promise concurrency methods. Promise.allSettled() is typically used when you have multiple asynchronous tasks that are not dependent on one another to complete successfully, or you'd always like to know the result of each promise. In comparison, the Promise returned by Promise.all() may be more appropriate if the tasks are dependent on each other, or if you'd like to immediately reject upon any of them rejecting. Examples Using Promise.allSettled() js Promise.allSettled([ Promise.resolve(33), new Promise((resolve) => setTimeout(() => resolve(66), 0)), 99, Promise.reject(new Error("an error")), ]).then((values) => console.log(values)); // [ // { status: 'fulfilled', value: 33 }, // { status: 'fulfilled', value: 66 }, // { status: 'fulfilled', value: 99 }, // { status: 'rejected', reason: Error: an error } // ] Specifications Specification ECMAScript® 2026 Language Specification # sec-promise.allsettled Browser compatibility Enable JavaScript to view this browser compatibility table. See also Polyfill of Promise.allSettled in core-js es-shims polyfill of Promise.allSettled Using promises guide Graceful asynchronous programming with promises Promise Promise.all() Promise.any() Promise.race() Help improve MDN Was this page helpful to you? Yes No Learn how to contribute This page was last modified on ⁨Jul 10, 2025⁩ by MDN contributors . View this page on GitHub • Report a problem with this content Filter sidebar Standard built-in objects Promise Constructor Promise() Static methods all() allSettled() any() race() reject() resolve() try() withResolvers() Static properties [Symbol .species] Instance methods catch() finally() then() Inheritance Object/Function Static methods apply() bind() call() toString() [Symbol .hasInstance]() Static properties displayName Non-standard length name prototype arguments Non-standard Deprecated caller Non-standard Deprecated Instance methods __defineGetter__() Deprecated __defineSetter__() Deprecated __lookupGetter__() Deprecated __lookupSetter__() Deprecated hasOwnProperty() isPrototypeOf() propertyIsEnumerable() toLocaleString() toString() valueOf() Instance properties __proto__ Deprecated constructor Your blueprint for a better internet. MDN About Blog Mozilla careers Advertise with us MDN Plus Product help Contribute MDN Community Community resources Writing guidelines MDN Discord MDN on GitHub Developers Web technologies Learn web development Guides Tutorials Glossary Hacks blog Website Privacy Notice Telemetry Settings Legal Community Participation Guidelines Visit Mozilla Corporation’s not-for-profit parent, the Mozilla Foundation . Portions of this content are ©1998–⁨2026⁩ by individual mozilla.org contributors. Content available under a Creative Commons license .
2026-01-13T08:48:03
https://addons.mozilla.org/ka/firefox/addon/rentgen/
Rentgen – გადმოწერეთ გაფართოება 🦊 Firefox (ka) Firefox-ბრაუზერის დამატებები გაფართოებები თემები სხვა… Firefox-ისთვის ლექსიკონები და ენის კრებულები ბრაუზერის სხვა საიტები დამატებები Android-ისთვის შესვლა ძიება ძიება Rentgen ავტორი “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 მიმოხილვა) 5 (12 მიმოხილვა) 216 მომხმარებელი 216 მომხმარებელი ჩამოტვირთეთ Firefox და გამოიყენეთ გაფართოება ფაილის ჩამოტვირთვა გაფართოების მონაცემები ეკრანის სურათები გაფართოების შესახებ Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy შემქმნელის შენიშვნები Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl 5 შეფასება 12 მიმომხილველისგან შედით ანგარიშზე გაფართოების შესაფასებლად ჯერ არ შეფასებულა ვარსკვლავით შეფასება შენახულია 5 12 4 0 3 0 2 0 1 0 ყველა (12) მიმოხილვის ნახვა ნებართვები და მონაცემები მოთხოვნილი ნებართვები: პირადი მონაცემების პარამეტრების ნახვა და შეცვლა ბრაუზერის პროქსის პარამეტრების მართვა თქვენს მონაცემებთან წვდომა ყველა საიტზე აღსარიცხი მონაცემები: შემქმნელის თქმით ეს გაფართოება არ საჭიროებს მონაცემთა აღრიცხვას. ვრცლად დამატებითი მონაცემები დამატების ბმულები მთავარი გვერდი მხარდაჭერის საიტი მხარდაჭერის ელფოსტა ვერსია 0.2.4 ზომა 9,55 მბ ბოლო განახლება 21 დღის წინ (23 დეკ 2025) მსგავსი კატეგორიები ვებშემუშავება პირადულობა და უსაფრთხოება ლიცენზია მხოლოდ GNU General Public License v3.0 პირადი მონაცემების დაცვის დებულება გაეცანით ამ დამატების პირადულობის დაცვის დებულებას ვერსიის ისტორია ყველა ვერსიის ნახვა ჭდეები anti malware anti tracker container privacy security კრებულში დამატება კრებულის შერჩევა… ახალი კრებულის შექმნა საჩივარი დამატების შესახებ დაეხმარეთ შემმუშავებელს ამ დამატების შემქმნელი, პროგრამის მომავალი განვითარებისთვის, გთხოვთ მხარდაჭერას, მცირეოდენი შემოწირულობის სახით. შემოწირულობის გაღება Mozilla-ს მთავარ გვერდზე გადასვლა დამატებები შესახებ Firefox-დამატებების სვეტი გაფართოებების შემუშავება შემმუშავებლები შემმუშავებლის დებულებები ერთობის სვეტი ფორუმი მოხსენება ხარვეზის შესახებ მითითებები მიმოხილვის გასაკეთებლად ბრაუზერები Desktop Mobile Enterprise პროდუქტები Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) პირადულობის დაცვის დებულება ფუნთუშები სამართლებრივი საკითხები გარდა მოცემული შენიშვნებისა , ამ საიტზე არსებული შიგთავსი ვრცელდება Creative Commons Attribution Share-Alike v3.0 ლიცენზიით ან უფრო ახალი ვერსიით. ენის შეცვლა Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
http://www.dotnetrocks.com/voxpop
VoxPop - Leave a Message Home No Ads Links Feed About VoxPop .NET Rocks! Leave us a voice message We are currently gathering short messages for our 2000th episode, to be recorded in Redmond, WA at the Party with Palermo on March 23, the evening before the MVP Summit starts. We would like to know: How long have you been listening to .NET Rocks? Did you work on the Y2K problem in the late 90s? Please describe your experience How has .NET Rocks! affected your career You can record up to 1 minute of audio for each message. You can submit multiple messages if you like. Enter Your Name First Name * Last Name * Continue to Record
2026-01-13T08:48:03
https://dev.to/t/100daysofcode
100 Days of Code! - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close 100 Days of Code! Follow Hide The 100 Days of Code is a coding challenge created by Alexander Kallaway to encourage people to learn new coding skills. Create Post Older #100daysofcode posts 1 2 3 4 5 6 7 8 9 … 75 … 145 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Building Bulletproof Dropdown Click Handling in React Chibuikem Victor Ugwu Chibuikem Victor Ugwu Chibuikem Victor Ugwu Follow Jan 10 Building Bulletproof Dropdown Click Handling in React # javascript # webdev # 100daysofcode # react Comments Add Comment 2 min read The next basic concept of Machine Learning after NumPy: Pandas Juhi Kushwah Juhi Kushwah Juhi Kushwah Follow Jan 5 The next basic concept of Machine Learning after NumPy: Pandas # 100daysofcode # mlbasics # pandas Comments Add Comment 2 min read Understanding NumPy in the context of Python for Machine Learning Juhi Kushwah Juhi Kushwah Juhi Kushwah Follow Jan 4 Understanding NumPy in the context of Python for Machine Learning # 100daysofcode # mlbasics # numpy Comments Add Comment 2 min read Understanding Data Preprocessing Juhi Kushwah Juhi Kushwah Juhi Kushwah Follow Jan 7 Understanding Data Preprocessing # 100daysofcode # mlbasics # datapreprocessing Comments Add Comment 4 min read My github reposertory! Sleepy[Yasmin] Sleepy[Yasmin] Sleepy[Yasmin] Follow Dec 31 '25 My github reposertory! # webdev # 100daysofcode # day7 Comments Add Comment 1 min read Day 6 = Section 3 done!! Sleepy[Yasmin] Sleepy[Yasmin] Sleepy[Yasmin] Follow Dec 30 '25 Day 6 = Section 3 done!! # webdev # 100daysofcode Comments Add Comment 1 min read Day 4 = file paths Sleepy[Yasmin] Sleepy[Yasmin] Sleepy[Yasmin] Follow Dec 27 '25 Day 4 = file paths # webdev # day4 # 100daysofcode Comments Add Comment 1 min read Learning how to color my page decently Sleepy[Yasmin] Sleepy[Yasmin] Sleepy[Yasmin] Follow Dec 26 '25 Learning how to color my page decently # webdev # 100daysofcode # day2 # css Comments Add Comment 1 min read My 1st solo project Sleepy[Yasmin] Sleepy[Yasmin] Sleepy[Yasmin] Follow Dec 26 '25 My 1st solo project # webdev # 100daysofcode # day2 # 1st Comments Add Comment 1 min read Why if Is Not Enough: Understanding try/except in Python Pp Pp Pp Follow Dec 20 '25 Why if Is Not Enough: Understanding try/except in Python # backend # python # programming # 100daysofcode Comments Add Comment 1 min read 1st Post/100 days of code post 1 = What i'm learning Sleepy[Yasmin] Sleepy[Yasmin] Sleepy[Yasmin] Follow Dec 25 '25 1st Post/100 days of code post 1 = What i'm learning # webdev # 100daysofcode Comments Add Comment 1 min read Week 1 of KodeKloud’s 100 Days Challenge: Days 1-4 (Or: How I Learned to Stop Worrying and Love the Slow Labs Elijah Elijah Elijah Follow Dec 19 '25 Week 1 of KodeKloud’s 100 Days Challenge: Days 1-4 (Or: How I Learned to Stop Worrying and Love the Slow Labs # devops # linux # kodekloud # 100daysofcode Comments Add Comment 2 min read Beginner-friendly exercises on NumPy, Pandas and Data Preprocessing Juhi Kushwah Juhi Kushwah Juhi Kushwah Follow Jan 8 Beginner-friendly exercises on NumPy, Pandas and Data Preprocessing # 100daysofcode # mlbasics Comments Add Comment 7 min read I Built 7 Production Apps in 7 Days as a 17-Year-Old Developer esteban mo esteban mo esteban mo Follow Dec 14 '25 I Built 7 Production Apps in 7 Days as a 17-Year-Old Developer # 100daysofcode # buildinpublic # webdev # indiehackers Comments Add Comment 1 min read I Built 7 Production Apps in 7 Days as a 17-Year-Old Developer esteban mo esteban mo esteban mo Follow Dec 14 '25 I Built 7 Production Apps in 7 Days as a 17-Year-Old Developer # 100daysofcode # buildinpublic # webdev # indiehackers Comments Add Comment 1 min read 2026 Backend Developer Roadmap: 100% Free Resources to Get Hired Harish A Harish A Harish A Follow for CodersNote Dec 11 '25 2026 Backend Developer Roadmap: 100% Free Resources to Get Hired # java # python # 100daysofcode # programming Comments Add Comment 6 min read Python vs. Java vs. C++: The Best Language for Coding Interviews in 2025 Alex Hunter Alex Hunter Alex Hunter Follow Dec 14 '25 Python vs. Java vs. C++: The Best Language for Coding Interviews in 2025 # python # java # cpp # 100daysofcode Comments 2  comments 3 min read I made a promise to myself that am not leaving Meru University without Python skills. Erick Mwangi Muguchia Erick Mwangi Muguchia Erick Mwangi Muguchia Follow Dec 12 '25 I made a promise to myself that am not leaving Meru University without Python skills. # programming # beginners # learning # 100daysofcode Comments 1  comment 2 min read 🗑️ Django Learning Journey – Day 8 stackbento stackbento stackbento Follow Nov 11 '25 🗑️ Django Learning Journey – Day 8 # webdev # django # python # 100daysofcode Comments Add Comment 2 min read 100 Days of Code — My GitHub Streak Journey (Aug 4 Nov 11) Aman Kureshi Aman Kureshi Aman Kureshi Follow Nov 11 '25 100 Days of Code — My GitHub Streak Journey (Aug 4 Nov 11) # 100daysofcode # github # githubstreack # webdev Comments Add Comment 1 min read Prop drilling was draining my time and patience until one concept changed everything. Asad Zaman Asad Zaman Asad Zaman Follow Nov 5 '25 Prop drilling was draining my time and patience until one concept changed everything. # webdev # react # 100daysofcode Comments Add Comment 1 min read Today I learned React Router and My brain hurts (In a good way ) Asad Zaman Asad Zaman Asad Zaman Follow Nov 3 '25 Today I learned React Router and My brain hurts (In a good way ) # 100daysofcode # webdev # programming # react Comments Add Comment 1 min read Why everyone fails at the California Housing dataset the same way(6 brutal reasons) MohammadReza Mahdian MohammadReza Mahdian MohammadReza Mahdian Follow Nov 24 '25 Why everyone fails at the California Housing dataset the same way(6 brutal reasons) # machinelearning # datascience # python # 100daysofcode Comments Add Comment 2 min read How I finally passed my AWS Cloud Practitioner Exam 🎉 Noel Erulu Noel Erulu Noel Erulu Follow Oct 30 '25 How I finally passed my AWS Cloud Practitioner Exam 🎉 # aws # programming # 100daysofcode Comments Add Comment 2 min read 🎉 Mini Game Project Completed: Tic Tac Toe! 🕹️ Developer Developer Developer Follow Nov 24 '25 🎉 Mini Game Project Completed: Tic Tac Toe! 🕹️ # tictactoe # beginners # 100daysofcode # gamedev 1  reaction Comments Add Comment 1 min read loading... trending guides/resources 📘 Week 7 Recap: State Management, Thinking in React & Mini Project Progress Why everyone fails at the California Housing dataset the same way(6 brutal reasons) 🍕 Eat-N-Split Day 2: Adding Friends & Toggling the Form I made a promise to myself that am not leaving Meru University without Python skills. Beginner-friendly exercises on NumPy, Pandas and Data Preprocessing Week 1 of KodeKloud’s 100 Days Challenge: Days 1-4 (Or: How I Learned to Stop Worrying and Love t... Today I learned React Router and My brain hurts (In a good way ) How I finally passed my AWS Cloud Practitioner Exam 🎉 Understanding Data Preprocessing The next basic concept of Machine Learning after NumPy: Pandas Day 6 = Section 3 done!! I Built 7 Production Apps in 7 Days as a 17-Year-Old Developer No other Icons Library Needed 🥶 Python vs. Java vs. C++: The Best Language for Coding Interviews in 2025 Prop drilling was draining my time and patience until one concept changed everything. Why if Is Not Enough: Understanding try/except in Python 🎉 Mini Game Project Completed: Tic Tac Toe! 🕹️ My 1st solo project My github reposertory! 2026 Backend Developer Roadmap: 100% Free Resources to Get Hired 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://dev.to/katyi
Alexandra Egorova - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Alexandra Egorova 404 bio not found Joined Joined on  Aug 9, 2023 github website More info about @katyi Badges Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close Post 0 posts published Comment 5 comments written Tag 0 tags followed Want to connect with Alexandra Egorova? Create an account to connect with Alexandra Egorova. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://share.transistor.fm/s/0883be0d#copya
APIs You Won't Hate | Note-taking tools for devs, with Drew White from Stashpad APIs You Won't Hate 40 ? 30 : 10)" @keyup.document.left="seekBySeconds(-10)" @keyup.document.m="toggleMute" @keyup.document.s="toggleSpeed" @play="play(false, true)" @loadedmetadata="handleLoadedMetadata" @pause="pause(true)" preload="none" @timejump.window="seekToSeconds($event.detail.timestamp); shareTimeFormatted = formatTime($event.detail.timestamp)" > Trailer Bonus 10 40 ? 30 : 10)" class="seek-seconds-button" > 40 ? 30 : 10"> Subscribe Share More Info Download More episodes Subscribe newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyFeedUrl()" class="form-input-group" > Copied to clipboard Apple Podcasts Spotify Pocket Casts Overcast Castro YouTube Goodpods Goodpods Metacast Amazon Music Pandora CastBox Anghami Anghami Fountain JioSaavn Gaana iHeartRadio TuneIn TuneIn Player FM SoundCloud SoundCloud Deezer Podcast Addict Share newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyShareUrl()" class="form-input-group" > Share Copied to clipboard newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyEmbedHtml()" class="form-input-group" > Embed Copied to clipboard Start at Trailer Bonus Full Transcript View the website updateDescriptionLinks($el))" class="episode-description" > Chapters January 9, 2023 by APIs You Won't Hate View the website Listen On Apple Podcasts Listen On Spotify Listen On YouTube RSS Feed Subscribe RSS Feed RSS Feed URL Copied! Follow Episode Details / Transcript Mike talks with Drew White from Stashpad about personal notetaking apps for developers, and the potential of future API hooks for Stashpad. Show Notes Stashpad - https://stashpad.com/ Stashpad Discord - https://discord.gg/ScxPxcN9fK Drew White - @drucial Creators and Guests Host Mike Bifulco Cofounder and host of APIs You Won't Hate. Blogs at https://mikebifulco.com Into 🚴‍♀️, espresso ☕, looking after 🌍. ex @Stripe @Google @Microsoft What is APIs You Won't Hate? A no-nonsense (well, some-nonsense) podcast about API design & development, new features in the world of HTTP, service-orientated architecture, microservices, and probably bikes. Mike Bifulco: Hello, hello and welcome to APIs you Won't Hate. My name is Mike Fulco. Your effervescent and ever present host of the show. Today I am flying solo and having a chat with actually a friend of mine. Locally here in my hometown of Charlotte who I've known for a while now. And we're, we're gonna talk a bit about what he is working on, a bit about how he got there and you know, some of the backstory of that stuff. So I'm very excited to talk to today. Drew White. Drew, How's it going, man? Drew White: Hey Mike. How are you? Doing good today. Mike Bifulco: I'm good. I'm good. We have a lot of things to talk about. I'm really interested to hear your whole story and talk a little bit about stash pad where you, you have been laying down your lines of code of late among other things. Yeah, and I think we, we'll kind of get into all those things. In particular, like anything to do with building en engineering teams and all that is always interesting around here. Drew, tell me about yourself. How did we meet? Let's start there Drew White: this is actually, I feel like it was kismet if I can use that word. Yeah. So I'm a cyclist as you guys probably know, Mike is as well. And I was riding with a buddy on a local Greenway, and Mike was riding one of the most esoteric bikes that I feel like only a handful of local cyclists probably even know what they are. But I saw it was like, Hey. Is that a such and such? And he was like, Yeah, how did you, like, it was just like a, a sort of thing. And so we kind of met on the, the Greenway had a small little conversation and then later I had a. Set of wheels for sale. I, I believe, And you responded to the post. I don't think I realized it was you until you came to pick up the wheels and bought them and Yeah. So like that whole thing and then, yeah, just started riding like morning greenway grabbing coffee, that sort of thing. And that was a couple years ago now, Mike Bifulco: it was during the dark days of the pandemic for sure. You know, when, when we were not doing much indoor stuff, definitely a bit of kismet there. And I, I think if I remember like the space between bumping into each other for the first time and then me contacting you on Facebook marketplace to buy wheels when I needed them was like days to a week at most. Drew White: I think it was two days. I think it was two days. Mike Bifulco: a very strange back to back set of coincidences that I'm, you know, frankly pretty grateful for. Drew White: And I am too Mike Bifulco: Yeah, of course. We've talked about, you know, tons of writing stuff ever since, of course. And coffee seems to come up fairly often and you, you have similar tastes in design and all that other stuff too. So it's been super cool to kind of get to know you here. And what's been really cool to see over the past few years is like you've done a complete full on career. Like I, I, a pivot is not even fair. Like you've done an absolute like SUEx to your working world. Tell me a little bit about your working history. Like what, what have you done and what are you doing? Drew White: Yeah, so I've kind of taken a non-traditional path into the working world. I kind of started in finance for the first two years out of school. I did not go to college. Just really wasn't my, I attempted, but really wasn't my thing. So jumped into finance for a couple of years and then spent the. I don't know, decade or so in aerospace. Started kind of at the bottom of sort of midsize company and worked my way up to marketing director. And so from there, pivoted out of that into starting my own marketing agency which I did smack Deb in the middle of the pandemic right around the time that I met you. And what's interesting is I had been, You know, fascinated with the developer world for a couple years at that point. But really hadn't made it like a high priority on my, I tend to accumulate hobbies. So it kind of fell to the bottom of the stack. And then I met you and we were kind of talking about some of this stuff on the bike rides and, and such and such. And I had started building a lot of websites and things for. and yeah, just with one of your, your previous employers. Shown me the, the gymnasium actually which was like sort of like tutorial land, educational portal for largely like web dev stuff I feel like. But anyways, took every single course available on there and got a lot out of it. And just like that love of wanting to build stuff just ignited from that point forward. So fast forward. Let's say a year of really focusing on development education, particularly with JavaScript. I was kind of burn out managing this, this marketing business. Found a actual subcontractor that was interested in acquiring it and. Bailed and decided that I wanted to take a stab at, you know, working for a startup in the tech world. And so kind of applied to a couple of places and put my resume out there a little bit, However minimal it might have been at that point in time. And fielded quite a few inquiries and really landed on I had one conversation. Kara Bornstein is Stash pad ceo. And really believed in her vision and her as a leader of that company. So it was pretty sold and then in the second interview, got to meet with the cto the Meron and was even more sold. So I had kind of decided at that point that this is really where I wanted to be and. So took a role there as a developer experience designer, , Mike Bifulco: man, you've done so many things in such a short amount of time, like. Literally from, from finance to being a marketing director, to running an agency to figuring out how to find your way into the dev world is really fascinating. you know, Along the way, like you, you also had some interesting projects that you put out into the world, which, though your resume may have been short at the time you had some really cool stuff like your skew amorphism project . That, that was cool. Do you wanna talk a little bit about. Drew White: Yeah, sure. So I was just kind of in all of my free time, I was building a lot of UI stuff just. For learning purposes of my own, but also just cuz there were things that I wanted that I, I couldn't find or I didn't think existed or something like that. So I was using a lot of like, skew, morphism, glass, amorphism and amorphism in some of my designs. Primarily because I have a background in 3D design and so it was like sort of appealing to me to be able to create some of that stuff. Sort of like the in, in the web, which I thought was awesome. And so yeah, I created this tool. I got tired of like finagling, like, okay, 0.3 pixels, 0.4 pixels, like, like all of this stuff, like adjusting 'em to get like the shadows and the highlights and all of that stuff just right. And so I created a little tool that's basically a, a CSS generator with these really nice little sliders that, you know, you can quickly dial. The amount of s amorphism amorphism that you want with the right direction of light down to like, I think it's 1000th of a pixel or something like that. It's pretty crazy. But yeah, built that and it's actually gotten quite a bit of use from my, not only myself, but like other designers and developers have used it as well. And yeah, that was like the first real tool that I built and put out. Picked up any traction but it was super fun to build for sure. Mike Bifulco: Yeah. I appreciate most about you, how understated you are. It, this is an insanely cool thing and like to me, the, the perfect example of showing , that you're an interesting person who's taking a hands on approach to learning and actually building things out. I will drop the URL for this tool in, in the browser or sorry, in the, in the show notes here. And what's interesting for the audience of APIs you won't hate is like a lot of the folks we work with here. Really into building the data layer, the back end side of things, the connective tissue from the front end to the back end. But you can imagine in many ways that you could show off your chops as an API developer by building out a simple tool that just shows one facet of here's how I would, you know, build out these, these knobs and levers to adjust the experience of building an api. Better. New Amorphism is a very touchable like you know, tasty kind of thing to be able to go out and use and like as someone who's trying to break into the industry or as someone who was trying to break into the industry at the time, it's the perfect kind of prism put in front of yourself to say like, yeah, cool. I haven't worked in this yet, but I do this kind of work and I do a really good job of it. And it's gotten some great attention too, which is really cool. The, the thing I still need to yell at you about is you need to put your name on that webpage. In big, bold letters somewhere, minimalism be damned. People should know where it came from. You know what I mean? Drew White: That is sort of like a thing that we've talked about a bit. I'm a minimalist through and through like at every phase and yeah, it's, I get it. The branding. I need to be better about that for sure. And maybe someday I'll put it on there. Mike Bifulco: Fair enough. Yeah, I'll go chase down your code and open a poll request for you. Yeah. Cool. So why don't we talk a little bit about what you're doing now. So what is stpa? Drew White: So Stash Padd is a notes taking application. Kind of aims to flip that concept of notes taking on its head. The whole point of what we're doing is reducing the burden of capture. I mean from my perspective, notes is not a particularly enjoyable experience for most people. However, it is a particularly important. Part of daily dev life or daily, you know, really work life. Being able to get thoughts out of our head, take notes on conversations that we've had, meetings standups, code reviews, all that kind of stuff very easily, very quickly, and be able to put it somewhere and not really have to worry about where you're putting it necessarily and kind of give you that feeling and vibe. Similar to like if you were dm, DMing yourself in Slack. Where it's the, it's the lowest burden of entry for capture. And the, the, in my personal experience, I might be biased, but my personal experience, it's the, it's the least amount of friction for getting something out of my head and into somewhere that I can recall it later when I need to. So yeah, we've been working on the app for, oh, probably two years now, I guess is when. Things kind of started, but we just launched in August on product hunt. And reception has been phenomenal. It's been so, so good. So yeah. That's what Stash pad is. It's at the helm we have Kara Bernstein and Theo Meron as the two founders. And then it's a pretty small team. We're located in Raleigh or Durham, North Carolina. I keep saying Raleigh every Mike Bifulco: Middle of both. Drew White: Yeah. Yeah. Mike Bifulco: I mean, most people put 'em right next to each other anyway. Drew White: At the American Underground there which has been great. So, Yeah. Mike Bifulco: Yeah. Cool. Yeah. American Underground is kind of like the home of startups in, in that part of North Carolina. A super cool community created there. So note taking is a really interesting thing to me. I, I have kind of a, a interesting history with it and actually I remember, I wish I could tell you when it was, but I remember a specific conversation I had with one of my great friends actually. My former employer, Andrew Miller, who is the program director over at Gymnasium and his longtime friend of mine, one of the, the smartest people I know. At one point I remember having a conversation with him where he asked me about how I take notes for work. Like how do I keep track of what I'm doing? And literally at the time, my response was, why would I take notes? Like, I just remember it, you know? And like the, the brash, bold statement that I made that was just like I don't know. My brain's working at a thousand percent all the time. Why do I need to write anything down? I remember that moment and I remember like literally a month later being like, Oh man, I need to write everything down. Like I'm starting to forget things. They're all falling outta the back of my head. And that, that was the moment where I really started to focus on like, trying to organize myself, trying to organize my thoughts and have frankly, filtered through a lot of tools in the meantime. And I think. The note taking thing and writing down notes and taking notes is a virtuous thing. It's very good. You want to do it because it, it's less burden for your, your mind, but also it helps other people, right? So like, Drew, if you and I have a conversation, I'm teaching you something one on one, that's awesome. You might learn something from me. But if I also write it down and one other person reads it, I've doubled the efficacy of that conversation. And that's why note taking is good. It's also helpful. If I forget it in the future, I can come back to it. What, what I also really like about it too is that. Note taking is different for everyone and you kind of have to find what works for you. And I feel like people may feel like the market is kind of floated, flooded with note taking tools. But I think that's because people's style of thought and their style of organization is very, very different from one another and like, Some people are good with just a notepad, you know, txt file and, and the chaos that that may bring on. Some people might like the iOS, you know, note app for their own thing. But truly finding something that is like broadly applicable and easy to use and easy to understand is a challenging problem space. Drew White: Yeah, and I think actually your experience that you just described is fairly common. You know, I had the same. Greater than do attitude towards notes in the early days, like I have a pretty solid memory. I can remember a lot of things. But what I think a lot of people who do take notes now understand, and people who don't take notes will ultimately figure out is that the more you keep in your head, Yeah, you may be able to keep it in there, but you got limited space up there. So the more you take in, eventually some of that stuff's gonna start falling off. And then there's like the stress of, you know, some of that data may be important and then you may not have it. So I've definitely adapted a practice and you're absolutely right, there's a lot of options out there and. Varying degrees of Complexity, which is the interesting part to me. But I think what is so interesting is just the fact that there are so many, like different note taking applications speaks to a larger problem, right? No one has kind of sorted this stuff out. Usually, particularly in the dev the development world, engineering world dev tools tend to be winner take all, I mean, vs. Code by far and away owns the market and in ide, maybe with JetBrains or something coming in right behind them. You've got. Basically issue tracking tools and all these other things. There's usually like a winner take all sort of situation and in so sort of personal notes that sort of space that really isn't something that is landed on. People are kind of all over the board from, you know, untitled text files, just flooding their desktop to any combination of different apps, big ones, no notion Evernote obsidian, all of those things and. Where we like to think that we can fit in and, and, and why we're building this thing in the first place is to kind of have this defacto, we'll do whatever you want it to do. Lightweight and very speedy. I've used some of the other big name apps out there particularly. Like Apple notes and things like that. And there always seems to be a little bit of friction between, I just got told some information that I need to remember in four hours from now, or two days from now, or two months from now. Where do I put that? How do I organize that in my. Hierarchy or whatever and how am I gonna find that later? And that has always been my challenge. I've bounced around from, from app to app long before I even knew that stash pad was a thing. And so that's the problem we aim to resolve. And the reality is if we can bring a little bit of joy to something that is often like a mundane sort of experience yeah, I mean, all the better. That's. The goal Mike Bifulco: Sure. Yeah. It's a, it's a hard thing to describe the way, the value of having a good note taking system feels. But like, when you come out on the other side of it and you start writing things down, the task of recall suddenly doesn't become, I need to remember every detail about this thing. All you need to remember is that you wrote it down and you can find it. And that's something that, the scale that comes with that is pretty tremendous and also really helpful. Like in three years when I wanna look up what you and I talked about today I certainly won't remember. Right in my brain, but I will remember that we had this talk and I can jump back into my notes and chase it down. Drew White: Yep. Mike Bifulco: It's, it's super cool and I feel like there's a lot of psychology that goes into it, like both the people's hesitance to take on note taking, but then like the personal style, the workflow, the things that trigger peoples like, I need to take a note about this, or I need to keep my list of tasks in this versus you know, am I summarizing an article or, or writing down a note about, I dunno, some hack I wrote in my code, Whatever the case may. Yeah, I, I like all of that stuff. It's really interesting to think about and like you must be building a very kind of generic tool set to do that, right. Drew White: Yeah. I mean, like our whole concept is, is giving Users, people a default place to write to that they don't have to worry about. Like, it's, it's essentially a log, you know, it's. Date timestamped log. That includes everything that you've got. So if you even remember roughly what happened during the day, you should be able to find the note that, that you took down which is pretty awesome. And so sort of the next big thing for us is further removing we'll call 'em barriers to capture cuz we believe that that's the most important thing. And so as we continue to expand, Develop the product. One of our, our major items on our roadmap is like integrations and our api. So the whole idea of being able to. Send content from somewhere into stash pad or even have that content automatically be imported into Stash Padd as a note in the right place when you need it is really exciting for me. I don't know what it was like, you know, at any of your, your previous employers. But like one of the biggest things moving to the tech world that kind of knocked me off my socks is the tech stack. I was not prepared for that whatsoever. Like even coming from like my own business where I was using quite a few different tools for different purposes and managing those things. Like my bookmark folder for like just dash padd tools is, is, is pretty big. Like we, we've got at least 12 separate tools that we use for different purposes. And while that's great and all of them work really well, sometimes it's hard. Particularly in my position, it's difficult. Hey, remember where that comment that someone made that you need to reference came from? Or like, was it in Slack? Was it in, was it a conversation, Was it a thread in Slack, like going back and doing all of that stuff? Or was it a slab or any, any number of, of different locations it could have come from. And so the ability to have this sort of automated notes dashboard which is, you know, the ultimate goal here. Really, really appealing to me to be able to create some smart stacks that give you the information you need from the resources that you use, the tools that you use and combine that with capturing your own notes from one-on-ones meetings, code reviews, all of that stuff is really just feels like I would like to have that today. Mike Bifulco: Sure . Sure. Yeah. I what I'm really interested to hear about too is like, this is, this is one of those great cases where almost certainly you will be using Dash pad as you're building it. You know, probably both personally and as, as a company, as a team, whatever that looks like. Can you tell me a little bit about what, what your, like what your, I dunno. Your dog fooding process is like, and some of the things that your team does with Stash pad. Drew White: Yeah, so our dog fooding process is pretty strong. Everybody on our team is very opinionated and also very thorough and not afraid to speak up, which is hugely beneficial both from like a development standpoint, but honestly from a design standpoint, which I spend a lot of time in. And so we all use stash pad very differently. It's actually pretty fascinating. Often, like, we'll go into like a spec review or something like that and this person will say, You know, I use this this way, that makes perfect sense to me. And then like I'm looking at 'em like, I don't use it that way at all. Like I, my mindset, my brain map is, is different. My mental model is different. And so what's fascinating is we've, we've kind of engineered the flexibility to match different mental models into the app which has. I don't know, kind of just eye opening for me, but I use it all the time. Primarily with code reviews, design reviews, that sort of thing. Spec reviews. I have several, one-on-ones every week. I like to use it for them so I can both remember what we talked about, but also kind of measure my own progress and be able to go back and look at some of the things that we talked about. I also do it. Basically things that I want to bring up. I also use it as a drafting tool, believe it or not. Cuz it does support markdown and so I can do some longer form notes if I need to. So I do like it as a drafting tool. They render really, really nicely. And then I also use it as like a lockbox for data. I know I'm gonna need in perpetuity. I can keep a place for quick, quick info that I just need to access all the time. And I can know that everything in there is always gonna be there forever in the shape that it needs. So and that's how I use it. I also use it as a task manager. We've got a great sort of to-dos system and hierarchical todos, which is super awesome. So like you can create a stack of todos. Which is within another stack of, to-dos, that stack itself can be a to-do so on and so forth. So Yeah. it works really well for keeping me organized. Mike Bifulco: I can imagine as an engineer or someone working on a product team, whether you're an engineer or a designer or a product manager, whatever, whatever your role is there's a lot of value in keeping yourself organized and, and making this thing work for you. Can you tell me a little bit about the storage plan for for Dash pad? So right now, is it local only? Is it cloud synced? Is it something you use with like Dropbox or Google Drive or something like that? How does it work? Drew White: Yeah, right now it is local only. That was a decision we made based on some, you know, early feedback that we had from engineers and, you know, companies being very, we, we want people to be very have the option to be very private about their, their data and not be sinking to and from the cloud. But as. Right now we are I don't wanna put an actual date on it. We do have a date for release, but just in case things get pushed, you know plus a couple of days, minus a couple of days, whatever the case is, we are rolling out sync in the very near future which will give users an opportunity to not only have data on multiple computers, but also we'll be rolling out our mobile app about the same time. So yeah, we'll have access to. Again, the whole idea is further reducing that, that, that friction capture. So yeah, we'll, we'll have cloud sync available for a pretty small monthly fee. I don't know exactly what it is off the top of my head. But it's very reasonable. And I think there will be a, a certain number of. Um, like free sync sort of things. And then the community version, which is non sync will be free forever in perpetuity. Mike Bifulco: Yeah. Very cool. Is there, so is Stpa taking the perspective that notes are a sort of personal trove of information or is there collaborative features? Drew White: Yeah. So I mean, our whole thing through this has been, there are so many tools out there for teams, right? And. There's very little for managing your own daily work. And so we have taken this stance that Stash pad is for you, not for your team, not for your manager, not for even necessarily the enterprise, although I'm sure we will have enterprise level customers. The idea is it's for the engineer, it's for the user and. That being said, we actually do, we used to have a a web app version, which was like version negative 0.1 or whatever you wanna call it. That does have a collab feature that we still to this day use for retro. And it is easily the greatest platform for something like that that we have experimented with. We've tried basically everything else. We always end up coming back to the old web app. So, yeah, there may be plans for, for adopting some of that functionality in the future as well. Mike Bifulco: Sure. Yeah, I think it's, it is a good angle to take or an interesting angle to take, certainly. I think a lot of folks gut response might be that like having a team collaborative tool is maybe the, the table stakes for them. But in practice, all of the companies I've worked at that have reached any like. Reasonable team size of, call it five people or greater, tend to standardize on like, what is easiest. So and, and by that I mean like things that they've probably already paid for within the enterprise. So that may be Google Talks or Jira or GitHub or like the things that are sort of built into that process. But what I also like about this is that by keeping it local and for yourself, like it, it, it's a way for you to keep your information, to grow your own sort of stack of knowledge and, and to build upon your own set of notes in a way. That is you flavored. I think that's really interesting. And obviously you can still collaborate with your team right there. There are you know, ways to get information out of this thing. It's not a one way valve. Yeah, yeah, Drew White: And I think just based on our experience using the web app, I can't see that not making it in like the collaborative use case, not making it into the app. It's just, it's too good to like pass on. I just don't know where it lives on our roadmap today. Mike Bifulco: The perpetual startup challenge. Yeah. When, When is it the most important thing to build? Drew White: That's right. And I think a lot of people like, I mean, we're a team of seven, so like we're, we're pretty small. And so we've gotta kind of pick and choose our priorities, particularly this close to our launch, you know, And so we're trying to deliver one thing, but a perfect one thing, and then we'll Mike Bifulco: of course. Drew White: the next thing, you know? Mike Bifulco: Yeah. So I'm, I'm curious to probe in a little more about the sort of API layer that you teased, cuz I know that the, the team listening to this will definitely be interested in that. What does that look like? What are the sort of hooks you're thinking about? You know, opening up APIs for. Drew White: Yeah, I mean, primarily the initial sort of main function of the API is intended to expand capture essentially. So the ability to send information to stash pad from basically any tool or any product, any project that you're working on would be the primary function. You may have some other functionalities that come after that. But yeah, I mean our whole thing is that the easier you can make capture, the more likely people are gonna take notes and the better they're gonna retain information and then ultimately the better they're gonna be able to work. So yeah, the, that, that'll be the, the primary function there. We're still kind of working through the details on this. This is on our current roadmap. And I know it's coming probably way quicker. We're gonna be . It feels like we're doing a lot of things right now. But they're all very good things and we're executing at a pretty high level. And so we're trying to maintain that, that momentum. So I, I'd be surprised if this wasn't out early first quarter next year. Yeah. Mike Bifulco: Yeah. Cool. I, I know your team. So you said it's a seven person team. And I, I know you've done some of the engineering work. I'd imagine there's a few engineers that, that work on the product. Can you talk a little bit about what dpad is built with? Drew White: Yeah. Stash Padd is built with react type script in El. Has our primary shippable form, and then the mobile app will be React native actually. So yeah, it's been, it's actually been quite a joy to work with. I know. Our one of our engineers who kind of does a lot of the electron work definitely has some grapes about it. He just wrote a blog post that'll be up on our website probably at the end of today. But yeah, it's, it's, it's a great tool and there's a reason that it's so widely used. And so even with some of the, the push and pull I think it's still a good option, particularly for desktop. And it allows us to ship to Linux and Windows and Mac kind of all in one go. Mike Bifulco: Sure. Yeah, I feel like the electron's perpetual thing is that as it does more people want more. And you know, early on the conversation was mostly around performance. You know we can't ship a Chrome browser for everything. But to be honest, I think that's become less of a problem in recent years as computers have gotten better, as electronic self has gotten better, as Chrome has gotten more lightweight and all those things. Or chromium, I guess not quite chrome. Drew White: Right? Mike Bifulco: And it's interesting to pair that with React Native too, which historically has had similar things and has gotten tremendously further along in the past few years. Like building for React native now is so much easier than it was in 2016. It's, it's a much, much more capable thing. It's cool to see that coming around. Drew White: Yeah, I did some stuff with React native, just personal projects a couple years ago, and I haven't had an opportunity to work on any of the mobile stuff Now my role is, is pretty widely split between design, engineering, dev, re and then some higher level stuff, product stuff. So, but any chance I, I get an an opportunity to, to work in app I relish those opportunities cuz that's sort of what drove me to this place in the first place. But yeah, the we're, we're pretty excited. We've got some, some really good things coming out and I think they're happy with React native today. The engineers are don't, I haven't heard much in the way of complaints, so that's always a good sign. Mike Bifulco: Yeah, I'll say certainly. Cool. So Drew what other things haven't we touched on with Stash pad that, that folks might be interested in if they haven't tried it yet? Drew White: Yeah, I think for me it's the, it's really the speed of the thing that makes it so much better. Like I, I've been a long time, I, I kind of bounce, I mentioned it earlier, I bounced around from app to app for years notes app that is and ultimately landed on Apple Notes just because of its, Sort of nativity as it were. But it was always kind of like somewhat of a compromise for me. But I've actually just, I mean, within the last six months have like fully transitioned into stash pad as a whole, primarily because of the speed of the thing. It's just uncanny, like I think all of our. Basic actions are sub hundred milliseconds or something like that. Like even like loading a massive list of notes is just ridiculously fast. And the other real concept behind it, like particularly if, if you're like a developer and you know, the importance of keeping your hands on the keyboard, like the thing is, is well set up you can navigate everything create, delete, you know, whatever you want to do without ever leaving the keyboard. And like, Super familiar, sort of key bindings that make a lot of sense. And so that's like another huge thing for, for me in particular. We also have like a shortcut, like a global OS shortcut. So you can open it up while you're, so you're working in BS code or your ide and you gotta take a quick note. You can just open it up without ever touching the mouse and bounce over to it, dump your note, go back to work, and just basically eliminate that context switching sort of moment right there. Yeah, I think if anybody hasn't tried it that's listening. It's certainly worth it. It's free, so no harm, no foul. You can download it, our website wws-padd.com. And yeah, give it a try. Let us know. And we're super active on our Discord server. We love getting feedback from, from users even when they hate it. Like we got railed the other day by some guy. He just didn't like the interface like whatsoever. And. He was, he must have sent like 10 emails yesterday, I think. But that's good stuff for us. Like, it's, it's good feedback. Like we don't mind it at all. So yeah, I, I definitely think everybody, if you're using Evernote or Notion or Apple Notes or Ulysses or any of the other ones it's worth giving a try. It's a different experience for sure. You may like it, you may not, but we hope that you. Mike Bifulco: Yeah. Cool. I'll, I'll make sure to drop a link in the show notes here too. And if people wanna chase you down, Drew, where's the best place to find you? Drew White: Usually you can find me at the Whitewater Center in Charlotte, North Carolina or at Fonta Flora. Also Shta no. Yeah, you can find me on Twitter. Atul. I don't, I, I, I spend a lot of time there observing, but I'm not like a huge content creator. I like watching. Mike Bifulco: there's a lot to observe on Twitter these days too. Drew White: Yeah. Yeah, yeah. And then, yeah, that's probably the easiest way to get ahold of me, Mike Bifulco: Cool. Right on. Well, Drew, thanks so much for hanging out today. It's been really cool talking about STA pad. Yeah, come back anytime, especially once you're starting to talk about like opening up the API taps we'll have lots of people with very interesting opinions for you, and I'm sure you'll get a, a bit of an onslaught in your discord for people with feature requests and things like that in the near Drew White: Perfect. We'll create your own channel just for you guys. Mike Bifulco: Right on. Thanks so much, Drew. We'll talk soon. Drew White: thanks Mike. Mike Bifulco: See ya. All audio, artwork, episode descriptions and notes are property of APIs You Won't Hate, for APIs You Won't Hate, and published with permission by Transistor, Inc. Broadcast by
2026-01-13T08:48:03
https://dev.to/t/typescript#main-content
TypeScript - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close TypeScript Follow Hide Optional static type-checking for JavaScript. Create Post submission guidelines Client-side, server-side, WASM, deno, it doesn't matter. This tag should be used for anything TypeScript focused. about #typescript For more information about TypeScript, visit the official site https://www.typescriptlang.org . Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Building Browser Extensions with WXT + Angular Suguru Inatomi Suguru Inatomi Suguru Inatomi Follow Jan 12 Building Browser Extensions with WXT + Angular # angular # typescript # web # extensions Comments Add Comment 4 min read Angular Addicts #45: Signal Form guides, AI integrations & more Gergely Szerovay Gergely Szerovay Gergely Szerovay Follow for This is Angular Jan 13 Angular Addicts #45: Signal Form guides, AI integrations & more # angular # typescript # javascript 1  reaction Comments Add Comment 4 min read The Ultimate Guide to Drizzle ORM + PostgreSQL (2025 Edition) Sameer Saleem Sameer Saleem Sameer Saleem Follow Jan 13 The Ultimate Guide to Drizzle ORM + PostgreSQL (2025 Edition) # webdev # drizzle # postgres # typescript Comments Add Comment 3 min read Your CLI's completion should know what options you've already typed Hong Minhee Hong Minhee Hong Minhee Follow Jan 13 Your CLI's completion should know what options you've already typed # typescript # javascript # cli # terminal Comments Add Comment 4 min read Building Chalkboard: Open Source Billiard Hall Management Setasena Randata Setasena Randata Setasena Randata Follow Jan 13 Building Chalkboard: Open Source Billiard Hall Management # opensource # buildinpublic # typescript # nextjs Comments Add Comment 3 min read Building a LinkedIn Outreach Agent with LangGraph and ConnectSafely.ai AMAAN SARFARAZ AMAAN SARFARAZ AMAAN SARFARAZ Follow Jan 13 Building a LinkedIn Outreach Agent with LangGraph and ConnectSafely.ai # langgraph # ai # automation # typescript Comments Add Comment 5 min read Stop Sending Sensitive Data to the Cloud: Build a Local-First Mental Health AI with WebLLM Beck_Moulton Beck_Moulton Beck_Moulton Follow Jan 13 Stop Sending Sensitive Data to the Cloud: Build a Local-First Mental Health AI with WebLLM # privacy # typescript # webgpu # webllm Comments Add Comment 4 min read Transactional AI v0.2: Production-Ready with Full Observability Grafikui Grafikui Grafikui Follow Jan 12 Transactional AI v0.2: Production-Ready with Full Observability # ai # typescript # saga # llm Comments Add Comment 8 min read Building a LinkedIn Outreach Agent with ConnectSafely.ai and Mastra AMAAN SARFARAZ AMAAN SARFARAZ AMAAN SARFARAZ Follow Jan 13 Building a LinkedIn Outreach Agent with ConnectSafely.ai and Mastra # ai # automation # typescript # agents Comments Add Comment 10 min read When to Use a Monorepo Devops Makeit-run Devops Makeit-run Devops Makeit-run Follow Jan 12 When to Use a Monorepo # nx # typescript # devops Comments Add Comment 7 min read Building profiler0x0: An Arcade-Style GitHub Profile Analyzer That Doesn't Judge ackermannQ ackermannQ ackermannQ Follow Jan 12 Building profiler0x0: An Arcade-Style GitHub Profile Analyzer That Doesn't Judge # webdev # github # typescript # node Comments 2  comments 5 min read Introducing Effuse — an experimental reactive framework Chris M. Peréz Chris M. Peréz Chris M. Peréz Follow Jan 12 Introducing Effuse — an experimental reactive framework # webdev # javascript # typescript # programming Comments Add Comment 2 min read I built a WASM execution firewall for AI agents — here’s why Xnfinite Xnfinite Xnfinite Follow Jan 10 I built a WASM execution firewall for AI agents — here’s why # discuss # typescript # rust # ai Comments Add Comment 2 min read Building PDFMitra: A Free PDF Tool with Next.js 14 (Complete Tech Guide) 🚀 Praveen Nayak Praveen Nayak Praveen Nayak Follow Jan 12 Building PDFMitra: A Free PDF Tool with Next.js 14 (Complete Tech Guide) 🚀 # nextjs # typescript # webdev # tutorial Comments Add Comment 3 min read React + TypeScript: The Patterns That Actually Matter Tarun Moorjani Tarun Moorjani Tarun Moorjani Follow Jan 12 React + TypeScript: The Patterns That Actually Matter # typescript # react # programming # javascript 1  reaction Comments Add Comment 8 min read Building a Casio‑Style Scientific Calculator with Vue 3 + TypeScript A0mineTV A0mineTV A0mineTV Follow Jan 12 Building a Casio‑Style Scientific Calculator with Vue 3 + TypeScript # vue # typescript # frontend # javascript Comments Add Comment 3 min read My First Open Source Contribution Was to an Authentication Project — And It Was Surprisingly Friendly Pramod K B Pramod K B Pramod K B Follow Jan 9 My First Open Source Contribution Was to an Authentication Project — And It Was Surprisingly Friendly # opensource # node # typescript # authentication Comments Add Comment 2 min read How to protect server functions with auth middleware in TanStack Start Hiroto Shioi Hiroto Shioi Hiroto Shioi Follow Jan 12 How to protect server functions with auth middleware in TanStack Start # webdev # typescript # fullstack # security 1  reaction Comments Add Comment 3 min read Building Modern Backends with Kaapi: Request validation Part 2 ShyGyver ShyGyver ShyGyver Follow Jan 11 Building Modern Backends with Kaapi: Request validation Part 2 # showdev # typescript # node # opensource Comments Add Comment 3 min read Back to basics: a solid foundation for using AI coding agents in a monorepo Juha Kangas Juha Kangas Juha Kangas Follow Jan 11 Back to basics: a solid foundation for using AI coding agents in a monorepo # tooling # monorepo # ai # typescript Comments Add Comment 2 min read Building a Regulatory-Compliant Accessibility Scanner: From WCAG to Legal Compliance Labontese Labontese Labontese Follow Jan 11 Building a Regulatory-Compliant Accessibility Scanner: From WCAG to Legal Compliance # a11y # typescript # react # webdev Comments Add Comment 6 min read Angular State Management: Signals vs Simple Properties - Which Should I Use? Mohamed Fri Mohamed Fri Mohamed Fri Follow Jan 11 Angular State Management: Signals vs Simple Properties - Which Should I Use? # discuss # performance # typescript # angular Comments Add Comment 1 min read Angular Pipes Explained — From Basics to Custom Pipes (With Real Examples) ROHIT SINGH ROHIT SINGH ROHIT SINGH Follow Jan 11 Angular Pipes Explained — From Basics to Custom Pipes (With Real Examples) # beginners # tutorial # typescript # angular Comments Add Comment 2 min read Brass TS — Building an Effect Runtime in TypeScript (Part 4) Augusto Vivaldelli Augusto Vivaldelli Augusto Vivaldelli Follow Jan 10 Brass TS — Building an Effect Runtime in TypeScript (Part 4) # architecture # opensource # tutorial # typescript Comments Add Comment 3 min read The Mythical One-Fits-All Build Tool Plugin 🦄 (It Actually Exists) Pascal Thormeier Pascal Thormeier Pascal Thormeier Follow Jan 11 The Mythical One-Fits-All Build Tool Plugin 🦄 (It Actually Exists) # typescript # javascript # webdev # programming 4  reactions Comments 3  comments 7 min read loading... trending guides/resources Composition in React: Building like a Senior React Dev 🎉 Black Friday & Cyber Monday 2025: The Best Deals for JavaScript Developers 🚀 Princípios do Clean Code Why Your Vue App Is Reactive Too Much (and How to Fix It) You're Not Building Netflix: Stop Coding Like You Are I Tested 7 Open Source Clerk Alternatives for Full-Stack Developers The Developer's Safety Net - Introduction to TypeScript Angular 21 Developer Guide: AI Tools, Signal Forms, ARIA, and Build Optimizations Building My Own HTTP Server in TypeScript Deno Vs Bun In 2025: Two Modern Approaches To JavaScript Runtime Development Nx vs. Turborepo: Integrated Ecosystem or High-Speed Task Runner? The Key Decision for Your Monorepo Angular 21 is Here: Real Features That Actually Improve Your Daily Workflow How to handle Async Rendering in Vue with Suspense? Triggering Long Jobs in Cloudflare Workers How to Use Path Aliases '@' in React Native with Expo shadcn-glass-ui: Drop-in Glassmorphism for Your shadcn/ui Projects 🎨 Build Your Own Magic Atomic State Code Map: Visualize Code Dependencies with LLM Building a Modern Image Gallery with Next.js 16, TypeScript & Unsplash API Mastering AWS CDK #3 - AWS CDK Development: Best Practices and Workflow 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://www.finalroundai.com/blog/resume-tips-2026
18 Resume Tips for 2026 with Examples Promotion title Promotion description Button Text Interview Copilot AI Application AI Resume Builder Auto Apply AI Resume Builder Auto Apply AI Mock Interview Pricing Resources Resume Creation Tools Recruiters Hotline Resume Checker Cover Letter Generator Career Guidance Tools AI Career Coach LinkedIn Profile Optimizer LinkedIn Resume Builder Support Guides Blog Articles Resume Creation Tools Recruiters Hotline Resume Checker Cover Letter Generator Career Guidance Tools AI Career Coach LinkedIn Profile Optimizer LinkedIn Resume Builder Support Guides Blog Articles Question bank Sign In Sign Up Interview Copilot AI Application AI Resume Builder Auto Apply AI Mock Interview Pricing Resources Resume Creation Tools Recruiters Hotline Resume Checker Cover Letter Generator Career Guidance Tools AI Career Coach LinkedIn Profile Optimizer LinkedIn Resume Builder Support Guides Blog Articles 🔥 Question Bank Sign In Home > Blog > Interview Prep Home > Blog > Interview Prep 18 Resume Tips for 2026 with Examples Apply these resume tips for your 2026 job search to write the best resume with relevant details and make it stand out. Written by Kaustubh Saini Edited by Jaya Muvania Reviewed by Kaivan Dave Updated on Jan 3, 2026 Read time 9 min read Comments https://www.finalroundai.com/blog/resume-tips-2026 Link copied! ‍ In 2026, there will be fewer new job openings, meaning more competition. But interview slots are always limited, and so if you want to land one, your resume really needs to stand out. This is your guide to writing the best resume with up-to-date tips for 2026. Whether it’s your first time or you want a new one for a new job, these tips will help you build a resume that will get noticed. 18 Resume Tips That Will Work in 2026 We pulled insights from top hiring platforms, read the latest 2026 job-market reports, and combined all of that with real feedback from our students. Here are resume tips built around modern recruiting trends: 1) Clean Structure Let’s start with the very basics so that you get a simple resume ready first. You might already know that a resume needs to look professional and be easy to read, both for humans and the ATS (Applicant Tracking System) that most companies use to scan resumes in 2026. In fact, a report found that around 70% of large companies use ATS or other tech-powered tools to review applications. ‍ ‍ ATS (Applicant Tracking System) collects, sorts, and manages job applications.  Instead of a human reading every resume first, the primary purpose is to look for keywords in your resume that match the job description. Then, it sorts all the resumes from which it is decided which ones move forward in the hiring process. Since ATS works like a scanner, it needs a clean resume format to read everything properly. Fancy designs, tables, columns, icons, or graphics can confuse it. So, open a Google Doc (or your favorite word editor) and follow these writing guidelines: Font: Arial, Calibri, or Times New Roman Font Size: 12pt Headings font size: 14-16pt Margins: 0.5 to 1 inch on all sides  Line spacing: 1.0–1.2 Section spacing: Add extra space between sections for clarity Now comes the structure: Header: your full name, phone number, professional email address, location (city and country), and links to your LinkedIn or portfolio if you have one. Professional summary: In 2–3 lines, briefly explain who you are, what you do, and what kind of role you are targeting.  Work experience : Start with your most recent role and work backward. For each job, include your title, company name, dates, and up to 3 bullet points describing what you did and the impact you made. Skills: Focus on relevant technical and role-specific skills, and format them as a simple list. Education: Mention your degree, institution, graduation year, and any relevant achievements if you are early in your career. Here is a sample resume for a software engineer with some work experience: ‍ ‍ When it comes to exporting, PDF is usually the safest format because it locks in your layout and looks the same on every device. However, if a job posting specifically asks for a Word file, exporting as .docx is fine. Now, fill out the details in this structure. You can update and correct it according to these other 19 tips. 2) Get Keywords from Job Description As mentioned above, ATS looks for keywords in the resume that match the job description.  Modern jobs don’t ask for just a degree anymore. We are moving into skill-based hiring.  Nearly 64% employers say they now use skills-based hiring to help identify job candidates.  So, each job description is now very specific about what they are looking for. ATS are trained for these requirements too. These ATS are now also using AI to filter out the best candidates.  You need to read the job description carefully and update your resume with all the relevant skills and duties mentioned in it. For example, here is a section of a job description:  “What you’ll do: Build and maintain scalable web applications using React and Node.js. Design and manage REST APIs and backend services. Work with AWS cloud infrastructure and deploy applications using Docker and CI/CD pipelines.” ‍ When you read a job description, scan it like a checklist. Look for skills, tools, and action words (build, design, deploy, maintain). From the snippet above, the main keywords are: Scalable web applications React Node.js REST APIs Backend services AWS Docker CI/CD pipelines These are the words an ATS and a recruiter are both scanning for. “Software Engineer with 5 years of experience building scalable web apps” Matches scalable web applications “Frameworks: React.js, Next.js, Node.js” Matches React and Node.js “Built and maintained secure APIs.” Matches REST APIs and backend services “AWS (Lambda, EC2, S3), Docker, CI/CD” Matches AWS , Docker, and CI/CD pipelines ‍ ‍ Use the same words in your resume when you honestly have that experience. If the job says they need someone with "customer relationship management" experience, don't just write "worked with customers." Use the phrase "customer relationship management" or "CRM" in your resume. 3) Customize For Each Application Sending the same resume everywhere is the biggest job search mistake you will make. You need to customize the resume for each job application. It takes time and might be boring too, but it will benefit you in the end. Companies want to see that you actually care enough about the position to tailor your application. Plus, with AI tools available now, customizing is faster than ever. A generic one also gives off a low-effort vibe. When recruiters see the same copy-paste resume, they usually assume the candidate isn’t really interested in this specific role.  In fact, reports show that 62% of recruiters are more likely to reject resumes that aren’t customized . Tailoring your resume shows intent. It tells recruiters you actually read the job description, maybe did some research about the company, not just clicking “apply” everywhere. You can customize your professional summary, bullet points in experiences, certifications, and projects according to each application. Let’s understand it with an example. Here’s a section from some other job description: “ What you’ll be working on: Build and scale high-availability backend systems for products handling large datasets and high traffic. Optimize system performance, reliability, and monitoring in a cloud-native AWS environment.” ‍ Keywords that stand out immediately: High-availability systems Backend systems Large datasets / high traffic System System performance  Reliability Now, let’s customize the resume. Before: Built and maintained secure APIs for a fintech product serving 50,000+ monthly users. After: Built and optimized backend APIs handling high-volume traffic , improving response times and system reliability for 50,000+ monthly users. Doing a bit of research on the company also helps make sense for that company. When you understand what the company does, their products, and values, you can highlight the parts of your experience that match what they care about most. 4) Quantify Your Achievements Numbers speak louder than words. In a competitive job market, everyone claims they're a hard worker and a team player. What sets you apart is proof. Hiring managers want to see actual results, not just a list of tasks you did. You should always add numbers, percentages, dollar amounts, or timeframes to your accomplishments. For example: Weak: "Responsible for social media accounts." Strong: "Grew Instagram following from 500 to 5,000 followers in 6 months, increasing engagement by 150%" Here’s how it shows up in our sample resume: ‍ ‍ Numbers also make your resume easier to scan, which matters when recruiters are reviewing hundreds of applications. A 2025 study found that only 36% of resumes still don’t include a single measurable number at all: ‍ ‍ That’s a huge missed opportunity. Most candidates are still not highlighting the impact they made. That’s exactly where you can stand out. Atleast add 3-4 numbers in the resume. 5) Write a Good Summary or Objective A professional summary or objective is the short section at the top of your resume that tells recruiters who you are and what you bring to the table.  Think of it as a quick intro before they dive into the details.  A professional summary focuses on your experience, skills, and achievements, while an objective is more about what kind of role you are looking for (usually better for freshers).  What to include in a professional summary: Keep it to 2-4 sentences Include your job title or area of expertise Mention your years of experience (if you have any) Make it specific to the role you're applying for Like this: ‍ ‍ This section is included because recruiters don’t spend a lot of time on each resume. In many cases, they scan the top half first to decide whether it’s worth reading further.  A clear summary helps them instantly understand your background and whether you fit the role. It also gives context to the rest of your resume. Here are a lots of examples of resume objectives that you can include, both for freshers and experienced professional. 6) Add a Resume Headline A clear headline helps both ATS and humans immediately understand what you do. Resume headline should only be one line (just 7-8 words) that describes your professional identity. Place it directly below your name and contact info. Adding a resume headline also makes your resume feel more focused and intentional. Instead of forcing recruiters to piece things together from your experience, you are guiding them upfront.  On LinkedIn, your headline is often the first thing people notice after your name. A resume headline works the same way. It’s your offline version of a LinkedIn headline. 7) Avoid Tables, Columns & Graphics ATS software literally can't read tables, text boxes, headers/footers, or multiple columns properly. When it tries to scan a fancy template, it gets confused and might jumble your information or skip important stuff entirely.  Your creativity resume could mean your years of experience end up in the wrong section or disappear completely. Even for human recruiters, overly designed resumes can be distracting. They want clear headings and bullet points. Also, don’t use a two-column template with your skills in a sidebar and experience in text boxes; put everything in one column with clear headings.  8) Proofread Even with all the free tools and ChatGPT, people still make spelling mistakes in resumes. Recruiters also know how easy it is to check the grammar with one click, so when they see one typo, it can make you look careless.  A misspelled word or grammar error is an easy reason to toss your application. Plus, some ATS systems might not recognize misspelled keywords. So, after you made your resume, take a break by stepping away to make a coffee. Then, come back with fresh eyes to easily spot errors. Read your resume out loud. This helps you catch mistakes your eyes usually skip over. Reading out loud forces you to slow down, making it easier to notice typos or repeated words You can also take help from a friend. A friend, family member, or teacher can catch mistakes. They can also tell you if something sounds confusing or unclear. 9) Include AI Tools AI skills are now expected in all professional jobs. If you know how to use AI tools, shout it from the rooftops on your resume. In the last couple of years, AI has become part of everyday work in most industries. Many teams already use AI for coding, writing, research, data analysis, marketing, etc.  Employers want people who can use AI to work smarter and faster.  When you list AI tools, you are showing that you are comfortable with modern workflows. Nearly 41% of tech job postings now list AI as a required skill or focus area, showing that companies are actively searching for people who can work with or alongside AI systems. Add the AI tools to your skills section so they’re easy to spot for both ATS and recruiters.  10) Remove Outdated Skills and Education Technology moves fast. Skills that were hot in 2020 might be irrelevant in 2026. Outdated information makes you look behind the times.  For example, listing things like “Microsoft Word”, “PowerPoint”, “Basic HTML/CSS”, “Data Entry”,  or very old versions of software doesn’t help anymore. These were impressive years ago, but today they are assumed basics. Keeping them only wastes space that could be used to highlight more valuable information. Education can also become outdated in how it’s presented. If you are 5–10 years into your career, recruiters care more about your experience than your college GPA or high school achievements. Instead, a simple degree name, university, and graduation year is enough. Recruiters often spend just 7.4 seconds on the first resume scan . Outdated things only distract from your strongest points. 11) Include Projects and Latest Certifications Recent certifications prove you are keeping up with industry changes. This is one of the easiest ways to show that your skills are real, current, and practical.  Projects prove that you have actually used them. They show how you think, how you build things, and how you solve problems. They show passion, especially if you are new to the workforce.   Also, skill certifications are slowly taking over degree requirements. Since technologies change fast, companies want people who know how to work with modern tools and frameworks of today. They don’t want to spend money to retrain you. According to a Coursera survey , 88% of employers strongly agree that industry-recognized certificates strengthen a candidate’s job application. It shows certifications are actively influencing hiring decisions.  When recruiters are scanning dozens of resumes, seeing a recognized certificate immediately adds credibility to your skills. It reassures them that you have gone through structured learning and validation. Also, if you can link to the certifications or projects, it's way better. 12) Don't Include Irrelevant Experiences  Keeping outdated roles can make your resume longer without making it stronger. Unrelated experiences are maybe the best option for things to cut from the resume. So, ask yourself: " Does this experience show skills relevant to the job I want? " It's okay to include unrelated jobs if you are early in your career (shows work ethic), but keep descriptions brief. If you have been working for several years, it’s a good idea to remove very old jobs that don’t really add value anymore 13) Put Experience Before Education Unless you are a recent graduate with limited work history, your experience should come first. Employers care most about what you've done, not where you studied. Your work experience proves you can actually do the job. Education is important, but it's usually just a checkbox requirement. Your degree explains where you started; your experience shows how far you’ve come. If education comes first, recruiters have to scan longer to find the details they care about most, which isn’t ideal. 14) Don’t Be Too Technical You might be super smart and know all the technical jargon in your field, but your resume might first be read by an HR person who doesn't. Remember that many companies have hiring teams where HR does the initial screening before your resume reaches the technical manager. If HR can't understand what you do, they might pass you. So, write like you are explaining your job to a friend who's not in your industry. Use technical terms only when they're industry-standard keywords, but also explain the impact. And avoid acronyms unless they are extremely common. For example: Too Technical: "Implemented RESTful APIs using Node.js and Express framework with MongoDB for data persistence, utilizing JWT for stateless authentication." Understandable: "Built secure web application features that handle user data and authentication, improving login speed by 40% and supporting 10,000+ daily users." 15) Use Action Words Action words make your resume dynamic. They paint a picture of you actively contributing and making things happen. They also help with ATS. Many job descriptions are written using strong verbs, and matching that language naturally in your resume improves relevance. To use action words properly in a resume, start each bullet point with a strong verb. Avoid opening bullets with “worked on,” “helped with,” or “responsible for.” Instead, lead with what you did first, then add context and results. For example: Weak: Worked on backend services for the application Strong: Built and optimized backend services supporting 50K+ users You can use words like: Leadership: led, managed, mentored, owned, coordinated Problem Solving: analyzed, resolved, troubleshot, identified, debugged Improvement : improved, enhanced, automated, modernized, streamlined Results: delivered, achieved, launched, completed, executed Growth: scaled, expanded, accelerated, optimized, increased Quality: tested, validated, reviewed, ensured, stabilized So, if a bullet doesn’t start with an action word, rewrite it. 16) Clear File Name This seems small, but it might help. Managers in 2026 often download dozens or hundreds of resumes. If yours is named "resume.pdf" or "document1.pdf," it gets lost in the pile. A clear file name shows attention to detail and makes their life easier. You should include your full name in the file name and add the word "Resume" int he end. Use underscores or hyphens to separate words. For example, our resume will have the filename: alex_mercer_resume.pdf . 17) Professional Email Address Your email address is one of the first things on your resume. An unprofessional email address makes you look immature. A lot of candidates don’t make this mistake, but there are still some who do. An email with a funny username you made as a teenager won’t look good on a professional resume.  Also, if an email is hard to read, with extra numbers or strange spellings. That increases the chance of typos, missed messages, or emails landing in spam.  18) Match With Your LinkedIn Pretty much every hiring manager checks LinkedIn. If your resume says one thing and LinkedIn says another, they will wonder what else isn't adding up. It takes only seconds to move to the next application. Even small mismatches can make recruiters pause and wonder which version is accurate. So, make sure job titles and dates match exactly between your resume and LinkedIn, and keep your summary/headline aligned. Update your LinkedIn when you gain new skills or complete a new project. You can create a detailed post about it, too. It is an important part of job search strategy in today’s times. Conclusion Building a great resume in 2026 doesn't require just attention to the right details. From beating the ATS with clean formatting and hiring managers with clear language, every tip in this guide serves a specific purpose in the 2026 job market . Remember, your resume is a living document. Every few months, update it with new skills, projects, and achievements.  At last, don't overthink it. Just start with these basics. Upgrade your resume! Create a hireable resume with just one click and stand out to recruiters. Upload Your Resume Now ← Back to all articles Table of Contents Example H2 Example H3 Ace Your Next Interview with Confidence Unlock personalized guidance and perfect your responses with Final Round AI, ensuring you stand out and succeed in every interview. Get Started Free Related articles Ace Your Interview: Mock Practice & Expert Feedback Interview Prep   •   Michael Guan Ace Your Interview: Mock Practice & Expert Feedback Getting ready for an interview is key to getting your dream job. Let's explore why mock interviews are important and how expert advice can help you do better. Boost Your Confidence in Job Interviews Interview Prep   •   Michael Guan Boost Your Confidence in Job Interviews This shows how important confidence is in getting your dream job. Preparing for interviews can be tough, but with the right mindset and strategies, you can do well. Career Change Interview Tips: Ace Your Next Job Interview Interview Prep   •   Michael Guan Career Change Interview Tips: Ace Your Next Job Interview Navigating a career change? Get powerful tips to ace your interviews and shine while highlighting your skills. Boost your confidence today! Essential Leadership Role Interview Tips for Success Interview Prep   •   Michael Guan Essential Leadership Role Interview Tips for Success Get ready for your leadership interview with key tips and essential strategies to showcase your skills and experience effectively. Nail Your First Job: Interview Coaching for Entry-Level Positions Interview Prep   •   Michael Guan Nail Your First Job: Interview Coaching for Entry-Level Positions Learn how interview coaching can boost your chances of landing your dream job in today’s competitive job market. Interview Coaching for New Graduates: Your Path to Success Interview Prep   •   Michael Guan Interview Coaching for New Graduates: Your Path to Success Explore interview coaching for new graduates and learn how personalized guidance can enhance your skills and increase your chances of getting hired. Read All Articles Your trusted platform to ace any job interviews, craft the perfect resumes, and land your dream jobs. All services are online Products Interview Copilot AI Mock Interview AI Resume Builder Hirevue Phone Interview Speech Analysis College Admission Auto Apply QA Pairs Interview Notes Coding Copilot Resources Tutorials Blog Articles Special Discount Influencer Program Smarter Choice Support FAQ Contact Us Company How Final Round AI works About Careers News PR & Media Referral Program AI Tools AI Career Coach Recruiters Hotline Cover Letter Generator LinkedIn Profile Optimizer LinkedIn Resume Builder Resume Checker © 2025 Final Round AI, 643 Teresita Blvd, San Francisco, CA 94127 Privacy Policy Terms & Conditions Try Mock Interview Now
2026-01-13T08:48:03
https://dev.to/stack_overflowed/palindrome-partitioning-coding-problem-explained-55i7#comments
Palindrome Partitioning: Coding Problem Explained - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Stack Overflowed Posted on Jan 9 Palindrome Partitioning: Coding Problem Explained # programming # coding # challenge # learning The “Palindrome Partitioning” problem asks you to split a given string into all possible combinations of substrings such that every substring in the partition is a palindrome. A palindrome is a string that reads the same forward and backward. The result is not a single partition, but a complete list of all valid palindrome-based partitions. This problem is not about checking whether a string is a palindrome. It is about exploring every valid way to cut the string so that each resulting piece satisfies the palindrome condition. Because you must return all valid partitions, the problem naturally leads to recursive exploration rather than optimization. Why greedy splitting does not work A tempting idea is to always take the longest palindromic prefix or to split as soon as you find a palindrome. Both strategies fail because early choices can block valid partitions later. A shorter palindrome at the beginning might enable more valid splits downstream than a longer one. There is no single “best” cut at any position. Instead, you must consider every possible palindromic prefix and explore what happens next. This branching behavior is a clear signal that the problem requires backtracking. Recognizing the backtracking structure At its core, the problem is about making a sequence of choices. At each position in the string, you choose a substring that starts at that position and ends somewhere later. That substring must be a palindrome. Once chosen, you recursively partition the remaining suffix of the string. If you reach the end of the string, the sequence of chosen substrings forms one valid partition. You then backtrack and try a different palindromic cut earlier in the string. This “choose, explore, undo” pattern is exactly what backtracking is designed for. Defining the recursive decision process The recursive state can be defined by a starting index in the string and a current list of chosen substrings. From the starting index, you test all possible end positions and check whether the substring between the start and end is a palindrome. Every time you find a palindromic substring, you add it to the current partition and recursively process the rest of the string starting from the next index. When recursion returns, you remove the substring and try the next possible cut. Why checking palindromes efficiently matters In a naive implementation, checking whether a substring is a palindrome can take linear time, and this check happens many times. While this may still pass for small inputs, it can become expensive as the string grows. An important optimization is to precompute which substrings are palindromes using dynamic programming. This allows you to answer palindrome checks in constant time during backtracking, dramatically improving performance while keeping the overall structure the same. How dynamic programming supports backtracking The dynamic programming table records whether every possible substring is a palindrome. This table is built once and reused throughout the backtracking process. This separation of concerns is powerful. The dynamic programming phase handles palindrome detection efficiently, while the backtracking phase focuses purely on generating valid partitions. Together, they produce a solution that is both clean and efficient. Why this approach guarantees correctness The algorithm is correct because it explores every possible way to cut the string and only accepts those cuts that produce palindromic substrings. No valid partition is missed because every palindromic prefix at every position is considered. No invalid partition is included because substrings are checked for the palindrome property before being added. The base case ensures that only complete coverings of the string are recorded as results. Time and space complexity considerations The number of valid partitions can grow exponentially with the length of the string, which means the output size itself can be exponential. No algorithm can avoid this cost if all partitions must be returned. The backtracking recursion uses space proportional to the length of the string for the current path, and the palindrome table uses quadratic space. These costs are expected and acceptable for the problem’s constraints. Check out Sum of Left Leaves and Bitwise AND of Numbers Range coding problem solutions. Why this problem is common in interviews Palindrome Partitioning is a staple interview problem because it tests whether candidates can recognize when backtracking is required. It also checks whether they can combine recursion with pruning and optional dynamic programming optimizations. The problem highlights the difference between decision problems, optimization problems, and enumeration problems, which is a key conceptual distinction in algorithm design. What this problem teaches beyond palindromes Beyond palindromes, this problem teaches a general approach to string partitioning under constraints. When you must generate all valid decompositions of a string or sequence, backtracking with careful state management is often the right tool. If you can clearly explain why greedy fails, how recursive partitioning works, and how precomputing palindrome checks improves efficiency, you demonstrate strong algorithmic reasoning. That depth of understanding makes “Palindrome Partitioning” an excellent exercise in backtracking and combinatorial exploration. If you want more coding problems explained, check out: Balanced Binary Tree Boats to Save People Find Duplicate Subtrees Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Stack Overflowed Follow ☕ Full-stack survivor. 🐛 Bug magnet. 💻 Developer who writes so you don’t repeat my mistakes (though you probably will). Joined Aug 19, 2025 More from Stack Overflowed Furthest Building You Can Reach: Coding Problem Explained # coding # codingproblem # code # tutorial 7 Best Resources to Learn Kubernetes in 2026 # webdev # programming # kubernetes Convert Sorted Array to Binary Search Tree Solution # coding # codenewbie # tutorial 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://cursor.com/changelog/2-2
Skip to content Cursor Features Enterprise Pricing Resources ↓ Changelog Blog Docs  ↗ Community Learn  ↗ Workshops Forum  ↗ Careers Features Enterprise Pricing Resources  → Sign in Download 2.2   Dec 10, 2025  ·  Changelog Changelog Debug Mode, Plan Mode Improvements, Multi-Agent Judging, and Pinned Chats # Debug Mode Debug Mode helps you reproduce and fix the most tricky bugs. Cursor instruments your app with runtime logs to find the root cause. It works across stacks, languages, and models. Read more in our announcement . # Browser layout and style editor Design and code simultaneously with a brand new browser sidebar and component tree. Move elements, update colors, test layouts, and experiment with CSS in real time, then instantly apply changes to your codebase using agent. You can also click on multiple elements and describe changes in text to kick off an agent to make visual changes. Read more in our announcement . # Plan Mode improvements Plan Mode now supports inline Mermaid diagrams, allowing the agent to automatically generate and stream visuals into your plans. You also have more control over how you build them, with the option to send selected to-dos to new agents. # Multi-agent judging When running multiple agents in parallel, Cursor will now automatically evaluate all runs and give a recommendation for the best solution. The selected agent will have a comment explaining why it was picked. Judging of the best solution only happens after all parallel agents have finished. # Pinned chats In the agent sidebar, pin chats at the top for future reference. Improvements (10) ↓ ↑ ← Previous post Enterprise Insights, Billing Groups, Service Accounts, and Improved Security Controls Next post → Improved Plan Mode, AI Code Review in Editor, and Instant Grep Product Features Enterprise Web Agents Bugbot CLI Pricing Resources Download Changelog Docs  ↗ Learn  ↗ Forum  ↗ Status  ↗ Company Careers Blog Community Workshops Students Brand Legal Terms of Service Privacy Policy Data Use Security Connect X  ↗ LinkedIn  ↗ YouTube  ↗ © 2026 Cursor 🛡 SOC 2 Certified 🌐 English ↓ English ✓ 简体中文 日本語 繁體中文 Skip to content Cursor Features Enterprise Pricing Resources ↓ Changelog Blog Docs  ↗ Community Learn  ↗ Workshops Forum  ↗ Careers Features Enterprise Pricing Resources  → Sign in Download 2.2   Dec 10, 2025  ·  Changelog Changelog Debug Mode, Plan Mode Improvements, Multi-Agent Judging, and Pinned Chats # Debug Mode Debug Mode helps you reproduce and fix the most tricky bugs. Cursor instruments your app with runtime logs to find the root cause. It works across stacks, languages, and models. Read more in our announcement . # Browser layout and style editor Design and code simultaneously with a brand new browser sidebar and component tree. Move elements, update colors, test layouts, and experiment with CSS in real time, then instantly apply changes to your codebase using agent. You can also click on multiple elements and describe changes in text to kick off an agent to make visual changes. Read more in our announcement . # Plan Mode improvements Plan Mode now supports inline Mermaid diagrams, allowing the agent to automatically generate and stream visuals into your plans. You also have more control over how you build them, with the option to send selected to-dos to new agents. # Multi-agent judging When running multiple agents in parallel, Cursor will now automatically evaluate all runs and give a recommendation for the best solution. The selected agent will have a comment explaining why it was picked. Judging of the best solution only happens after all parallel agents have finished. # Pinned chats In the agent sidebar, pin chats at the top for future reference. Improvements (10) ↓ ↑ ← Previous post Enterprise Insights, Billing Groups, Service Accounts, and Improved Security Controls Next post → Improved Plan Mode, AI Code Review in Editor, and Instant Grep Product Features Enterprise Web Agents Bugbot CLI Pricing Resources Download Changelog Docs  ↗ Learn  ↗ Forum  ↗ Status  ↗ Company Careers Blog Community Workshops Students Brand Legal Terms of Service Privacy Policy Data Use Security Connect X  ↗ LinkedIn  ↗ YouTube  ↗ © 2026 Cursor 🛡 SOC 2 Certified 🌐 English ↓ English ✓ 简体中文 日本語 繁體中文 Debug Mode, Plan Mode Improvements, Multi-Agent Judging, and Pinned Chats · Cursor
2026-01-13T08:48:03
https://www.linkedin.com/in/grabnerandi/
Andreas (Andi) Grabner - Cloud Native Computing Foundation (CNCF) | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join for free Sign in to view Andreas (Andi)’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Andreas (Andi) Grabner Sign in to view Andreas (Andi)’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Linz, Upper Austria, Austria Contact Info Sign in to view Andreas (Andi)’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . 14K followers 500+ connections See your mutual connections View mutual connections with Andreas (Andi) Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Join to view profile Message Sign in to view Andreas (Andi)’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Cloud Native Computing Foundation (CNCF) University of Derby Report this profile Activity Follow Sign in to view Andreas (Andi)’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . During the last KubeCon, I prepared a talk called “Abracadabra: OTTL Turns Profiling into Metrics.” While building that session, I had to jump into… During the last KubeCon, I prepared a talk called “Abracadabra: OTTL Turns Profiling into Metrics.” While building that session, I had to jump into… Liked by Andreas (Andi) Grabner 🔥 Ever wondered what happens when Kyverno evolves, OpenTelemetry gets smarter, eBPF breaks production, and a global tech event hub takes shape...all… 🔥 Ever wondered what happens when Kyverno evolves, OpenTelemetry gets smarter, eBPF breaks production, and a global tech event hub takes shape...all… Liked by Andreas (Andi) Grabner “We will produce more while we understand less” - interesting take from Max Körbächer on how AI will impact knowledge workers. I also find the… “We will produce more while we understand less” - interesting take from Max Körbächer on how AI will impact knowledge workers. I also find the… Shared by Andreas (Andi) Grabner Join now to see all activity Experience & Education *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Cloud Native Computing Foundation (CNCF) *]:mb-0 not-first-middot leading-[1.75]"> **** ********** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ***** *]:mb-0 not-first-middot leading-[1.75]"> ********* ******** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ********* *]:mb-0 not-first-middot leading-[1.75]"> ****** ******** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ********** ** ***** *]:mb-0 not-first-middot leading-[1.75]"> ******** ******** ******* undefined *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 2002 - 2004 *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ********* *]:mb-0 not-first-middot leading-[1.75]"> **** *** ***** ******** ******* *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 1994 - 1998 View Andreas (Andi)’s full experience See their title, tenure and more. Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Licenses & Certifications *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Organizer: 2024 KCD *]:mb-0 not-first-middot leading-[1.75]"> The Linux Foundation *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Nov 2024 See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Hero - KCD Zurich 2024 *]:mb-0 not-first-middot leading-[1.75]"> The Linux Foundation *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Aug 2024 See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Speaker: KubeCon + CloudNativeCon North America 2022 *]:mb-0 not-first-middot leading-[1.75]"> The Linux Foundation *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Nov 2022 See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> cdCon 2021 Speaker *]:mb-0 not-first-middot leading-[1.75]"> The Linux Foundation *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Jul 2021 See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> CNCF Ambassador - H1 2024 *]:mb-0 not-first-middot leading-[1.75]"> The Linux Foundation *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Apr 2024 Expires May 2025 See credential Publications *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Platform Engineering Opportunity: Why, MVP, Community and Measuring Success with Observability - KCD Munich *]:mb-0 not-first-middot leading-[1.75]"> July 28, 2023 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Recorded version of my talked from Kubernetes Community Days (KCD) Munich 2023 on the Platform Engineering Opportunity See publication Languages *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> German *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> English *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Spanish *]:mb-0 not-first-middot leading-[1.75]"> Elementary proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Recommendations received Ronald Miller “Andi's knowledge of devops and the modern application delivery chain is a huge asset to our company's technology evangelism efforts. He goes far beyond product expertise to the point of being an enthusiastic mentor to the software community. His passion to help teams up-level their expertise in application delivery methods is the rocket fuel in our community engagement. Anyone would be fortunate to work on a team with Andi.” Clinton Sprauve “When you want something done right, you recruit the best. Andreas is definitely one of the best I have ever worked with. He's very strong technically but can easily relate to customers and prospects . When Borland transitioned SilkTest to Linz, Austria, we knew the product was in good hands under Andreas. I highly recommend him and would love to work with him again!” 2 people have recommended Andreas (Andi) Join now to view More activity by Andreas (Andi) AI will not reduce our workload, it will multiply our output and our problems. when steam engines became more efficient at burning coal, total coal… AI will not reduce our workload, it will multiply our output and our problems. when steam engines became more efficient at burning coal, total coal… Liked by Andreas (Andi) Grabner 🚀 New Book for DevOps Engineers Using Go If you’re building real-world DevOps tooling. not just scripts, Mastering Go for DevOps by Engin Polat is… 🚀 New Book for DevOps Engineers Using Go If you’re building real-world DevOps tooling. not just scripts, Mastering Go for DevOps by Engin Polat is… Liked by Andreas (Andi) Grabner At the recent #Observability technical advisory group (TAG) meeting for the OpenSearch Project, we discussed an RFC for a new #OpenSearch #APM… At the recent #Observability technical advisory group (TAG) meeting for the OpenSearch Project, we discussed an RFC for a new #OpenSearch #APM… Liked by Andreas (Andi) Grabner I received an email from StackOverflow this weekend: someone had replied to an answer I wrote five years ago. I re-read it and, I felt proud. Not… I received an email from StackOverflow this weekend: someone had replied to an answer I wrote five years ago. I re-read it and, I felt proud. Not… Liked by Andreas (Andi) Grabner 31 Days of Vibe Coding - Day #10: Agent Configuration There is so much change happening in the AI world, it’s easy to not even scratch the surface… 31 Days of Vibe Coding - Day #10: Agent Configuration There is so much change happening in the AI world, it’s easy to not even scratch the surface… Liked by Andreas (Andi) Grabner Going to be at the CNCF Co-Hosted Events at #KubeCon + #CloudNativeCon on Monday the 23rd of March 👇 • 𝗖𝗿𝗲𝗮𝘁𝗶𝗻𝗴 𝗮𝗻 𝗜𝗗𝗣 𝗳𝗼𝗿 𝗔𝗜… Going to be at the CNCF Co-Hosted Events at #KubeCon + #CloudNativeCon on Monday the 23rd of March 👇 • 𝗖𝗿𝗲𝗮𝘁𝗶𝗻𝗴 𝗮𝗻 𝗜𝗗𝗣 𝗳𝗼𝗿 𝗔𝗜… Liked by Andreas (Andi) Grabner Why do companies ship their org chart when producing software? I'll be joined by Cate Huston today, and we'll discuss this and other engineering… Why do companies ship their org chart when producing software? I'll be joined by Cate Huston today, and we'll discuss this and other engineering… Liked by Andreas (Andi) Grabner 31 Days of Vibe Coding - Day #6: Breaking Features Into Phases One of the biggest challenges I’ve found in writing code with AI is “getting it right… 31 Days of Vibe Coding - Day #6: Breaking Features Into Phases One of the biggest challenges I’ve found in writing code with AI is “getting it right… Liked by Andreas (Andi) Grabner View my verified achievement from The Linux Foundation. View my verified achievement from The Linux Foundation. Liked by Andreas (Andi) Grabner 🎶How deep is your trace? 🎶 ❓If you can't answer that question then I show you how! 🤚If you know the answer then I tell you what it tells you… 🎶How deep is your trace? 🎶 ❓If you can't answer that question then I show you how! 🤚If you know the answer then I tell you what it tells you… Shared by Andreas (Andi) Grabner View Andreas (Andi)’s full profile See who you know in common Get introduced Contact Andreas (Andi) directly Join to view full profile Other similar profiles Klaus Enzenhofer Klaus Enzenhofer Austria Connect Michael Kopp Michael Kopp Linz Connect Andreas Grimmer Andreas Grimmer Linz Connect Rodolfo Henrique Carvalho Rodolfo Henrique Carvalho St Pölten Connect Daniel Khan Daniel Khan Linz Connect Mike Hekele Mike Hekele Vienna Connect Stefan Pasinsky Stefan Pasinsky Vienna Connect Herbert van Sintemaartensdijk B.Sc MA Herbert van Sintemaartensdijk B.Sc MA Vienna Connect Monami Kafley Monami Kafley Dublin Connect Raquel Camargo Raquel Camargo Vienna Connect Wolfgang Kern Wolfgang Kern Austria Connect Philipp Grill Philipp Grill Austria Connect Goran Deletic Goran Deletic Austria Connect Péter Sidó Péter Sidó Vienna Connect Olivier Fay Olivier Fay Vienna Connect Alexandru Lupascu Alexandru Lupascu Vienna Connect Andrey Prokopenko Andrey Prokopenko Vienna Connect Bernd Gradischnik Bernd Gradischnik Austria Connect Vladimir Jurek Vladimir Jurek Vienna Connect Rahul Bhargava Rahul Bhargava Vienna Connect Show more profiles Show fewer profiles Explore top content on LinkedIn Find curated posts and insights for relevant topics all in one place. View top content Add new skills with these courses 2h 36m Building Generative AI Apps to Talk to Your Data 2h 49m Text to SQL: Amazon Redshift Serverless for Generative SQL in Amazon Q 1h 46m .NET Microservices for Azure Developers See all courses LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . View Andreas (Andi)’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy .
2026-01-13T08:48:03
https://addons.mozilla.org/nl/firefox/addon/rentgen/
Rentgen – Deze extensie downloaden voor 🦊 Firefox (nl) Add-ons voor Firefox Browser Extensies Thema’s Meer… voor Firefox Woordenboeken en taalpakketten Websites voor andere browsers Add-ons voor Android Aanmelden Zoeken Zoeken Rentgen door “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 beoordelingen) 5 (12 beoordelingen) 216 gebruikers 216 gebruikers Firefox downloaden en de extensie ontvangen Bestand downloaden Metagegevens van extensie Schermafbeeldingen Over deze extensie Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Ontwikkelaarsopmerkingen Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Met 5 gewaardeerd door 12 beoordelaars Meld u aan om deze extensie te waarderen Er zijn nog geen waarderingen Sterrenwaardering opgeslagen 5 12 4 0 3 0 2 0 1 0 Alle 12 beoordelingen lezen Toestemmingen en gegevens Vereiste machtigingen: Privacyinstellingen lezen en aanpassen Browserproxyinstellingen beheren Uw gegevens voor alle websites benaderen Gegevensverzameling: De ontwikkelaar zegt dat deze extensie geen gegevensverzameling vereist. Meer info Meer informatie Add-on-koppelingen Startpagina Ondersteuningswebsite E-mailadres voor ondersteuning Versie 0.2.4 Grootte 9,55 MB Laatst bijgewerkt 21 dagen geleden (23 dec. 2025) Verwante categorieën Webontwikkeling Privacy en beveiliging Licentie Alleen GNU General Public License v3.0 Privacybeleid Het privacybeleid voor deze add-on lezen Versiegeschiedenis Alle versies bekijken Labels anti malware anti tracker container privacy security Toevoegen aan collectie Een collectie selecteren… Nieuwe collectie maken Deze add-on rapporteren Deze ontwikkelaar steunen De ontwikkelaar van deze extensie vraagt uw steun voor verdere ontwikkeling door middel van een kleine bijdrage. Nu bijdragen Naar Mozilla’s startpagina Add-ons Over Firefox-add-onsblog Extensieworkshop Ontwikkelaarshub Ontwikkelaarsbeleid Gemeenschapsblog Forum Een bug melden Beoordelingsrichtlijnen Browsers Desktop Mobile Enterprise Producten Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Privacy Cookies Juridisch Tenzij anders vermeld , is op de inhoud van deze website de Creative Commons Attribution Share-Alike License v3.0 of latere versie van toepassing. Taal wijzigen Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://dev.to/help/writing-editing-scheduling#Q-How-do-I-set-a-canonical-URL-on-my-post
Writing, Editing and Scheduling - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Writing, Editing and Scheduling Writing, Editing and Scheduling In this article The Editor Drafting and publishing a post: Scheduling a post: Creating a Series Cross-posting Content Helpful Resources DEV Editor guide Markdown Cheatsheet Best Practices for Writing on DEV Guidelines for Avoiding Plagiarism on DEV Guidelines for AI-assisted Articles on DEV Common Questions Q: How do I set a canonical URL on my post? Q: How do I set a cover image for my post? Q: Do I own the articles that I publish? Q: Can I cross-post something I've already written on my own blog or Medium? Q: Can I use profanity in my posts? Q: Why has my post been removed? Q: Will you put ads on my posts' pages? Explore the ins and outs of writing, editing, scheduling, and managing articles. The Editor The DEV editor is your primary tool for writing and sharing posts. With a Markdown -based syntax and flexible options for embedding content, the editor is one of the main ways DEV members express themselves. Drafting, scheduling, and publishing posts are all options; importing via RSS is also a feature that we provide. Learn how to use the DEV editor to create and format your articles effectively: Drafting and publishing a post: Click on " Write a Post " in the top right corner of the site. Follow the prompts to fill out the necessary inputs. Give your post a title, write the body content, add appropriate tags, and fill out any other optional fields. If you're not ready to share your article, just click "Save draft" in the bottom left. You can access your drafts from your user dashboard and return to editing your post whenever you wish. Once you're ready to share your post, click the "Publish" button in the bottom left. Note: if you are using the Basic Markdown editor you interface is more minimalistic, and you'll need to change published: false to published: true in the Front Matter of the post, then save to publish your post. Congratulations, your post should be published! You should see the article listed on your public profile. Note that you can access analytics for each post you've shared from your user dashboard by clicking on the ... beside the article title. Scheduling a post: To schedule a post, you may open a draft or start writing a new post. Once you've got your post set up, click on the hexagon icon in the bottom left-hand corner near the Publish button. See "Schedule Publication" and use the inputs to select a date and time for the post to go live. Note: this feature is set to your local time zone. Creating a Series DEV provides authors with the ability to link articles together in a series. A series has a title and an associated page to hold all the entries (e.g. Sloan's Inbox ). Most often this is done for articles that are thematically related or recurring weekly posts. We have a handy guide here that explains step-by-step how to create a series on DEV. Note: If you've written the first entry in a series and are wondering why the series title is not easily visible, it's because we don't actually display information about a post being part of a series until there is more than one entry in the series. Once you write your second entry in the series, the Table of Contents and title for the series should appear. Cross-posting Content DEV offers a variety of features for those who want to cross-post content from elsewhere on the web. We encourage folks to share articles from their personal and company blogs! Notably, we offer folks the ability to import content via RSS and set canonical links on any posts that are shared. Using the RSS Feed on DEV Community Configure RSS Feed: Navigate to extensions within the settings. Under "Publishing to DEV Community 👩‍💻👨‍💻 from RSS," enter your blog's RSS feed URL. You will see the option to "Mark the RSS source as canonical URL" or "Replace links with DEV Community links." Check the info below (Specifying a Canonical URL) to help you decide which option to select. Click "submit feed settings." Edit Post Drafts Before Publishing Go to your user dashboard. Click edit beside the post you want to post. Save each draft after making changes. Publish Post when ready. How to Specify a Canonical URL Members reposting content often worry about original posts becoming less discoverable in search engines and their website losing visibility as the newer publishing platform (e.g., DEV) might surpass the original blog. Fortunately, DEV allows authors to address these concerns. By inputting a canonical URL, contributors can ensure search engines understand the original source. This prevents any penalties for reposting, and search engine crawlers boost the ranking of the original article. Option 1 (RSS Import): Check the "Mark the RSS source as canonical URL by default" box upon import. Option 2 (Individual Posts): Identify your editor version in /settings/customization. Rich + Markdown Editor: Click the gear icon next to "Save draft" and enter the original post's URL in the "Canonical URL" field. Basic Markdown Editor: Add canonical_url: X to the post's front matter, specifying the original post's URL. Following these steps ensures proper attribution and maintains the visibility of your content. Helpful Resources Below you'll find various resources we recommend for better understanding DEV's writing policies and tools. DEV Editor guide A quick guide that provides you with technical tips for using the DEV Editor and our brand of Markdown. You can also find it by clicking the "?" page in the editor . Markdown Cheatsheet A handy cheatsheet for commonly-used Markdown formatting syntax. Best Practices for Writing on DEV A helpful series that offers both technical tips and general guidance for making the best-fit article for DEV. 🙌 Guidelines for Avoiding Plagiarism on DEV This resource offers guidance for how to avoid plagiarism. We take a strong stance against plagiarism on DEV; please don't hesitate to report any plagiarism to us. Guidelines for AI-assisted Articles on DEV These guidelines detail our requirements for properly labelling AI-assisted content on DEV. Please don't hesitate to report any content that is written with AI-assistance if it isn't following these guidelines. Common Questions Q: How do I set a canonical URL on my post? In the post editor, click the hexagon icon in the bottom left-hand corner beside "save draft" and you'll see an input box to designate a Canonical URL. Note: if you are using the Basic Markdown editor you must add a line for it inside the triple dashes (aka Front Matter), like so: --- title: published: false tags:  canonical_url: <https://mycoolsite.com/my-post> --- Q: How do I set a cover image for my post? If using the Rich + Markdown editor, then click the "Add a cover image" button above the title of the post. If using the Basic Markdown editor, include cover_image: [url] in the front matter of your post. Note: you may change your editor type from your settings . Q: Do I own the articles that I publish? Yes, you own the rights to the content you create and post on dev.to and you have the full authority to post, edit, and remove your content as you see fit. Q: Can I cross-post something I've already written on my own blog or Medium? Absolutely, as long as you have the rights you need to do so! And if it's of high quality, we'll feature it. Q: Can I use profanity in my posts? We don't disallow profanity in general, but we do have an internal policy of not promoting posts that have profanity in the title, so you might want to keep that in mind. If your profanity is targeted at individuals or hateful, then it would cross the lines of what's acceptable via our Code of Conduct and we may take necessary action to remove you content. Q: Why has my post been removed? Your post is subject to removal at the discretion of the moderators if they believe it does not meet the requirements of our Code of Conduct . If you think we may have made a mistake, please email us at support@dev.to . Q: Will you put ads on my posts' pages? It's possible. We do allow organizations to purchase advertisements with DEV. However, if you would prefer that no ads be placed next to your posts, just navigate to Settings > Customization , scroll down to sponsors, and uncheck the box beside "Permit Nearby External Sponsors (When publishing)" Of course, we'd appreciate it if you keep those boxes checked as this is important to our business. But, we respect your decision and appreciate you sharing posts with us! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://addons.mozilla.org/ia/firefox/addon/rentgen/
Rentgen – Obtene iste extension pro 🦊 Firefox (ia) Additivos del navigator Firefox Extensiones Themas Plus… pro Firefox Dictionarios e pacchettos de lingua Altere sitos de navigatores Additivos pro Android Aperir session Cercar Cercar Rentgen per “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 revisiones) 5 (12 revisiones) 216 Usatores 216 Usatores Discarga Firefox installa le extension Discargar file Metadatos del extension Capturas de schermo A proposito de iste extension Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Commentos del disveloppatores Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Valutate 5 per 12 revisores Aperi session pro evalutar iste extension Il ha non ha ancora evalutationes Evalutation de stellas salvate 5 12 4 0 3 0 2 0 1 0 Leger 12 recensiones Permissiones e datos Permissiones necessari: Leger e modificar le parametros de confidentialitate Controlar le parametros del proxy del navigator Acceder a tu datos pro tote le sitos web Collection de datos: Le disveloppator dice que iste extension non require collection de datos. Saper plus Plus de informationes Ligamines del additivo Pagina principal Sito de supporto Email de supporto Version 0.2.4 Dimension 9,55 MB Ultime actualisation för 21 dagar sedan (23 dec 2025) Categorias associate Disveloppamento del Web Confidentialitate & securitate Licentia Solo GNU General Public License v3.0 Politica de confidentialitate Lege le politica de confidentialitate pro iste additivo Historia de versiones Vide tote le versiones Etiquettas anti malware anti tracker container privacy security Adder al collection Eliger un collection… Crear un nove collection Reporta iste additivo Supportar iste disveloppator Le disveloppator de iste extension te demanda adjuta pro supportar su continuation del disveloppamento per un micre donation. Dona ora Ir al pagina principal de Mozilla Additivos A proposito Blog del additivos de Firefox Laboratorio de extensiones Centro de disveloppatores Politicas pro disveloppatores Blog del communitate Foro Reportar un defecto Guida al revision Navigatores Desktop Mobile Enterprise Productos Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Confidentialitate Cookies Legal Excepte ubi alteremente indicate , le contento de iste sito es publicate sub licentia Creative Commons Attribution Share-Alike v3.0 o qualcunque version plus recente. Cambia lingua Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://addons.mozilla.org/nb-NO/firefox/addon/rentgen/
Rentgen – Last ned denne utvidelsen for 🦊 Firefox (nb-NO) Tillegg for Firefox-nettleser Utvidelser Tema Mer… for Firefox Ordbøker og språkpakker Andre nettlesersteder Utvidelser for Android Logg inn Søk Søk Rentgen av “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 omtaler) 5 (12 omtaler) 216 brukere 216 brukere Last ned Firefox og få utvidelsen Last ned fil Metadata for utvidelser Skjermbilder Om denne utvidelsen Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Utviklerkommentarer Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Vurdert til 5 av 12 anmeldere Logg inn for å vurdere denne utvidelsen Det er ingen vurderinger ennå Stjernevurdering lagret 5 12 4 0 3 0 2 0 1 0 Les alle 12 omtaler Tillatelser og data Nødvendige tillatelser: Lese og endre personverninnstillinger Kontrollere proxy-innstillinger for nettleser Få tilgang til dine data fra alle nettsteder Datainnsamling: Utvikleren sier at denne utvidelsen ikke krever datainnsamling. Les mer Mer informasjon Lenker for utvidelser Hjemmeside Brukerstøttenettsted E-post for brukerstøtte Versjon 0.2.4 Størrelse 9,55 MB Sist oppdatert 21 dager siden (23. des. 2025) Relaterte kategorier Nettutvikling Personvern og sikkerhet Lisens Kun GNU General Public License v3.0 Personvernpraksis Les personvernpraksisen for denne utvidelsen Versjonshistorikk Se alle versjoner Etiketter anti malware anti tracker container privacy security Legg til i samling Velg en samling… Opprett en ny samling Rapporter dette tillegget Støtt denne utvikleren Utvikleren av denne utvidelsen spør om du kan hjelpe til med å støtte den videre utviklingen ved å gi et lite bidrag. Bidra nå Gå til Mozillas hjemmeside Utvidelser Om Firefox tilleggsblogg Utvidelsesverksted Utvikler-knutepunkt Utviklerpraksis Fellesskaps-blogg Forum Rapporter en feil Retningsliner for omtaler Nettlesere Desktop Mobile Enterprise Produkter Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Personvern Infokapsler Juridisk Med mindre annet er spesifisert , er innholdet på dette nettstedet lisensiert under Creative Commons Navngivelse-del-på-samme-vilkår-lisens v3.0 eller en senere versjon. Endre språk Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://addons.mozilla.org/es-ES/firefox/addon/rentgen/
Rentgen – Consigue esta extensión para 🦊 Firefox (es-ES) Buscador de complementos para Firefox Extensiones Temas Más... para Firefox Diccionarios y paquetes de idiomas Otros sitios de navegadores Complementos para Android Iniciar sesión Buscar Buscar Rentgen por “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 reviews) 5 (12 reviews) 216 Users 216 Users Descarga Firefox y obtiene la extensión Descargar archivo Metadata de la extensión Capturas de pantalla Sobre esta extensión Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Developer comments Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Rated 5 by 12 reviewers Inicia sesión para evaluar esta extensión Todavía no hay valoraciones Se guardó la valoración 5 12 4 0 3 0 2 0 1 0 Leer las 12 revisiones Permissions and data Permisos requeridos: Leer y modificar los ajustes de privacidad Controlar configuración proxy del navegador Acceder a tus datos para todos los sitios web Data collection: The developer says this extension doesn't require data collection. Saber más Más información Enlaces del complemento Página de inicio Ayuda del sitio Correo de ayuda Versión 0.2.4 Tamaño 9,55 MB Última actualización hace 21 días (23 de dic. de 2025) Categorías relacionadas Desarrollo web Privacidad y seguridad Licencia GNU General Public License v3.0 only Política de privacidad Leer la política de privacidad de este complemento Historial de versiones Ver todas las versiones Etiquetas anti malware anti tracker container privacy security Añadir a la colección Seleccionar una colección… Crear nueva colección Informar sobre este complemento Ayudar a este desarrollador El desarrollador de esta extensión te pide le ayudes a seguir con el desarrollo haciendo una pequeña contribución. Contribuir ahora Ir a la página de inicio de Mozilla Complementos Acerca de Blog de complementos de Firefox Taller de extensiones Central del desarrollador Normativas para desarrolladores Blog de la comunidad Foro Informar de un error Guía de revisión Navegadores Desktop Mobile Enterprise Productos Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Privacidad Cookies Legal A menos que se indique lo contrario, el contenido de este sitio está licenciado bajo la licencia Creative Commons Reconocimiento Compartir-Igual v3.0 o una versión posterior. Cambiar idioma Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03
https://dev.to/viclafouch/promise-allsettled-vs-promise-all-in-javascript-4mle#promiseallsettled
🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Victor de la Fouchardière Posted on Aug 16, 2020           🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 # node # webdev # javascript # beginners Hello ! 🧑‍🌾 Promises are available since ES2015 to simplify the handling of asynchronous operations. Let's discover 2 Promises and their differences: Promise.allSettled(iterable) Promise.all(iterable) Both of them take an iterable and return an array containing the fulfilled Promises. ❓ So, what is the difference between them ? Promise.all() 🧠 The Promise. all() method takes an iterable of promises as an input, and returns a single Promise that resolves to an array of the results of the input promises. All resolved As you can see, we are passing an array to Promise.all. And when all three promises get resolved, Promise.all resolves and the output is consoled. Now, let's see if one promise is not resolved , and so, if this one is reject. What was the output ? 🛑 1 failed Promise.all is rejected if at least one of the elements are rejected . For example, we pass 2 promises that resolve and one promise that rejects immediately, then Promise.all will reject immediately. Promise.allSettled() 🦷 Since ES2020 you can use Promise.allSettled . It returns a promise that always resolves after all of the given promises have either fulfilled or rejected, with an array of objects that each describes the outcome of each promise. For each outcome object, a status string is present : fulfilled ✅ rejected ❌ The value (or reason) reflects what value each promise was fulfilled (or rejected) with. Have a close look at following properties ( status , value , reason ) of resulting array. Differences 👬 Promise.all will reject as soon as one of the Promises in the array rejects. Promise.allSettled will never reject, it will resolve once all Promises in the array have either rejected or resolved. Supported Browsers 🚸 The browsers supported by JavaScript Promise.allSettled() and Promise.all() methods are listed below: Google Chrome Microsoft Edge Mozilla Firefox Apple Safari Opera Cheers 🍻 🍻 🍻 If you enjoyed this article you can follow me on Twitter or here on dev.to where I regularly post bite size tips relating to HTML, CSS and JavaScript. 📦 GitHub Profile: The RIGHT Way to Show your latest DEV articles + BONUS 🎁 Victor de la Fouchardière ・ Aug 5 '20 #github #markdown #showdev #productivity 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 Victor de la Fouchardière ・ Jul 29 '20 #react #javascript #tutorial #showdev Top comments (14) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   Pankaj Patel Pankaj Patel Pankaj Patel Follow Programmer, Blogger, Photographer and little bit of everything Location Lyon, France Work Lead Frontend Engineer at @abtasty Joined Mar 5, 2019 • Aug 17 '20 Dropdown menu Copy link Hide This is a really handy, allSettled has more verbose output Thanks for sharing @viclafouch . Like comment: Like comment: 4  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Arman Khan Arman Khan Arman Khan Follow Fullstack web developer Email armankhan9244@gmail.com Location Surat, India Education Self-taught Work full stack developer at Zypac InfoTech Joined Jul 22, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Loved the article Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Thank you @iarmankhan ;) Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Suyeb Bagdadi Suyeb Bagdadi Suyeb Bagdadi Follow Joined Aug 26, 2022 • Aug 26 '22 • Edited on Aug 26 • Edited Dropdown menu Copy link Hide You can as well do the following to stop Promise.all from rejecting if there is an exception thrown.`` ` let storage = { updated: 0, published: 0, error: 0, }; let p1 = async (name) => { let status = { success: true, error: false, }; return status; }; let p2 = async (name) => { throw new Error('on purpose'); }; let success = () => { storage.updated += 1; }; let logError = (error) => { console.log(error.message); storage.error += 1; }; Promise.all([ p1('shobe 1').then(success).catch(logError), p2('shobe 2').then(success).catch(logError), p1('shobe 1').then(success).catch(logError), ]).then(() => { console.log('done'); }); ` Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Justin Hunter Justin Hunter Justin Hunter Follow VP of Product at Pinata, co-founder of Orbiter - the easiest way to host static websites and apps. Location Dallas Work Software Engineer at Pinata Joined Apr 10, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Whoa! I had no idea this existed. Thanks for the helpful write-up! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide A pleasure @polluterofminds ;) Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Dayzen Dayzen Dayzen Follow Location Korea Seoul Work Backend Engineer at Smile Ventures Joined Apr 18, 2020 • Aug 17 '20 Dropdown menu Copy link Hide Thanks for sharing this post! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide I'd love some elaboration on why allSettled was made/why it's better Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide github.com/tc39/proposal-promise-a... Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Mohd Aliyan Mohd Aliyan Mohd Aliyan Follow I am a software Engineer looking for each day of learning. Joined Oct 6, 2021 • Oct 6 '21 Dropdown menu Copy link Hide Very well explained. Thank you so much Victor. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Yogendra Yogendra Yogendra Follow Location Bengaluru, India Work Web Developer at LayerIV Joined Sep 25, 2020 • Jan 31 '21 Dropdown menu Copy link Hide How can I use Promise.allSettled() with my webpack-react app? Is there any plugin being used for it? Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Vladislav Guleaev Vladislav Guleaev Vladislav Guleaev Follow Fullstack Javascript Developer from Munich, Germany. Location Munich, Germany Education Computer Science - Bachelor Degree Work Software Developer at CHECK24 Joined Apr 8, 2019 • Jun 8 '21 Dropdown menu Copy link Hide short and nice! Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Shakhruz Shakhruz Shakhruz Follow JavaScript enthusiast Location Tashkent, Uzbekistan Work Junior Full-Stack developer at Cruz Joined Dec 27, 2020 • Jan 5 '21 Dropdown menu Copy link Hide Helpful bro, thnx !!! Like comment: Like comment: Like Comment button Reply View full discussion (14 comments) Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 More from Victor de la Fouchardière 👑 Create a secure Chat Application with React Hooks, Firebase and Seald 🔐 # react # javascript # showdev # firebase 🍿 Publish your own ESLint / Prettier config for React Projects on NPM 📦 # javascript # react # npm # eslint 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 # react # javascript # tutorial # showdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fdev.to%2Ftrishan_fernando%2Fowl-js-01-why-odoo-created-owl-a-framework-built-for-modularity-3n99&title=OWL%20JS%2001%20%E2%80%94%20Why%20Odoo%20Created%20OWL%3A%20A%20Framework%20Built%20for%20Modularity&summary=In%20the%20JavaScript%20ecosystem%20filled%20with%20established%20frameworks%20like%20React%20and%20Vue%2C%20Odoo%27s%20decision%20to...&source=DEV%20Community
LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional))
2026-01-13T08:48:03
https://dev.to/help/reacting-commenting-engaging#Active-Engagement
Reacting, Commenting and Engaging - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Reacting, Commenting and Engaging Reacting, Commenting and Engaging In this article Reactions Comments Active Engagement The DEV Community Newsletter & DEV Digest Writing Challenges & Content Campaigns (see also: Badges) Discussionsdiscuss Common Questions Q: How does comment threading work? Connect with the community, and discover advanced strategies for boosting engagement. Reactions Reactions allow you to express how you feel about articles on DEV and show your appreciation for the authors. You will find the reaction buttons at the top left corner of an article. Here's what (we think) they mean: ❤️ Love it. Default reaction showing appreciation for the article or author. 🦄 Exceptional. Indicates that the article is exceptionally good or unique, deserving of admiration beyond standard appreciation. 🤯 Wow! Expresses astonishment or amazement at the content of the article. 🙌 Well Done. Indicates support or encouragement, or showing solidarity with the author's or their perspective. 🔥Hot Take. Represents enthusiasm or agreement about the content, suggesting that it's trending or generating a lot of interest; acknowledges a strong point made in the article. Comments Subscribe to Comments: Keep up-to-date with new comments on posts by activating post subscriptions. Simply locate the subscribe button above the comment box on any post you want to keep track of and click to subscribe. Hide Comments on Your Posts: If you want to hide a comment that was added to one of your posts, simply click the dropdown connected to the comment and select the "Hide" option. For more information, refer to our original changelog post on the feature. Active Engagement Participate in discussions, events, and initiatives to connect with the DEV community. The DEV Community Newsletter & DEV Digest The DEV Community Newsletter is a weekly email that presents our carefully selected Top 7 posts of the week, trending discussions on DEV, noteworthy updates, announcements for community campaigns and writing challenges, and platform enhancements, among other updates. DEV Digest is a periodic compilation of top posts---a curated selection based on the tags you follow. You can customize your email notification preferences in your account settings. Writing Challenges & Content Campaigns (see also: Badges) Writing Challenges DEV offers a range of challenges tailored to enhance your writing prowess. By joining these challenges, you unlock the chance to earn coveted badges to adorn your profile, including: Writing Debut: Celebrates your inaugural DEV post contribution. Writing Streak Badges: Recognize your commitment to consistent posting, awarded for maintaining a weekly posting streak for 4, 8, and 16 consecutive weeks. Top 7: One of our most esteemed badges, granted to authors featured in the weekly "must-reads" Top 7 Posts of the Week. Additionally, there are numerous language badges, bestowed weekly upon the Top Author in each respective language category. Community Campaigns & Hackathons DEV also organizes several Community Campaigns & Hackathons annually, representing a diverse array of events, celebrations, and activations throughout the year. These include: WeCoded: Formerly known as SheCoded, a celebration of gender equity in software development. Coding in Costume: An October costume contest adding a fun twist to coding. DEVImpact: An inclusive celebration highlighting top authors, emerging voices, prominent tags, moderator contributions, new features, and community expansion. DEVResolutions: A platform for community members to share their goals, achievements, and provide mutual support and encouragement. These campaigns -- and more! -- inspire members to write on specific themes or use designated tags, offering opportunities for featuring, promotion, and rewards. Discussions #discuss Create articles tagged with #discuss when you want to ask open-ended questions, technical questions, start polls, or create discussions.You could earn the "Top Discussion of the Week" badge. Common Questions Q: How does comment threading work? A: Comments are threaded with a maximum depth, and then they become flat. You can respond to flattened-out threads by replying to the last comment in the overall thread. 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fdev.to%2Fmasteringjs%2Fusing-then-vs-async-await-in-javascript-2pma&title=Using%20%60then%28%29%60%20vs%20Async%2FAwait%20in%20JavaScript&summary=When%20making%20async%20requests%2C%20you%20can%20either%20use%20then%28%29%20or%20async%2Fawait.%20Async%2Fawait%20and%20then%28%29%20are%20very...&source=DEV%20Community
LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional))
2026-01-13T08:48:03
https://988lifeline.org/
988 Lifeline - If you need emotional support, reach out to the national mental health hotline: 988. Skip to content ¡Los servicios de texto y chat de 988 Lifeline ya están disponibles en Español! Call Text Chat Deaf/HoH 988 Lifeline Independent Analysis, Innovative Ideas --> Menu Close Menu Call Text Chat Deaf/HoH Home Get Help What to Expect Help Yourself American Indian, Alaska Natives, Indigenous Peoples Asian American, Native Hawaiian, and Pacific Islander Attempt Survivors Black Mental Health Deaf, Hard of Hearing, Hearing Loss Disaster Survivors Hispanic/Latino Mental Health LGBTQI+ Loss Survivors People with Neurodivergence Veterans & Service Members Youth Help Someone Else Learn Our Crisis Centers Stories of Hope and Recovery Addiction Anxiety Borderline Personality Disorder Depression Eating Disorder Gender Identity PTSD Recent Suicide Attempt Self Harm Sexuality Suicidal Thoughts Suicide Loss Survivor Mental Health & Suicide Prevention Glossary Get Involved Careers Donate Promote National Suicide Prevention Month 988 Day Providers & Professionals Best Practices Our Network Professional Initiatives Research and Evaluation FAQs About Us 988 Lifeline Chat Calling the 988 Lifeline Texting the 988 Lifeline Promoting or Joining the Lifeline Research and Evaluation Fundraising and Donations Media Resources About 988 Interpretation Services --> Search English Español --> If you need to talk, the 988 Lifeline is here. At the 988 Suicide & Crisis Lifeline, we understand that life's challenges can sometimes be difficult. Whether you're facing mental health struggles, emotional distress, alcohol or drug use concerns, or just need someone to talk to, our caring counselors are here for you. You are not alone. Call Text Chat Deaf/HoH What to Expect The 988 Lifeline is available 24/7/365. Your conversations are free and confidential. What to Expect Find Support for a Friend or Loved One Take care of a friend, a loved one, or yourself. Call, text, or chat with a 988 Lifeline counselor for help during difficult moments anytime, day or night. Help Someone Else Get in Touch The 988 Lifeline is for everyone. Through the 988 Lifeline, you have access to free, quality, one-on-one assistance. Our skilled, judgment-free counselors are here to provide compassionate support. You deserve to feel heard and cared about anytime, anywhere, 24/7/365. Return to Top 988 Lifeline If you need emotional support, reach out to the national mental health hotline: 988. SAMHSA.gov Vibrant.org Contact Us Deaf, Hard of Hearing, Hearing Loss Donate Frequently Asked Questions Media Resources Belonging & Accessibility Confidentiality Privacy Policy Terms of Service Vulnerability Disclosure Policy See988 Lifelineon Instagram See988 Lifelineon Facebook See988 Lifelineon YouTube See988 Lifelineon X Close You are opening a new tab. You are leaving 988lifeline.org for another website. Their content and privacy policies apply. Would you like to continue? Continue Stay here Search Form Search for: Search Close Page Sections Jump to What to Expect section Jump to Find Support for a Friend or Loved One section Jump to Get in Touch section Accessibility Controls Color Mode System Light Dark High Contrast Off On Dyslexic Font Off On Ways to Connect Call Text Chat Deaf/HoH Share Share by Email Link copied ');setTimeout(() => { document.querySelectorAll('.linktooltips-container').forEach(el => el.remove()); }, 3000);" href="#" target="_self" rel="noopener" aria-label=""> Copy Link Share on Facebook Share on Twitter Share on LinkedIn We value your privacy. Close We use cookies to help us improve your website experience. By accepting, you consent to our use of cookies. If you reject, you will still be able to access the website and chat service. Learn more Privacy Policy . I Accept I Reject
2026-01-13T08:48:03
https://dev.to/masteringjs/using-then-vs-async-await-in-javascript-2pma#main-content
Using `then()` vs Async/Await in JavaScript - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Mastering JS Posted on Aug 25, 2021           Using `then()` vs Async/Await in JavaScript # javascript # codenewbie When making async requests, you can either use then() or async/await . Async/await and then() are very similar. The difference is that in an async function , JavaScript will pause the function execution until the promise settles. With then() , the rest of the function will continue to execute but JavaScript won't execute the .then() callback until the promise settles. async function test () { console . log ( ' Ready ' ); let example = await fetch ( ' http://httpbin.org/get ' ); console . log ( ' I will print second ' ); } test (); console . log ( ' I will print first ' ); Enter fullscreen mode Exit fullscreen mode If you use promise chaining with then() , you need to put any logic you want to execute after the request in the promise chain . Any code that you put after fetch() will execute immediately, before the fetch() is done. function test () { console . log ( ' Ready ' ); let example = fetch ( ' http://httpbin.org/get ' ). then (( res ) => { console . log ( ' This is inside the then() block ' ); }); console . log ( ' This is after the fetch statement where we are now executing other code that is not async ' ); } test (); console . log ( ' this is after the entire function ' ); Enter fullscreen mode Exit fullscreen mode We recommend using async/await where possible, and minimize promise chaining. Async/await makes JavaScript code more accessible to developers that aren't as familiar with JavaScript, and much easier to read. Top comments (3) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   Alexander B.K. Alexander B.K. Alexander B.K. Follow Full Stack Web Developer Location Batam, Indonesia Education Associate Degree in Physics Engineering (Applied Physics) Work Full Stack Web Developer Joined Apr 26, 2019 • Aug 9 '22 Dropdown menu Copy link Hide In my 1st experience, with minimal knowledge and skill (lack of the knowledge of async-await), I relied upon fetch API to do request to server. I tried to work around the problem I encountered with my own solution, although I thought it was not the right one. I wished I knew async-await then : I could have had better solution instead of using merely promises chaining. That being said, I think both approaches have their own best fit depending on the situation. Like comment: Like comment: 7  likes Like Comment button Reply Collapse Expand   Elazar Raab Elazar Raab Elazar Raab Follow Software Engineer Joined Nov 17, 2024 • Nov 17 '24 Dropdown menu Copy link Hide Note that async wait requires the encapsulating/calling function to be async - that is not always possible, e.g., for top-level function before ES2020 or when some callback function interface dictates non-async function. In such cases, the only way to provide code that invokes and processes a result of an async (promise) result is using the .then directive. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Alexandra Egorova Alexandra Egorova Alexandra Egorova Follow Joined Aug 9, 2023 • Nov 10 '23 • Edited on Nov 10 • Edited Dropdown menu Copy link Hide This is the best explanation! I read 10 articles before but only your explanation is more clear, thanks a lot!!! Like comment: Like comment: 4  likes Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Mastering JS Follow Free resources for learning pragmatic, effective web development Joined Jun 23, 2021 More from Mastering JS 3 Neat toString() Tricks in JavaScript # javascript 3 Neat Tricks For Sorting Arrays of Objects in JavaScript # javascript # codenewbie 3 Neat Features of JavaScript's Much-Maligned Date Class # javascript # codenewbie 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:48:03
https://addons.mozilla.org/en-CA/firefox/addon/rentgen/
Rentgen – Get this Extension for 🦊 Firefox (en-CA) Firefox Browser Add-ons Extensions Themes More… for Firefox Dictionaries & Language Packs Other Browser Sites Add-ons for Android Log in Search Search Rentgen by “Internet. Time to act!” Foundation Rentgen to wtyczka, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. 5 (12 reviews) 5 (12 reviews) 216 Users 216 Users Download Firefox and get the extension Download file Extension Metadata Screenshots About this extension Rentgen to wtyczka dla przeglądarek opartych o Firefoxa, która automatycznie wizualizuje, jakie dane zostały ~~wykradzione~~ wysłane do podmiotów trzecich przez odwiedzane strony. Pozwala wygenerować raport lub treść maila, który można wysłać do administratora strony i/lub UODO. Więcej informacji: https://www.internet-czas-dzialac.pl/odcinek-33-wtyczka-rentgen Funkcje Rentgena: analiza ruchu sieciowego generowanego przez stronę internetową; wizualizacja danych przekazanych do podmiotów trzecich przez odwiedzaną stronę (historia przeglądania użytkownika oraz jego ciasteczka); przygotowywanie zrzutów ekranów narzędzi deweloperskich będących dowodem przekazanych danych do podmiotów trzecich; pomoc w oszacowaniu potencjalnych obszarów roboczych względem zgodności z RODO; generowanie raportu lub treści maila, który można wysłać do administratora oraz Urzędu Ochrony Danych Osobowych. Kod źródłowy Developer comments Jeżeli uważasz, że wtyczka Rentgen okazała się przydatna, zostaw nam recenzję. Jeżeli znalazłeś błąd lub masz pomysł na ulepszenie Rentgena, napisz do nas maila: kontakt@internet-czas-dzialac.pl Rated 5 by 12 reviewers Sign in to rate this extension There are no ratings yet Star rating saved 5 12 4 0 3 0 2 0 1 0 Read all 12 reviews Permissions and data Required permissions: Read and modify privacy settings Control browser proxy settings Access your data for all websites Data collection: The developer says this extension doesn't require data collection. Learn more More information Add-on Links Homepage Support site Support Email Version 0.2.4 Size 9.55 MB Last updated 21 days ago (Dec 23, 2025) Related Categories Web Development Privacy & Security License GNU General Public License v3.0 only Privacy Policy Read the privacy policy for this add-on Version History See all versions Tags anti malware anti tracker container privacy security Add to collection Select a collection… Create new collection Report this add-on Support this developer The developer of this extension asks that you help support its continued development by making a small contribution. Contribute now Go to Mozilla’s homepage Add-ons About Firefox Add-ons Blog Extension Workshop Developer Hub Developer Policies Community Blog Forum Report a bug Review Guide Browsers Desktop Mobile Enterprise Products Browsers VPN Relay Monitor Pocket Bluesky (@firefox.com) Instagram (Firefox) YouTube (firefoxchannel) Privacy Cookies Legal Except where otherwise noted , content on this site is licensed under the Creative Commons Attribution Share-Alike License v3.0 or any later version. Change language Čeština Deutsch Dolnoserbšćina Ελληνικά English (Canadian) English (British) English (US) Español (de Argentina) Español (de Chile) Español (de España) Español (de México) suomi Français Furlan Frysk עברית Hrvatski Hornjoserbsce magyar Interlingua Italiano 日本語 ქართული Taqbaylit 한국어 Norsk bokmål Nederlands Norsk nynorsk Polski Português (do Brasil) Português (Europeu) Română Русский slovenčina Slovenščina Shqip Svenska Türkçe Українська Tiếng Việt 中文 (简体) 正體中文 (繁體)
2026-01-13T08:48:03