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://popcorn.forem.com/contact#main-content | Contact Popcorn Movies and TV 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 Popcorn Movies and TV Close Contacts Popcorn Movies and TV would love to hear from you! Email: support@dev.to 😁 Twitter: @thepracticaldev 👻 Report a vulnerability: dev.to/security 🐛 To report a bug, please create a bug report in our open source repository. To request a feature, please start a new GitHub Discussion in the Forem repo! 💎 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 Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. 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 . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account | 2026-01-13T08:49:41 |
https://dev.to/femi_akinyemi/how-to-prevent-unnecessary-react-component-re-rendering-3c08#comments | How to Prevent Unnecessary React Component Re-Rendering - 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 Femi Akinyemi Posted on Jul 8, 2023 • Edited on Jul 10, 2023 How to Prevent Unnecessary React Component Re-Rendering # react # javascript # performance # frontend Understanding how React renders components is essential for building efficient and performant applications. When a component’s state or props change, React automatically updates the User Interface(UI) to reflect those changes. As a result, React calls the component's render method again to generate the updated UI representation. In this article, we will explore three React Hooks and how they prevent unnecessary renderings in React useMemo useCallback useRef These tools allow us to optimize our code by avoiding unnecessary re-renders, improving performance, and storing values efficiently. By the end of this article, we'll better understand how to make our React applications faster and more responsive using these handy React hooks. Using React's useMemo In React, useMemo can prevent unnecessary re-renderings and optimize performance. Let's explore how the useMemo hook can prevent unnecessary re-renders in our React components. By memorizing the result of a function and tracking its dependencies, useMemo ensures that the process is recomputed only when necessary. Consider the following example: import { useMemo , useState } from ' react ' ; function Page () { const [ count , setCount ] = useState ( 0 ); const [ items ] = useState ( generateItems ( 300 )); const selectedItem = useMemo (() => items . find (( item ) => item . id === count ), [ count , items , ]); function generateItems ( count ) { const items = []; for ( let i = 0 ; i < count ; i ++ ) { items . push ({ id : i , isSelected : i === count - 1 , }); } return items ; } return ( < div className = " tutorial " > < h1 > Count : { count } < /h1 > < h1 > Selected Item : { selectedItem ?. id } < /h1 > < button onClick = {() => setCount ( count + 1 )} > Increment < /button > < /div > ); } export default Page ; Enter fullscreen mode Exit fullscreen mode The code above is a React component called Page that uses useMemo to optimize the selectedItem calculation. Here's the explanation: The component maintains a state variable count using the useState hook. The items state is initialized using the useState hook with the result of the generateItems function. The selectedItem is calculated using useMemo, which memorizes the result of the items.find operation. It only re-calculates when either count or items change. The generateItems function generates an array of items based on the given count. The component renders the current **count** value, the selectedItem id, and a button to increment the count . Using useMemo optimizes performance by memoizing the result of the items.find operation. It ensures that the calculation of selectedItem is only performed when the dependencies ( count or items ) change, preventing unnecessary re-calculations on subsequent renders. Memoization should be employed selectively for computationally intensive operations, as it introduces additional overhead to the rendering process. Using React's useCallback The useCallback hook in React allows for the memoization of functions, preventing them from being recreated during each component render. By utilizing useCallback . a part is created only once and reused in subsequent renders as long as its dependencies remain unchanged. Consider the following example: import React , { useState , useCallback , memo } from ' react ' ; const allColors = [ ' red ' , ' green ' , ' blue ' , ' yellow ' , ' orange ' ]; const shuffle = ( array ) => { const shuffledArray = [... array ]; for ( let i = shuffledArray . length - 1 ; i > 0 ; i -- ) { const j = Math . floor ( Math . random () * ( i + 1 )); [ shuffledArray [ i ], shuffledArray [ j ]] = [ shuffledArray [ j ], shuffledArray [ i ]]; } return shuffledArray ; }; const Filter = memo (({ onChange }) => { console . log ( ' Filter rendered! ' ); return ( < input type = ' text ' placeholder = ' Filter colors... ' onChange = {( e ) => onChange ( e . target . value )} / > ); }); function Page () { const [ colors , setColors ] = useState ( allColors ); console . log ( colors [ 0 ]) const handleFilter = useCallback (( text ) => { const filteredColors = allColors . filter (( color ) => color . includes ( text . toLowerCase ()) ); setColors ( filteredColors ); }, [ colors ]); return ( < div className = ' tutorial ' > < div className = ' align-center mb-2 flex ' > < button onClick = {() => setColors ( shuffle ( allColors ))} > Shuffle < /button > < Filter onChange = { handleFilter } / > < /div > < ul > { colors . map (( color ) => ( < li key = { color } > { color } < /li > ))} < /ul > < /div > ); } export default Page ; Enter fullscreen mode Exit fullscreen mode The code above demonstrates a simple color filtering and shuffling functionality in a React component. Let's go through it step by step: The initial array of colors is defined as allColors . The shuffle function takes an array and shuffles its elements randomly. It uses the Fisher-Yates algorithm to achieve shuffling. The Filter component is a memoized functional component that renders an input element. It receives an onChange prop and triggers the callback function when the input value changes. The Page component is the main component that renders the color filtering and shuffling functionality. The state variable colors are initialized using the useState hook, with the initial value set to allColors . It represents the filtered list of colors. The handleFilter function is created using the useCallback hook. It takes a text parameter and filters the allColors array based on the provided text. The filtered colors are then set using the setColors function from the useState hook. The dependency array [colors] ensures that the handleFilter function is only recreated if the colors state changes, optimizing performance by preventing unnecessary re-renders. Inside the Page component is a button for shuffling the colors. When the button clicks, it calls the setColors function with the shuffled array of allColors . The Filter component is rendered with the onChange prop set to the handleFilter function. Finally, the colors array is mapped to render the list of color items as <li> elements. The useCallback hook is used to memoize the handleFilter function, which means the function is only created once and reused on subsequent renders if the dependencies (in this case, the colors state) remain the same. This optimization prevents unnecessary re-renders of child components that receive the handleFilter function as a prop, such as the Filter component. It ensures that the Filter component is not re-rendered if the colors state hasn't changed, improving performance. Using React's useRef Another approach to enhance performance in React applications and avoid unnecessary re-renders is using the useRef hook. Using useRef , we can store a mutable value that persists across renders, effectively preventing unnecessary re-renders. This technique allows us to maintain a reference to a value without triggering component updates when that value changes. By leveraging the mutability of the reference, we can optimize performance in specific scenarios. Consider the following example: import React , { useRef , useState } from ' react ' ; function App () { const [ name , setName ] = useState ( '' ); const inputRef = useRef ( null ); function handleClick () { inputRef . current . focus (); } return ( < div > < input type = " text " value = { name } onChange = {( e ) => setName ( e . target . value )} ref = { inputRef } / > < button onClick = { handleClick } > Focus < /button > < /div > ); } Enter fullscreen mode Exit fullscreen mode The example above has a simple input field and a button. The useRef hook creates a ref called inputRef. As soon as the button is clicked, the handleClick function is called, which focuses on the input element by accessing the current property of the inputRef ref object. As such, it prevents unnecessary rerendering of the component when the input value changes. To ensure optimal use of ` useRef, ` reserve it solely for mutable values that do not impact the component's rendering. If a mutable value influences the component's rendering, it should be stored within its state instead. Conclusion Throughout this tutorial, we explored the concept of React re-rendering and its potential impact on the performance of our applications. We delved into the optimization techniques that can help mitigate unnecessary re-renders. React offers a variety of hooks that enable us to enhance the performance of our applications. We can effectively store values and functions between renders by leveraging these hooks, significantly boosting React application performance. References How To Stop React Components From Re-Rendering Methods Of Improving And Optimizing Performance In React Apps Top comments (10) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand leob leob leob Follow Joined Aug 4, 2017 • Jul 12 '23 Dropdown menu Copy link Hide Yeah okay - but if you have to reach for these hooks, chances are there might already be something wrong with the way you've designed and composed your React components ... these hooks are often used to plaster over poor designs or other issues in the first place. Also proves (again) what I don't like about React - this kind of low level optimization should really be done by the framework, so that the developer can focus on functionality and UI/UX :) Like comment: Like comment: 11 likes Like Comment button Reply Collapse Expand Muhammad A Faishal Muhammad A Faishal Muhammad A Faishal Follow Improving the world with small habits through software Location Indonesia Joined Oct 22, 2022 • Jul 9 '23 Dropdown menu Copy link Hide Yeah, these APIs are really useful. For reference, before doing optimizations like useMemo , we can apply another approach following overreacted.io/before-you-memo/ by Dan Abramov. Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Femi Akinyemi Femi Akinyemi Femi Akinyemi Follow Frontend Developer || Technical Writer Email akinfemi46@gmail.com Location Lagos, Nigeria Education Bsc Mathematics Pronouns He/Him Work Datamellon Joined Apr 9, 2020 • Jul 9 '23 Dropdown menu Copy link Hide Thanks for the info. I will definitely check it out Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Jenap User Jenap User Jenap User Follow Joined Mar 22, 2022 • Jul 10 '23 Dropdown menu Copy link Hide Nice article for Optimization, Thanks dev.to/femi_dev Femi Akinyemi Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Femi Akinyemi Femi Akinyemi Femi Akinyemi Follow Frontend Developer || Technical Writer Email akinfemi46@gmail.com Location Lagos, Nigeria Education Bsc Mathematics Pronouns He/Him Work Datamellon Joined Apr 9, 2020 • Jul 10 '23 Dropdown menu Copy link Hide Glad you found it helpful @jenap Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand CitronBrick CitronBrick CitronBrick Follow Developper Work Junior Front End Engineer Joined Jan 11, 2021 • Jul 13 '23 Dropdown menu Copy link Hide The generateItems function can be simplified quite a bit using Array.from Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand szeredaiakos szeredaiakos szeredaiakos Follow Joined Apr 8, 2023 • Jul 11 '23 Dropdown menu Copy link Hide If you know exactly how a computer works, this is pretty much nonsensical. 😆 Very good article tho' Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Femi Akinyemi Femi Akinyemi Femi Akinyemi Follow Frontend Developer || Technical Writer Email akinfemi46@gmail.com Location Lagos, Nigeria Education Bsc Mathematics Pronouns He/Him Work Datamellon Joined Apr 9, 2020 • Jul 11 '23 Dropdown menu Copy link Hide Thanks for your comment @szeredaiakos Can you please explain more or better still share more resources on what you just said Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand szeredaiakos szeredaiakos szeredaiakos Follow Joined Apr 8, 2023 • Jul 11 '23 Dropdown menu Copy link Hide First paragraph for ex. Technically when a state changes in any computer system nothing happens automatically per-se. An update cycle is the one which does the update (setCount in yr first example). The update in React is very much in the hands of the developer. Other libraries and systems may employ a periodic update. In these, for performance reasons, the state is expected to behave as a cog in finite state automata. That is ... what one whould describe as ... automatic. Dont dwell on it to much, base level concepts are often distorted towards the surface. That is, to a degree, the purpose of all the layers between one's code and the pixels on the screen. Like comment: Like comment: 1 like Like Thread Thread Femi Akinyemi Femi Akinyemi Femi Akinyemi Follow Frontend Developer || Technical Writer Email akinfemi46@gmail.com Location Lagos, Nigeria Education Bsc Mathematics Pronouns He/Him Work Datamellon Joined Apr 9, 2020 • Jul 11 '23 Dropdown menu Copy link Hide Thanks for sharing this. I will look this up again and do more research Like comment: Like comment: 1 like 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 Femi Akinyemi Follow Frontend Developer || Technical Writer Location Lagos, Nigeria Education Bsc Mathematics Pronouns He/Him Work Datamellon Joined Apr 9, 2020 More from Femi Akinyemi How to Upload Files to Amazon S3 with React and AWS SDK # aws # react # s3 # javascript Understanding AWS Amplify Monitoring Metrics Definitions # aws # cloudcomputing # awsamplify # javascript How to add Astro social share to your Astro application # webdev # astro # javascript # 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:49:41 |
https://vibe.forem.com/t/aws | Amazon Web Services - Vibe Coding 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 Vibe Coding Forem Close Amazon Web Services Follow Hide Amazon Web Services (AWS) is a collection of web services for computing, storage, machine learning, security, and more There are over 200+ AWS services as of 2023. Create Post submission guidelines Articles which primary focus is AWS are permitted to used the #aws tag. Older #aws posts 1 2 3 4 5 6 7 8 9 … 75 … 1010 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Use AWS Bedrock & AI Services (Claude, Nova, Polly, Transcribe) with Your Existing OpenAI Code J.Goutin J.Goutin J.Goutin Follow Dec 19 '25 Use AWS Bedrock & AI Services (Claude, Nova, Polly, Transcribe) with Your Existing OpenAI Code # ai # devops # aws # openai Comments 1 comment 4 min read Launch Your First AWS AI App Code Free In 7 Steps Devin Rosario Devin Rosario Devin Rosario Follow Nov 28 '25 Launch Your First AWS AI App Code Free In 7 Steps # ai # aws # nocode # cloudcomputing Comments Add Comment 7 min read Build Your First AI App in 10 Minutes: A Non-Coder’s Guide to AWS AI 🚀 Nimmala NAGA SANTHOSH BABA Nimmala NAGA SANTHOSH BABA Nimmala NAGA SANTHOSH BABA Follow Nov 23 '25 Build Your First AI App in 10 Minutes: A Non-Coder’s Guide to AWS AI 🚀 # ai # aws # awschallenge # cloud 1 reaction Comments 1 comment 3 min read Macro Investments: Accelerating Market Data Decisioning with Bedrock & Q Developer [Tech for Trading series] Kenny Chan Kenny Chan Kenny Chan Follow for AWS Community Builders Jul 28 '25 Macro Investments: Accelerating Market Data Decisioning with Bedrock & Q Developer [Tech for Trading series] # ai # aws # trader Comments Add Comment 10 min read loading... trending guides/resources Launch Your First AWS AI App Code Free In 7 Steps Build Your First AI App in 10 Minutes: A Non-Coder’s Guide to AWS AI 🚀 Use AWS Bedrock & AI Services (Claude, Nova, Polly, Transcribe) with Your Existing OpenAI Code 💎 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 Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:41 |
https://github.com/berviantoleo | berviantoleo (Bervianto Leo Pratama) · GitHub Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} berviantoleo Follow Overview Repositories 83 Projects 0 Packages 13 Stars 585 More Overview Repositories Projects Packages Stars berviantoleo Follow ❤️ Coding with love and My Love. Bervianto Leo Pratama berviantoleo ❤️ Coding with love and My Love. Follow Sponsor Software Engineer | AWS Community Builder | HashiCorp Ambassador | Currently focuses on Microservices, Cloud Computing, and DevSecOps 102 followers · 21 following @bervProject Bandung, Indonesia 15:49 (UTC +07:00) https://berviantoleo.my.id https://orcid.org/0009-0007-8227-349X https://dev.to/berviantoleo https://stackoverflow.com/users/6948591/bervianto-leo-pratama LinkedIn in/bervianto-leo-pratama X @berviantoleo Achievements x2 x3 Achievements x2 x3 Highlights Developer Program Member Organizations Block or Report Block or report berviantoleo --> Block user Prevent this user from interacting with your repositories and sending you notifications. Learn more about blocking users . You must be logged in to block users. Add an optional note Maximum 250 characters. Please don't include any personal information such as legal names or email addresses. Markdown supported. This note will be visible to only you. Block user Report abuse Contact GitHub support about this user’s behavior. Learn more about reporting abuse . Report abuse Overview Repositories 83 Projects 0 Packages 13 Stars 585 More Overview Repositories Projects Packages Stars berviantoleo / README .md Hi there 👋 I'm a Software Engineer working in Bandung, Indonesia . I'm Tokino Sora's Fans. Badges/Certifications Badges Certifications Name Expiration Achieved Date Evidence Link Cisco Certified DevNet Associate Fri Mar 10 2028 00:00:00 GMT+0000 (Coordinated Universal Time) Sat Oct 08 2022 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence Cisco Certified Cybersecurity Associate Fri Mar 10 2028 00:00:00 GMT+0000 (Coordinated Universal Time) Mon Aug 02 2021 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence AWS Certified AI Practitioner Wed Jan 12 2028 00:00:00 GMT+0000 (Coordinated Universal Time) Sun Jan 12 2025 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence AWS Certified DevOps Engineer – Professional Thu Jan 28 2027 00:00:00 GMT+0000 (Coordinated Universal Time) Sun Jan 28 2024 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence AWS Certified Developer – Associate Thu Jan 28 2027 00:00:00 GMT+0000 (Coordinated Universal Time) Sat May 28 2022 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence AWS Certified Cloud Practitioner Thu Jan 28 2027 00:00:00 GMT+0000 (Coordinated Universal Time) Sat Apr 23 2022 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Administrator Associate Thu Sep 17 2026 23:59:59 GMT+0000 (Coordinated Universal Time) Sun Sep 17 2023 09:42:42 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: DevOps Engineer Expert Thu Sep 17 2026 23:59:59 GMT+0000 (Coordinated Universal Time) Sat Apr 03 2021 11:41:16 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure AI Engineer Associate Tue Jun 09 2026 23:59:59 GMT+0000 (Coordinated Universal Time) Sun Jun 09 2024 12:07:02 GMT+0000 (Coordinated Universal Time) Evidence AWS Certified Security – Specialty Thu Mar 19 2026 00:00:00 GMT+0000 (Coordinated Universal Time) Sun Mar 19 2023 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Identity and Access Administrator Associate Thu Mar 12 2026 23:59:59 GMT+0000 (Coordinated Universal Time) Sat Mar 12 2022 11:52:42 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Security Operations Analyst Associate Wed Jan 21 2026 23:59:59 GMT+0000 (Coordinated Universal Time) Sat Jan 21 2023 15:36:55 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Developer Associate Fri Dec 26 2025 23:59:59 GMT+0000 (Coordinated Universal Time) Sat Dec 26 2020 11:53:49 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Cosmos DB Developer Specialty Thu Dec 11 2025 23:59:59 GMT+0000 (Coordinated Universal Time) Sun Dec 11 2022 11:22:16 GMT+0000 (Coordinated Universal Time) Evidence Professional Cloud Developer Certification Wed Dec 10 2025 00:00:00 GMT+0000 (Coordinated Universal Time) Sun Dec 10 2023 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence AWS Certified Solutions Architect – Associate Sat Nov 22 2025 00:00:00 GMT+0000 (Coordinated Universal Time) Sat Nov 20 2021 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Database Administrator Associate Wed Oct 22 2025 23:59:59 GMT+0000 (Coordinated Universal Time) Sat Oct 22 2022 11:16:48 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Solutions Architect Expert Thu Oct 16 2025 23:59:59 GMT+0000 (Coordinated Universal Time) Sat Oct 16 2021 11:55:07 GMT+0000 (Coordinated Universal Time) Evidence HashiCorp Certified: Terraform Associate (003) Sun Oct 12 2025 00:00:00 GMT+0000 (Coordinated Universal Time) Thu Oct 12 2023 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence Associate Cloud Engineer Certification Sun Aug 31 2025 00:00:00 GMT+0000 (Coordinated Universal Time) Wed Aug 31 2022 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence Cloud Digital Leader Certification Sun Apr 06 2025 00:00:00 GMT+0000 (Coordinated Universal Time) Wed Apr 06 2022 00:00:00 GMT+0000 (Coordinated Universal Time) Evidence MongoDB Associate Developer - Sun Nov 24 2024 09:01:27 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Dynamics 365 Fundamentals (CRM) - Sat Aug 20 2022 12:00:06 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Security, Compliance, and Identity Fundamentals - Sat Feb 19 2022 11:53:46 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Power Platform Fundamentals - Sat Nov 06 2021 11:52:50 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Data Fundamentals - Sun Jun 06 2021 06:37:19 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure AI Fundamentals - Sat Jun 05 2021 12:09:20 GMT+0000 (Coordinated Universal Time) Evidence Microsoft Certified: Azure Fundamentals - Sat Jan 18 2020 11:36:52 GMT+0000 (Coordinated Universal Time) Evidence More Badge/Certification Focus & Interest Topic No Focus Interest Topic 1 Microservices Cyber security 2 Web API Site Reliability Engineer (SRE) 3 Cloud Services / Cloud Computing Cloud Architect 4 DevOps DevSecOps Focus Technology Stack No/Priority Backend Frontend Database Cloud Services 1 2 3 4 - - - Contact & Website Contact Need more information? Contact me: Social Git Platform Profesional Work Video Platform Forum Website Blog Personal Site https://berviantoleo.my.id More Active Projects No Name & Repo Link Documentation Demo Package Manager Link 1 React Multi Crop https://berviantoleo.github.io/react-multi-crop/ https://react-multi-crop.netlify.app/ 2 Feathers Advance Hooks http://bervproject.berviantoleo.my.id/feathers-advance-hook/ ... 3 BervProject.Validation.Common https://bervproject.berviantoleo.my.id/BervProject.Validation.Common/ ... 4 BervProject.FeatureFlag https://bervproject.berviantoleo.my.id/BervProject.FeatureFlag/ ... ... 5 feature-flag https://gp.berviantoleo.my.id/feature-flag/ ... Support Me My Organization Counter Pinned Loading react-multi-crop react-multi-crop Public react-multi-crop component use fabric.js TypeScript 9 4 feature-flag feature-flag Public Explore Feature Flag using AWS AppConfig TypeScript 6 1 udacity-azure-project-1 udacity-azure-project-1 Public Submission Azure Developer ND 1 Python 1 2 explore-go explore-go Public Exploring Go Go 1 1 telegram-bot-ai telegram-bot-ai Public Telegram bot AI C# 4 1 elixir-exploration elixir-exploration Public Explore more about elixir Elixir 8 2 Something went wrong, please refresh the page to try again. If the problem persists, check the GitHub status page or contact support . Uh oh! There was an error while loading. Please reload this page . Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:41 |
https://reproducible-builds.org/ | Reproducible Builds — a set of software development practices that create an independently-verifiable path from source to binary code News Docs Success stories Tools Who is involved? Talks Events CI tests Contribute Reproducible builds are a set of software development practices that create an independently-verifiable path from source to binary code. ( Find out more ) To learn how to deliver software that your users and contributors can run, rebuild and improve with confidence, refer to the getting started guide. Why Reproducible Builds Matter In short: Reproducible Builds provide certainty that software is genuine and has not been tampered with. 🔒 Security & Trust Reproducible Builds let third parties make sure that software hasn’t been altered, increasing safety and reliability . 🔬 Transparency in Development Reproducible Builds make sure that developers’ code always works the same way, which makes the software more consistent and trustworthy . 🏰 Protection of Build Infrastructure Attacks on build systems and supply chains can affect many users. Reproducible builds detect unauthorized changes to the build process early. 📜 Regulatory Compliance & Licensing Reproducible Builds ensure software complies with licenses and industry standards by proving that binaries match their source code. 🛡️ Increased Resilience Against Attacks Reproducible Builds protect developers from targeted attacks by allowing third-party verification of their software, preventing your projects from being compromised. Reproducible Builds and You End User Reproducible Builds ensure that the software you trust is both safe and verifiable. They do this by verifying that the binaries that you download match the original, untampered source code. For security-related tools, this means high confidence that your data and communications are protected against hidden backdoors or vulnerabilities. When choosing the software for your critical tasks, opt for projects that advertise their builds as reproducible. You can see which technologies are using deterministic builds in our success stories Software Developer Reproducible Builds elevate deterministic builds by making the build process independently verifiable by anyone. This means others can confirm your binaries match the source code exactly, fostering trust, improving debugging, speeding up builds, and demonstrating your commitment to high standards. It also allows the development of extremely concise and easily verifiable patches for any version of your software, eg. for customers that have high security requirements and need to audit every release they make. The Commandments of Reproducible Builds and the Getting Started Guide are good places to begin your journey. Tech CTO / Project Lead Reproducible Builds add a strong layer of security to your build pipelines, enabling independent audits and ensuring every binary matches the source code. They’re a powerful tool for mitigating risks in your software supply chain, simplifying regulatory and license compliance, verifying SBOMs, and aligning your engineering practices with the highest standards. For a CTO, it’s an investment in resilience and trust. Read on to learn about planning to make your builds reproducible Tech CEO / Project Owner Reproducible Builds demonstrate your company’s commitment to best-in-class processes and trustworthiness by guaranteeing the integrity of your software. Your software is enhanced with verifiable proof of consistency, giving customers confidence that your product is secure and transparent. Your supply chain and your developers are much better protected against a variety of attacks. This positions your company at the leading edge of accountability, setting you apart in competitive markets and building lasting relationships with users and stakeholders. Find out more about the high-level benefits of Reproducible Builds Protect developers, safeguard privacy, and ensure trust in software. Discover how Reproducible Builds help you defend against threats and empower secure collaboration. How does it work? First, the build system needs to be made entirely deterministic: transforming a given source must always create the same result. For example, the current date and time must not be recorded and output always has to be written in the same order. Second, the set of tools used to perform the build and more generally the build environment should either be recorded or pre-defined. Third, users should be given a way to recreate a close enough build environment, perform the build process, and validate that the output matches the original build. Learn more about how to make your software build reproducibly… Recent Monthly Reports Jan 8, 2026 : Reproducible Builds in December 2025 Dec 3, 2025 : Reproducible Builds in November 2025 Nov 5, 2025 : Reproducible Builds in October 2025 See all reports Recent News Aug 20, 2025 : Reproducible Builds summit 2025 to take place in Vienna Nov 14, 2024 : Reproducible Builds mourns the passing of Lunar Sep 29, 2024 : Supporter spotlight: Kees Cook on Linux kernel security See all news Sponsors We are proud to be sponsored by : We are proud to be sponsored by Follow us on Mastodon @reproducible_builds@fosstodon.org or Reddit and please consider making a donation . • Content licensed under CC BY-SA 4.0 , style licensed under MIT . Templates and styles based on the Tor Styleguide . Logos and trademarks belong to their respective owners. • Patches for this website welcome via our Git repository ( instructions ) or via our mailing list . • Full contact info | 2026-01-13T08:49:42 |
https://dev.to/faraz_farhan_83ed23a154a2/conversation-memory-collapse-why-excessive-context-weakens-ai-5377 | Conversation Memory Collapse: Why Excessive Context Weakens AI - 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 FARAZ FARHAN Posted on Jan 13 Conversation Memory Collapse: Why Excessive Context Weakens AI # llm # ai # discuss # productivity Every story begins with a small misunderstanding. A midsize company approached us to build an AI support agent. Their request was simple—AI should "remember everything about the business." So they provided product catalogs, policy docs, SOPs, FAQs, team hierarchy, historical emails—roughly 50,000+ words upfront. Their assumption was: "The more context AI gets, the smarter it becomes." Reality? Exactly the opposite. The chatbot frequently gave wrong answers, pulled irrelevant information, and took 5-6 seconds lag to answer simple questions. Accuracy dropped to 40-45%. The Common Mistake We All Make We think AI is like humans—if it remembers the full history, it will make better decisions. But for LLMs, over-context means overload. The more noise in the AI context window, the higher the chance of errors. Some classic mistakes: Providing "Company background" as a 2-page essay Keeping old revisions inside SOPs Having the same policy rephrased in three different styles Product descriptions that are overly flowery (marketing tone) Result? AI can't separate essential signal from decorative noise. What We Tested Test 1: Full Dump Approach Strategy: "Give EVERYTHING, let AI decide" Context size: 50,000+ words Result: Confusion + delay Accuracy: 40-45% Test 2: Cleaned Version But Still Detailed Context: 12,000-15,000 words Result: Some improvement, but inconsistent Accuracy: 55-60% Test 3: Only Operationally Important Facts Context shrunk to: 1,000-1,500 words Result: Sudden stability Accuracy: 75-80% Final Approach: Memory Collapse Framework The core finding in one line: Less memory → More accuracy We discovered that if AI receives only relevant snapshots—such as: Latest pricing Active policies Allowed refund rules Product attributes (short) Critical exceptions —then AI delivers accurate answers much faster. Playbook: Memory Collapse Framework This isn't a complex system—it's a discipline. Treat Context Like RAM, Not a Library Only include information that's frequently needed. Remove all "just in case" data. Marketing Language ≠ Knowledge Words like "best-in-class" and "premium quality" only distract AI. What matters are facts, not adjectives. Create Context Tiers Tier 1: High-frequency info (always needed) Tier 2: Medium importance Tier 3: Rarely used → keep external (RAG / API) Only Tier 1 and selected Tier 2 go in the context window. Collapse Long Paragraphs Into Atomic Facts Wrong: "Our refund policy is designed to..." Correct: Refund_Eligibility: 7 days Refund_Exceptions: Digital products non-refundable Refund_Processing_Time: 3-5 days One line of signal, zero noise. Technical Insights: What We Learned AI Works Best with Compressed, Structured Memory LLMs' natural strengths are "reasoning" and "structure detection," but huge narratives weaken these abilities. Redundancy Creates Hallucination When the same information is written in three different ways, AI often merges them → wrong answer. Atomic Facts Beat Long Explanations AI stays most consistent with linear facts rather than narrative explanations. Context Window Isn't the Problem—Context Design Is A 10,000 token window doesn't mean 10,000 words. It means 10,000 carefully curated signals. Actionable Tips for Your Implementation Ask This Question Before Adding Data "Will the AI use this in 70% of queries?" If not → keep it outside. Maintain a Cold Storage Repository Keep policies, manuals, and full SOPs in API/RAG systems rather than in ChatGPT context. Stop Feeding Narrative, Start Feeding Facts Narratives are human-friendly, but fact blocks are model-friendly. Test with Real User Queries, Not Ideal Examples AI training is not classroom learning. Worst-case queries = best-case tuning. The Core Lesson Conversational AI isn't a librarian—it's a fast decision-making assistant. If you try to make it remember thousands of documents, it gets exhausted. Instead, give it small, relevant memories—this enables real intelligence. "Less memory, more mastery." AI engineering is exactly this fine-tuning game—not data, but structure. Not quantity, but relevance. The counterintuitive truth: By giving AI less to remember, we make it smarter at what actually matters. Your Turn Has your AI agent ever made mistakes due to excessive memory? What context optimization strategies have worked for you? Written by Faraz Farhan Senior Prompt Engineer and Team Lead at PowerInAI Building AI automation solutions through intelligent context design www.powerinai.com Tags: conversationalai, contextengineering, ai, llm, optimization, promptengineering 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 FARAZ FARHAN Follow Joined Dec 21, 2025 More from FARAZ FARHAN Document Automation with Precision: The Challenge of Formatting Without Touching Content # ai # discuss # automation # workflow Automated Market Research: Building 1000-Word Strategic Reports from a Single URL # ai # database # marketing # automation Content Automation at Scale: Generating 100+ FAQs from a Single Website Link # ai # seo # faq # automation 💎 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:49:42 |
https://www.coderabbit.ai/case-studies/how-salesrabbit-reduced-bugs-by-30-and-increased-velocity-by-25 | Tackling a legacy codebase and high defect rate after an acquisition Features Enterprise Customers Pricing Blog Resources Docs Trust Center Contact Us FAQ Log In Get a free trial How SalesRabbit reduced bugs by 30% and increased velocity by 25% 30% reduction in bugs 25% increase in release velocity Improved visibility Happier developers Lehi, Utah, United States https://salesrabbit.com/ Engineering team size 33 Languages C#, Elixir, Python Challenge Legacy code from an acquisition and high defect rates at the acquired company’s codebase slowed delivery and increased bugs Get started today Share Overview SalesRabbit , a CRM and canvassing platform used by roofing, solar, and pest control companies, is no stranger to legacy code. In recent years, SalesRabbit has expanded its product line through multiple acquisitions – including RoofLink in 2024 , a roofing-focused CRM. Those expansions came with new challenges: multiple legacy codebases in different languages (C#, Elixir, Python, and even C) and no easy way to assess code quality across them. With 20 engineers, CTO Michael Archibald needed a scalable way to maintain engineering velocity while gaining visibility into an inherited codebase, reducing bugs, and supporting less experienced developers on the team. That’s where CodeRabbit came in. Challenge: Legacy codebase & high defect rates Before CodeRabbit, SalesRabbit was trying to grapple with an inherited codebase from a new acquisition while dealing with many of the common challenges engineering teams face around code reviews. Those included delays in reviews that slowed down deployment velocity and inconsistent coding standards. Unfamiliar legacy codebases after acquisitions The SalesRabbit team was spread out across a growing number of languages. While SalesRabbit started as a PHP application, they acquired a company with a C# codebase, shifted some of their own codebase to Elixir, and were about to buy RoofLink, whose code was in Python. It was the introduction of that Python codebase with SalesRabbit’s acquisition of RoofLink that initially prompted Michael to research AI code review tools. “I was looking for some automated tools, primarily AI, that could help us understand the codebase a little faster and better validate the quality of the code,” he shared. High defect escape rate Michael has always been hyper-focused on improving application quality. When he joined SalesRabbit as CTO six years ago, the company was facing frequent downtime. Since then, they've improved to 99.99% availability and scaled their team. But, after the acquisition, Rooflink’s defect escape rate gave him cause for concern. While Rooflink wasn’t tracking how many bugs made their way to production, anecdotally, the Rooflink support team told him they were used to fielding customer complaints on nearly every release. It seemed clear that code at the company wasn’t being as thoroughly reviewed as it should be. Slow review cycle With an ambitious roadmap and multiple products across the company, Michael had to ensure the team maintained velocity. But manual code reviews were inconsistent and often took several days, slowing deployment significantly. One problem was that the team had a large number of junior engineers – which meant fewer senior developers who could review code. Michael wanted a solution that would make reviews easier. AI coding tools caused code quality issues While SalesRabbit’s engineers leveraged Copilot and other AI coding tools to help write code faster, it created problems with code quality. “The junior engineers were introducing a lot of bugs with these tools,” Michael explained. That caused him to try to find other AI tools that would better support the junior engineers on the team. Inconsistent coding standards Different teams across SalesRabbit and RoofLink used different styles and standards, often due to legacy standards at the acquired companies. But style inconsistencies added friction. A central governance layer was needed to enforce best practices. “We just want everyone to be the same,” said Michael. 30% fewer defects 25% Faster deployments Why SalesRabbit loves CodeRabbit https://youtu.be/0WmK5QqqjJY The engineers all wanted it – and used it Michael wasn’t initially convinced that CodeRabbit would solve his team’s problems. “I came across CodeRabbit and thought, ‘It's relatively inexpensive. I'm going to just give one or two engineers a seat and see how they like it,” he explained. “But almost immediately everybody on my team was like, oh, I want this, I want this.” That level of enthusiasm for a tool is something Michael listens to. When he joined SalesRabbit, the company was facing 80% engineering churn and he’s since worked hard to improve developer satisfaction and stabilize the engineering org. One of the litmus tests for me with AI tools is: do engineers want it? I don’t like pushing AI tools on engineers. With CodeRabbit, everybody asked for it almost immediately. Michael Archibald, CTO Initially tested with junior developers, senior engineers also quickly recognized its value around bug fixes, refactor suggestions, and security checks. “With CodeRabbit,, everybody was like, give me this. This is fantastic. It speeds up code reviews,” Michael said. “We went from a small test to full adoption very quickly.” CodeRabbit found more issues than any human While Michael had been worried about Rooflink’s defect escape rate, CodeRabbit reduced it significantly – and almost immediately. “We could have started putting processes in place to improve things but those can take weeks and months before we get measurement,” he explained. CodeRabbit seemed to have an almost immediate impact. Code quality has gone up and the only thing we've adjusted has been adding CodeRabbit to all of the deploys.I feel very comfortable saying that it's caught a lot more bugs than any human has. Michael Archibald, CTO An AI tool that… didn’t introduce more bugs Unlike Copilot and other AI coding tools, which focused on writing code and resulted in a lot of added bugs, CodeRabbit focused on finding and fixing them. That gave SalesRabbit the visibility and quality gates they needed at the PR stage to keep defects out of production. “It works especially well for junior developers,” Michael said. “It helps them spot patterns and mistakes they’d otherwise miss.” SalesRabbit was also able to more quickly understand their inherited codebase. “It really helped us to determine the code quality,” shared Michael. It fixed style consistency issues CodeRabbit’s built-in style enforcement reduced the need for custom linters or style checkers, helping standardize code across legacy and modern languages. “CodeRabbit does a really good job saying, ‘this might be a bad pattern’ or ‘you’re not following style here,’” Michael explained. “We were able to get rid of a lot of tooling we put in place for managing code styles because CodeRabbit has a version of that built-in.” What’s helpful is having one centralized code quality enforcement tooling for legacy languages like C# and modern ones like Elixir and Python “We just want everyone to be kind of the same,” said Michael. “CodeRabbit does that for us.” Results: Better code, lower defect rate, happier engineers With CodeRabbit, SalesRabbit has seen impressive results: 30% fewer defects. The defect escape rate decreased by at least 30% after introducing CodeRabbit, improving system reliability. Support teams even noticed the difference. “It had almost an immediate impact,” Archibald said. 25% Faster deployments. CodeRabbit’s automated first-pass review enabled faster iterations, reducing release cycle time – even with a complex legacy codebase. Then, one-click fixes helped them quickly commit the changes identified Significant style and standards consistency improvements. While it’s hard to measure, Michael feels strongly that CodeRabbit helped them level up their code quality significantly. “It's improved our code style,” he attests. Happier engineers Michael’s focus is on keeping the engineers at SalesRabbit happy and productive. That’s why he’s never wanted to push AI tools on them that they didn’t want. But CodeRabbit was a tool that his engineering team all wanted. “The developers have really enjoyed using it,” he shared. CodeRabbit = Less review overhead, more velocity Before CodeRabbit • High defect escape rate • Slow deployments • Complicated, legacy codebase After CodeRabbit 30% reduction in bugs immediately 25% faster deployments Greater visibility into codebase For SalesRabbit, adopting CodeRabbit was low-lift but high-impact. Their team was able merge PRs at least 25% faster, improve defect detection in legacy C# and Python code, and increase developer efficiency by freeing them from multi-day review cycles. The AI-powered reviews only take hours now, instead of days, and enable faster deployments. CodeRabbit was also able to find bugs that junior engineers were letting slip by when using AI coding tools. With review cycles shortened, developer confidence increased, and the entire team more aligned around coding practices, Michael’s glad he found CodeRabbit when he did. Before CodeRabbit, we struggled with inconsistencies in code reviews and defects slipping into production. It’s improved our coding standards, especially in C#, provided a centralized governance layer for code style enforcement, and significantly reduced production defects. Michael Archibald, CTO With CodeRabbit’s expanding feature set, especially the recent support for automated docstrings insertion and the future support for agentic workflow-based automated unit-test insertion, SalesRabbit anticipates seeing even more efficiency gains soon. Lehi, Utah, United States https://salesrabbit.com/ Engineering team size 33 Languages C#, Elixir, Python Challenge Legacy code from an acquisition and high defect rates at the acquired company’s codebase slowed delivery and increased bugs Get started today Want to see how CodeRabbit can help your team? Get a 14-day trial Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy Select language English 日本語 Terms of Service Privacy Policy CodeRabbit Inc © 2026 Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy | 2026-01-13T08:49:42 |
https://www.youtube.com/watch?v=M8Ktic5sPlo | - YouTube 정보 보도자료 저작권 문의하기 크리에이터 광고 개발자 약관 개인정보처리방침 정책 및 안전 YouTube 작동의 원리 새로운 기능 테스트하기 © 2026 Google LLC, Sundar Pichai, 1600 Amphitheatre Parkway, Mountain View CA 94043, USA, 0807-882-594 (무료), yt-support-solutions-kr@google.com, 호스팅: Google LLC, 사업자정보 , 불법촬영물 신고 크리에이터들이 유튜브 상에 게시, 태그 또는 추천한 상품들은 판매자들의 약관에 따라 판매됩니다. 유튜브는 이러한 제품들을 판매하지 않으며, 그에 대한 책임을 지지 않습니다. | 2026-01-13T08:49:42 |
https://coderabbit.ai/brand | CodeRabbit brand guidelines | AI Code Reviews Features Enterprise Customers Pricing Blog Resources Docs Trust Center Contact Us FAQ Log In Get a free trial Brand Assets Guidelines and resources for using our brand elements. Logos To preserve the brand's visual identity, the logo should remain unaltered—no distortion, inversion, or repositioning is permitted. Logo for Dark Backgrounds Please use this logo variation on dark backgrounds to ensure optimal visibility and maintain brand consistency. SVG PNG Logo for Light Backgrounds Please use this variation of the logo when placed on light or white backgrounds for better contrast and clarity. SVG PNG Icon on Dark Backgrounds Please use the light or inverted version of the icon to maintain visibility and contrast against darker surfaces. SVG PNG Icon on Light Backgrounds Please use the standard or dark-colored version of the icon for best legibility and brand consistency when placed on white or light backgrounds. SVG PNG Logo Guidelines To ensure consistent and professional use of the CodeRabbit logo across all platforms, please follow these guidelines: Logo Correct Color Uses These are the correct logo + background color combinations. Do not use other backgrounds that are not specified in this page Colors Don’ts Don’t use other color combinations other than the ones specified previously in the guidelines. CodeRabbit orange does not contrast well over black. Color Palette A bold, vibrant palette designed for clarity, contrast, and the energetic spirit of CodeRabbit. Primary Accent Orange Orange-500 #FF570A rgb(255, 87, 10) CMYK: 0%, 66%, 96%, 0% Secondary Accents Pink Pink-500 #F2B8EB rgb(242, 184, 235) CMYK: 0%, 24%, 3%, 5% Aquamarine Aquamarine-500 #25BAB1 rgb(37, 186, 177) CMYK: 80%, 0%, 5%, 27% Tertiary Accent Yellow Yellow-500 #F0DF22 rgb(240, 223, 34) CMYK: 0%, 7%, 86%, 6% Text and Main Backgrounds Cream Cream-300 (Light) #F6F6F1 rgb(246, 246, 241) CMYK: 0%, 0%, 2%, 4% Neutral Neutral-900 (Dark) #171717 rgb(23, 23, 23) CMYK: 0%, 0%, 0%, 91% Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy Select language English 日本語 Terms of Service Privacy Policy CodeRabbit Inc © 2026 Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy | 2026-01-13T08:49:42 |
https://dev.to/saswatapal/why-i-chose-monorepo-from-copy-paste-hell-to-28s-builds-5b2h | Why I Chose Monorepo: From Copy-Paste Hell to 2.8s Builds - 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 Saswata Pal Posted on Dec 9, 2025 Why I Chose Monorepo: From Copy-Paste Hell to 2.8s Builds # monorepo # turborepo # architecture # pnpm Tech Stack Decisions (12 Part Series) 1 Why I Chose Turborepo Over Nx: Monorepo Performance Without the Complexity 2 Why I Chose pnpm Over npm/Yarn: 3x Faster Installs & 50% Less Disk Space ... 8 more parts... 3 Why I Chose Biome Over ESLint+Prettier: 20x Faster Linting & One Tool to Rule Them All 4 Why I Chose Vitest Over Jest: 10x Faster Tests & Native ESM Support 5 Why I'm Using React 19 in Production: Compiler Magic & Actions That Just Work 6 Do You Need State Management in 2025? React Context vs Zustand vs Jotai vs Redux 7 Storybook 10: Why I Chose It Over Ladle and Histoire for Component Documentation 8 Why I Chose Vite Over Webpack: 10x Faster Builds & Instant HMR 9 Next.js 16 vs Remix vs Astro: Choosing the Right React Framework in 2025 10 Tailwind CSS v4: Why I Chose CSS-First Config Over Styled Components 11 Why I Chose Monorepo Architecture: From Code Chaos to 2.8s Builds 12 Why I Chose Monorepo: From Copy-Paste Hell to 2.8s Builds Why I Chose Monorepo: From Copy-Paste Hell to 2.8s Builds Friday, 11:47 PM. Portfolio site: white screen. Button component broke. I'd updated the variant prop in my UI library repo. Pushed it. Forgot the portfolio had its own copy of Button.tsx—same name, different version, same breaking change. Three repos. Three copies of the same component. Two of them broken. That's when I knew: the copy-paste had to stop. TL;DR What I did: Merged 3 separate repos (portfolio, web app, CLI) into one monorepo with shared packages. The wins: Builds: 5min 23s → 2.8s (95% cache hits with Turborepo) Code duplication: ~40% → 0% Type safety: Instant across all packages (no more publish-to-test) DX: Change Button, see it update in 3 apps immediately Setup time: 30 minutes Would I do it again? Absolutely. Keep reading for: The breaking point moment, what I tried, how it actually works, and 3 gotchas that cost me 4 hours. The Problem I'm building CodeCraft Labs—a portfolio site, a web playground, and eventually a CLI tool. React 19, TypeScript 5.6, Next.js 16, Tailwind v4. Solo dev for now, planning to bring on 2-3 people eventually. The multi-repo nightmare: Repository #1: portfolio (Next.js app) Repository #2: web-prototype (React app) Repository #3: ui-library (shared components) What Actually Broke I had a Button component. 230 lines. Used in both apps. Initially: one repo, npm published as @ccl/ui . Worked great. Then I needed to iterate fast. Publishing to npm every time I changed padding? Painful. So I copy-pasted Button.tsx into both apps. "Just temporarily," I told myself. Three months later: three versions of Button.tsx, all diverged. The breaking change: // ui-library repo (v1.2.0) export interface ButtonProps { variant : ' primary ' | ' secondary ' | ' ghost ' ; onClick ?: () => void ; } // What I changed it to (v1.3.0) export interface ButtonProps { variant : ' primary ' | ' secondary ' | ' ghost ' ; onClick ?: () => Promise < void > ; // Added async support } Enter fullscreen mode Exit fullscreen mode Updated portfolio. Deployed. Worked. Forgot the web-prototype had its own copy. It didn't get the update. onClick handlers broke. Saturday morning: emails. The Real Cost Time waste: Each shared component update: 15-20 minutes to sync across repos Frequency: 5-10 updates per day Daily cost: ~2+ hours of copy-paste coordination What killed me: TypeScript couldn't catch cross-repo breakages (only failed after npm publish → install → build) Three CI/CD pipelines to maintain Deployment coordination ("Did I update all three?") Version drift anxiety The moment I decided to change: Saturday, 2:47 AM. Fixed the Button bug in 5 minutes. Spent 2 hours questioning if I wanted to keep doing this for the next year. What I Looked At Option 1: Keep Multi-Repo, Use npm link The promise: Symlink local packages, no publishing needed. Reality: npm link is... not great. Tried it for a week: Had to run npm link after every clean install Forgot to re-link after switching branches: "Module not found" errors Works on my machine, broke in CI Gave up Option 2: Git Submodules The promise: Nest repos, share code via git. Why I skipped it: Everyone who's used git submodules told me "don't use git submodules." Listened to them. Option 3: Monorepo (Turborepo + pnpm workspaces) The promise: One repo, multiple packages Import local packages like npm packages (but instant) TypeScript sees everything Build caching makes builds stupid fast Why I picked it: pnpm workspaces handle package linking automatically (no more npm link hell) Turborepo caches build outputs (only rebuild what changed) Vercel built Turborepo, and I deploy on Vercel (figured integration would be good) Setup took 30 minutes. Been using it for 6 months. Zero regrets. How It Actually Works Two tools doing different jobs: pnpm workspaces = package manager Turborepo = build orchestrator The Structure codecraft-labs/ ├── apps/ │ ├── portfolio/ # Next.js → Vercel │ ├── web/ # React app → Vercel │ └── cli/ # Node.js CLI → npm │ ├── packages/ │ ├── ui/ # Component library │ │ ├── src/ │ │ │ ├── Button.tsx │ │ │ └── ... │ │ └── package.json # name: "@ccl/ui" │ └── typescript-config/ # Shared tsconfig │ ├── pnpm-workspace.yaml # Defines workspaces ├── turbo.json # Build pipeline └── package.json # Root dependencies Enter fullscreen mode Exit fullscreen mode How pnpm Workspaces Link Packages # pnpm-workspace.yaml packages : - ' apps/*' - ' packages/*' Enter fullscreen mode Exit fullscreen mode // apps/portfolio/package.json { "dependencies" : { "@ccl/ui" : "workspace:*" // Links to packages/ui/ } } Enter fullscreen mode Exit fullscreen mode Run pnpm install . That's it. pnpm creates symlinks: apps/portfolio/node_modules/@ccl/ui → ../../packages/ui/ Enter fullscreen mode Exit fullscreen mode Now you can import: // apps/portfolio/src/app/page.tsx import { Button } from ' @ccl/ui ' ; < Button onClick = { async () => { await saveData (); }} > Save < /Button > Enter fullscreen mode Exit fullscreen mode TypeScript sees the real source file in packages/ui/src/Button.tsx . Immediate type checking. No publishing. No version mismatches. How Turborepo Makes Builds Fast // turbo.json { "tasks" : { "build" : { "dependsOn" : [ "^build" ], "outputs" : [ "dist/**" , ".next/**" ] } } } Enter fullscreen mode Exit fullscreen mode Run turbo build : Analyzes dependency graph: Portfolio depends on @ccl/ui Builds in order: @ccl/ui first, then portfolio Caches outputs: Hashes inputs (source files, deps, config), stores outputs in .turbo/cache/ Skips unchanged packages: If @ccl/ui hasn't changed, uses cached build (0.3s instead of 8.2s) Real numbers from my project: First build: 62.4s (cold, everything compiles) Second build: 2.8s (95% cache hit) Changed Button.tsx only: 8.1s (rebuilds @ccl/ui + portfolio, skips web + cli) That's 22x faster than before. The Migration What I Did (30 minutes total) 1. Created monorepo structure (5 min) mkdir codecraft-labs cd codecraft-labs pnpm init Enter fullscreen mode Exit fullscreen mode Created pnpm-workspace.yaml : packages : - ' apps/*' - ' packages/*' Enter fullscreen mode Exit fullscreen mode 2. Moved existing repos (10 min) mkdir apps packages mv ~/old-repos/portfolio apps/ mv ~/old-repos/web apps/ mv ~/old-repos/ui-library packages/ui Enter fullscreen mode Exit fullscreen mode Updated each package.json to use @ccl/ scope: // packages/ui/package.json { "name" : "@ccl/ui" , "version" : "1.0.0" } Enter fullscreen mode Exit fullscreen mode 3. Installed Turborepo (2 min) pnpm add -Dw turbo Enter fullscreen mode Exit fullscreen mode Created minimal turbo.json : { "tasks" : { "build" : { "dependsOn" : [ "^build" ], "outputs" : [ "dist/**" , ".next/**" ] }, "dev" : { "cache" : false , "persistent" : true } } } Enter fullscreen mode Exit fullscreen mode 4. Updated imports (10 min) Updated imports to use workspace packages: import { Button } from ' @ccl/ui ' ; Enter fullscreen mode Exit fullscreen mode 5. Tested pnpm install turbo build turbo dev Enter fullscreen mode Exit fullscreen mode Worked. First try. (That never happens. I was suspicious.) The 3 Gotchas That Cost Me 4 Hours Gotcha #1: Peer dependency hell Symptom: pnpm install failed with peer dependency errors. Problem: Portfolio had React 19, web app had React 18, ui-library allowed both. Fix: Align all React versions: pnpm add react@19.0.0 react-dom@19.0.0 -w pnpm install Enter fullscreen mode Exit fullscreen mode Took 90 minutes to figure out. The error message was unhelpful. Gotcha #2: TypeScript path mapping Symptom: TypeScript couldn't find @ccl/ui types. Problem: Needed explicit path mapping in tsconfig. Fix: // apps/portfolio/tsconfig.json { "compilerOptions" : { "paths" : { "@ccl/*" : [ "../../packages/*/src" ] } } } Enter fullscreen mode Exit fullscreen mode Spent 45 minutes on this. Should've read the pnpm docs first. Gotcha #3: Cached build was stale Symptom: Changed Button.tsx, rebuild was instant, but changes didn't show up. Problem: Turborepo cached old output, didn't detect file change (I had modified file outside of git). Fix: turbo build --force # Bypass cache Enter fullscreen mode Exit fullscreen mode Or clear cache: rm -rf .turbo/cache Enter fullscreen mode Exit fullscreen mode Lost 90 minutes debugging this. Thought my code was broken. It was just cache. What Changed Before Monorepo # Update Button component workflow cd ui-library # Make changes npm version patch npm publish cd ../portfolio npm install @ccl/ui@latest npm run build # 5min 23s git push cd ../web npm install @ccl/ui@latest npm run build # 4min 47s git push # Total: 15-20 minutes, 3 repos, 3 deploys Enter fullscreen mode Exit fullscreen mode After Monorepo # Update Button component workflow cd packages/ui # Make changes turbo build # 2.8s (cached) git commit -m "Update Button API" git push # Vercel deploys both apps automatically # Total: <3 minutes, 1 repo, 1 commit Enter fullscreen mode Exit fullscreen mode The Numbers Metric Before After Improvement Build time 5min 23s 2.8s 22x faster Code duplication ~40% 0% Eliminated Repos to manage 3 1 66% less Time per update 15-20 min <3 min 85% faster Type safety Publish-to-test Instant Immediate CI/CD pipelines 3 1 Simplified Time saved: ~2 hours daily (5-10 component updates × 15-20 min each → <3 min) Rough ROI: If you value time at $50/hr, that's $100/day = $2,000/month in saved time. But honestly? The real win is not having to think about it anymore . I change Button.tsx, TypeScript catches issues instantly, deploy once, done. When to Use Monorepo Use monorepo if: You have 2+ projects sharing code You're copy-pasting components between repos You want type safety across packages You value fast iteration over independent deployment Don't use monorepo if: Single app with no shared code (unnecessary overhead) Completely independent projects (no shared code = no benefit) You need different tech stacks per project (Go backend, Python ML, Node.js frontend—monorepo doesn't help much) My context: Solo dev, 3 apps, heavy code sharing, deploying on Vercel. Monorepo was perfect. Your context might differ. If you have 100+ packages or a team of 50+, look at Nx instead of Turborepo (more features, more complexity). Final Thoughts Would I do it again? 100% yes. What surprised me: Setup was way easier than expected (30 minutes, actually worked first try) Cache hit rate stayed high (95%+) even with active development TypeScript catching cross-package issues instantly is addictive Refactoring is fearless now (rename function, TS shows all usages across all packages) What I'd do differently: Align all dependency versions before starting (would've saved 90 minutes) Read pnpm workspace docs first (would've saved 45 minutes on path mapping) Biggest surprise: Adding a new app takes <5 minutes now. Copy structure, link packages, done. Planning to add 3 more apps in next 6 months—would've been a nightmare in multi-repo. Bottom line: If you're managing 2+ projects that share code, monorepo in 2025 is a no-brainer. Resources Official Docs: Turborepo pnpm Workspaces My Code: codecraft-labs on GitHub - Full monorepo source turbo.json - My config Button component - The infamous Button.tsx Community: Turborepo Discord Questions? Drop a comment or hit me up: Twitter: @saswatapal14 LinkedIn: saswata-pal Dev.to: @saswatapal More tech decision breakdowns coming—React 19, Tailwind v4, Vitest, Biome. Part of the Tech Stack Decisions series Tech Stack Decisions (12 Part Series) 1 Why I Chose Turborepo Over Nx: Monorepo Performance Without the Complexity 2 Why I Chose pnpm Over npm/Yarn: 3x Faster Installs & 50% Less Disk Space ... 8 more parts... 3 Why I Chose Biome Over ESLint+Prettier: 20x Faster Linting & One Tool to Rule Them All 4 Why I Chose Vitest Over Jest: 10x Faster Tests & Native ESM Support 5 Why I'm Using React 19 in Production: Compiler Magic & Actions That Just Work 6 Do You Need State Management in 2025? React Context vs Zustand vs Jotai vs Redux 7 Storybook 10: Why I Chose It Over Ladle and Histoire for Component Documentation 8 Why I Chose Vite Over Webpack: 10x Faster Builds & Instant HMR 9 Next.js 16 vs Remix vs Astro: Choosing the Right React Framework in 2025 10 Tailwind CSS v4: Why I Chose CSS-First Config Over Styled Components 11 Why I Chose Monorepo Architecture: From Code Chaos to 2.8s Builds 12 Why I Chose Monorepo: From Copy-Paste Hell to 2.8s Builds 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 Saswata Pal Follow Senior Software Engineer turning 12 years of frontend/DevOps into full-stack + AI. Building in public: React 19, Next.js 15, Tailwind v4, AWS. Week 1/12 of my transformation. Let's connect! Location Remote Joined Dec 1, 2025 More from Saswata Pal Why I Chose Monorepo Architecture: From Code Chaos to 2.8s Builds # monorepo # architecture # turborepo # pnpm Why I Chose pnpm Over npm/Yarn: 3x Faster Installs & 50% Less Disk Space # pnpm # npm # yarn # packagemanager Why I Chose Turborepo Over Nx: Monorepo Performance Without the Complexity # turborepo # nx # monorepo # architecture 💎 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:49:42 |
https://dev.to/t/vscode/page/6 | VS Code Page 6 - 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 VS Code Follow Hide Official tag for Visual Studio Code, Microsoft's open-source editor Create Post about #vscode We welcome anyone with any kind of vscode passion. Some new hot feature or extension, we would love to read it. Older #vscode posts 3 4 5 6 7 8 9 10 11 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Adaptive Sorting Visualizer DHEERAJ KUMAR DHEERAJ KUMAR DHEERAJ KUMAR Follow Nov 4 '25 Adaptive Sorting Visualizer # daa # algorithms # python # vscode Comments Add Comment 5 min read Keep GitHub Copilot from going off the rails with instructions files Al Nyveldt Al Nyveldt Al Nyveldt Follow Oct 29 '25 Keep GitHub Copilot from going off the rails with instructions files # github # githubcopilot # ai # vscode Comments Add Comment 9 min read C++ development with Docker + VSCode Tenry Tenry Tenry Follow Nov 2 '25 C++ development with Docker + VSCode # cpp # docker # vscode 3 reactions Comments Add Comment 4 min read Make your AI prompts collaborative with VS Code and Promptitude Lester Botello Lester Botello Lester Botello Follow for Onepoint Dec 3 '25 Make your AI prompts collaborative with VS Code and Promptitude # adventoftech2025 # ai # githubcopilot # vscode 6 reactions Comments Add Comment 5 min read How I Vibe Code after researching everything Vansh Oberoi Vansh Oberoi Vansh Oberoi Follow Oct 29 '25 How I Vibe Code after researching everything # vscode # vibecoding Comments Add Comment 3 min read 10 VS Code Extensions That Skyrocketed My Productivity in 2026 Pixel Mosaic Pixel Mosaic Pixel Mosaic Follow Dec 2 '25 10 VS Code Extensions That Skyrocketed My Productivity in 2026 # vscode # webdev # ai # productivity 1 reaction Comments Add Comment 1 min read Condition Rendering React yaswanth krishna yaswanth krishna yaswanth krishna Follow Oct 27 '25 Condition Rendering React # webdev # programming # vscode 1 reaction Comments Add Comment 2 min read React Key ? yaswanth krishna yaswanth krishna yaswanth krishna Follow Oct 27 '25 React Key ? # webdev # programming # vscode Comments Add Comment 2 min read React Js yaswanth krishna yaswanth krishna yaswanth krishna Follow Oct 27 '25 React Js # vscode # webdev # programming 3 reactions Comments Add Comment 1 min read Unified XJPath (Dansharp) Viewer Daniel Jonathan Daniel Jonathan Daniel Jonathan Follow Oct 24 '25 Unified XJPath (Dansharp) Viewer # vscode # xmlpath # jsonpath # logicapps Comments Add Comment 3 min read Streamline Your Test Automation with Azure Test Track VS Code Extension Nathan Araújo Nathan Araújo Nathan Araújo Follow Oct 23 '25 Streamline Your Test Automation with Azure Test Track VS Code Extension # azure # vscode # tooling # automation Comments Add Comment 4 min read Developers Spend Just 1% of Coding Time Using VS Code's Debugger (11,805 Sessions Analyzed) Max Max Max Follow Oct 23 '25 Developers Spend Just 1% of Coding Time Using VS Code's Debugger (11,805 Sessions Analyzed) # productivity # vscode # agile # webdev Comments Add Comment 6 min read React, Git[Hub], and VS Code for Beginners - Video 3 David Newberry David Newberry David Newberry Follow Oct 23 '25 React, Git[Hub], and VS Code for Beginners - Video 3 # git # vscode # beginners # react Comments Add Comment 1 min read React, Git[Hub], and VS Code for Beginners - Video 2 David Newberry David Newberry David Newberry Follow Oct 23 '25 React, Git[Hub], and VS Code for Beginners - Video 2 # github # beginners # vscode # react Comments Add Comment 2 min read Automate UI Bug Fixing with Chrome MCP Server and Copilot Leonardo Montini Leonardo Montini Leonardo Montini Follow for This is Learning Nov 24 '25 Automate UI Bug Fixing with Chrome MCP Server and Copilot # mcp # githubcopilot # ai # vscode 12 reactions Comments Add Comment 4 min read I Brought Neovim’s Best Navigation Plugin to VS Code (And You Don’t Need Vim to Use It) Sourav Sourav Sourav Follow Nov 13 '25 I Brought Neovim’s Best Navigation Plugin to VS Code (And You Don’t Need Vim to Use It) # showdev # vscode # tooling # productivity 2 reactions Comments Add Comment 6 min read Building SafeScript: Our Journey Creating a Security Tool for AI-Generated Code Humza Inam Humza Inam Humza Inam Follow Oct 20 '25 Building SafeScript: Our Journey Creating a Security Tool for AI-Generated Code # security # vscode # extensions # c Comments Add Comment 4 min read Stop Typing JSON Manually: The VS Code Extension That Makes TypeScript Fast ⚡ haider mukhtar haider mukhtar haider mukhtar Follow Oct 30 '25 Stop Typing JSON Manually: The VS Code Extension That Makes TypeScript Fast ⚡ # typescript # vscode # json # extensions 5 reactions Comments 1 comment 3 min read Beyond the LLM: The 8 Essential Components for Building Reliable AI Agents and Where Coding Tools Fit In Bo-Ting Wang Bo-Ting Wang Bo-Ting Wang Follow Nov 1 '25 Beyond the LLM: The 8 Essential Components for Building Reliable AI Agents and Where Coding Tools Fit In # ai # agents # vscode # cursor 1 reaction Comments Add Comment 7 min read Nuxt DevTools "Toggle Component Inspector" OptoCode OptoCode OptoCode Follow Oct 19 '25 Nuxt DevTools "Toggle Component Inspector" # vscode # tooling # vue # productivity Comments Add Comment 5 min read Why I Built TaskDeck and How It Improves Your VS Code Workflow Emanuele Bartolesi Emanuele Bartolesi Emanuele Bartolesi Follow for This is Learning Nov 20 '25 Why I Built TaskDeck and How It Improves Your VS Code Workflow # showdev # vscode # productivity # webdev 9 reactions Comments 5 comments 7 min read How to Deploy a Django Website with Automated CI/CD Pipeline Teemu Virta Teemu Virta Teemu Virta Follow Nov 22 '25 How to Deploy a Django Website with Automated CI/CD Pipeline # python # django # cicd # vscode Comments Add Comment 6 min read Building Accessible Themes with Generative AI Michael Calkins Michael Calkins Michael Calkins Follow Nov 20 '25 Building Accessible Themes with Generative AI # discuss # a11y # vscode # ai 5 reactions Comments 6 comments 3 min read Building the PVS-Studio megapolis Anna Voronina Anna Voronina Anna Voronina Follow Nov 21 '25 Building the PVS-Studio megapolis # cpp # vscode # programming # testing 8 reactions Comments Add Comment 9 min read ⚔️ Zed vs VSCode Taha Majlesi Pour Taha Majlesi Pour Taha Majlesi Pour Follow Nov 11 '25 ⚔️ Zed vs VSCode # vscode # coding # ai # programming Comments 1 comment 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:49:42 |
https://dev.to/pockit_tools/pnpm-vs-npm-vs-yarn-vs-bun-the-2026-package-manager-showdown-51dc#the-contenders-2026-state-of-play | pnpm vs npm vs yarn vs Bun: The 2026 Package Manager Showdown - 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 HK Lee Posted on Jan 9 • Originally published at pockit.tools pnpm vs npm vs yarn vs Bun: The 2026 Package Manager Showdown # bunjs # pnpm # yarn # npm Every JavaScript project starts with a choice: which package manager? For years, it was npm by default. Then yarn promised faster installs. Then pnpm claimed to save gigabytes of disk space. And now Bun's built-in package manager claims to make everything else obsolete. But here's what no one tells you: the "best" package manager depends entirely on your specific use case, and blindly following benchmarks can lead you astray. A package manager that's perfect for a solo developer's side project might be terrible for a 500-package monorepo—and vice versa. This guide cuts through the marketing hype. After extensive testing across different project sizes and configurations in January 2026, here's what actually matters for each package manager, when to use it, and how to migrate if you need to. 📌 Version Note: This comparison covers npm 11.x, yarn 4.x (Berry), pnpm 10.x, and Bun 1.3 as of January 2026. The Quick Verdict If you're in a hurry, here's the short version: Use Case Recommended Why Solo/small projects Bun Fastest by far, simplest setup Large monorepos pnpm Best disk efficiency, workspace support Enterprise/legacy npm Maximum compatibility, no surprises Yarn ecosystem yarn 4 PnP mode, excellent plugins Performance at scale pnpm or Bun Both excel, pnpm more mature Now let's dive into why. The Contenders: 2026 State of Play npm 11.x Status: Still the default, ships with Node.js Latest: npm 11.7.0 (December 2025) Philosophy: Compatibility over innovation Key Strength: Works everywhere, always npm has evolved significantly. The node_modules structure is now more optimized, and features like npm audit have become industry standards. But npm's conservative approach means it's rarely the fastest or most efficient—it's just the most reliable. yarn 4.x (Berry) Status: Complete rewrite from yarn 1.x Latest: yarn 4.12.0 (January 2026) Philosophy: Innovation through Plug'n'Play (PnP) Key Strength: Zero-installs, plugin architecture Yarn Berry is essentially a different product from yarn 1. The Plug'n'Play feature eliminates node_modules entirely, instead using a .pnp.cjs file that maps imports directly to zip archives. It's radical—and divisive. pnpm 10.x Status: The "smart" alternative Latest: pnpm 10.27.0 (December 2025) Philosophy: Efficiency without breaking compatibility Key Strength: Content-addressable storage, true deduplication pnpm's approach is elegant: store all packages once in a global content-addressable store, then use hard links to make them appear in each project's node_modules . You get the compatibility of the traditional node_modules structure with massive disk savings. Bun 1.3 Package Manager Status: The new challenger Latest: Bun 1.3.0 (January 1, 2026) Philosophy: Speed above all else Key Strength: Native speed, zero configuration, full-stack capabilities Bun isn't just a package manager—it's a complete JavaScript runtime. Bun 1.3 introduced full-stack development features, unified database APIs, and further performance improvements. Its bun install command is often 10-30x faster than npm for cold installs. Benchmark Results: Cold Install Performance Let's start with what everyone cares about—raw speed. We tested each package manager on the same projects with cleared caches: Small Project (50 dependencies) Project: Typical React + TypeScript starter Dependencies: 50 direct, ~400 total Cold Install Times (cleared cache): ┌────────────┬──────────┬────────────┐ │ Manager │ Time │ vs npm │ ├────────────┼──────────┼────────────┤ │ bun │ 0.8s │ 18x faster │ │ pnpm │ 4.2s │ 3.4x faster│ │ yarn │ 6.8s │ 2.1x faster│ │ npm │ 14.3s │ baseline │ └────────────┴──────────┴────────────┘ Enter fullscreen mode Exit fullscreen mode Medium Project (200 dependencies) Project: Next.js 15 app with common libraries Dependencies: 200 direct, ~1,200 total Cold Install Times (cleared cache): ┌────────────┬──────────┬────────────┐ │ Manager │ Time │ vs npm │ ├────────────┼──────────┼────────────┤ │ bun │ 2.1s │ 22x faster │ │ pnpm │ 12.4s │ 3.7x faster│ │ yarn │ 18.2s │ 2.5x faster│ │ npm │ 46.1s │ baseline │ └────────────┴──────────┴────────────┘ Enter fullscreen mode Exit fullscreen mode Large Monorepo (15 packages, 800 dependencies) Project: Turborepo monorepo with 15 packages Dependencies: 800 direct, ~3,500 total Cold Install Times (cleared cache): ┌────────────┬──────────┬────────────┐ │ Manager │ Time │ vs npm │ ├────────────┼──────────┼────────────┤ │ bun │ 4.8s │ 28x faster │ │ pnpm │ 28.6s │ 4.7x faster│ │ yarn │ 52.3s │ 2.6x faster│ │ npm │ 134.2s │ baseline │ └────────────┴──────────┴────────────┘ Enter fullscreen mode Exit fullscreen mode Key Insight: Bun's lead actually increases with project size. For monorepos, the difference is staggering. Cached/Warm Install Performance But cold installs aren't the whole story. Most of the time, you're installing with some level of caching: Warm Install (lockfile exists, some cache): ┌────────────┬──────────────┬──────────────┐ │ Manager │ Small (50) │ Large (800) │ ├────────────┼──────────────┼──────────────┤ │ bun │ 0.3s │ 1.2s │ │ pnpm │ 1.1s │ 8.4s │ │ yarn (PnP) │ 0.0s* │ 0.0s* │ │ npm │ 3.2s │ 24.6s │ └────────────┴──────────────┴──────────────┘ * Yarn PnP with zero-installs commits dependencies to repo Enter fullscreen mode Exit fullscreen mode Yarn's Zero-Installs Trick: With PnP mode and zero-installs, yarn commits your dependencies directly to the repository. CI/CD runs need zero install time—they just yarn and go. The tradeoff? Your repo size increases significantly. Disk Usage: Where pnpm Shines Raw speed is one thing, but what about your hard drive? Single Project Disk Usage Same 200-dependency project: ┌────────────┬──────────────┬──────────────┐ │ Manager │ node_modules │ vs npm │ ├────────────┼──────────────┼──────────────┤ │ npm │ 487 MB │ baseline │ │ yarn │ 502 MB │ +3% │ │ pnpm │ 124 MB* │ -75% │ │ bun │ 461 MB │ -5% │ └────────────┴──────────────┴──────────────┘ * pnpm uses hard links to global store Enter fullscreen mode Exit fullscreen mode Multiple Projects (Same Dependencies) Here's where pnpm's architecture pays off. If you have 10 projects using React 19: 10 Projects with overlapping dependencies: ┌────────────┬──────────────┬──────────────┐ │ Manager │ Total Disk │ vs npm │ ├────────────┼──────────────┼──────────────┤ │ npm │ 4.87 GB │ baseline │ │ yarn │ 5.02 GB │ +3% │ │ pnpm │ 612 MB │ -87% │ │ bun │ 4.61 GB │ -5% │ └────────────┴──────────────┴──────────────┘ Enter fullscreen mode Exit fullscreen mode pnpm stores each unique package version exactly once. Every project links to that single copy. If you work on many projects, pnpm can save tens of gigabytes. Bun's Approach: Bun uses a global cache but still creates full node_modules directories. It's faster than npm/yarn but doesn't achieve pnpm's deduplication. Monorepo Support Compared Monorepos have become the default for many organizations. Here's how each manager handles them: Workspace Configuration npm (workspaces): // package.json { "workspaces" : [ "packages/*" , "apps/*" ] } Enter fullscreen mode Exit fullscreen mode yarn (workspaces): // package.json { "workspaces" : [ "packages/*" , "apps/*" ] } Enter fullscreen mode Exit fullscreen mode pnpm (pnpm-workspace.yaml): # pnpm-workspace.yaml packages : - ' packages/*' - ' apps/*' Enter fullscreen mode Exit fullscreen mode Bun (workspaces): // package.json { "workspaces" : [ "packages/*" , "apps/*" ] } Enter fullscreen mode Exit fullscreen mode Workspace Features Comparison Feature npm yarn pnpm Bun Workspace protocol ( workspace:* ) ❌ ✅ ✅ ✅ Selective dependency installation ❌ ✅ ✅ ✅ Parallel task execution ❌ ✅ ✅ ✅ Cross-workspace linking Basic Good Excellent Good Hoisting control Limited Full Full Limited Filtering ( --filter ) ❌ ✅ ✅ ❌ The Bottom Line: pnpm and yarn are the clear leaders for monorepo management. npm's workspace support is functional but basic. Bun's is improving rapidly but still catching up. Real-World Monorepo Performance We tested a Turborepo setup with 15 packages: Task: Install + Build all packages ┌────────────┬──────────────┬──────────────┐ │ Manager │ Install │ Full Build │ ├────────────┼──────────────┼──────────────┤ │ pnpm │ 28.6s │ 142s │ │ bun │ 4.8s │ 138s │ │ yarn │ 52.3s │ 156s │ │ npm │ 134.2s │ 198s │ └────────────┴──────────────┴──────────────┘ Enter fullscreen mode Exit fullscreen mode Interesting: Bun's install speed advantage shrinks when you include build time. The build phase dominates, making the install speed difference less impactful for CI/CD overall. Security Features Security has become a first-class concern. Here's how each manager handles it: Audit Capabilities Feature npm yarn pnpm Bun audit command ✅ Native ✅ Plugin ✅ Native ❌ Auto-fix vulnerabilities ✅ ✅ ✅ ❌ Advisory database npm registry npm registry npm registry - SBOM generation ✅ ✅ Plugin ✅ ❌ Critical Note: Bun currently lacks built-in security auditing. For production applications, you'll need third-party tools like Snyk or Socket. Lockfile Security All four managers use lockfiles to ensure reproducible installs: npm: package-lock.json (JSON) yarn: yarn.lock (custom format) pnpm: pnpm-lock.yaml (YAML) Bun: bun.lockb (binary) Bun's Binary Lockfile: Bun's bun.lockb is binary for speed. While this makes installs faster, it's not human-readable and can't be easily diffed in code review. Bun offers bun.lock (text) as an alternative, but it's not the default. Supply Chain Protection Feature npm yarn pnpm Bun Signature verification ✅ ✅ ✅ ❌ Strict peer dependencies Optional Optional Default Optional .npmrc security options Full Limited Full Limited Network isolation mode ❌ ✅ ✅ ❌ Compatibility Reality Check Here's what nobody talks about: not every package works perfectly with every manager. Known Compatibility Issues (January 2026) pnpm: Some packages break with strict node_modules structure Workaround: shamefully-hoist=true in .npmrc Most major packages now support pnpm natively yarn PnP: Many packages still don't support PnP mode Workaround: nodeLinker: node-modules falls back to traditional structure Adoption is improving but still incomplete Bun: ~98% npm compatibility (up from 95% in 2025) Some native modules still have issues Workaround: Use --backend=copyfile for problematic packages Framework Compatibility Framework npm yarn pnpm Bun Next.js 15 ✅ ✅ ✅ ✅ Remix ✅ ✅ ✅ ⚠️ Nuxt 4 ✅ ✅ ✅ ✅ Angular 19 ✅ ⚠️ ✅ ⚠️ SvelteKit ✅ ✅ ✅ ✅ Astro 5 ✅ ✅ ✅ ✅ ⚠️ = Works but some edge cases or extra configuration needed CI/CD Performance For many teams, CI/CD time is where package manager choice really matters: GitHub Actions Benchmark # Same workflow, different package managers # Node.js 22, ubuntu-latest, clean cache ┌────────────┬──────────────┬──────────────┬──────────────┐ │ Manager │ Install │ Cache Hit │ Total Job │ ├────────────┼──────────────┼──────────────┼──────────────┤ │ npm │ 48s │ 12s │ 2m 34s │ │ yarn │ 21s │ 8s │ 2m 15s │ │ yarn (PnP) │ 18s │ 0s* │ 2m 02s │ │ pnpm │ 14s │ 4s │ 2m 08s │ │ bun │ 3s │ 1s │ 1m 52s │ └────────────┴──────────────┴──────────────┴──────────────┘ * Zero-installs : dependencies committed to repo Enter fullscreen mode Exit fullscreen mode Docker Build Performance # Multi-stage build comparison ┌────────────┬──────────────┬──────────────┐ │ Manager │ Layer Cache │ No Cache │ ├────────────┼──────────────┼──────────────┤ │ npm │ 18s │ 52s │ │ pnpm │ 8s │ 24s │ │ bun │ 2s │ 6s │ └────────────┴──────────────┴──────────────┘ Enter fullscreen mode Exit fullscreen mode The Docker Secret: Bun's speed advantage is even more pronounced in Docker because its binary includes the runtime—no need to install Node.js separately. Migration Guides Ready to switch? Here's how: npm → pnpm Install pnpm: npm install -g pnpm Enter fullscreen mode Exit fullscreen mode Import existing lockfile: pnpm import Enter fullscreen mode Exit fullscreen mode Delete old files: rm -rf node_modules package-lock.json Enter fullscreen mode Exit fullscreen mode Install: pnpm install Enter fullscreen mode Exit fullscreen mode Update scripts (if needed): // package.json - usually works as-is { "scripts" : { "dev" : "next dev" , // no change needed "build" : "next build" } } Enter fullscreen mode Exit fullscreen mode npm → Bun Install Bun: curl -fsSL https://bun.sh/install | bash Enter fullscreen mode Exit fullscreen mode Remove old files: rm -rf node_modules package-lock.json Enter fullscreen mode Exit fullscreen mode Install: bun install Enter fullscreen mode Exit fullscreen mode Update scripts for Bun runtime (optional): { "scripts" : { "dev" : "bun run --bun next dev" , "build" : "bun run next build" } } Enter fullscreen mode Exit fullscreen mode yarn 1.x → yarn 4.x (Berry) # Enable corepack (Node.js 16+) corepack enable # Set yarn version yarn set version stable # Migrate configuration yarn config set nodeLinker node-modules # for compatibility # Install yarn install Enter fullscreen mode Exit fullscreen mode Rollback Plan If migration causes issues: # Keep your old lockfile backed up! cp package-lock.json package-lock.json.backup # To rollback: rm -rf node_modules bun.lockb pnpm-lock.yaml yarn.lock mv package-lock.json.backup package-lock.json npm install Enter fullscreen mode Exit fullscreen mode When to Use What: Decision Framework Use npm when: ✅ Maximum compatibility is required ✅ Team is unfamiliar with alternatives ✅ Legacy project with many native dependencies ✅ Corporate environment with strict tooling policies ✅ You want "it just works" Use yarn when: ✅ You need Plug'n'Play zero-installs ✅ You want the plugin ecosystem ✅ Your team is already yarn experts ✅ You need advanced workspace features ✅ Offline-first development is important Use pnpm when: ✅ Disk space is a concern ✅ You have many projects with overlapping dependencies ✅ Large monorepo with complex dependencies ✅ You want speed without sacrificing compatibility ✅ Strict dependency isolation matters Use Bun when: ✅ Speed is the absolute priority ✅ You're starting a new project ✅ CI/CD time is a major cost ✅ You're building Node.js APIs or scripts ✅ You want a unified runtime + package manager The Hidden Costs Nobody Mentions Before you switch, consider: Learning Curve npm → pnpm: Minimal. Almost drop-in. npm → yarn 4: Moderate. PnP mode requires understanding. npm → Bun: Low for package management, higher if using Bun runtime. Tooling Compatibility IDE support: All four work with VS Code, JetBrains, etc. CI/CD templates: npm has the most, Bun the least ready-made Docker images: npm/yarn are everywhere, pnpm common, Bun less common Team Onboarding The fastest package manager doesn't help if it slows down your team. Consider: How comfortable is your team with the new tool? Are your documentation and scripts updated? Have you tested the entire development workflow? Future Outlook: 2026 and Beyond npm: Will remain the default. Focus on incremental improvements. yarn: Continuing to push PnP adoption. Better monorepo support coming. pnpm: Rapid growth in enterprise. Becoming the "safe modern choice." Bun: Aggressive development. Aiming for 100% npm compatibility. May become the default for new projects by 2027. The ecosystem is fragmenting in healthy ways. Competition drives innovation—and all four managers are better for it. Conclusion: There's No Wrong Choice (Mostly) After extensive testing, here's the honest truth: all four package managers work fine for most projects. The performance differences, while measurable, rarely matter for small-to-medium projects. Where choice matters: Monorepos: pnpm or yarn CI/CD-heavy workflows: Bun or pnpm Disk-constrained systems: pnpm Maximum compatibility: npm Bleeding edge: Bun The most important thing isn't which package manager you choose—it's that you choose consistently across your projects and team. Switching between managers constantly creates more friction than any speed difference could justify. My recommendation for 2026: New projects: Try Bun. It's fast enough to justify the minor compatibility risks. Existing projects: Consider pnpm if you're feeling pain. Otherwise, npm is fine. Enterprise monorepos: pnpm is the safe, powerful choice. Benchmarks conducted January 2026 on M3 MacBook Pro with Node.js 22.x. Results will vary based on hardware, network, and project specifics. Always test with your own codebase before making decisions. 🚀 Explore More: This article is from the Pockit Blog . If you found this helpful, check out Pockit.tools . It’s a curated collection of offline-capable dev utilities. Available on Chrome Web Store for free. 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 HK Lee Follow solo web developer Joined Dec 26, 2025 Trending on DEV Community Hot I Am 38, I Am a Nurse, and I Have Always Wanted to Learn Coding # career # learning # beginners # coding Top 7 Featured DEV Posts of the Week # top7 # discuss What was your win this week??? # weeklyretro # discuss 💎 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:49:42 |
https://dev.to/t/software/page/13 | Software Page 13 - 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 # software Follow Hide All things related to software development and engineering. Create Post Older #software posts 10 11 12 13 14 15 16 17 18 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Open-Source Productivity Apps in 2025: A Careful Comparison Johannes Millan Johannes Millan Johannes Millan Follow Oct 25 '25 Open-Source Productivity Apps in 2025: A Careful Comparison # opensource # productivity # software 2 reactions Comments Add Comment 6 min read So what is Open Source Software in a Source Available Software world? Nikhil Nikhil Nikhil Follow Oct 20 '25 So what is Open Source Software in a Source Available Software world? # opensource # software 14 reactions Comments Add Comment 8 min read Go Beyond Basics: Closures, Interfaces, and Why Go Has No Inheritance Saksham Malhotra Saksham Malhotra Saksham Malhotra Follow Oct 24 '25 Go Beyond Basics: Closures, Interfaces, and Why Go Has No Inheritance # go # tutorial # cloud # software 5 reactions Comments Add Comment 4 min read Automating CAPA Report Generation from Images Using n8n 🤖📸 Sagar jariwala Sagar jariwala Sagar jariwala Follow Sep 21 '25 Automating CAPA Report Generation from Images Using n8n 🤖📸 # ai # software # programming # machinelearning 6 reactions Comments Add Comment 1 min read The Code as a Mirror of the Mind: Code is, at its core, the tangible projection of someone’s reasoning Jean Klebert de A Modesto Jean Klebert de A Modesto Jean Klebert de A Modesto Follow Oct 23 '25 The Code as a Mirror of the Mind: Code is, at its core, the tangible projection of someone’s reasoning # programming # development # software 4 reactions Comments Add Comment 3 min read Launch in Weeks, Not Months: How Boilerplates Change the Game Jigar Shah Jigar Shah Jigar Shah Follow Sep 24 '25 Launch in Weeks, Not Months: How Boilerplates Change the Game # webdev # productivity # microservices # software 1 reaction Comments Add Comment 3 min read Learning in public: The fastest way to grow as a software engineer Muhammad Mairaj Muhammad Mairaj Muhammad Mairaj Follow Sep 24 '25 Learning in public: The fastest way to grow as a software engineer # learning # ai # software # webdev Comments Add Comment 4 min read The Impact of AI and IoT on Logistic Software Developers’ Work Appingine Appingine Appingine Follow Sep 19 '25 The Impact of AI and IoT on Logistic Software Developers’ Work # webdev # softwaredevelopment # html # software Comments Add Comment 5 min read Can You Really Trust Code-Generation Tools? Nick Talwar Nick Talwar Nick Talwar Follow Oct 10 '25 Can You Really Trust Code-Generation Tools? # ai # coding # leadership # software 1 reaction Comments Add Comment 3 min read How Do You Cut IT Costs Without Failing Compliance Audits? Kevin Asutton Kevin Asutton Kevin Asutton Follow Sep 19 '25 How Do You Cut IT Costs Without Failing Compliance Audits? # discuss # security # cloud # software Comments Add Comment 1 min read Just Wait Until LLMs Get to All the Recent Vibecoded "Breakthrough" Projects on GitHub Dev TNG Dev TNG Dev TNG Follow Oct 21 '25 Just Wait Until LLMs Get to All the Recent Vibecoded "Breakthrough" Projects on GitHub # programming # ai # software 3 reactions Comments Add Comment 4 min read How to Launch Your Startup MVP in 5 Weeks in 2025: A Step-by-Step Guide EulerHive EulerHive EulerHive Follow Oct 21 '25 How to Launch Your Startup MVP in 5 Weeks in 2025: A Step-by-Step Guide # startup # webdev # software Comments Add Comment 4 min read Oracle Database Reporting Tool Pius Richter Pius Richter Pius Richter Follow for combit Software Oct 22 '25 Oracle Database Reporting Tool # productivity # software # tutorial # analytics 1 reaction Comments Add Comment 3 min read How Accent Conversion Software is Transforming Communication in Contact Centers? Allan Dermot Allan Dermot Allan Dermot Follow Sep 19 '25 How Accent Conversion Software is Transforming Communication in Contact Centers? # ai # callcenter # software # aitools Comments Add Comment 4 min read Building Scalable Multi-Tenant Integrations: Lessons from Real-World SaaS Projects Genesis Technologies Genesis Technologies Genesis Technologies Follow Oct 10 '25 Building Scalable Multi-Tenant Integrations: Lessons from Real-World SaaS Projects # webdev # software # api # productivity Comments Add Comment 3 min read I am an AI Engineer Niki Niki Niki Follow Oct 20 '25 I am an AI Engineer # ai # software # career Comments 3 comments 5 min read Hackeando o Data Engineering: Os Padrões que Todo Engenheiro Precisa Conhecer Guilherme de Almeida Gasque Guilherme de Almeida Gasque Guilherme de Almeida Gasque Follow Sep 17 '25 Hackeando o Data Engineering: Os Padrões que Todo Engenheiro Precisa Conhecer # dataengineering # datascience # analytics # software Comments Add Comment 1 min read Speech-to-Text Translation Software: 5 Critical Enterprise Features Elena Hartmann Elena Hartmann Elena Hartmann Follow Sep 22 '25 Speech-to-Text Translation Software: 5 Critical Enterprise Features # ai # translation # software # nlp 6 reactions Comments Add Comment 3 min read What is Security Patching and Why is it Essential for Businesses? Anshul Kichara Anshul Kichara Anshul Kichara Follow Sep 17 '25 What is Security Patching and Why is it Essential for Businesses? # devops # security # tech # software Comments Add Comment 3 min read How to Ace the Salesforce ap-204 exam: My tips and Strategies Jerry Jerry Jerry Follow Sep 17 '25 How to Ace the Salesforce ap-204 exam: My tips and Strategies # marketing # software # programming # beginners Comments Add Comment 1 min read How to Recover Data From a Buffalo NAS hd-H1.0TGLR5 Michael Mirosnichenko Michael Mirosnichenko Michael Mirosnichenko Follow Oct 20 '25 How to Recover Data From a Buffalo NAS hd-H1.0TGLR5 # datarecovery # raid5 # buffalo # software Comments Add Comment 4 min read Why January 1, 1970 Is the Most Important Date in programming (And You've Probably Never Heard of It) Bishop Abraham Bishop Abraham Bishop Abraham Follow Oct 17 '25 Why January 1, 1970 Is the Most Important Date in programming (And You've Probably Never Heard of It) # programming # computerscience # technology # software 6 reactions Comments 2 comments 6 min read Introducing Linanok: A Self-Hosted URL Shortener for Organizations Siavash Bamshadnia Siavash Bamshadnia Siavash Bamshadnia Follow Sep 16 '25 Introducing Linanok: A Self-Hosted URL Shortener for Organizations # software # saas # webdev # laravel 1 reaction Comments Add Comment 2 min read Why you should NOT choose DevOps as a career. Andrey B Andrey B Andrey B Follow Sep 16 '25 Why you should NOT choose DevOps as a career. # devops # softwaredevelopment # career # software Comments Add Comment 4 min read Simplified API for vector based spatial analysis. Tim Hirrel Tim Hirrel Tim Hirrel Follow Sep 16 '25 Simplified API for vector based spatial analysis. # programming # api # software # cpp Comments Add Comment 1 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:49:42 |
https://dev.to/t/aws#main-content | Amazon Web Services - 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 Amazon Web Services Follow Hide Amazon Web Services (AWS) is a collection of web services for computing, storage, machine learning, security, and more There are over 200+ AWS services as of 2023. Create Post submission guidelines Articles which primary focus is AWS are permitted to used the #aws tag. Older #aws posts 1 2 3 4 5 6 7 8 9 … 75 … 1010 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu 🩺 How I Troubleshoot an EC2 Instance in the Real World (Using Instance Diagnostics) Venkata Pavan Vishnu Rachapudi Venkata Pavan Vishnu Rachapudi Venkata Pavan Vishnu Rachapudi Follow for AWS Community Builders Jan 12 🩺 How I Troubleshoot an EC2 Instance in the Real World (Using Instance Diagnostics) # aws # ec2 # linux # cloud 4 reactions Comments Add Comment 5 min read Why "Ownership" is the Best Certification: Building Infrastructure for an AWS Legend Ali-Funk Ali-Funk Ali-Funk Follow Jan 12 Why "Ownership" is the Best Certification: Building Infrastructure for an AWS Legend # aws # community # career # cloud 5 reactions Comments Add Comment 2 min read Readiness probe Khadijah (Dana Ordalina) Khadijah (Dana Ordalina) Khadijah (Dana Ordalina) Follow Jan 13 Readiness probe # aws # kubernetes # beginners # devops Comments Add Comment 1 min read From Zero to SQS Lambda in 15 Minutes Konfy Konfy Konfy Follow Jan 12 From Zero to SQS Lambda in 15 Minutes # webdev # javascript # aws Comments Add Comment 1 min read From Fragmented Monitoring to Unified Observability Çağrı Bayram Çağrı Bayram Çağrı Bayram Follow for AWS Community Builders Jan 13 From Fragmented Monitoring to Unified Observability # cncf # aws # ecs # opentelemetry Comments Add Comment 11 min read Building a Serverless PHP Application with Bref, Symfony, and DynamoDB Session Management Rafael Bernard Araújo Rafael Bernard Araújo Rafael Bernard Araújo Follow Jan 13 Building a Serverless PHP Application with Bref, Symfony, and DynamoDB Session Management # php # bref # serverless # aws 1 reaction Comments Add Comment 19 min read Lambda Durable Functions: Building Workflows That Run for a Year Dinesh Kumar Elumalai Dinesh Kumar Elumalai Dinesh Kumar Elumalai Follow Jan 13 Lambda Durable Functions: Building Workflows That Run for a Year # aws # serverless # lambda # programming Comments Add Comment 6 min read Mi Top Certificiaciones en IT Como Propositos Para Este 2026 Francisco Moreno Francisco Moreno Francisco Moreno Follow Jan 13 Mi Top Certificiaciones en IT Como Propositos Para Este 2026 # aws # kubernetes # certification # cloud Comments Add Comment 11 min read AWS Is Moving Toward AI Factories, Not One-Off AI Projects Thej Deep Thej Deep Thej Deep Follow Jan 13 AWS Is Moving Toward AI Factories, Not One-Off AI Projects # ai # aws # tutorial # cloudcomputing Comments Add Comment 3 min read A Real-World Serverless Appointment Booking Backend on AWS Bernard Chika Uwaezuoke Bernard Chika Uwaezuoke Bernard Chika Uwaezuoke Follow Jan 12 A Real-World Serverless Appointment Booking Backend on AWS # aws # lambda # programming # serverless Comments Add Comment 10 min read I Built a Full AWS S3 Integration in Under 2 Hours—From First Prompt to Production Travis Wilson Travis Wilson Travis Wilson Follow Jan 12 I Built a Full AWS S3 Integration in Under 2 Hours—From First Prompt to Production # ai # aws # productivity Comments Add Comment 5 min read When Cloud Storage Fails: The DevOps Playbook for EC2 Disk Crises Ajit Kumar Ajit Kumar Ajit Kumar Follow Jan 13 When Cloud Storage Fails: The DevOps Playbook for EC2 Disk Crises # aws # ec2 # memory # devops Comments Add Comment 4 min read Asegurar un rol de servicio para AWS Lambda - Secure the service role used by AWS Lambda Juan Diego David Melo Alarcon Juan Diego David Melo Alarcon Juan Diego David Melo Alarcon Follow Jan 12 Asegurar un rol de servicio para AWS Lambda - Secure the service role used by AWS Lambda # aws # lambda # iam # security 2 reactions Comments 1 comment 8 min read AWS Lambda: The Serverless Engine Powering Cloud Automation Omkar Sharma Omkar Sharma Omkar Sharma Follow Jan 12 AWS Lambda: The Serverless Engine Powering Cloud Automation # automation # aws # serverless 5 reactions Comments Add Comment 3 min read Measuring What Matters: Adding Multiple Dimension Sets to AWS Lambda Powertools Michael Uanikehi Michael Uanikehi Michael Uanikehi Follow Jan 12 Measuring What Matters: Adding Multiple Dimension Sets to AWS Lambda Powertools # observability # aws # serverless # opensource Comments Add Comment 4 min read AWS Athena: Query Your S3 Data Without Setting Up a Database Saksham Paliwal Saksham Paliwal Saksham Paliwal Follow Jan 12 AWS Athena: Query Your S3 Data Without Setting Up a Database # devops # aws # athena # awschallenge Comments Add Comment 4 min read AWS Graviton migration with Kiro CLI and the Arm MCP server Jason Andrews Jason Andrews Jason Andrews Follow for AWS Community Builders Jan 12 AWS Graviton migration with Kiro CLI and the Arm MCP server # kiro # aws # arm # mcp Comments Add Comment 8 min read ⚡ AWS 133: Going Serverless - Deploying Your First AWS Lambda Function Hritik Raj Hritik Raj Hritik Raj Follow Jan 13 ⚡ AWS 133: Going Serverless - Deploying Your First AWS Lambda Function # aws # lambda # serverless # 100daysofcloud Comments Add Comment 3 min read Starting My Journey on DEV.to Sourabh Yogi Sourabh Yogi Sourabh Yogi Follow Jan 13 Starting My Journey on DEV.to # devops # aws # kubernetes # cicd Comments Add Comment 1 min read Amazon Bedrock AgentCore : MCP Server on AgentCore Runtime and AgentCore Gateway Budiono Santoso Budiono Santoso Budiono Santoso Follow Jan 12 Amazon Bedrock AgentCore : MCP Server on AgentCore Runtime and AgentCore Gateway # mcp # aws Comments Add Comment 7 min read Amazon Nova 2 Multimodal Embeddings with Amazon S3 Vectors and AWS Java SDK - Part 1 Introduction Vadym Kazulkin Vadym Kazulkin Vadym Kazulkin Follow for AWS Heroes Jan 12 Amazon Nova 2 Multimodal Embeddings with Amazon S3 Vectors and AWS Java SDK - Part 1 Introduction # aws # amazonnova # s3vectorstore # java Comments Add Comment 5 min read 🎓 Building an AI-Powered Study Buddy with AWS (Bedrock + Lambda) Basel Mohamed Alam Basel Mohamed Alam Basel Mohamed Alam Follow Jan 12 🎓 Building an AI-Powered Study Buddy with AWS (Bedrock + Lambda) # ai # aws # serverless # tutorial Comments Add Comment 5 min read What I Learned Using Specification-Driven Development with Kiro Firdaws Aboulaye Firdaws Aboulaye Firdaws Aboulaye Follow for AWS Community Builders Jan 12 What I Learned Using Specification-Driven Development with Kiro # aws # serverless # kiro 5 reactions Comments Add Comment 5 min read 🚨 AWS 132: Data Time Travel - RDS Snapshots and Restoration Hritik Raj Hritik Raj Hritik Raj Follow Jan 12 🚨 AWS 132: Data Time Travel - RDS Snapshots and Restoration # aws # rds # backup # 100daysofcloud 1 reaction Comments Add Comment 3 min read Deploying AI Agents on AWS Without Creating a Security Mess Morgan Willis Morgan Willis Morgan Willis Follow Jan 12 Deploying AI Agents on AWS Without Creating a Security Mess # ai # agents # aws # security 8 reactions Comments Add Comment 14 min read loading... trending guides/resources Observability-Driven Kubernetes: A Practical EKS Demo GitOps with ArgoCD on Amazon EKS using Terraform: A Complete Implementation Guide I built my own S3 for $5/mo Shared Hosting (because no one else did) AWS DevOps Agent Explained: Architecture, Setup, and Real Root-Cause Demo (CloudWatch + EKS) How to Become an AWS Community Builder How I Built an AI Terraform Review Agent on Serverless AWS The 2026 Software Developer Roadmap: From Rejections to a Dream Tech Job Building AI Agents on AWS in 2025: A Practitioner's Guide to Bedrock, AgentCore, and Beyond How I Built My Terraform Portfolio: Projects, Repos, and Lessons Learned DNS Failures in EKS? The Real Bottleneck Was AWS Network Limits Automating made easy with Kiro CLI AWS Lambda Durable Functions: Build Workflows That Last Why Cloud Skills Matter in 2025 and Beyond The AWS AI/ML Landscape in 2026 — Simplified AWS DevOps Agent — The Future of Autonomous Cloud Operations How to Become an AWS Community Builder: Complete Guide for 2026 Applications How I Built My First App with Kiro From image to HTTPS endpoint in one step with ECS Express Mode Kiro Set me Back 2 months Building Practical AI Agents with Amazon Bedrock AgentCore 💎 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:49:42 |
https://forem.com/new/kubernetes#main-content | New Post - 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 Forem Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook 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 Forem? 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 — Your community HQ 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 . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:42 |
https://www.redhat.com/ | Red Hat - We make open source technologies for the enterprise Skip to content Main navigation Red Hat Menu Red Hat AI Our approach News and insights Technical blog Research Live AI events Explore AI at Red Hat Our portfolio Red Hat AI Red Hat Enterprise Linux AI Red Hat OpenShift AI Red Hat AI Inference Server Engage & learn AI learning hub AI partners Services for AI Hybrid cloud Platform solutions Artificial intelligence Build, deploy, and monitor AI models and apps. Linux standardization Get consistency across operating environments. Application development Simplify the way you build, deploy, and manage apps. Automation Scale automation and unite tech, teams, and environments. Use cases Virtualization Modernize operations for virtualized and containerized workloads. Digital sovereignty Control and protect critical infrastructure. Security Code, build, deploy, and monitor security-focused software. Edge computing Deploy workloads closer to the source with edge technology. Explore solutions Solutions by industry Automotive Financial services Healthcare Industrial sector Media and entertainment Public sector (Global) Public sector (U.S.) Telecommunications Discover cloud technologies Learn how to use our cloud products and solutions at your own pace in the Red Hat® Hybrid Cloud Console. Products Platforms Red Hat AI Develop and deploy AI solutions across the hybrid cloud. New version Red Hat Enterprise Linux Support hybrid cloud innovation on a flexible operating system. Red Hat OpenShift Build, modernize, and deploy apps at scale. Red Hat Ansible Automation Platform Implement enterprise-wide automation. Featured Red Hat OpenShift Virtualization Engine Red Hat OpenShift Service on AWS Microsoft Azure Red Hat OpenShift See all products Try & buy Start a trial Buy online Integrate with major cloud providers Services & support Consulting Product support Services for AI Technical Account Management Explore services Training Training & certification Courses and exams Certifications Red Hat Academy Learning community Learning subscription Explore training Featured Red Hat Certified System Administrator exam Red Hat System Administration I Red Hat Learning Subscription trial (No cost) Red Hat Certified Engineer exam Red Hat Certified OpenShift Administrator exam Services Consulting Partner training Product support Services for AI Technical Account Management Learn Build your skills Documentation Hands-on labs Hybrid cloud learning hub Interactive learning experiences Training and certification More ways to learn Blog Events and webinars Podcasts and video series Red Hat TV Resource library For developers Discover resources and tools to help you build, deliver, and manage cloud-native applications and services. Partners For customers Our partners Red Hat Ecosystem Catalog Find a partner For partners Partner Connect Become a partner Training Support Access the partner portal Build solutions powered by trusted partners Find solutions from our collaborative community of experts and technologies in the Red Hat® Ecosystem Catalog. Search × I'd like to: Start a trial Manage subscriptions See Red Hat jobs Explore tech topics Contact sales Contact customer service Help me find: Documentation Developer resources Skills assessments Architecture center Security updates Support cases I want to learn more about: AI Application modernization Automation Cloud-native applications Linux Virtualization Console Docs Support New For you Recommended We'll recommend resources you may like as you browse. Try these suggestions for now. Product trial center Courses and exams All products Tech topics Resource library Log in Get more with a Red Hat account Console access Event registration Training & trials World-class support A subscription may be required for some services. Log in or register Change page language 简体中文 English Français Deutsch Italiano 日本語 한국어 Português Español Contact us [[name]] Edit avatar Login: [[login]] Account number: [[account_number]] [[email]] Change page language 简体中文 English Français Deutsch Italiano 日本語 한국어 Português Español Log out AI inference built for enterprise workloads Red Hat® AI delivers fast, cost-effective inference and optimized models to help you deploy and scale AI solutions across the hybrid cloud. Explore the platform Featured The adaptable enterprise: Why AI readiness is disruption readiness Equip your teams with the tools and mindset to stay ahead of rapid paradigm shifts in the age of AI. Get the e-book Navigate virtual machine (VM) migration and modernization with Red Hat See how we can help Press release Red Hat expands collaboration with NVIDIA to pair enterprise open source with rack-scale AI Blog Advance your virtualization and AI capabilities with Red Hat OpenShift 4.20 E-book Unlock the power of agentic AI Red Hat is the leading provider of enterprise open source software solutions Enterprises around the world trust our broad portfolio of hybrid cloud infrastructure, application services, cloud-native application development, automation, and artificial intelligence solutions to deliver IT services on any infrastructure quickly and cost effectively. More than 90% of companies in the U.S. Fortune 500 continue to rely on Red Hat. Source: Red Hat® client data and Fortune 500 list for 2025 Build on a reliable foundation. Take your apps anywhere. Red Hat AI New version Expand your AI capabilities with optimized models and efficient inference on a platform built for agentic workflows. Get portfolio details Products available on Red Hat Enterprise Linux Support application deployments—from on premise to the cloud to the edge—in a flexible operating environment. Get product details Available on Red Hat OpenShift Quickly build and deploy applications at scale, while you modernize the ones you already have. Get product details Available on Red Hat Ansible Automation Platform Create, manage, and dynamically scale automation across your entire enterprise. Get product details Available on See all products Featured product Red Hat OpenShift Virtualization Engine Deploy, manage, and scale virtual machines with a cost-effective platform that uses the virtualization functionality of Red Hat OpenShift®. Explore the product Organizations succeeding with Red Hat See all customer stories Building enterprise-ready solutions with open source We believe using an open development model helps create more secure, stable, and innovative technologies. By collaborating with open source communities, we’re developing software that pushes the boundaries of technological ability. See why we trust open source Tech topics worth exploring See all topics AI Understanding AI Artificial intelligence (AI) refers to systems that can acquire and apply knowledge, and carry out behavior based on that knowledge. Read more Articles What is generative AI? What are foundation models for AI? What are large language models? What is deep learning? What is MLOps? AI infrastructure explained Understanding AI/ML use cases What is machine learning? Explore related blog posts The bank cut verification times from days to minutes with an AI-based natural language processing solution. See how APIs Understanding APIs Application programming interfaces (APIs) let your products and services communicate with other products and services without having to constantly build new connectivity infrastructure. Read more Articles What is an API? Why choose Red Hat for API management? What is API design? What is API monetization? What is API management? REST vs. SOAP What is API security? Explore related blog posts API management helped Lufthansa Technik optimize airline operations. See how Automation Understanding automation Automation is the use of technology to perform tasks without human assistance. In tech, automation is found in IT systems and business decision software. Read more Articles What is IT automation? What is business automation? What is configuration management? What is business process management? Explore related blog posts The British Army sped up service delivery by automating management. See how Cloud Understanding cloud computing Clouds are IT environments that abstract, pool, and share scalable resources across a network. Read more Articles What is private cloud? What is hybrid cloud? What is multicloud? Types of cloud computing Why build a Red Hat cloud? What is cloud storage? What is cloud infrastructure? What are cloud service providers? Explore related blog posts The airline improved customer service by implementing a modern hybrid cloud. See how Cloud services What are cloud services? Cloud services are infrastructure, platforms, or software hosted by third-party providers and made available to users through the internet. Read more Articles What are managed IT services? What is cloud governance? What is a service broker? What is a cloud marketplace? Why run Linux® on AWS? Why run Linux on Google Cloud? Why run Linux on IBM Cloud? Cloud services for the financial services industry Explore related blog posts The software company consolidated its legacy foundation onto a single platform with Red Hat OpenShift Service on AWS. See how Containers Understanding Linux containers Containers let you package and isolate applications with their entire runtime environment, making it easier to move the contained app between environments. Read more Articles What is a Linux container? Why choose Red Hat for containers? What is Docker? What is Kubernetes? What is container security? Explore related blog posts The workers’ compensation insurance provider increased new sales by 40% by adopting a responsive cloud and container environment. See how DevOps Understanding DevOps DevOps is an approach to culture, automation, and platform design intended to deliver increased business value and responsiveness through rapid service delivery. Read more Articles What is DevSecOps? What is CI/CD? Explore related blog posts BP coupled a container platform with DevOps to speed provisioning. See how Edge computing Understanding edge computing Edge computing places compute resources at or near users or data sources—outside of traditional, centralized datacenters or clouds. Read more Articles What is edge computing? Cloud vs. edge What is multi-access edge computing (MEC)? Why choose Red Hat for edge computing? What is edge architecture? Understanding edge computing for telecommunications VNF and CNF, what's the difference? What is 5G? Explore related blog posts The telecommunications provider built a standalone 5G core to enable robust connectivity and edge computing solutions. See how Integration Understanding enterprise integration Enterprise integration has evolved from a centralized model with an enterprise service bus (ESB) to a distributed architecture with many reusable endpoints. Read more Articles What is integration? What is Apache Kafka? Why choose Red Hat for agile integration? REST vs. SOAP Explore related blog posts Integrating apps and data on a private cloud let the bank launch innovative services. See how Linux Understanding Linux Linux® is the stable foundation for all IT workloads and deployments—whether traditional or innovative—from bare metal to virtual, cloud, and containers. Read more Articles What is Linux? What is the Linux kernel? What is the best Linux distro for you? Why choose Red Hat for Linux? What is IT infrastructure? What is SELinux? Explore related blog posts Elo cut time to market with agile, on-demand infrastructure built on Red Hat Enterprise Linux. See how Microservices Understanding microservices Microservices are an architecture and an approach to writing software where apps are broken down into their smallest components, independent from each other. Read more Articles What are microservices? Why choose Red Hat for microservices? What is a service mesh? What is serverless? :host{display:inline-flex;position:relative;z-index:0;align-items:center;max-width:max-content}::slotted(:is(a,button,input)),a{vertical-align:middle!important;word-break:break-word!important;display:inline!important;color:inherit!important;font-family:inherit!important;font-size:inherit!important;font-weight:inherit!important;line-height:inherit!important;text-decoration:var(--_text-decoration)!important;text-underline-offset:var(--_text-underline-offset)!important;z-index:2!important}::slotted(:is(a,button,input)){white-space:break-spaces!important}::slotted(a):after,a:after{display:block;content:"";position:absolute;inset:0;z-index:3}::slotted(button),::slotted(input){background-color:initial;border:none;margin:0;padding:0;text-align:left}#container{position:relative;white-space:var(--_rh-cta-white-space,nowrap);color:var(--_color);font-family:var(--rh-font-family-heading,RedHatDisplay,"Red Hat Display",Helvetica,Arial,sans-serif);font-size:var(--rh-font-size-body-text-lg,1.125rem);font-weight:600;line-height:var(--rh-line-height-body-text,1.5);background-color:var(--_background-color);border-color:var(--_border-color,#0000);border-radius:var(--rh-border-radius-default,3px);border-width:var(--rh-border-width-sm,1px);--rh-color-surface:var(--_background-color)!important;--_arrow-size:13px;--rh-icon-size:var(--rh-font-size-body-text-lg,1.125rem);--_rh-icon-plus-padding:calc(5px + var(--rh-icon-size))}:dir(rtl){text-align:right}#container:after{--_offset:2px;content:"";display:block;height:calc(100% - var(--_offset)*2);width:calc(100% - var(--_offset)*2);box-sizing:border-box;position:absolute;top:var(--_offset);left:var(--_offset);border-width:var(--rh-border-width-sm,1px);border-radius:2px;outline:none;pointer-events:none}rh-icon{vertical-align:middle;margin-inline-start:var(--rh-space-md,8px);display:inline-block;fill:currentcolor;translate:0 0;transition:translate var(--_trans);--_trans:var(--rh-animation-speed,0.3s) var(--rh-animation-timing,cubic-bezier(0.465,0.183,0.153,0.946))}#container:dir(rtl) rh-icon{rotate:180deg}::slotted(:focus),:host(:is(:focus,:focus-within)),:host(:is(:focus,:focus-within)) ::slotted(:is(a,button,input)),a:focus,a:focus-within{outline:none!important}:host(:is(:focus,:focus-within)) #container{--_background-color:var(--rh-cta-focus-background-color);--_color:var(--_focus-color);--_text-decoration:var(--_focus-text-decoration);--_text-underline-offset:var(--rh-cta-focus-text-underline-offset,var(--rh-cta-hover-text-underline-offset));border-color:var(--_focus-border-color);background-color:var(--_focus-container-background-color,var(--_focus-background-color));color:var(--rh-cta-focus-color,var(--_color));outline:var(--rh-border-width-md,2px) solid var(--rh-cta-focus-container-outline-color,var(--rh-cta-focus-outline-color));outline-offset:2px}:host(:is(:focus,:focus-within)) #container:after{border-style:solid;border-color:var(--_focus-inner-border-color)}:host(:hover) #container{color:var(--_hover-color);border-color:var(--_hover-border-color);background-color:var(--_hover-background-color);--_text-decoration:var(--rh-cta-hover-text-decoration,var(--_hover-text-decoration));--_text-underline-offset:var(--rh-cta-hover-text-underline-offset)}:host(:hover) #container rh-icon{translate:3px 0}:host(:hover) #container:dir(rtl) rh-icon{translate:-3px 0}:host(:active) #container{background-color:var(--_background-color);color:var(--_active-color);--_background-color:var(--rh-cta-background-color,var(--rh-cta-active-container-background-color,var(--rh-cta-active-background-color)))}:host(:active) #container:after{border-style:solid;border-color:var(--_active-inner-border-color)!important}:host([variant]) #container{font-size:var(--rh-font-size-body-text-md,1rem);border-radius:var(--rh-border-radius-default,3px);border-width:var(--rh-border-width-sm,1px);padding-inline:var(--rh-space-2xl,32px);padding-block:var(--rh-space-lg,16px)}:host([variant]) #container ::slotted(:is(a,button,input)),:host([variant]) #container a{display:inline-flex!important;text-align:center!important}:host([variant]) #container.icon ::slotted(:is(a,button,input)),:host([variant]) #container.icon a{display:inline!important}:host([variant]) #container.icon rh-icon{margin-inline-start:var(--rh-space-md,8px)}:host([variant]) #container.svg ::slotted(:is(a,button,input)),:host([variant]) #container.svg a{--_arrow-plus-padding:calc(var(--rh-space-md, 8px) + var(--_arrow-size));padding-inline-end:calc(var(--_arrow-plus-padding) + var(--rh-space-xl, 24px))!important}:host([variant$=ary]) #container ::slotted(:is(a,button,input)),:host([variant$=ary]) #container a{font-size:var(--rh-cta-font-size-priority,var(--rh-font-size-body-text-md,1rem))}:host(:not([variant])) #container{--_background-color:var(--rh-cta-background-color,#0000);--_border-color:var(--rh-cta-border-color,#0000);--_color:var(--rh-cta-color,var(--rh-color-interactive-primary-default));--_hover-background-color:var(--rh-cta-hover-background-color,#0000);--_hover-border-color:var(--rh-cta-hover-border-color,#0000);--_hover-color:var(--rh-cta-hover-color,var(--rh-color-interactive-primary-hover));--_hover-text-decoration:var(--rh-cta-hover-text-decoration,none);--_focus-background-color:var(--rh-cta-focus-background-color,#0000);--_focus-container-background-color:light-dark(var(--rh-cta-focus-container-background-color,#0066cc1a),var(--rh-cta-focus-container-background-color,#73bcf740));--_focus-border-color:var(--rh-cta-focus-border-color,#0000);--_focus-color:var(--rh-cta-focus-color,var(--rh-color-interactive-primary-default));--_focus-inner-border-color:var(--rh-cta-focus-inner-border-color,#0000);--_focus-text-decoration:var(--rh-cta-focus-text-decoration,none);--_active-container-background-color:light-dark(var(--rh-cta-active-container-background-color,#0066cc1a),var(--rh-cta-active-container-background-color,#73bcf740));--_active-inner-border-color:var(--rh-cta-active-inner-border-color,#0000);--_active-text-decoration:var(--rh-cta-active-text-decoration,none)}:host([variant=primary]) #container{border-style:solid;--_background-color:var(--rh-cta-background-color,var(--rh-color-brand-red));--_border-color:var(--rh-cta-border-color,var(--rh-color-brand-red));--_color:var(--rh-cta-color,var(--rh-color-text-primary-on-dark,#fff));--_active-color:var(--rh-cta-color,var(--rh-color-text-primary-on-dark,#fff));--_hover-background-color:var(--rh-cta-hover-background-color,var(--rh-color-brand-red-dark,#a60000));--_hover-border-color:var(--rh-cta-hover-border-color,var(--rh-color-brand-red-dark,#a60000));--_hover-color:var(--rh-cta-hover-color,var(--rh-color-text-primary-on-dark,#fff));--_focus-background-color:var(--rh-cta-focus-background-color,var(--rh-color-brand-red-dark,#a60000));--_focus-border-color:var(--rh-cta-focus-border-color,var(--rh-color-brand-red-dark,#a60000));--_focus-color:var(--rh-cta-focus-color,var(--rh-color-text-primary-on-dark,#fff))!important;--_focus-inner-border-color:var(--rh-cta-focus-inner-border-color,var(--rh-color-text-primary-on-dark,#fff));--_focus-text-decoration:var(--rh-cta-focus-text-decoration,none);--_active-background-color:var(--rh-cta-active-background-color,var(--rh-color-brand-red-dark,#a60000));--_active-inner-border-color:var(--rh-cta-active-inner-border-color,var(--rh-color-text-primary-on-dark,#fff))}:host([variant=secondary]) #container{border-style:solid;--_background-color:var(--rh-cta-background-color,#0000);--_border-color:var(--rh-cta-border-color,var(--rh-color-border-strong));--_color:light-dark(var(--rh-cta-color,var(--rh-color-text-primary-on-light,#151515)),var(--rh-cta-color,var(--rh-color-text-primary-on-dark,#fff)));--_hover-background-color:light-dark(var(--rh-cta-hover-background-color,var(--rh-color-surface-darkest,#151515)),var(--rh-cta-hover-background-color,var(--rh-color-surface-lightest,#fff)));--_hover-border-color:var(--rh-cta-hover-border-color,var(--rh-color-border-strong));--_hover-color:light-dark(var(--rh-cta-hover-color,var(--rh-color-text-primary-on-dark,#fff)),var(--rh-cta-hover-color,var(--rh-color-text-primary-on-light,#151515)));--_focus-background-color:light-dark(var(--rh-cta-focus-background-color,var(--rh-color-surface-lighter,#f2f2f2)),var(--rh-cta-focus-background-color,var(--rh-color-surface-dark,#383838)));--_focus-border-color:var(--rh-cta-focus-border-color,var(--rh-color-border-strong));--_focus-color:var(--rh-color-text-primary);--_focus-inner-border-color:var(--rh-cta-focus-inner-border-color,var(--rh-color-border-strong));--_focus-text-decoration:var(--rh-cta-focus-text-decoration,none);--_active-color:var(--rh-cta-active-color,var(--rh-color-text-primary));--_active-background-color:light-dark(var(--rh-cta-active-background-color,var(--rh-color-border-strong)),var(--rh-cta-active-background-color,var(--rh-color-surface-lightest,#fff)));--_active-inner-border-color:light-dark(var(--rh-cta-active-inner-border-color,var(--rh-color-surface-light,#e0e0e0)),var(--rh-cta-active-inner-border-color,var(--rh-color-border-strong-on-light,#151515)))}:host([variant=brick]){display:inline-block!important;max-width:100%;width:100%}:host([variant=brick]) #container{border-style:solid;font-family:var(--rh-font-family-body-text,RedHatText,"Red Hat Text",Helvetica,Arial,sans-serif);font-weight:var(--rh-font-weight-body-text-regular,400);display:flex;flex-flow:row wrap;gap:var(--rh-space-md,8px);justify-content:center;align-items:center;--_background-color:var(--rh-cta-background-color,#0000);--_border-color:var(--rh-cta-border-color,var(--rh-color-border-subtle));--_color:var(--rh-cta-color,var(--rh-color-interactive-primary-default));--_hover-background-color:light-dark(var(--rh-cta-hover-background-color,var(--rh-color-surface-lighter,#f2f2f2)),var(--rh-cta-hover-background-color,var(--rh-color-surface-darker,#1f1f1f)));--_hover-border-color:var(--rh-cta-hover-border-color,var(--rh-color-border-subtle));--_hover-color:var(--rh-cta-hover-color,var(--rh-color-interactive-primary-hover));--_hover-text-decoration:light-dark(var(--rh-cta-hover-text-decoration,none),var(--rh-cta-hover-text-decoration,underline));--_focus-color:var(--rh-cta-focus-color,var(--rh-color-interactive-primary-default));--_focus-border-color:var(--rh-cta-focus-border-color,var(--rh-color-border-subtle));--_focus-inner-border-color:var(--rh-cta | 2026-01-13T08:49:42 |
https://dev.to/t/vscode/page/2 | VS Code 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 VS Code Follow Hide Official tag for Visual Studio Code, Microsoft's open-source editor Create Post about #vscode We welcome anyone with any kind of vscode passion. Some new hot feature or extension, we would love to read it. Older #vscode 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 CodeGraph: Building Code Intelligence for the AI Era AlgoritmikX AlgoritmikX AlgoritmikX Follow Jan 2 CodeGraph: Building Code Intelligence for the AI Era # vibecoding # vscode # githubcopilot # ai Comments Add Comment 3 min read The Silent Crisis of AI Coding: Are We Suffering from "Cognitive Atrophy"? Thanon Aphithanawat (Hero) Thanon Aphithanawat (Hero) Thanon Aphithanawat (Hero) Follow Jan 6 The Silent Crisis of AI Coding: Are We Suffering from "Cognitive Atrophy"? # ai # vscode # coding # crisis Comments Add Comment 2 min read Stop Sharing .env Files on Slack: Introducing Multi-User Encryption for VS Code freerave freerave freerave Follow Dec 31 '25 Stop Sharing .env Files on Slack: Introducing Multi-User Encryption for VS Code # vscode # opensource # productivity # security Comments Add Comment 2 min read No More Messy Code: How to Master HTML, CSS, and JS Linting in VS Code Like a Pro gerry leo nugroho gerry leo nugroho gerry leo nugroho Follow Jan 4 No More Messy Code: How to Master HTML, CSS, and JS Linting in VS Code Like a Pro # webdev # programming # vscode # cleancode Comments Add Comment 12 min read Ferramentas de debug (DevTools e VSCode) Lucas Pereira de Souza Lucas Pereira de Souza Lucas Pereira de Souza Follow Dec 30 '25 Ferramentas de debug (DevTools e VSCode) # vscode # backend # tutorial # tooling Comments Add Comment 5 min read How to create a virtual environment in Visual Studio Code with Python Matt Matt Matt Follow Dec 29 '25 How to create a virtual environment in Visual Studio Code with Python # programming # python # vscode # tutorial Comments Add Comment 2 min read Visual Studio Code Tips(especially for Remote Jupyter Users) dss99911 dss99911 dss99911 Follow Dec 30 '25 Visual Studio Code Tips(especially for Remote Jupyter Users) # tools # common # vscode # ide Comments Add Comment 2 min read How to Develop and Publish a VS Code Extension Kazuki Kazuki Kazuki Follow Jan 2 How to Develop and Publish a VS Code Extension # vscode # typescript # productivity # beginners 1 reaction Comments Add Comment 6 min read A Deep Dive into GitHub Copilot Agent Mode’s Prompt Structure seiwan maikuma seiwan maikuma seiwan maikuma Follow Dec 27 '25 A Deep Dive into GitHub Copilot Agent Mode’s Prompt Structure # ai # githubcopilot # vscode # promptengineering Comments Add Comment 7 min read Building Intelligent, Agentic Applications in VS Code - A Technical Deep Dive into the AI Toolkit Extension Pack Holger Imbery Holger Imbery Holger Imbery Follow Dec 27 '25 Building Intelligent, Agentic Applications in VS Code - A Technical Deep Dive into the AI Toolkit Extension Pack # agents # development # vscode # aitoolkit Comments Add Comment 12 min read 🐻 Introducing Zustand Copilot: The Ultimate VS Code Extension for Zustand State Management Mahmud Rahman Mahmud Rahman Mahmud Rahman Follow Dec 26 '25 🐻 Introducing Zustand Copilot: The Ultimate VS Code Extension for Zustand State Management # react # typescript # webdev # vscode Comments Add Comment 3 min read Stop Alt-Tabbing to Check Metrics: Meet Vitals for VS Code 🚀 Aniket Raj Aniket Raj Aniket Raj Follow Dec 26 '25 Stop Alt-Tabbing to Check Metrics: Meet Vitals for VS Code 🚀 # showdev # tooling # vscode # monitoring Comments Add Comment 2 min read I built a local-first VS Code extension to track my development work Genomorph Pvt. Ltd. Genomorph Pvt. Ltd. Genomorph Pvt. Ltd. Follow Dec 25 '25 I built a local-first VS Code extension to track my development work # opensource # vscode # devtools # productivity Comments Add Comment 1 min read I stopped reading code and started mapping it (and it saved my sanity) The Living Algorithms The Living Algorithms The Living Algorithms Follow Dec 27 '25 I stopped reading code and started mapping it (and it saved my sanity) # vscode # javascript # webdev # opensource Comments 1 comment 3 min read Configuring RapidAPI MCP Servers in VS Code Copilot Aakash Giri Aakash Giri Aakash Giri Follow Dec 22 '25 Configuring RapidAPI MCP Servers in VS Code Copilot # mcpservers # rapidapi # vscode # githubcopilot Comments Add Comment 2 min read VSCode Extensions Lucas Pereira de Souza Lucas Pereira de Souza Lucas Pereira de Souza Follow Dec 22 '25 VSCode Extensions # javascript # vscode # tutorial # beginners Comments Add Comment 4 min read PowerShell ISE to VS Code in 5 Minutes — Setup Guide Thomas Thomas Thomas Follow Dec 23 '25 PowerShell ISE to VS Code in 5 Minutes — Setup Guide # powershell # vscode # devtols # tutorial Comments Add Comment 1 min read Setting up AWS Bedrock with Claude Yitaek Hwang Yitaek Hwang Yitaek Hwang Follow Dec 22 '25 Setting up AWS Bedrock with Claude # aws # llm # vscode Comments Add Comment 4 min read (2)Creating the Pinnacle of Niche Software: The devcontainer Theodor Heiselberg Theodor Heiselberg Theodor Heiselberg Follow Dec 22 '25 (2)Creating the Pinnacle of Niche Software: The devcontainer # docker # tooling # vscode Comments Add Comment 5 min read I Built a VS Code Extension That Turns GitHub Copilot Into a Full OpenAI-Compatible API Suhaib Bin Younis Suhaib Bin Younis Suhaib Bin Younis Follow Dec 21 '25 I Built a VS Code Extension That Turns GitHub Copilot Into a Full OpenAI-Compatible API # ai # opensource # vscode # openai Comments Add Comment 3 min read You're Fixing the Wrong Bugs Chris Quinn Chris Quinn Chris Quinn Follow for Cazon Dec 20 '25 You're Fixing the Wrong Bugs # webdev # ai # errors # vscode Comments Add Comment 5 min read PVS-Studio 7.40: support for Visual Studio 2026, Qt Creator 18, .NET 10, updated C# diagnostic rules, and more Anna Voronina Anna Voronina Anna Voronina Follow Dec 19 '25 PVS-Studio 7.40: support for Visual Studio 2026, Qt Creator 18, .NET 10, updated C# diagnostic rules, and more # dotnet # csharp # programming # vscode Comments Add Comment 6 min read How I Refactored My VS Code Extension to be 100% Serverless & Offline 🚀 (CodeTune v0.0.7) freerave freerave freerave Follow Dec 20 '25 How I Refactored My VS Code Extension to be 100% Serverless & Offline 🚀 (CodeTune v0.0.7) # vscode # javascript # opensource # productivity Comments Add Comment 2 min read Debugging 101: Your First Breakpoint and Tracing Variables in VS Code InterSystems Developer InterSystems Developer InterSystems Developer Follow for InterSystems Dec 18 '25 Debugging 101: Your First Breakpoint and Tracing Variables in VS Code # beginners # docker # vscode # tutorial Comments Add Comment 17 min read VSCode Remote SSH Development Guide for Magento 2 SGTSanjay SGTSanjay SGTSanjay Follow Dec 16 '25 VSCode Remote SSH Development Guide for Magento 2 # tooling # vscode # tutorial # productivity Comments Add Comment 3 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:49:42 |
https://dev.to/t/introduction/page/6 | Introduction Page 6 - 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 Forem Close # introduction Follow Hide Create Post Older #introduction posts 3 4 5 6 7 8 9 10 11 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu My Journey Into The World Of Software Development! Marie Antons Marie Antons Marie Antons Follow Nov 24 '20 My Journey Into The World Of Software Development! # codenewbie # bootcamp # introduction 5 reactions Comments Add Comment 3 min read Apa itu JWT (JSON Web Token)? Muhammad Faqih Muntashir Muhammad Faqih Muntashir Muhammad Faqih Muntashir Follow Nov 14 '20 Apa itu JWT (JSON Web Token)? # tutorial # security # introduction # indonesia 38 reactions Comments 1 comment 4 min read Have dinner with Python's Tkinter Library tonight Vin Mukiibi Vin Mukiibi Vin Mukiibi Follow Oct 5 '20 Have dinner with Python's Tkinter Library tonight # python # tkinter # introduction # pirple 2 reactions Comments Add Comment 3 min read Need your help to decide which post should I write about next TalOrlanczyk TalOrlanczyk TalOrlanczyk Follow Nov 4 '20 Need your help to decide which post should I write about next # discuss # typescript # javascript # introduction 3 reactions Comments 5 comments 1 min read Hello dev.to, I am Anniina! Anniina Sallinen Anniina Sallinen Anniina Sallinen Follow Oct 23 '20 Hello dev.to, I am Anniina! # womenintech # introduction # bio 14 reactions Comments 11 comments 4 min read Welcome Welcome Welcome Welcome Welcome Welcome manny22isaac manny22isaac manny22isaac Follow Oct 19 '20 Welcome Welcome Welcome Welcome Welcome Welcome # hello # blog # project # introduction 3 reactions Comments Add Comment 1 min read Text Analytics - A gentle Introduction Aashish Chaubey 💥⚡️ Aashish Chaubey 💥⚡️ Aashish Chaubey 💥⚡️ Follow Oct 7 '20 Text Analytics - A gentle Introduction # machinelearning # ai # textanalytics # introduction 10 reactions Comments 4 comments 3 min read Introduction to GitHub Actions le0nidas le0nidas le0nidas Follow Aug 29 '20 Introduction to GitHub Actions # githubactions # github # introduction 6 reactions Comments Add Comment 3 min read A brief introduction to Observability Driven-Development Francisco Javier Sánchez Fuentes Francisco Javier Sánchez Fuentes Francisco Javier Sánchez Fuentes Follow Sep 27 '20 A brief introduction to Observability Driven-Development # introduction # odd # devops # computerscience 7 reactions Comments Add Comment 2 min read GitHub CLI chandra penugonda chandra penugonda chandra penugonda Follow Sep 18 '20 GitHub CLI # github # githubcli # introduction # git 72 reactions Comments Add Comment 2 min read Getting started with Github CLI Oscar Calderon Oscar Calderon Oscar Calderon Follow Sep 17 '20 Getting started with Github CLI # github # introduction # cli # githubcli 4 reactions Comments Add Comment 4 min read Data Structure with JavaScript: Stacks Raul Melo Raul Melo Raul Melo Follow Aug 26 '20 Data Structure with JavaScript: Stacks # computerscience # javascript # introduction # datastructure 15 reactions Comments Add Comment 11 min read Making the jump to start blogging! Corey O'Donnell Corey O'Donnell Corey O'Donnell Follow Aug 14 '20 Making the jump to start blogging! # career # introduction 7 reactions Comments Add Comment 2 min read Hi! Chethana Gopinath Chethana Gopinath Chethana Gopinath Follow Aug 10 '20 Hi! # welcome # introduction 3 reactions Comments 2 comments 1 min read An Introduction to Things My Students Never Read Tom Streeter Tom Streeter Tom Streeter Follow Aug 12 '20 An Introduction to Things My Students Never Read # html # css # beginners # introduction 33 reactions Comments 8 comments 2 min read Introduction to Node.js and NPM chetan dhanraj patil chetan dhanraj patil chetan dhanraj patil Follow Aug 2 '20 Introduction to Node.js and NPM # node # javascript # beginners # introduction 22 reactions Comments Add Comment 4 min read Hello World e e e Follow Jul 28 '20 Hello World # introduction 2 reactions Comments Add Comment 2 min read C++ Meta Programming: Why? Coral Kashri Coral Kashri Coral Kashri Follow Aug 15 '20 C++ Meta Programming: Why? # cpp # metaprogramming # development # introduction 4 reactions Comments Add Comment 4 min read Introducing myself ! Sneha Sneha Sneha Follow Jul 22 '20 Introducing myself ! # introduction 10 reactions Comments 4 comments 2 min read Just How Do React.js Components Cycle Through Life? James F. Thomas James F. Thomas James F. Thomas Follow Jul 13 '20 Just How Do React.js Components Cycle Through Life? # beginners # react # introduction 6 reactions Comments Add Comment 6 min read A (Belated) Hello World! Ryan D. Lewis Ryan D. Lewis Ryan D. Lewis Follow Jun 24 '20 A (Belated) Hello World! # introduction # helloworld 20 reactions Comments 8 comments 4 min read My Journey so far as a Android Dev Niveth Saran Niveth Saran Niveth Saran Follow Jun 16 '20 My Journey so far as a Android Dev # introduction # android # java # beginners 7 reactions Comments 2 comments 1 min read Intro to Functional JavaScript Artem Artem Artem Follow Jun 6 '20 Intro to Functional JavaScript # functional # javascript # beginners # introduction 4 reactions Comments Add Comment 2 min read Hello! A small introduction from an artist and software engineer Hannah Hannah Hannah Follow May 21 '20 Hello! A small introduction from an artist and software engineer # self # introduction # artist # bootcamp 12 reactions Comments 3 comments 2 min read List of Cloud Products (opt, cont. update)* Steve Mak Steve Mak Steve Mak Follow May 14 '20 List of Cloud Products (opt, cont. update)* # cloud # product # introduction # compare 2 reactions Comments Add Comment 3 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 Forem — 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:42 |
https://dev.to/t/netflix | Netflix - 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 # netflix Follow Hide Netflix originals and catalog Create Post Older #netflix posts 1 2 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Video Streaming Platform (YouTube / Hotstar / Netflix / Prime) High-level System Design Arghya Majumder Arghya Majumder Arghya Majumder Follow Jan 11 Video Streaming Platform (YouTube / Hotstar / Netflix / Prime) High-level System Design # videostreamingsystemdesign # softwareengineering # youtube # netflix Comments Add Comment 78 min read Here’s How You Nail the Netflix System Design Interview With The Right Resources Dev Loops Dev Loops Dev Loops Follow Jan 8 Here’s How You Nail the Netflix System Design Interview With The Right Resources # netflix # systemdesign # career # productivity Comments Add Comment 4 min read You’re not building Netflix stop coding like you are. <devtips/> <devtips/> <devtips/> Follow Dec 14 '25 You’re not building Netflix stop coding like you are. # webdev # programming # ai # netflix 1 reaction Comments Add Comment 28 min read Exploring the Netflix TV Shows and Movies Dataset with Spark Jackson Freitas Jackson Freitas Jackson Freitas Follow Oct 13 '25 Exploring the Netflix TV Shows and Movies Dataset with Spark # analytics # netflix # spark # databricks Comments Add Comment 2 min read What I Learned from Netflix’s Data-Driven Product Strategy? and How You Can Apply It Ulad Shauchenka Ulad Shauchenka Ulad Shauchenka Follow Sep 22 '25 What I Learned from Netflix’s Data-Driven Product Strategy? and How You Can Apply It # discuss # product # strategy # netflix Comments Add Comment 1 min read Don't Copy Netflix; How to Pick an Architecture That Actually Fits Your Team in 2025 7Sigma 7Sigma 7Sigma Follow Aug 28 '25 Don't Copy Netflix; How to Pick an Architecture That Actually Fits Your Team in 2025 # monolith # microservices # netflix # architecture Comments Add Comment 5 min read Behind the Scenes of Netflix: Unpacking Its World-Class Infrastructure Grenish rai Grenish rai Grenish rai Follow Jun 19 '25 Behind the Scenes of Netflix: Unpacking Its World-Class Infrastructure # programming # cloud # netflix 6 reactions Comments Add Comment 4 min read Crack every FAANG Interview with this approach! Swarnendu Swarnendu Swarnendu Follow Jun 5 '25 Crack every FAANG Interview with this approach! # google # amazon # netflix 1 reaction Comments Add Comment 2 min read Bypass Netflix’s Same Household Block — With a Fullscreen Playbar That Just Works 00:38 B Mithilesh B Mithilesh B Mithilesh Follow Jun 16 '25 Bypass Netflix’s Same Household Block — With a Fullscreen Playbar That Just Works # netflix # extensions # bypass # localhackday 2 reactions Comments 3 comments 1 min read What are the Strengths and Weaknesses of Netflix? Krishan Krishan Krishan Follow May 29 '25 What are the Strengths and Weaknesses of Netflix? # discuss # webdev # programming # netflix Comments Add Comment 3 min read ¿Cómo funciona un reproductor como el de Netflix y cómo puedes construir uno en tus propios proyectos? Velaria Cue Velaria Cue Velaria Cue Follow Apr 7 '25 ¿Cómo funciona un reproductor como el de Netflix y cómo puedes construir uno en tus propios proyectos? # streaming # netflix # hls # plyr 1 reaction Comments Add Comment 3 min read How to Develop an OTT App like Netflix? Yudiz Solutions Yudiz Solutions Yudiz Solutions Follow Jan 9 '25 How to Develop an OTT App like Netflix? # development # appdev # ott # netflix 1 reaction Comments Add Comment 5 min read Key Technologies Powering Streaming Services like Netflix and Spotify Aditya Pratap Bhuyan Aditya Pratap Bhuyan Aditya Pratap Bhuyan Follow Feb 5 '25 Key Technologies Powering Streaming Services like Netflix and Spotify # streamingservices # netflix # spotify Comments 5 comments 7 min read Netflix Thailand: การผสมผสานเทคโนโลยี วัฒนธรรม และนวัตกรรมในออฟฟิศ Passakon Puttasuwan Passakon Puttasuwan Passakon Puttasuwan Follow Nov 29 '24 Netflix Thailand: การผสมผสานเทคโนโลยี วัฒนธรรม และนวัตกรรมในออฟฟิศ # netflix # innovationatwork # techdrivenculture # netflixthailand Comments Add Comment 1 min read 🚀 Netflix's Secret Sauce: How AWS Streams Your Binge-Worthy Shows to 231 Million Couch Potatoes 🍿 Nozim Islamov Nozim Islamov Nozim Islamov Follow Sep 13 '24 🚀 Netflix's Secret Sauce: How AWS Streams Your Binge-Worthy Shows to 231 Million Couch Potatoes 🍿 # netflix # aws # systemdesign # streaming Comments Add Comment 4 min read On Stealing People's Attention Sk Imtiaz Ahmed Sk Imtiaz Ahmed Sk Imtiaz Ahmed Follow Aug 1 '24 On Stealing People's Attention # netflix # career # mindfulness # attentioneonomy Comments Add Comment 3 min read Usando Consultas de Percolação do Elasticsearch, Netflix Aperfeiçoa Buscas Reversas Eficientemente Alex Salgado Alex Salgado Alex Salgado Follow May 10 '24 Usando Consultas de Percolação do Elasticsearch, Netflix Aperfeiçoa Buscas Reversas Eficientemente # elasticsearch # reversesearch # dataengineering # netflix 1 reaction Comments Add Comment 3 min read Documentário que todo Profissional de TI deve Ver: O Dilema da Redes (2020). Carlos Henrique Garcia Soares Carlos Henrique Garcia Soares Carlos Henrique Garcia Soares Follow Apr 22 '24 Documentário que todo Profissional de TI deve Ver: O Dilema da Redes (2020). # odilemadasredes # inteligenciaartificial # netflix 1 reaction Comments Add Comment 3 min read Building Netflix Clone with NextJs 13.4: Part 1 Abhirup Kumar Bhowmick Abhirup Kumar Bhowmick Abhirup Kumar Bhowmick Follow Dec 19 '23 Building Netflix Clone with NextJs 13.4: Part 1 # nextjs # netflix # react # typescript 18 reactions Comments Add Comment 7 min read Architectural Battle: Monolith vs. Microservices - A Netflix Story Yash Rai Yash Rai Yash Rai Follow Nov 20 '23 Architectural Battle: Monolith vs. Microservices - A Netflix Story # code # microservices # monolith # netflix 13 reactions Comments Add Comment 4 min read 🚀The Netflix DevSecOps Project 🚀 Swapnil Suresh Mohite Swapnil Suresh Mohite Swapnil Suresh Mohite Follow Nov 13 '23 🚀The Netflix DevSecOps Project 🚀 # sonarqube # docker # kubernetes # netflix 7 reactions Comments Add Comment 2 min read Unlocking Success: Netflix's Shift to AWS - A Hosting Reviews Perspective Saqib Saqib Saqib Follow Sep 6 '23 Unlocking Success: Netflix's Shift to AWS - A Hosting Reviews Perspective # aws # netflix # hostingopinions # cloudsolutions 1 reaction Comments 2 comments 3 min read End to End Netflix data analytics and recommendation system project using Microsoft Azure tools Aman Gupta Aman Gupta Aman Gupta Follow Aug 29 '23 End to End Netflix data analytics and recommendation system project using Microsoft Azure tools # azure # dataengineering # netflix # programming 9 reactions Comments Add Comment 5 min read Netflix UI Clone Soumyajit Pan Soumyajit Pan Soumyajit Pan Follow May 29 '23 Netflix UI Clone # netflix # react # javascript # css 3 reactions Comments Add Comment 1 min read Netflix UI Clone Rajamanickam Rajamanickam Rajamanickam Follow Apr 2 '23 Netflix UI Clone # beginners # webdev # programming # netflix 1 reaction Comments Add Comment 1 min read loading... trending guides/resources You’re not building Netflix stop coding like you are. Here’s How You Nail the Netflix System Design Interview With The Right Resources Video Streaming Platform (YouTube / Hotstar / Netflix / Prime) High-level System Design 💎 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:49:42 |
https://github.com/SivaramPg/swapi.info | GitHub - SivaramPg/swapi.info: All the Star Wars data you've ever wanted :) Swapi.info is an open-source, FREE, JSON-only, CDN-powered, Wicked-fast, Unrestricted Star Wars data API endpoints provider. Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} SivaramPg / swapi.info Public Notifications You must be signed in to change notification settings Fork 8 Star 21 All the Star Wars data you've ever wanted :) Swapi.info is an open-source, FREE, JSON-only, CDN-powered, Wicked-fast, Unrestricted Star Wars data API endpoints provider. swapi.info License MIT license 21 stars 8 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 0 Pull requests 0 Actions Projects 0 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Projects Security Insights SivaramPg/swapi.info main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 165 Commits .github .github .husky .husky public public src src .dockerignore .dockerignore .env.example .env.example .gitignore .gitignore .prettierignore .prettierignore Caddyfile Caddyfile Dockerfile Dockerfile LICENSE LICENSE README.md README.md biome.json biome.json bun.lockb bun.lockb docker-compose.yml docker-compose.yml netlify.toml netlify.toml next-sitemap.config.js next-sitemap.config.js next.config.mjs next.config.mjs package.json package.json postcss.config.js postcss.config.js tailwind.config.js tailwind.config.js tsconfig.json tsconfig.json vercel.json vercel.json View all files Repository files navigation README MIT license SWAPI.INFO SWAPI.INFO is an Open Source no-server, file-based simple GET API provider & endpoint data explorer. Built using the latest Next.js App Router & hosted via Vercel's awesome & highly available CDN network to provide wicked-fast API resolution and page exploration experience. The architecture allows the provider to be highly resilient against DDoS attacks and network traffic surges. Health Status Getting Started First, run the development server: npm run dev # or yarn dev # or pnpm dev Open http://localhost:3000 with your browser to see the result. You can start editing the page by modifying app/page.tsx . The page auto-updates as you edit the file. About All the Star Wars data you've ever wanted :) Swapi.info is an open-source, FREE, JSON-only, CDN-powered, Wicked-fast, Unrestricted Star Wars data API endpoints provider. swapi.info Topics open-source star-wars opensource placeholder explorer swapi api-rest starwars starwars-api star-wars-api placeholders swapi-api tailwindcss placeholderapi cloudflare-pages cdn-distribution sw-api nextjs13 Resources Readme License MIT license Uh oh! There was an error while loading. Please reload this page . Activity Stars 21 stars Watchers 2 watching Forks 8 forks Report repository Releases 2 v2 Latest Oct 1, 2024 + 1 release Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Languages TypeScript 92.3% CSS 4.1% JavaScript 2.7% Dockerfile 0.9% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://dev.to/t/systemdesign/page/9#main-content | Systemdesign Page 9 - 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 # systemdesign Follow Hide Create Post Older #systemdesign posts 6 7 8 9 10 11 12 13 14 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How I Built a Golang AI Gateway to Cut OpenAI Costs by 90% SUNNY ANAND SUNNY ANAND SUNNY ANAND Follow Jan 6 How I Built a Golang AI Gateway to Cut OpenAI Costs by 90% # go # ai # systemdesign # opensource 5 reactions Comments 6 comments 2 min read How to Design a Notification System: A Complete Guide Madhur Banger Madhur Banger Madhur Banger Follow Dec 6 '25 How to Design a Notification System: A Complete Guide # webdev # aws # systemdesign # distributedsystems 1 reaction Comments Add Comment 9 min read From Monolithic CLIs to Modular Plugins: Applying the Strangler Fig Pattern Aman Kumar Aman Kumar Aman Kumar Follow Dec 4 '25 From Monolithic CLIs to Modular Plugins: Applying the Strangler Fig Pattern # systemdesign # softwareengineering # architecture # designpatterns Comments Add Comment 8 min read Lightweight big data processing technology Open Source SPL Open Source SPL Open Source SPL Follow Dec 5 '25 Lightweight big data processing technology # architecture # dataengineering # systemdesign 5 reactions Comments Add Comment 9 min read How to Rebuild Your Money System Using “Input Output” Thinking Brian Davies Brian Davies Brian Davies Follow Dec 5 '25 How to Rebuild Your Money System Using “Input Output” Thinking # productivity # systemdesign # tutorial Comments Add Comment 3 min read Session Tokens vs JWTs: The False Dichotomy Abdullah Bashir Abdullah Bashir Abdullah Bashir Follow Jan 2 Session Tokens vs JWTs: The False Dichotomy # webdev # programming # authentication # systemdesign 11 reactions Comments 2 comments 8 min read What 100+ Production Incidents Taught Me About System Design Muhammad Yawar Malik Muhammad Yawar Malik Muhammad Yawar Malik Follow Jan 4 What 100+ Production Incidents Taught Me About System Design # aws # systemdesign # sre # devops 9 reactions Comments 5 comments 5 min read Cloud Native Engineer is back Cloud Native Engineer Cloud Native Engineer Cloud Native Engineer Follow Dec 4 '25 Cloud Native Engineer is back # kubernetes # devops # systemdesign # ai Comments Add Comment 1 min read Code-Level Monolith: The Hybrid Architecture & The Art of "Flexible Deployment" Alireza Feizi Alireza Feizi Alireza Feizi Follow Dec 4 '25 Code-Level Monolith: The Hybrid Architecture & The Art of "Flexible Deployment" # architecture # microservices # systemdesign Comments Add Comment 12 min read Opinion on weird system design Aryan Chauhan Aryan Chauhan Aryan Chauhan Follow Dec 3 '25 Opinion on weird system design # systemdesign # programming # architecture Comments Add Comment 1 min read Stateless vs Stateful Services Nilesh Raut Nilesh Raut Nilesh Raut Follow Jan 6 Stateless vs Stateful Services # systemdesign # backend # microservices # architecture 6 reactions Comments 2 comments 3 min read Ingesting 100M Heartbeats: Scaling Wearable Tech Without Going Broke Beck_Moulton Beck_Moulton Beck_Moulton Follow Dec 25 '25 Ingesting 100M Heartbeats: Scaling Wearable Tech Without Going Broke # programming # systemdesign # database # performance Comments Add Comment 3 min read Demystifying Crypto Influencers: A Professional Analysis System for Replicating Founder Workflows fmzquant fmzquant fmzquant Follow Jan 6 Demystifying Crypto Influencers: A Professional Analysis System for Replicating Founder Workflows # cozechallenge # mysql # nocode # systemdesign Comments Add Comment 8 min read Single State Model Architecture Adam Cerny Adam Cerny Adam Cerny Follow Dec 15 '25 Single State Model Architecture # architecture # systemdesign # design # programming Comments 1 comment 6 min read Scalable Architecture Principles: 9 Rules That Survive Real Load Daniel R. Foster Daniel R. Foster Daniel R. Foster Follow Jan 6 Scalable Architecture Principles: 9 Rules That Survive Real Load # scalablearchitecture # performanceengineering # systemdesign # scalability 10 reactions Comments 1 comment 6 min read I Built an AI System Design Generator — Here’s How It Works (ArcMind AI) Satyam Pratibhan Satyam Pratibhan Satyam Pratibhan Follow Dec 3 '25 I Built an AI System Design Generator — Here’s How It Works (ArcMind AI) # systemdesign # ai # webdev # programming Comments Add Comment 2 min read How Intentional Constraints Lead to Superior Code Fedar Haponenka Fedar Haponenka Fedar Haponenka Follow Dec 1 '25 How Intentional Constraints Lead to Superior Code # webdev # programming # architecture # systemdesign Comments Add Comment 3 min read System Design & Software Architecture: Building Scalable Systems Sepehr Mohseni Sepehr Mohseni Sepehr Mohseni Follow Jan 4 System Design & Software Architecture: Building Scalable Systems # systemdesign # architecture # distributedsystems # backend 1 reaction Comments 1 comment 6 min read So I Wrote My Own Compiler, SDK, and Node Package To Revive A Minecraft Mod Ars Paradox Ars Paradox Ars Paradox Follow Nov 30 '25 So I Wrote My Own Compiler, SDK, and Node Package To Revive A Minecraft Mod # python # java # systemdesign # javascript Comments Add Comment 10 min read Handling Lingering Conversations Gracefully in Microsoft Copilot Studio Bala Madhusoodhanan Bala Madhusoodhanan Bala Madhusoodhanan Follow Dec 1 '25 Handling Lingering Conversations Gracefully in Microsoft Copilot Studio # copilotstudio # systemdesign # powerfuldevs # powerplatform 5 reactions Comments Add Comment 2 min read The "Happy Path" is dead. This is the era of Defensive AI Architecture. Jalil B. Jalil B. Jalil B. Follow Nov 30 '25 The "Happy Path" is dead. This is the era of Defensive AI Architecture. # ai # systemdesign # architecture # backend Comments Add Comment 3 min read Why Strong Systems Beat Strong Personalities in AI-Driven Organizations Connie Baugher Connie Baugher Connie Baugher Follow Jan 4 Why Strong Systems Beat Strong Personalities in AI-Driven Organizations # ucf # ai # systemdesign # orlando Comments Add Comment 2 min read Deadlock(OS) vs Deadlock(DBMS) Sujeet Pandey Sujeet Pandey Sujeet Pandey Follow Nov 30 '25 Deadlock(OS) vs Deadlock(DBMS) # computerscience # database # systemdesign Comments Add Comment 2 min read Financial Transaction Data Reconciler PayPal Eliana Lam Eliana Lam Eliana Lam Follow Nov 30 '25 Financial Transaction Data Reconciler PayPal # systemdesign # distributedsystems # dataengineering # aws Comments Add Comment 5 min read Building Resilient AI Agent Workflows That Handle Real-World Data Messiness Robort Gabriel Robort Gabriel Robort Gabriel Follow Jan 2 Building Resilient AI Agent Workflows That Handle Real-World Data Messiness # systemdesign # data # agents # ai 2 reactions Comments Add Comment 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:49:42 |
https://vibe.forem.com/fanioz/configure-crewai-with-groq-alternative-llm-setup-guide-4gc9 | Configure CrewAI with Groq: Alternative LLM Setup Guide - Vibe Coding 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 Vibe Coding Forem 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 fanioz Posted on Dec 5, 2025 Configure CrewAI with Groq: Alternative LLM Setup Guide # crewai # groq # llm # openai I Replaced OpenAI with Groq in My CrewAI Project – Here's What Actually Happened The Problem: OpenAI Costs Add Up Running multiple agents inside CrewAI can produce high token usage fast. Proprietary models like GPT-4 become expensive when scaling production workloads. The Solution: OpenAI-Compatible APIs CrewAI supports any OpenAI-compatible API endpoint through its native LLM class. This allows you to switch to alternative providers like Groq , Moonshot (Kimi) , or local models (Ollama) without rewriting agent code. Verified Pricing Comparison (Updated Late 2025) Provider Model Input / 1M tokens Output / 1M tokens API Base URL Groq Llama-3.3-70B Versatile $0.59 $0.79 https://api.groq.com/openai/v1 OpenAI GPT-5.1 $1.25 $10.00 https://api.openai.com/v1 Pricing sourced from Groq Model Cards and independent LLM pricing aggregators as of November–December 2025. Cost difference example: For high-volume processing, Groq Llama-3.3-70B can be dramatically cheaper depending on usage scale. How to Configure CrewAI with Alternative LLMs Step 1: Environment Setup OPENAI_API_KEY="your-api-key" OPENAI_API_BASE="https://api.groq.com/openai/v1" OPENAI_MODEL="llama-3.3-70b-versatile" Enter fullscreen mode Exit fullscreen mode ` Step 2: Configure Custom LLM in agents.py ` from crewai import Agent , LLM from decouple import config import os class CustomAgents : def __init__ ( self ): api_base = config ( " OPENAI_API_BASE " , default = os . getenv ( " OPENAI_API_BASE " , "" )) api_key = config ( " OPENAI_API_KEY " , default = os . getenv ( " OPENAI_API_KEY " , "" )) model = config ( " OPENAI_MODEL " , default = " gpt-3.5-turbo " ) if api_base and api_key : self . llm = LLM ( model = model , api_key = api_key , base_url = api_base ) else : self . llm = LLM ( model = " gpt-4 " ) Enter fullscreen mode Exit fullscreen mode Step 3: Agent Definition (No Changes Required) def research_agent ( self ): return Agent ( role = " Senior Research Analyst " , backstory = " Expert in market analysis with 10+ years experience " , goal = " Provide comprehensive research and insights " , verbose = True , llm = self . llm , ) Enter fullscreen mode Exit fullscreen mode Testing Your Configuration Verify API Connectivity python test_api.py Enter fullscreen mode Exit fullscreen mode Supported Providers Groq OPENAI_API_BASE="https://api.groq.com/openai/v1" OPENAI_MODEL="llama-3.3-70b-versatile" Enter fullscreen mode Exit fullscreen mode Moonshot / Kimi OPENAI_API_BASE="https://api.moonshot.cn/v1" OPENAI_MODEL="moonshot-v1-8k" Enter fullscreen mode Exit fullscreen mode Local Models (Ollama Example) from langchain_ollama import OllamaLLM self . Ollama = OllamaLLM ( model = " openhermes " ) Enter fullscreen mode Exit fullscreen mode Performance Considerations Speed : Groq reports ~276 tokens/sec throughput for Llama-3.3-70B Versatile under typical inference conditions. Latency : Typical 0.5–1.5s end-to-end response for standard workloads. Context Length : Large context support (model-card dependent, e.g. up to ~128K tokens). Rate Limits : See Groq account dashboard for up-to-date tier limits. Troubleshooting Invalid API Key Check formatting & run: python test_api.py Enter fullscreen mode Exit fullscreen mode Model Not Found Verify with: python test_api.py --list-models Enter fullscreen mode Exit fullscreen mode Connection Timeout Verify base URL formatting and internet connectivity. Quality Differences temperature = 0.3 # range 0.1–0.9 recommended Enter fullscreen mode Exit fullscreen mode When to Use Alternative LLMs Use alternatives when You need lower cost & high throughput Running many agents or parallel processes Reducing vendor lock-in is important Use proprietary models when You require specialized features or alignment Your workload is small (<$20/month usage) Complete Example Setup test_api.py #!/usr/bin/env python3 import requests import os from decouple import config def test_api_key (): """ Test if the API key is valid """ api_key = config ( ' OPENAI_API_KEY ' ) api_base = config ( ' OPENAI_API_BASE ' ) model = config ( ' OPENAI_MODEL ' ) print ( f " Testing API key: { api_key [ : 10 ] } ... " ) print ( f " API Base: { api_base } " ) print ( f " Model: { model } " ) # Test the API key with a simple request headers = { ' Authorization ' : f ' Bearer { api_key } ' , ' Content-Type ' : ' application/json ' } # Make a simple API call to test authentication try : response = requests . get ( f ' { api_base } /models ' , headers = headers , timeout = 10 ) print ( f ' Status Code: { response . status_code } ' ) if response . status_code == 200 : print ( ' SUCCESS: API Key is VALID ' ) models = response . json (). get ( ' data ' , []) print ( f ' Found { len ( models ) } available models ' ) if models : print ( ' First few models: ' , [ m [ ' id ' ] for m in models [: 3 ]]) else : print ( ' ERROR: API Key is INVALID ' ) print ( ' Response: ' , response . text ) return False except Exception as e : print ( f ' ERROR: Error testing API: { e } ' ) return False return True if __name__ == " __main__ " : test_api_key () Enter fullscreen mode Exit fullscreen mode the commands pip install crewai langchain-openai python-decouple echo "OPENAI_API_KEY='your-key'" > .env echo "OPENAI_API_BASE='https://api.groq.com/openai/v1'" >> .env echo "OPENAI_MODEL='llama-3.3-70b-versatile'" >> .env python test_api.py python main.py Enter fullscreen mode Exit fullscreen mode Key Takeaways CrewAI supports OpenAI-compatible APIs directly via environment configs. Switching providers requires no rewrite of agent logic. Groq provides high performance and significantly lower token cost for scale workloads. Swapping between providers is reversible by modifying .env . Additional Resources https://docs.crewai.com/concepts/agents https://console.groq.com/docs/model/llama-3.3-70b-versatile https://groq.com https://platform.moonshot.cn/docs 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 fanioz Follow Joined Jun 18, 2018 💎 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 Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:42 |
https://github.com/berviantoleo/udacity-azure-project-1 | GitHub - berviantoleo/udacity-azure-project-1: Submission Azure Developer ND 1 Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} berviantoleo / udacity-azure-project-1 Public Uh oh! There was an error while loading. Please reload this page . Notifications You must be signed in to change notification settings Fork 2 Star 1 Submission Azure Developer ND 1 License View license 1 star 2 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Pull requests 0 Discussions Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Pull requests Discussions Actions Security Insights berviantoleo/udacity-azure-project-1 main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 467 Commits .github .github FlaskWebProject FlaskWebProject example_images example_images screenshots screenshots sql_scripts sql_scripts tests tests .gitignore .gitignore .mergify.yml .mergify.yml LICENSE LICENSE README.md README.md WRITEUP.md WRITEUP.md application.py application.py config.py config.py requirements.txt requirements.txt View all files Repository files navigation README License NOTICE! Please use this repo as study purpose not for submission, never cheating for submission! Article CMS (FlaskWebProject) This project is a Python web application built using Flask. The user can log in and out and create/edit articles. An article consists of a title, author, and body of text stored in an Azure SQL Server along with an image that is stored in Azure Blob Storage. You will also implement OAuth2 with Sign in with Microsoft using the msal library, along with app logging. Log In Credentials for FlaskWebProject Username: admin Password: pass Or, once the MS Login button is implemented, it will automatically log into the admin account. Project Instructions (For Student) You are expected to do the following to complete this project: Create a Resource Group in Azure. Create an SQL Database in Azure that contains a user table, an article table, and data in each table (populated with the scripts provided in the SQL Scripts folder). Provide a screenshot of the populated tables as detailed further below. Create a Storage Container in Azure for images to be stored in a container. Provide a screenshot of the storage endpoint URL as detailed further below. Add functionality to the Sign In With Microsoft button. This will require completing TODOs in views.py with the msal library, along with appropriate registration in Azure Active Directory. Choose to use either a VM or App Service to deploy the FlaskWebProject to Azure. Complete the analysis template in WRITEUP.md (or include in the README) to compare the two options, as well as detail your reasoning behind choosing one or the other. Once you have made your choice, go through with deployment. Add logging for whether users successfully or unsuccessfully logged in. This will require completing TODOs in __init__.py , as well as adding logging where desired in views.py . To prove that the application in on Azure and working, go to the URL of your deployed app, log in using the credentials in this README, click the Create button, and create an article with the following data: Title: "Hello World!" Author: "Jane Doe" Body: "My name is Jane Doe and this is my first article!" Upload an image of your choice. Must be either a .png or .jpg. After saving, click back on the article you created and provide a screenshot proving that it was created successfully. Please also make sure the URL is present in the screenshot. Log into the Azure Portal, go to your Resource Group, and provide a screenshot including all of the resources that were created to complete this project. (see sample screenshot in "example_images" folder) Take a screenshot of the Redirect URIs entered for your registered app, related to the MS Login button. Take a screenshot of your logs (can be from the Log stream in Azure) showing logging from an attempt to sign in with an invalid login, as well as a valid login. example_images Folder This folder contains sample screenshots that students are required to submit in order to prove they completed various tasks throughout the project. article-cms-solution.png is a screenshot from running the FlaskWebProject on Azure and prove that the student was able to create a new entry. The Title, Author, and Body fields must be populated to prove that the data is being retrieved from the Azure SQL Database while the image on the right proves that an image was uploaded and pulled from Azure Blob Storage. azure-portal-resource-group.png is a screenshot from the Azure Portal showing all of the contents of the Resource Group the student needs to create. The resource group must (at least) contain the following: Storage Account SQL Server SQL Database Resources related to deploying the app sql-storage-solution.png is a screenshot showing the created tables and one query of data from the initial scripts. blob-solution.png is a screenshot showing an example of blob endpoints for where images are sent for storage. uri-redirects-solution.png is a screenshot of the redirect URIs related to Microsoft authentication. log-solution.png is a screenshot showing one potential form of logging with an "Invalid login attempt" and "admin logged in successfully", taken from the app's Log stream. You can customize your log messages as you see fit for these situations. Dependencies A free Azure account A GitHub account Python 3.7 or later Visual Studio 2019 Community Edition (Free) The latest Azure CLI (helpful; not required - all actions can be done in the portal) All Python dependencies are stored in the requirements.txt file. To install them, using Visual Studio 2019 Community Edition: In the Solution Explorer, expand "Python Environments" Right click on "Python 3.7 (64-bit) (global default)" and select "Install from requirements.txt" Troubleshooting Mac users may need to install unixodbc as well as related drivers as shown below: brew install unixodbc Check here to add SQL Server drivers for Mac. About Submission Azure Developer ND 1 Topics azure udacity-nanodegree submission Resources Readme License View license Uh oh! There was an error while loading. Please reload this page . Activity Stars 1 star Watchers 1 watching Forks 2 forks Report repository Releases No releases published Sponsor this project Uh oh! There was an error while loading. Please reload this page . ko-fi.com/ berviantoleo patreon.com/ berviantoleo liberapay.com/ berviantoleo opencollective.com/ berviantoleo issuehunt.io/r/ berviantoleo Learn more about GitHub Sponsors Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Contributors 2 Uh oh! There was an error while loading. Please reload this page . Languages Python 40.2% JavaScript 36.0% HTML 21.5% CSS 2.3% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://www.algolia.com/fr/products/features/data-enrichment | Enrichissement des données | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Algolia Partners Support Login Logout Algolia mark white Algolia logo white Products Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Industries Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Tarifs Développeurs GET STARTED Developer Hub Developer Hub Documentation Documentation Intégrations Intégrations Composants UI Composants UI Auto-completion Auto-completion RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Démarrage rapide Démarrage rapide Pour Open Source Pour Open Source Statuts d'API Statuts d'API Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Témoignages clients Témoignages clients Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Évènements Évènements Professional Services Professional Services Quick Access Algolia Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Enrichissement des données Améliorez votre index de recherche avec Algolia Fetch Exploitez des fonctionnalités intégrées d’enrichissement pour modifier, améliorer ou restructurer vos données au moment de leur indexation pour la recherche. Demander une démo Commencez gratuitement Algolia Fetch Enrichissez vos données et améliorez leur qualité avec Fetch , une fonctionnalité puissante qui récupère des données depuis des sources externes via des APIs tierces, directement dans votre pipeline de transformation. Améliorez la richesse des données Ajoutez du contexte précieux à vos enregistrements Algolia grâce à des données en temps réel issues de n’importe quel connecteur ou API compatible. Simplifiez l’intégration Intégrez des sources de données externes de façon fluide, sans prétraitements complexes. Améliorez la pertinence de la recherche Fournissez des résultats de recherche plus précis et pertinents grâce à des informations mises à jour en continu. Fonctions utilitaires Installez rapidement grâce aux fonctions intégrées dans l’interface utilisateur, ainsi qu’à une API ouverte pour tout besoin supplémentaire. Comment ça marche Fetch utilise une fonction simple pour importer des données provenant de sources externes. Ces informations enrichissent vos enregistrements Algolia en temps réel, améliorant ainsi la qualité et la pertinence des résultats de recherche. --> Ouvrez la voie à de nouveaux cas d’usages L’enrichissement des données avec Fetch facilite l’amélioration de votre index de recherche et la livraison de meilleurs résultats. Cas d’usage fréquents : Traduction Traduisez automatiquement les descriptions produits pour proposer une expérience multilingue. En savoir plus Personnalisation Importez les préférences utilisateurs depuis votre CRM ou d’autres plateformes pour fournir des résultats de recherche sur mesure et plus pertinents. En savoir plus Données produits Enrichissez vos enregistrements avec des données en temps réel (stocks, prix, avis) issues de sources externes. En savoir plus Amélioration Utilisez des LLMs pour générer des métadonnées telles que des thèmes ou des styles. FAQ – Enrichissement des données Dois-je mettre en place un système séparé pour utiliser Fetch ? 0 Non. Fetch est directement intégré dans votre pipeline de transformation. Vous pouvez donc enrichir vos données à la volée, sans gérer de processus ETL ou d’infrastructure séparés. Quels types d’APIs externes puis-je utiliser avec Fetch ? 0 Vous pouvez utiliser n’importe quelle API tierce renvoyant des données dans un format compatible : DeepL, Stripe, HubSpot, OpenWeather, ou même vos APIs internes personnalisées. Fetch est-il disponible pour tous les clients Algolia ? 0 Oui ! Vérifiez la disponibilité avec votre représentant Algolia ou inscrivez-vous pour explorer les options. Comment les données récupérées sont-elles ajoutées à mes enregistrements ? 0 Les données importées sont fusionnées avec vos enregistrements lors de l’étape de transformation — avant l’indexation — afin d’être entièrement consultables et disponibles dès la requête. Créez les meilleures expériences de recherche et de navigation Obtenir une démo Commencez gratuitement Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Politique de confidentialité Conditions d'utilisation Politique d'utilisation acceptable | 2026-01-13T08:49:42 |
https://vibe.forem.com/jgoutin | J.Goutin - Vibe Coding 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 Vibe Coding Forem Close Follow User actions J.Goutin Solutions architect. Freelance expert in Python, cloud, and DevOps Location France Joined Joined on Dec 19, 2025 Personal website https://jgoutin.dev github website Work Freelance More info about @jgoutin Badges 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, AWS, Linux, AI Currently hacking on stdapi.ai Post 1 post published Comment 0 comments written Tag 0 tags followed Use AWS Bedrock & AI Services (Claude, Nova, Polly, Transcribe) with Your Existing OpenAI Code J.Goutin J.Goutin J.Goutin Follow Dec 19 '25 Use AWS Bedrock & AI Services (Claude, Nova, Polly, Transcribe) with Your Existing OpenAI Code # ai # devops # aws # openai Comments 1 comment 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 Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:42 |
https://www.algolia.com/fr/industries | Industries et solutions | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Algolia Partners Support Login Logout Algolia mark white Algolia logo white Products Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Industries Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Tarifs Développeurs GET STARTED Developer Hub Developer Hub Documentation Documentation Intégrations Intégrations Composants UI Composants UI Auto-completion Auto-completion RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Démarrage rapide Démarrage rapide Pour Open Source Pour Open Source Statuts d'API Statuts d'API Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Témoignages clients Témoignages clients Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Évènements Évènements Professional Services Professional Services Quick Access Algolia Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Industries Algolia optimise la recherche pour tous les cas d'usage Obtenir une démo Commencez gratuitement --> Ecommerce Transform your online store with AI search, generative assistants and discovery tools that deliver personalized product experiences. Learn more B2B Commerce Index complex catalogs, parts, SKUs and documents to serve buyers with precision and insight, instantly. Learn more Fashion Stylish search meets intelligence—AI-powered discovery, generative style guides and tailored shopping journeys for fashion brands. Learn more Grocery Everyday essentials, reimagined—fast, intelligent search and conversational agents help shoppers browse, discover and reorder with ease. Learn more Higher education Turn search into the heart of your campus so students, families, and faculty can find every program, service, and resource in one place. Learn more Marketplaces Multi-seller catalogs, meet unified AI search and smart agents—connect buyers with sellers through rich discovery and recommendation at scale. Learn more Media Index your content, power discovery and engagement—AI search plus generative agents deliver the right story, video or article at the right moment. Learn more SaaS Embed fast, relevant AI search and agentic experiences inside your software product—help users find files, events and insights instantly. Learn more --> La recherche par IA qui comprend vos utilisateurs Demandez une démo Commencez gratuitement Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Politique de confidentialité Conditions d'utilisation Politique d'utilisation acceptable | 2026-01-13T08:49:42 |
https://docs.suprsend.com/docs/python-sdk#installation | Integrate Python SDK - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection Developer Resources Overview Updates and Versioning Versioning and Support Policy SDK Changelog Authentication API Keys and Secrets Service Token Best Practices for Key & Token Management MCP Overview BETA Quickstart Tool List Building with LLMs Security Security SDKs and APIs SDKs SDK Overview SuprSend Backend SDK Python SDK Integrate Python SDK Manage Users Objects Send and Track Events Trigger Workflow from API Tenants Lists Broadcast Node.js SDK Java SDK Go SDK SuprSend Client SDK Management API REST API Postman Collection Features Validate Trigger Payload Type Safety Testing Testing the Template Test Mode Monitoring and Logging Logs Data Out Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Python SDK Integrate Python SDK Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Python SDK Integrate Python SDK OpenAI Open in ChatGPT Install & Initialize SuprSend Python SDK using your workspace credentials for sending notifications. OpenAI Open in ChatGPT Installation 1 Install 'libmagic' system package. You can skip this step if you already have this package installed in your system. bash Copy Ask AI # if you are using linux / debian based systems sudo apt install libmagic # If you are using macOS brew install libmagic 2 Install 'suprsend-py-sdk' using pip bash Copy Ask AI $ pip install suprsend-py-sdk # to upgrade to latest SDK version $ pip install suprsend-py-sdk --upgrade Python version 3.7 or later is required If your python3 version is lower than 3.7, upgrade it. Schema Validation Support : If you’re using schema validation for workflow payloads, you need Python SDK v0.15.0 or later. The API response format was modified to support schema validation, and older SDK versions may not properly handle validation errors. Initialization For initializing SDK, you need workspace_key and workspace_secret. You will get both the tokens from your Suprsend dashboard (Developers -> API Keys). python Copy Ask AI from suprsend import Suprsend # Initialize SDK supr_client = Suprsend( "WORKSPACE KEY" , "WORKSPACE SECRET" ) Was this page helpful? Yes No Suggest edits Raise issue Previous Manage Users Create, update, & manage user profiles and communication channels using Python SDK methods. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization | 2026-01-13T08:49:42 |
https://forem.com/t/softwaredevelopment | Softwaredevelopment - 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 DEV Community Close # softwaredevelopment Follow Hide Create Post Older #softwaredevelopment posts 1 2 3 4 5 6 7 8 9 … 75 … 243 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Why Your Job Isn’t Disappearing—But Your Tasks Are (Part 3: The Career) synthaicode synthaicode synthaicode Follow Jan 12 Why Your Job Isn’t Disappearing—But Your Tasks Are (Part 3: The Career) # ai # career # management # softwaredevelopment 1 reaction Comments Add Comment 3 min read Claude Code: Replace Yourself with Specialized AI Developers Ownlife Ownlife Ownlife Follow Jan 12 Claude Code: Replace Yourself with Specialized AI Developers # ai # agents # softwaredevelopment Comments Add Comment 24 min read O que 70 especificações me ensinaram sobre agentes de código Alberto Luiz Souza Alberto Luiz Souza Alberto Luiz Souza Follow Jan 12 O que 70 especificações me ensinaram sobre agentes de código # agents # ai # softwaredevelopment 1 reaction Comments 1 comment 6 min read Package Updates Are Investments, Not Hygiene Tasks Steven Stuart Steven Stuart Steven Stuart Follow Jan 12 Package Updates Are Investments, Not Hygiene Tasks # leadership # softwaredevelopment # testing Comments Add Comment 8 min read Where AI Is Actually Taking Software Development Careers Jaber-Said Jaber-Said Jaber-Said Follow Jan 12 Where AI Is Actually Taking Software Development Careers # ai # softwaredevelopment # careeradvice # futureofwork Comments Add Comment 4 min read Self-Documenting Code vs. Comments: Lessons from Maintaining Large-Scale Codebases ThankGod Chibugwum Obobo ThankGod Chibugwum Obobo ThankGod Chibugwum Obobo Follow Jan 11 Self-Documenting Code vs. Comments: Lessons from Maintaining Large-Scale Codebases # webdev # softwaredevelopment # programming Comments Add Comment 3 min read Baseline Testing for Developers: Catching Regressions Without Slowing CI Sophie Lane Sophie Lane Sophie Lane Follow Jan 12 Baseline Testing for Developers: Catching Regressions Without Slowing CI # devops # baselinetesting # softwaredevelopment Comments Add Comment 4 min read AI is changing how we build software: here's how to do it safely Colosl Colosl Colosl Follow Jan 11 AI is changing how we build software: here's how to do it safely # ai # cybersecurity # softwaredevelopment Comments Add Comment 6 min read Code Review Guidelines for Modern Development Teams Yeahia Sarker Yeahia Sarker Yeahia Sarker Follow Jan 12 Code Review Guidelines for Modern Development Teams # codequality # productivity # softwaredevelopment Comments Add Comment 3 min read Sharing a Talk: "How to Build Your Own Open Source Project" Evan Lin Evan Lin Evan Lin Follow Jan 11 Sharing a Talk: "How to Build Your Own Open Source Project" # beginners # opensource # softwaredevelopment Comments Add Comment 7 min read Ticket Booking System (BookMyShow) High-level System Design Arghya Majumder Arghya Majumder Arghya Majumder Follow Jan 11 Ticket Booking System (BookMyShow) High-level System Design # softwareengineering # softwaredevelopment # locking # ticketbookingsystem Comments Add Comment 58 min read What AI Actually Replaces in Software Development (Part 2: The Reality) synthaicode synthaicode synthaicode Follow Jan 11 What AI Actually Replaces in Software Development (Part 2: The Reality) # ai # career # management # softwaredevelopment Comments Add Comment 3 min read Why APIs Are the Backbone of Modern Applications Ravish Kumar Ravish Kumar Ravish Kumar Follow Jan 11 Why APIs Are the Backbone of Modern Applications # api # softwaredevelopment # webdev Comments Add Comment 3 min read Book Review: Talent Management Bible - Learning Best Practices from Fortune 500 Companies Evan Lin Evan Lin Evan Lin Follow Jan 11 Book Review: Talent Management Bible - Learning Best Practices from Fortune 500 Companies # ui # ai # nvidia # softwaredevelopment Comments Add Comment 4 min read Structured Concurrency in Go: Stop Letting Goroutines Escape Serif COLAKEL Serif COLAKEL Serif COLAKEL Follow Jan 11 Structured Concurrency in Go: Stop Letting Goroutines Escape # go # softwaredevelopment # softwareengineering # backend Comments Add Comment 2 min read Why Claude Code Excels at Legacy System Modernization Juha Pellotsalo Juha Pellotsalo Juha Pellotsalo Follow Jan 11 Why Claude Code Excels at Legacy System Modernization # ai # claudecode # legacycode # softwaredevelopment Comments Add Comment 2 min read The Rise of Low-Code and No-Code Development Ravish Kumar Ravish Kumar Ravish Kumar Follow Jan 11 The Rise of Low-Code and No-Code Development # beginners # productivity # softwaredevelopment # tooling Comments Add Comment 3 min read Architecting Rx-Gated E-commerce with EMR Integration: Best Path for Authorize-Only Payments and Clinical Approval Workflow MattyIce MattyIce MattyIce Follow Jan 8 Architecting Rx-Gated E-commerce with EMR Integration: Best Path for Authorize-Only Payments and Clinical Approval Workflow # discuss # architecture # softwaredevelopment # softwareengineering Comments Add Comment 1 min read How to: NuGet local feeds Karen Payne Karen Payne Karen Payne Follow Jan 10 How to: NuGet local feeds # csharp # dotnetcore # softwaredevelopment # codenewbie Comments Add Comment 3 min read Is the Cult of Constant 'Trying Things Out' Killing Your Engineering Efficiency? Oleg Oleg Oleg Follow Jan 10 Is the Cult of Constant 'Trying Things Out' Killing Your Engineering Efficiency? # productivity # engineeringmanagement # softwaredevelopment # ai 5 reactions Comments 1 comment 5 min read Building With AI Made Me Realize How Often We Don’t Understand Our Own Code azril hakim azril hakim azril hakim Follow Jan 11 Building With AI Made Me Realize How Often We Don’t Understand Our Own Code # ai # softwaredevelopment # programming # productivity 2 reactions Comments 1 comment 2 min read Why the global boom of pádel requires advanced technology and smarter booking apps luis Yanguas Gómez de la serna luis Yanguas Gómez de la serna luis Yanguas Gómez de la serna Follow Jan 10 Why the global boom of pádel requires advanced technology and smarter booking apps # discuss # powerapps # softwaredevelopment # devops Comments Add Comment 3 min read # Why Version Control Exists: The Pendrive Problem saiyam gupta saiyam gupta saiyam gupta Follow Jan 10 # Why Version Control Exists: The Pendrive Problem # beginners # git # softwaredevelopment 1 reaction Comments Add Comment 2 min read The complex road to building software with AI, and why human experts still matter luis Yanguas Gómez de la serna luis Yanguas Gómez de la serna luis Yanguas Gómez de la serna Follow Jan 10 The complex road to building software with AI, and why human experts still matter # ai # softwaredevelopment # programming Comments Add Comment 5 min read My First Anniversary at insightsoftware — A Year of Learning Real Software Engineering SUVAM AGRAWAL SUVAM AGRAWAL SUVAM AGRAWAL Follow Jan 9 My First Anniversary at insightsoftware — A Year of Learning Real Software Engineering # insightsoftware # softwareengineering # software # softwaredevelopment 1 reaction Comments Add Comment 2 min read loading... trending guides/resources Are We Losing Our Manners in Software Development? The Secret Life of JavaScript: Understanding Closures Right way to vibe code that actually works Deadlocks in Go: The Silent Production Killer The Secret Life of JavaScript: Currying vs. Partial Application I Chose ByteByteGo in 2025: The One System Design Course That Actually Works The Secret Life of JavaScript: Understanding Prototypes How to Use AI Models Locally in VS Code with the Continue Plugin (with Multi-Model Switching Supp... Setup Hashicorp Vault + Vault Agent on Docker Compose n8n: A Great Starting Point, But Not Where Real Engineering Lives Create a Text Editor in Go - Search From Video to Voiceover in Seconds: Running MLX Swift on ARM-Based iOS Devices When Oracle Got Hacked (and the Hackers Fought Each Other) My Current Tech Stack in 2026 Why I Wrote AI Coding Guidelines and You Should Too The Vibe Coding Hangover: How to Stop AI From Ruining Your Codebase The Secret Life of JavaScript: Memories AI writes pretty good code these days and it doesn't really matter The Hidden Cost of Moving Fast: When 'Vibe Coding' Becomes a Security Nightmare The Secret Life of Go: Atomic Operations 💎 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 — Your community HQ 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 . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:42 |
https://github.com/google-gemini/gemini-cli/blob/main/docs/tools/mcp-server.md#how-to-set-up-your-mcp-server | gemini-cli/docs/tools/mcp-server.md at main · google-gemini/gemini-cli · GitHub Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} google-gemini / gemini-cli Public Notifications You must be signed in to change notification settings Fork 10.5k Star 90.7k Code Issues 2k Pull requests 585 Discussions Actions Projects 1 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Discussions Actions Projects Security Insights Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://dev.to/t/todayilearned | Today I Learned 💡💡💡💡💡💡💡 - 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 Today I Learned 💡💡💡💡💡💡💡 Follow Hide Summarize a concept that is new to you. Create Post submission guidelines New to you today, help someone else out with a tidbit you learned. Not for questions, or straight tutorials. Older #todayilearned 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 Day-18 Docker Network Drivers & The ADD vs COPY Trap Jayanth Dasari Jayanth Dasari Jayanth Dasari Follow Dec 27 '25 Day-18 Docker Network Drivers & The ADD vs COPY Trap # todayilearned # docker # devops # learning Comments Add Comment 1 min read Day-17 Multi-Stage Dockerfiles are a Game Changer for Django 🐳 Jayanth Dasari Jayanth Dasari Jayanth Dasari Follow Dec 26 '25 Day-17 Multi-Stage Dockerfiles are a Game Changer for Django 🐳 # todayilearned # docker # django # devops Comments Add Comment 1 min read POO? (Orientação a objetos) Natália Catunda Natália Catunda Natália Catunda Follow Dec 26 '25 POO? (Orientação a objetos) # todayilearned # programming # mobile # kotlin Comments Add Comment 1 min read Terraform: using Ephemeral Resources and Write-Only Attributes Arseny Zinchenko Arseny Zinchenko Arseny Zinchenko Follow Dec 28 '25 Terraform: using Ephemeral Resources and Write-Only Attributes # todayilearned # terraform # devops # tutorial Comments Add Comment 9 min read What I learned from my first week in Rust Jordan Barrett Jordan Barrett Jordan Barrett Follow Dec 6 '25 What I learned from my first week in Rust # todayilearned # rust # programming # systems 3 reactions Comments 1 comment 9 min read Databases & SQL Basics for Beginners: A Practical Introduction Jessica Aki Jessica Aki Jessica Aki Follow Jan 6 Databases & SQL Basics for Beginners: A Practical Introduction # todayilearned # database # sql # beginners 1 reaction Comments Add Comment 3 min read My Model Cheated: How Grad-CAM Exposed a 95% Accuracy Lie Adarsh Sriuma Adarsh Sriuma Adarsh Sriuma Follow Nov 30 '25 My Model Cheated: How Grad-CAM Exposed a 95% Accuracy Lie # todayilearned # deeplearning # pytorch # beginners Comments Add Comment 3 min read Real-Time ALB Log Analysis for Proactive Integration Recovery via Datadog Monitors, Workflows and AWS Lambda Marcos Henrique Marcos Henrique Marcos Henrique Follow for AWS Community Builders Dec 8 '25 Real-Time ALB Log Analysis for Proactive Integration Recovery via Datadog Monitors, Workflows and AWS Lambda # todayilearned # aws # datadog 3 reactions Comments Add Comment 7 min read OpenSkills, adding Claude Skills and Superpowers for any agent or IDE Marcos Henrique Marcos Henrique Marcos Henrique Follow Dec 20 '25 OpenSkills, adding Claude Skills and Superpowers for any agent or IDE # todayilearned 2 reactions Comments Add Comment 2 min read Just another November 11 rnd rnd rnd Follow Nov 12 '25 Just another November 11 # todayilearned # programming # php # laravel Comments Add Comment 1 min read TIL: Always Wrap Collections in API Responses Cesar Aguirre Cesar Aguirre Cesar Aguirre Follow Nov 12 '25 TIL: Always Wrap Collections in API Responses # todayilearned # restapi # beginners # aspdotnet 3 reactions Comments Add Comment 2 min read TIL in the Age of Generative AI: Writing with a Focus on Soft Skills sta sta sta Follow Nov 22 '25 TIL in the Age of Generative AI: Writing with a Focus on Soft Skills # todayilearned # ai # llm # softskills Comments Add Comment 4 min read Implementing a Secure Data Governance Architecture on AWS with S3, Glue, Athena, and Lake Formation David💻 David💻 David💻 Follow Oct 18 '25 Implementing a Secure Data Governance Architecture on AWS with S3, Glue, Athena, and Lake Formation # todayilearned # data # awsdatalake # aws 8 reactions Comments Add Comment 5 min read AMAZON WEB SERVICES Azaria Azaria Azaria Follow Nov 17 '25 AMAZON WEB SERVICES # todayilearned # programming # automation # webdev Comments Add Comment 3 min read My First Experience as a Speaker at AWS Community Day Daniel Pepuho Daniel Pepuho Daniel Pepuho Follow Nov 4 '25 My First Experience as a Speaker at AWS Community Day # todayilearned # aws # learning 3 reactions Comments Add Comment 3 min read Concepts Of Cloud Computing Henry Idokoh Henry Idokoh Henry Idokoh Follow Oct 29 '25 Concepts Of Cloud Computing # todayilearned # cloud # devops # cloudcomputing 5 reactions Comments Add Comment 3 min read 🧠 System Design: Foundations, Scaling Strategies, and Resilience Patterns Matheus Gomes 👨💻 Matheus Gomes 👨💻 Matheus Gomes 👨💻 Follow Oct 20 '25 🧠 System Design: Foundations, Scaling Strategies, and Resilience Patterns # todayilearned # systemdesign # programming Comments Add Comment 4 min read API Idempotency: Why Your System Needs It? Vishesh Vishesh Vishesh Follow Sep 19 '25 API Idempotency: Why Your System Needs It? # todayilearned # webdev # programming # api 1 reaction Comments Add Comment 2 min read MCP: The USB-C for AI Development (Why You Should Care) Orlando Ascanio | Gojer. Orlando Ascanio | Gojer. Orlando Ascanio | Gojer. Follow Sep 5 '25 MCP: The USB-C for AI Development (Why You Should Care) # todayilearned # mcp # ai # learning Comments Add Comment 3 min read Implementing OWIN Authentication and roles for AppService in ASP.NET Framework David💻 David💻 David💻 Follow Oct 5 '25 Implementing OWIN Authentication and roles for AppService in ASP.NET Framework # todayilearned # azure # programming # webdev 33 reactions Comments Add Comment 7 min read TIL: BEAM Dirty Work!! Renato Valim Renato Valim Renato Valim Follow Oct 1 '25 TIL: BEAM Dirty Work!! # todayilearned # elixir # erlang # computerscience 5 reactions Comments 2 comments 4 min read Day 8 of 100. TANYA LYOP ACHAYI TANYA LYOP ACHAYI TANYA LYOP ACHAYI Follow Aug 29 '25 Day 8 of 100. # todayilearned # python # programming 1 reaction Comments Add Comment 1 min read Automating EBS Volume Upsizing on AWS David💻 David💻 David💻 Follow Sep 29 '25 Automating EBS Volume Upsizing on AWS # todayilearned # aws # programming # python 37 reactions Comments Add Comment 12 min read Day in paiyilgam (java) Hayes vincent Hayes vincent Hayes vincent Follow Aug 18 '25 Day in paiyilgam (java) # todayilearned # java # beginners # programming 4 reactions Comments 1 comment 1 min read Terraform: AWS EKS Terraform module update from version 20.x to version 21.x Arseny Zinchenko Arseny Zinchenko Arseny Zinchenko Follow Sep 13 '25 Terraform: AWS EKS Terraform module update from version 20.x to version 21.x # todayilearned # terraform # kubernetes # devops Comments Add Comment 12 min read loading... trending guides/resources OpenSkills, adding Claude Skills and Superpowers for any agent or IDE Real-Time ALB Log Analysis for Proactive Integration Recovery via Datadog Monitors, Workflows and... My Model Cheated: How Grad-CAM Exposed a 95% Accuracy Lie My First Experience as a Speaker at AWS Community Day Just another November 11 Day-17 Multi-Stage Dockerfiles are a Game Changer for Django 🐳 What I learned from my first week in Rust AMAZON WEB SERVICES POO? (Orientação a objetos) Databases & SQL Basics for Beginners: A Practical Introduction Day-18 Docker Network Drivers & The ADD vs COPY Trap TIL in the Age of Generative AI: Writing with a Focus on Soft Skills Terraform: using Ephemeral Resources and Write-Only Attributes TIL: Always Wrap Collections in API Responses 💎 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:49:42 |
https://dev.to/web3nomad/building-scalable-ai-agent-systems-three-evolutions-3ahe | Building Scalable AI Agent Systems: Three Evolutions - 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 web3nomad.eth Posted on Jan 11 Building Scalable AI Agent Systems: Three Evolutions # systemdesign # agents # architecture # ai I. December 2025 We needed to add a new feature to atypica.AI: group discussions ( discussionChat ). This should've been simple. We already had interviewChat —one-on-one conversations where users deeply engage with AI-simulated personas. Group discussion was just scaling from 1-to-1 to 1-to-many: 3-8 personas engaging simultaneously, watching perspectives collide and insights emerge. In theory, we just needed to: Reuse the interview logic Adjust prompts to simulate group dynamics Tweak the UI to show multiple speakers The reality : We had to modify 12 files. prisma/schema.prisma # New Discussion table src/ai/tools/discussionChat.ts # New tool src/ai/tools/saveDiscussion.ts # Save tool src/app/(study)/agents/studyAgent.ts # Add tool to agent src/app/(study)/agents/fastInsightAgent.ts # Add again src/app/(study)/agents/productRnDAgent.ts # And again ... 6 more files Enter fullscreen mode Exit fullscreen mode Worse, we discovered this: // studyAgentRequest.ts (493 lines) export async function studyAgentRequest ( context ) { const result = await streamText ({ model : llm ( " claude-sonnet-4 " ), system : studySystem (), messages , tools : { webSearch , interview , scoutTask , saveAnalyst , generateReport // ... 15 tools }, onStepFinish : async ( step ) => { // Save messages // Track tokens // Send notifications // ... 120 lines of logic } }); } // fastInsightAgentRequest.ts (416 lines) // 95% identical code // productRnDAgentRequest.ts (302 lines) // 95% identical code Enter fullscreen mode Exit fullscreen mode Three nearly identical agent wrappers. Every new feature required copy-pasting across all three. Every bug fix meant changing it three times. That moment, we realized: something was fundamentally wrong. Not that our code wasn't elegant. Not that we lacked abstraction. But that we were building AI Agent systems with traditional software engineering thinking . This article chronicles how we escaped this trap—through three architectural evolutions, rethinking how AI Agents should be built from first principles. II. Rethinking: What is an AI Agent? Before refactoring, we stopped to ask a fundamental question: What's the essential difference between AI Agents and traditional software? The World of Traditional Software Traditional software is built on state machines : class ResearchSession { state : ' IDLE ' | ' PLANNING ' | ' RESEARCHING ' | ' REPORTING ' ; data : { interviews : Interview []; findings : Finding []; reports : Report []; }; transition ( event : Event ) { switch ( this . state ) { case ' IDLE ' : if ( event . type === ' START ' ) this . state = ' PLANNING ' ; break ; case ' PLANNING ' : if ( event . type === ' PLAN_COMPLETE ' ) this . state = ' RESEARCHING ' ; break ; // ... more state transitions } } } Enter fullscreen mode Exit fullscreen mode This model's core assumptions: State is explicit : I know exactly where I am Transitions are deterministic : Given state + event, next state is unique Control is precise : if-else covers all paths This works beautifully for traditional software. But for AI Agents? The World of AI Agents LLMs don't work this way: const messages = [ { role : ' user ' , content : ' Want to understand young people ' s coffee preferences ' }, { role: ' assistant ' , content: ' I can help you conduct user research ... ' }, { role: ' assistant ' , toolCalls: [{ name: ' scoutTask ' , args: {...} }] }, { role: ' tool ' , content: ' Observed 5 user segments ... ' }, { role: ' assistant ' , content: ' Based on observations , I suggest interviewing 18 - 25 coffee enthusiasts ... ' }, { role: ' assistant ' , toolCalls: [{ name: ' interviewChat ' , args: {...} }] }, // ... ]; Enter fullscreen mode Exit fullscreen mode Where's the "state" here? Not in a state field But in the entire conversation history The AI infers from conversation history: What research does the user want? How far have we progressed? What should happen next? This is a completely different paradigm. Three Core Insights From this observation, we derived three insights that shaped our architectural evolution. Insight 1: Conversation as State Traditional approach: Maintain explicit state // ❌ Traditional: Explicit state management interface ResearchState { stage : ' planning ' | ' researching ' | ' reporting ' ; completedInterviews : number ; pendingTasks : Task []; } // Need synchronization: state and conversation history can diverge Enter fullscreen mode Exit fullscreen mode AI-native approach: Infer state from conversation // ✅ AI-native: Conversation is state const messages = [... conversationHistory ]; // AI infers state from history, no explicit sync needed const result = await streamText ({ messages , // AI knows what to do }); Enter fullscreen mode Exit fullscreen mode Why is conversation superior to state machines? Natural alignment : LLMs work on message history natively Strong fault tolerance : State machines are hard to recover from errors; conversations can be "rewound" and replayed Easy extension : Adding new capabilities doesn't require modifying state graphs Insight 2: Reasoning-Execution Separation How humans make decisions: Understand intent : "What am I trying to achieve?" → Clarify goals Choose method : "How do I do it?" → Execution steps AI Agents should follow the same pattern: // Plan Mode: Understanding intent " User says: want to understand young people's coffee preferences " → Analyze : needs qualitative research → Decide : use group discussion method → Output : complete research plan // Study Agent: Executing plan " Received research plan " → Call discussionChat → Analyze discussion results → Generate insights report Enter fullscreen mode Exit fullscreen mode Why separate? Reasoning needs deep thinking (use Claude Sonnet 4) Execution needs fast response (can use smaller models) Separation of concerns , single responsibility Insight 3: Simple Over Precise Facing the "AI forgetfulness" problem, we could: Option A: Vector DB + Semantic Search // Precise matching of relevant memories const query_embedding = await embed ( user_message ); const relevant_memories = await vectorDB . search ( query_embedding , top_k = 5 ); Enter fullscreen mode Exit fullscreen mode ✅ Precise retrieval ❌ Requires embedding, indexing, complex queries ❌ High maintenance cost Option B: Markdown Files + Full Loading // Simple and transparent const memory = await readFile ( `memories/ ${ userId } .md` ); const messages = [ { role : ' user ' , content : `<UserMemory>\n ${ memory } \n</UserMemory>` }, ... conversationMessages ]; Enter fullscreen mode Exit fullscreen mode ✅ Simple, transparent, user-editable ✅ Leverages large context windows (Claude 200K tokens) ✅ Easier to debug and understand We chose Option B. Why? Context windows changed the game : User memory typically < 10K, full loading is perfectly viable Simple solutions are more reliable : No embedding inconsistency, no retrieval failures User control : Memory is transparent, users can view and edit Four Design Principles From these three insights, we distilled the core principles of our architecture: 1. Messages as Source of Truth All important information lives in messages Database only stores derived state (like reports, study logs) Similar to Event Sourcing: messages are the event log 2. Configuration over Code Use configuration to express differences Use code to express commonalities Avoid over-abstraction 3. AI as State Manager Let AI manage state transitions Don't hand-write complex state machines Adapt to LLM's capability boundaries 4. Simple, Transparent, Controllable Simple beats complex Transparent beats black box User control beats AI automation III. Step 1: Message-Driven Architecture v2.2.0 - 2025-12-27 Problem: Dual Source of Truth Initially, research data was scattered across three places: // Place 1: analyst table const analyst = await prisma . analyst . findUnique ({ where : { id } }); console . log ( analyst . studySummary ); // "Research summary..." // Place 2: interviews table const interviews = await prisma . interview . findMany ({ where : { analystId : id } }); console . log ( interviews . map ( i => i . conclusion )); // ["Interview 1 conclusion", "Interview 2 conclusion"] // Place 3: messages table const messages = await prisma . chatMessage . findMany ({ where : { userChatId } }); // webSearch results are here Enter fullscreen mode Exit fullscreen mode Generating reports required stitching from three places: async function generateReport ( analystId ) { const analyst = await prisma . analyst . findUnique ({ where : { id : analystId }, include : { interviews : true } // JOIN! }); const messages = await prisma . chatMessage . findMany ({ where : { userChatId : analyst . studyUserChatId } }); // Stitch data together const reportData = { summary : analyst . studySummary , // from analyst table interviewInsights : analyst . interviews . map (...), // from interviews table webResearch : extractFromMessages ( messages ) // from messages table }; } Enter fullscreen mode Exit fullscreen mode Problems : Data inconsistency : interviews.conclusion and interview content in messages could diverge Partial failures : When tool calls fail, data is half-saved, hard to trace full context Hard to extend : Adding discussionChat requires new table, new tool, new queries Even worse, tool outputs were inconsistent: // interviewChat: content in DB, returns reference { toolName : ' interviewChat ' , output : { interviewId : 123 } // Need another DB query } // scoutTaskChat: content in return value { toolName : ' scoutTaskChat ' , output : { plainText : " Observation results... " , // Content directly returned insights : [...] } } Enter fullscreen mode Exit fullscreen mode Agents couldn't handle this uniformly, leading to complex code. Solution: Messages as Single Source Core idea : All research content flows into the message stream. Database only stores derived state. // ✅ New architecture: Unified output format interface ResearchToolResult { plainText : string ; // Human-readable summary, required [ key : string ]: any ; // Optional structured data } // interviewChat also returns plainText { toolName : ' interviewChat ' , output : { plainText : " Interview summary: User Zhang San mentioned... " , // ← Full content here interviewId : 123 // Optional: DB reference } } Enter fullscreen mode Exit fullscreen mode Key changes : Removed 5 specialized save tools Deleted: saveInterview , saveDiscussion , saveScoutTask , ... Reason: Agents output directly to messages, no explicit save needed Unified tool output format All research tools return plainText Agents can uniformly process all tool results Generate studyLog on demand // Don't pre-save, generate when needed if ( ! analyst . studyLog ) { const messages = await loadMessages ( studyUserChatId ); const studyLog = await generateStudyLog ( messages ); // ← Generate from messages await prisma . analyst . update ({ where : { id }, data : { studyLog } }); } Enter fullscreen mode Exit fullscreen mode Why This Design? Reasoning from first principles : Conversation as context LLMs need complete context to generate reports Message history is naturally the most complete, most natural context Avoids complexity of "reconstructing context from DB" LLMs excel at extraction Generating structured content (studyLog) from conversations is LLM's strength More flexible and reliable than hand-written parsing logic Shadow of Event Sourcing Message sequence = event log studyLog, report = derived state Can be replayed and regenerated anytime Comparison with other approaches : Approach Pros Cons Why not chosen Messages as source Data consistent, easy to extend Requires extra LLM call to generate studyLog ✅ Our choice Traditional state management Precise control Complex state sync, hard to trace Doesn't suit LLM non-determinism Remove DB entirely Extremely simple Frontend queries difficult, history hard to manage Need structured display Event Sourcing Complete history, replayable High engineering complexity Over-engineered for current scale Impact Code simplification : Deleted files: - src/ai/tools/saveInterview.ts - src/ai/tools/saveDiscussion.ts - src/ai/tools/saveScoutTask.ts - src/ai/tools/savePersona.ts - src/ai/tools/saveWebSearch.ts Simplified files (28): - Agent configs no longer need save tools - generateReport doesn't need multi-table JOINs Enter fullscreen mode Exit fullscreen mode Development efficiency : Before: Adding discussionChat: 1. Create Discussion table 2. Write discussionChat tool 3. Write saveDiscussion tool 4. Add both tools to 3 agents 5. Write discussion query logic 6. Modify generateReport query Total: 12 files, 2-3 days Enter fullscreen mode Exit fullscreen mode After: Adding discussionChat: 1. Write discussionChat tool (returns plainText) 2. Add tool to agent config 3. generateReport auto-supports (reads from messages) Total: 3 files, 2-3 hours Enter fullscreen mode Exit fullscreen mode Cost trade-offs : ✅ Benefits : Simplified architecture: deleted 5 tools, simplified 28 files Data consistency: full context traceable even on failures Easy extension: adding new research methods goes from 12 steps → 3 steps ❌ Costs : studyLog generation requires extra LLM call (~2K tokens, ~$0.002) Slightly higher token consumption for long conversations ✅ Mitigation : Prompt cache reduces repeated token cost by 90% Architectural benefits far outweigh costs III. Step 2: Intent Clarification + Unified Execution v2.3.0 - 2026-01-06 Problem 1: Vague Requirements → Inefficient Dialogue After implementing message-driven architecture, adding features became simpler. But user experience wasn't good enough. When creating research, users often say: "Want to understand young people's coffee preferences" This isn't specific enough: Which young people ? 18-22 college students? Or 23-28 young professionals? What method ? In-depth interviews? Group discussions? Or social media observation? What output ? User personas? Market insights? Or product recommendations? Traditional approach: AI asks multiple questions AI: "Which age group do you want to research?" User: "18-25 I guess" AI: "What method? Interviews or surveys?" User: "Interviews" AI: "How many people?" User: "Around 10" Enter fullscreen mode Exit fullscreen mode Problems : Requires 3-5 conversation rounds Poor user experience (feels like filling forms) AI can't proactively suggest best approaches Problem 2: 95% Duplicate Code While adding features became simpler, we discovered a bigger technical debt: $ wc -l src/app/ ( study ) /agents/ * AgentRequest.ts 493 studyAgentRequest.ts 416 fastInsightAgentRequest.ts 302 productRnDAgentRequest.ts Enter fullscreen mode Exit fullscreen mode Three nearly identical agent wrappers, totaling 1,211 lines . Code duplication mainly in: Message loading and processing (~80 lines each) File attachment handling (~60 lines each) MCP integration (~40 lines each) Token tracking (~50 lines each) Notification sending (~30 lines each) Every new feature (like webhook integration) required changing all three places. Solution: Plan Mode + baseAgentRequest Our solution has two parts: Part 1: Plan Mode (Intent Clarification Layer) A separate agent dedicated to intent clarification: // src/app/(study)/agents/configs/planModeAgentConfig.ts export async function createPlanModeAgentConfig () { return { model : " claude-sonnet-4-5 " , systemPrompt : planModeSystem ({ locale }), tools : { requestInteraction , // Interact with user makeStudyPlan , // Display complete plan, one-click confirm }, maxSteps : 5 , // Max 5 steps to complete clarification }; } Enter fullscreen mode Exit fullscreen mode Workflow : sequenceDiagram participant User participant PlanMode as Plan Mode Agent participant StudyAgent as Study Agent User->>PlanMode: "Want to understand young people's coffee preferences" PlanMode->>PlanMode: Analyze requirements Note over PlanMode: - Target: 18-25 years old<br/>- Research type: qualitative insights<br/>- Best method: group discussion PlanMode->>User: Display complete plan Note over PlanMode,User: 【Research Plan】<br/>Goal: Understand 18-25 coffee preferences<br/>Method: Group discussion (5-8 people)<br/>Duration: ~40 minutes<br/>Output: Consumer insights report<br/><br/>[Confirm Start] [Modify Plan] User->>PlanMode: [Confirm Start] PlanMode->>StudyAgent: Intent recorded in messages Note over StudyAgent: Read intent from conversation history<br/>Execute research plan StudyAgent->>User: Start research execution Enter fullscreen mode Exit fullscreen mode Key design : Plan Mode's decisions are recorded in messages Study Agent infers intent from messages, no explicit passing needed Avoids complexity of context passing Part 2: baseAgentRequest (Unified Executor) Merge three duplicate agent wrappers into one generic executor: // src/app/(study)/agents/baseAgentRequest.ts (577 lines) interface AgentRequestConfig < TOOLS extends ToolSet > { model : LLMModelName ; systemPrompt : string ; tools : TOOLS ; maxSteps ?: number ; specialHandlers ?: { // Dynamically control which tools are available customPrepareStep ?: ( options ) => { messages , activeTools ?: ( keyof TOOLS )[] }; // Custom post-processing logic customOnStepFinish ?: ( step , context ) => Promise < void > ; }; } async function executeBaseAgentRequest < TOOLS > ( baseContext : BaseAgentContext , config : AgentRequestConfig < TOOLS > , streamWriter : UIMessageStreamWriter ) { // Phase 1: Initialization // Phase 2: Prepare Messages // Phase 3: Universal Attachment Processing // Phase 4: Universal MCP and Team System Prompt // Phase 5: Load Memory and Inject into Context // Phase 6: Main Streaming Loop // Phase 7: Universal Notifications } Enter fullscreen mode Exit fullscreen mode Agent routing : // src/app/(study)/api/chat/route.ts if ( ! analyst . kind ) { // Plan Mode - intent clarification const config = await createPlanModeAgentConfig ( agentContext ); await executeBaseAgentRequest ( agentContext , config , streamWriter ); } else if ( analyst . kind === AnalystKind . productRnD ) { // Product R&D Agent const config = await createProductRnDAgentConfig ( agentContext ); await executeBaseAgentRequest ( agentContext , config , streamWriter ); } else { // Study Agent (comprehensive research, fast insights, testing, creative, etc.) const config = await createStudyAgentConfig ( agentContext ); await executeBaseAgentRequest ( agentContext , config , streamWriter ); } Enter fullscreen mode Exit fullscreen mode Each agent only needs to define configuration : // src/app/(study)/agents/configs/studyAgentConfig.ts export async function createStudyAgentConfig ( params ) { return { model : " claude-sonnet-4 " , systemPrompt : studySystem ({ locale }), tools : buildStudyTools ( params ), // ← Tools this agent needs specialHandlers : { // Custom tool control customPrepareStep : async ({ messages }) => { const toolUseCount = calculateToolUsage ( messages ); let activeTools = undefined ; // After report generation, restrict available tools if (( toolUseCount [ ToolName . generateReport ] ?? 0 ) > 0 ) { activeTools = [ ToolName . generateReport , ToolName . reasoningThinking , ToolName . toolCallError , ]; } return { messages , activeTools }; }, // Custom post-processing customOnStepFinish : async ( step ) => { // After saving research intent, auto-generate title const saveAnalystTool = findTool ( step , ToolName . saveAnalyst ); if ( saveAnalystTool ) { await generateChatTitle ( studyUserChatId ); } }, }, }; } Enter fullscreen mode Exit fullscreen mode Why This Design? Reasoning-execution separation rationale : Matches cognitive model Human decision-making: first figure out "what to do", then consider "how to do it" System 1 (intuition) vs System 2 (reasoning) Plan Mode = System 2, Study Agent = System 1 Single responsibility Plan Mode: focuses on intent understanding, doesn't need to know execution details Study Agent: focuses on research execution, doesn't need to handle clarification Each is simpler and easier to maintain Messages as protocol Plan Mode's decisions → messages Study Agent reads intent from messages Loosely coupled without losing context Unified executor rationale : Extract, Don't Rebuild Extract common patterns from three similar implementations Not designing abstraction layer from scratch Configuration over Inheritance Agent differences expressed through configuration No inheritance or polymorphism Plugin-based Lifecycle customPrepareStep : dynamic tool control customOnStepFinish : custom post-processing Preserve extension points, don't hard-code all logic Comparison with other approaches : Approach Pros Cons Why not chosen Plan Mode + baseAgentRequest Remove duplicate code, separate reasoning-execution One more abstraction layer ✅ Our choice Continue copy-pasting Simple and direct Tech debt accumulates, hard to maintain Unsustainable long-term Fully generic agent Least code Sacrifices specialization and control Can't handle business differences Microservices split Independent deployment Over-engineered, adds ops complexity Unnecessary at current scale Impact Code complexity : Deleted: - studyAgentRequest.ts ( 493 lines ) - fastInsightAgentRequest.ts ( 416 lines ) - productRnDAgentRequest.ts ( 302 lines ) Total: -1 ,211 lines Added: + baseAgentRequest.ts ( 577 lines ) + planModeAgentConfig.ts ( 120 lines ) + studyAgentConfig.ts ( 180 lines ) + productRnDAgentConfig.ts ( 80 lines ) Total: +957 lines Net reduction: -254 lines Enter fullscreen mode Exit fullscreen mode But more importantly: Cyclomatic Complexity: 12.3 → 6.7 (45% reduction) Code duplication: 95% → 0% Development efficiency : Before: Adding MCP integration: 1. Modify studyAgentRequest.ts 2. Modify fastInsightAgentRequest.ts 3. Modify productRnDAgentRequest.ts 4. Test three agents Time: 2-3 days Enter fullscreen mode Exit fullscreen mode After: Adding MCP integration: 1. Modify baseAgentRequest.ts 2. All agents automatically gain new capability Time: 2-3 hours Enter fullscreen mode Exit fullscreen mode User experience : Before: User: "Want to understand young people's coffee preferences" AI: "Which age group do you want to research?" User: "18-25" AI: "What method do you want to use?" User: "Interviews I guess" AI: "How many people?" ... (3-5 conversation rounds) Enter fullscreen mode Exit fullscreen mode After: User: "Want to understand young people's coffee preferences" AI displays complete plan: ┌─────────────────────────────────────┐ │ 【Research Plan】 │ │ Goal: Understand 18-25 coffee prefs │ │ Method: Group discussion (5-8 ppl) │ │ Duration: ~40 minutes │ │ Output: Consumer insights report │ │ │ │ [Confirm Start] [Modify Plan] │ └─────────────────────────────────────┘ Enter fullscreen mode Exit fullscreen mode Intent clarification: 3-5 conversation rounds → 1 confirmation III. Step 3: Persistent Memory v2.3.0 - 2026-01-08 Problem: AI "Amnesia" With intent clarification and unified architecture, the research workflow was smooth. But long-term users reported a problem: "Why does the AI ask me what industry I'm in every single time?" The AI doesn't remember users. Every conversation feels like the first meeting: "What industry are you in?" "Which dimensions do you care about?" "What's your research goal?" Users feel the AI is "forgetful", the experience lacks personalization. Root cause : LLMs are stateless. Each conversation: const result = await streamText ({ messages : currentConversation , // ← Only current conversation // No context from historical conversations }); Enter fullscreen mode Exit fullscreen mode Although we have historical conversations in the DB: Cross-conversation info lost : Each research is an independent session Important info buried : Key information in long conversations is hard to extract No persistent memory : No long-term memory of "who the user is" Solution: Two-Tier Memory Architecture We need a persistent memory system. But how to design it? Inspired by Anthropic's CLAUDE.md approach : Simple Markdown files User-viewable and editable Fully loaded into context We adopted a similar approach but added automatic update mechanisms. Data Model model Memory { id Int @id @default(autoincrement()) userId Int? // User-level memory teamId Int? // Team-level memory version Int // Version management // Two-tier architecture core String @default("") @db.Text // Core memory (Markdown) working Json @default("[]") // Working memory (JSON, to be consolidated) changeNotes String @db.Text // Update notes @@unique([userId, version]) @@index([userId, version(sort: Desc)]) } Enter fullscreen mode Exit fullscreen mode Two-tier architecture : Core Memory (core) Markdown format, human-readable Long-term stable user information Example: # User Information - Industry: Consumer goods product manager - Focus: Young consumer preferences, emerging trends # Research Style - Prefers qualitative research (interviews, discussions) - Values authentic user voices over statistics Working Memory (working) JSON format, structured New information to be consolidated Example: [ { "info" : "User recently focused on coffee market" , "source" : "chat_123" }, { "info" : "Prefers group discussion method" , "source" : "chat_124" } ] Automatic Update Mechanism Two-stage update : // src/app/(memory)/actions.ts async function updateMemory ({ userId , conversationContext }) { let memory = await loadLatestMemory ( userId ); // Step 1: Reorganize when threshold exceeded (Claude Sonnet 4.5) if ( memory . core . length > 8000 || memory . working . length > 20 ) { memory = await reorganizeMemory ( memory , conversationContext ); } // Step 2: Extract new information (Claude Haiku 4.5) const newInfo = await extractMemoryUpdate ( memory . core , conversationContext ); if ( newInfo ) { // Step 3: Insert new information at specified location await insertMemoryInfo ( memory , newInfo ); } } Enter fullscreen mode Exit fullscreen mode Memory Update Agent (Haiku 4.5) : Extract new user information from conversations Low cost (~$0.001/time) Runs in background after each conversation Memory Reorganize Agent (Sonnet 4.5) : Consolidate working memory into core memory Remove redundancy, merge similar information Slightly higher cost (~$0.02/time), but infrequently triggered Integration into Conversation Flow // src/app/(study)/agents/baseAgentRequest.ts // Phase 5: Load Memory const memory = await loadUserMemory ( userId ); if ( memory ?. core ) { // Inject at conversation start modelMessages = [ { role : ' user ' , content : `<UserMemory>\n ${ memory . core } \n</UserMemory>` }, ... modelMessages ]; } // Phase 6: Streaming const result = await streamText ({ messages : modelMessages , // ← Includes user memory // ... }); // Phase 7: Non-blocking memory update waitUntil ( updateMemory ({ userId , conversationContext : messages }) ); Enter fullscreen mode Exit fullscreen mode Why This Design? Why Markdown over Vector DB? Context window is large enough Claude 3.5 Sonnet: 200K tokens User memory typically < 10K characters (~3K tokens) Full loading is simpler and more accurate than retrieval Simple and transparent Markdown is user-readable and editable No embeddings, no vector search, no complex indexing Aligns with Anthropic's philosophy: user control Avoid premature optimization Don't need real-time retrieval (low conversation frequency) Don't need precise matching (full text provides enough context) Start with simple solution, optimize when necessary Comparison with mainstream approaches : Approach Storage Control Retrieval atypica choice rationale Anthropic (CLAUDE.md) File-based User-driven Full loading ✅ Simple, transparent, effective with large context OpenAI Vector DB (speculated) AI + user confirmation Semantic retrieval ❌ Black box, weak user control Mem0 Vector + Graph + KV AI-driven Hybrid retrieval ❌ Over-engineered, high maintenance cost MemGPT OS-inspired tiered AI self-managed Tiered retrieval ❌ Conceptually complex, utility unproven We chose Anthropic's simple approach because: Fits current scale (personal assistant, not enterprise knowledge base) User controllable (transparent, editable) As context windows grow, this approach becomes better Impact User experience : Before: First conversation: User: "Want to do coffee research" AI: "What industry are you in?" User: "Consumer goods" AI: "What dimensions do you care about?" ... Second conversation (a week later): User: "Want to do tea beverage research" AI: "What industry are you in?" # ← Asks again Enter fullscreen mode Exit fullscreen mode After: First conversation: User: "Want to do coffee research" AI: "What industry are you in?" User: "Consumer goods product manager" # AI remembers Second conversation (a week later): User: "Want to do tea beverage research" AI: "Based on your background as a consumer goods PM, I suggest..." # ← Remembers! Enter fullscreen mode Exit fullscreen mode System cost : Memory Update (per conversation): - Model: Claude Haiku 4.5 - Tokens: ~5K - Cost: ~$0.001 Memory Reorganize (every 20 conversations): - Model: Claude Sonnet 4.5 - Tokens: ~15K - Cost: ~$0.02 Average cost: ~$0.002/conversation Enter fullscreen mode Exit fullscreen mode Response time : Memory loading: +50ms (non-blocking) Memory update: background, doesn't affect response Enter fullscreen mode Exit fullscreen mode Low cost, fast response, completely acceptable. IV. Architecture Comparison: Our Unique Choices Now let's step back and see how atypica's architecture differs from mainstream AI Agent frameworks. State Management: Messages vs Memory Classes atypica LangChain Core Difference Messages as source ConversationBufferMemory We believe conversation history is the best state Generate studyLog on demand Pre-compute summary Avoid sync issues, traceable on failures DB stores derived state DB stores core state Similar to Event Sourcing Why different? LangChain's design is influenced by traditional software, believing "state should be explicitly stored and managed." We believe, for LLMs: Conversation history = complete state Derived state (studyLog) can be regenerated Simpler, more fault-tolerant Agent Architecture: Configuration vs Graph atypica LangGraph Core Difference Configuration-driven Graph-driven We use configuration to express differences, code for commonalities Single executor Node orchestration Avoid over-abstraction, good enough is enough Messages as protocol Explicit node communication Loosely coupled without losing context Why different? LangGraph pursues generality, using graph orchestration to express arbitrarily complex flows. We believe, for our scenarios: Configuration-driven is simpler : 99% of needs can be met with configuration Single executor is sufficient : Don't need graph orchestration's flexibility Simpler is more reliable : Fewer abstraction layers, easier to debug Memory System: Markdown vs Vector DB atypica Mem0 Core Difference Markdown files Vector + Graph + KV We choose simple and transparent over precise and complex Full loading Semantic retrieval When context window is large enough, full text is better User-editable AI black box User trust comes from transparency Why different? Mem0 pursues precise retrieval, using multiple databases in hybrid. We believe, for personal assistants: Simple solution is enough : User memory typically < 10K Transparent beats precise : Users can view and edit memory Gets better as context grows : At 1M tokens in the future, this approach will crush Vector DB Core Philosophy Differences atypica's choices : Simple, transparent, controllable Adapt to LLM characteristics (large context, non-determinism) Start from real pain points, not pursuing architectural perfection Mainstream frameworks' choices : Precise, complex, automatic Port traditional software engineering patterns Pursue generality and flexibility Who's right or wrong? Neither is wrong. It's just: Our scenario (personal research assistant) suits simple approaches better As context windows grow, simple approaches become better User trust comes from transparency, not AI magic V. Quantitative Impact Specific impact from three evolutions: Code Complexity Duplicate code: Before: 1,211 lines (three agent wrappers) After: 0 lines Reduction: 100% Total lines of code: Before: 1,211 lines (duplicates) + others After: 577 lines (base) + 380 lines (configs) = 957 lines Net reduction: 254 lines (21%) Cyclomatic Complexity (code complexity metric): Before: avg 12.3 After: avg 6.7 Reduction: 45% Enter fullscreen mode Exit fullscreen mode Development Efficiency Task Before After Improvement Add new research method 12 files, 2-3 days 3 files, 2-3 hours 10x Add new capability (MCP) Modify 3 places, 1 day Modify 1 place, 2 hours 4x Fix bug Change 3 agents Change 1 base 3x System Performance Token consumption (with prompt cache): - studyLog generation: ~2K tokens (~$0.002) - Memory update: ~5K tokens (~$0.005) - Average per conversation: +$0.007 Response time: - Memory loading: +50ms (non-blocking) - Plan Mode: +2s (one-time) - studyLog generation: background, doesn't affect response Enter fullscreen mode Exit fullscreen mode Cost and performance impact negligible. User Experience Intent clarification: Before: average 3.2 conversation rounds After: 1 plan display + 1 confirmation Improvement: 3x efficiency AI "memory": Before: repetitive questions every conversation After: auto-load user preferences Improvement: personalized experience Research startup time: Before: ~5 minutes (multiple rounds of clarification) After: ~1 minute (one-click confirm) Improvement: 5x efficiency Enter fullscreen mode Exit fullscreen mode VI. Lessons Learned What did we learn from three evolutions? What We Did Right 1. Incremental refactoring, not big bang We didn't rewrite the entire system at once. Three evolutions, each step: Delivers value independently Maintains backward compatibility (keeping analyst.studySummary field) Can be rolled back This let us quickly validate ideas and reduce risk. 2. Start from real pain points Don't pursue architectural perfection, instead: Message-driven: because adding discussionChat was too complex Unified execution: because duplicate code was too much Persistent memory: because users reported AI forgetfulness Let problems drive design, not design drive problems. 3. Embrace LLM characteristics Don't treat LLMs as traditional software: Don't hand-write state machines, let AI infer state from conversations Leverage large context windows, rather than pursuing precise retrieval Let AI generate studyLog, rather than hand-writing parsers Adapt to LLM's capability boundaries, rather than fighting them. Costs We Paid 1. Learning curve for abstraction layer baseAgentRequest requires understanding to modify: 6 phases of execution flow Timing of customPrepareStep and customOnStepFinish Generic constraints and type inference But: clear interfaces and documentation lowered the barrier. 2. Cost of on-demand generation studyLog generation requires LLM call (~$0.002/time). But: Prompt cache reduces cost by 90% Architectural benefits >> small cost Acceptable 3. Limitations of simple solutions Markdown memory isn't suitable for: Large-scale knowledge bases (> 100K tokens) Complex relational queries Multi-dimensional retrieval But: Good enough for personal assistant scenarios Can upgrade to Vector DB in the future Solve 80% of problems first Unexpected Benefits 1. Confidence from type safety // Fully type-safe tool handling const tool = step . toolResults . find ( t => ! t . dynamic && t . toolName === ToolName . generateReport ) as StaticToolResult < Pick < StudyToolSet , ToolName . generateReport >> ; if ( tool ?. output ) { const token = tool . output . reportToken ; // ← TypeScript knows this field exists } Enter fullscreen mode Exit fullscreen mode During refactoring, the compiler catches 99% of issues. 2. Flexibility of configuration-driven Adding webhook integration only requires: // baseAgentRequest.ts if ( webhookUrl ) { await sendWebhook ( webhookUrl , step ); } Enter fullscreen mode Exit fullscreen mode All agents automatically gain new capability, no config changes needed. 3. Power of messages as protocol Plan Mode and Study Agent communicate through messages: Decoupled: can be modified independently Without losing context: complete decision process in messages Traceable: can replay when problems occur This was an unexpected benefit. VII. Future Directions Three evolutions brought atypica closer to general-purpose agents. But there's more to do. Short-term (3-6 months) 1. Skills Library Further modularize tools Users can compose their own agents Like GPTs, but more flexible 2. Multi-Agent Collaboration Not just serial execution Parallel research, cross-validation Like AutoGPT, but more controllable Long-term (1-2 years) 3. Evolve toward GEA GEA = General Execution Architecture Not just research agents, but a universal AI Agent execution framework Can run any type of agent 4. Self-Improving Agents Agents learn from past executions Continuously optimize prompts and strategies Get smarter with use Unchanging Principles No matter how we evolve, we stick to: Simple beats complex Transparent beats black box User control beats AI automation VIII. Conclusion Building AI Agent systems is not a simple extension of traditional software engineering. We need to rethink: What is state? ( Conversation history ) What is an interface? ( Message protocol ) What is control flow? ( AI reasoning ) atypica's three evolutions are essentially three cognitive upgrades: From database thinking → data flow thinking Don't maintain explicit state, infer state from messages From code reuse → configuration-driven Don't pursue perfect abstraction, use configuration to express differences From stateless → memory-enhanced Don't rely on precise retrieval, use simple and transparent methods These choices may not be the most "advanced." But they are: Simple : easy to understand, easy to debug Transparent : users know what AI is doing Controllable : users can intervene and adjust Good enough : solve 80% of problems And this, perhaps, is the key to building reliable AI systems. https://atypica.ai/blog/towards-general-agent 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 web3nomad.eth Follow ᵛⁱᵇᵉˢ atypica.ai | *☾ᯓ. 𝗌𝗍𝖺𝗒 𝗅𝗈𝖼𝖺𝗅, 𝗌𝗍𝖺𝗒 𝗉𝗋𝗂𝗏𝖺𝗍𝖾. | Ethereum. Rust. 👨🏻💻 #BuiDL Free Internet | 𝓢𝓲𝓷𝓬𝓮 𝓽𝓱𝓮 𝟣𝟫𝟪𝟢𝓼 ΞΔ 𝟣+𝟣=𝟥 Joined Dec 12, 2025 More from web3nomad.eth Designing Natural AI Memory: Why It Feels Awkward and How to Fix It # ai # agents # ux 💎 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:49:42 |
http://coderabbit.ai/ | AI Code Reviews | CodeRabbit | Try for Free Features Enterprise Customers Pricing Blog Resources Docs Trust Center Contact Us FAQ Log In Get a free trial Cut code review time & bugs in half Instantly. Reviews for AI-powered teams who move fast (but don’t break things) Try it for free 2-click install | Also Available in CLI & IDE The leader in AI code reviews 2M Repositories 13M Pull Requests Most installed AI App Why teams prefer CodeRabbit Why teams prefer CodeRabbit Trusted by 10 , 000+ customers Meet our customers Code reviews were hard before. Now, they feel impossible. Your team moves fast with AI. But fast shouldn’t mean sloppy. We make sure every line still earns its merge. Faster reviews + better code. We do the heavy lifting & spot the hard to find issues. You do the final 10%. See a sample review //1-click & AI fixes Catch fast. Fix fast. 1-click commits for easy fixes and a “Fix with AI” button for harder ones. //Summaries & visual diagrams TL;DR for your diff. Quick context with a summary of changes, a walkthrough & an architectural diagram. //Agentic reviews Find the bugs. Skip the noise. We find bugs humans miss – & flag the time consuming and tedious. Without the noise. //Chat Chat with the CodeRabbit bot directly. Give feedback on reviews to create Learnings. Or create issues, trigger docstrings & more. //Your code, your way Most customizable tool. Customize everything from your coding guidelines to your workflow in a yaml file. //Automated reports The reports you need. Automate the creation of your daily standup reports, sprint reviews, and more. CR_Flexibility The only tool that reviews everywhere you work. Review at the PR stage or directly in your IDE & CLI GIT IDE CLI CR_Quality Industry-leading context. Codebase-awareness is tablestakes. We pull in dozens more points of context than other tools. See a sample review 1. Codebase intelligence Codegraph and custom guidelines help us understand complex dependencies across files to uncover the impact of changes. 2. External context We bring the right context via MCP servers, Linked Issues (Jira & Linear) & Web Query (to fetch the latest info on the web). 3. Linters & Scanners 40+ linters and security scanners catch more bugs – while we filter out the noise from false positives. CR_Intelligence Code reviews that learn from you. Set the baseline with your rules and style guides, then train the agent with feedback via replies. Reviews improve continuously. CodeRabbit learnings Give our AI agent feedback in natural language and it takes that into account in future reviews. Path & AST-based instructions Easily configurable instructions that let you quickly share how you want your code reviewed. Coding agent guidelines Pass your coding instructions from your AI coding tool to CodeRabbit in one click. CR_Finish Ship faster with pre-merge checks & finishing touches. Save hours of work and make sure your code’s ready to ship. Custom checks Create your own pre-merge code quality checks in natural language. Unit test generation Check test coverage and immediately generate any missing tests. Docstring generation Create docstrings to make it easier to understand the file in the future. CR_Security We take security seriously. Architected for security We protect your code and privacy with an architecture designed to ensure your code is private. SSL encrypted data End-to-end encryption protects your code during reviews with zero data retention post-review. SOC 2 Type II certified Enterprise-grade security validated annually through independent SOC2 Type II audits. Get started in 2 clicks. No credit card needed Your browser does not support the video. Start reviewing See pricing Your browser does not support the video. Why teams prefer CodeRabbit I love how deeply it analyzes code… it spots potential errors more often than other tools. Gabriel Almeida Technical Founder @ Langflow CodeRabbit routinely catches off-by-ones, edge cases, and even spec/security slips before they hit production. Brandon Romano Senior Staff Software Engineer @ Clerk It enforced a more precise UUID check and saved us from a production issue. Kyrylo Buha Member of Technical Staff @ Writer Writing code faster was never the issue; the bottleneck was always code review. I feel like CodeRabbit is solving that one problem and that was attractive. Why not solve that problem before we use a coding agent? Kiran Kanagasekar Senior Engineering Manager @ TaskRabbit CodeRabbit provides instant and accurate feedback on pull requests often catching real issues. Auto-generated summaries and walkthroughs are very helpful for human code reviewers. Our team loves having contextual conversations with AI right within GitHub's comment threads, turning each pull request into a collaborative AI chat. It is the most innovative application of AI in coding since Copilot! Code reviews will never be the same, thanks to CodeRabbit! Tanveer Gill CTO and Co-Founder, FluxNinja With CodeRabbit,, everybody was like, give me this. This is fantastic. It speeds up code reviews. We went from a small test to full adoption very quickly. Michael Archibald CTO @ SalesRabbit I love how deeply it analyzes code… it spots potential errors more often than other tools. Gabriel Almeida Technical Founder @ Langflow CodeRabbit routinely catches off-by-ones, edge cases, and even spec/security slips before they hit production. Brandon Romano Senior Staff Software Engineer @ Clerk It enforced a more precise UUID check and saved us from a production issue. Kyrylo Buha Member of Technical Staff @ Writer Writing code faster was never the issue; the bottleneck was always code review. I feel like CodeRabbit is solving that one problem and that was attractive. Why not solve that problem before we use a coding agent? Kiran Kanagasekar Senior Engineering Manager @ TaskRabbit CodeRabbit provides instant and accurate feedback on pull requests often catching real issues. Auto-generated summaries and walkthroughs are very helpful for human code reviewers. Our team loves having contextual conversations with AI right within GitHub's comment threads, turning each pull request into a collaborative AI chat. It is the most innovative application of AI in coding since Copilot! Code reviews will never be the same, thanks to CodeRabbit! Tanveer Gill CTO and Co-Founder, FluxNinja With CodeRabbit,, everybody was like, give me this. This is fantastic. It speeds up code reviews. We went from a small test to full adoption very quickly. Michael Archibald CTO @ SalesRabbit Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy Select language English 日本語 Terms of Service Privacy Policy CodeRabbit Inc © 2026 Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy | 2026-01-13T08:49:42 |
https://future.forem.com/t/solidity | Solidity - Future 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 Future Close # solidity Follow Hide For the Solidity programming language used on EVM chains. Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) Ribhav Ribhav Ribhav Follow Jan 6 Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) # crypto # blockchain # solidity # beginners Comments Add Comment 5 min read Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract Ribhav Ribhav Ribhav Follow Jan 5 Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract # crypto # blockchain # education # solidity 2 reactions Comments Add Comment 7 min read A Database‑Free Web3 Store: MetaMask Authentication and On‑Chain Product Management Arturas-Alfredas Lapinskas Arturas-Alfredas Lapinskas Arturas-Alfredas Lapinskas Follow Jan 10 A Database‑Free Web3 Store: MetaMask Authentication and On‑Chain Product Management # web3 # ether # solidity # blockchain 1 reaction Comments Add Comment 3 min read loading... trending guides/resources Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract A Database‑Free Web3 Store: MetaMask Authentication and On‑Chain Product Management Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) 💎 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:42 |
https://www.algolia.com/de/products/features/data-enrichment | Data Enrichment | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Unternehmen Partners Einloggen Login Logout Algolia mark white Algolia logo white Lösungen Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Branchen Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Preise Entwickler GET STARTED Developer Hub Developer Hub Dokumentation Dokumentation Integrationen Integrationen UI-Komponenten UI-Komponenten Autocomplete Autocomplete RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Schnellstartanleitung Schnellstartanleitung Für Open Source Für Open Source API Status API Status Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Kundengeschichten Kundengeschichten Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Unternehmen Partners Einloggen Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Data Enrichment Verbessern Sie Ihren Suchindex mit Algolia Fetch Nutzen Sie integrierte Enrichment-Funktionen, um Daten während der Indexierung für die Suche zu ändern, anzureichern oder umzustrukturieren. Demo Anfordern Kostenlos Starten Algolia Fetch Bereichern Sie Ihre Daten und verbessern Sie die Datenqualität mit Fetch – einer leistungsstarken Funktion, die Daten über Drittanbieter-APIs direkt in Ihrer Transformations-Pipeline aus externen Quellen abruft. Datenvielfalt erhöhen Fügen Sie Ihren Algolia-Datensätzen wertvollen Kontext hinzu – mit Echtzeitdaten aus jedem kompatiblen Drittanbieter-Connector oder jeder API. Integration vereinfachen Binden Sie externe Datenquellen nahtlos ein – ohne komplexes Pre-Processing. Suchrelevanz verbessern Liefern Sie genauere und relevantere Suchergebnisse mit aktuellen Informationen in Echtzeit. Hilfsfunktionen Schnelle Einrichtung mit mehreren integrierten Funktionen in der Benutzeroberfläche sowie einer offenen API für zusätzliche Anforderungen. So funktioniert es Fetch nutzt eine einfache Funktion, um Daten aus externen Quellen zu importieren. Diese Informationen reichern Ihre Algolia-Datensätze in Echtzeit an und verbessern so die Qualität und Relevanz Ihrer Suchergebnisse. --> Nutzen Sie neue, wirkungsstarke Anwendungsfälle Mit Fetch wird die Datenanreicherung einfacher, Ihr Suchindex besser und die Ergebnisse relevanter. Häufige Anwendungsfälle: Übersetzung Produktbeschreibungen automatisch übersetzen, um ein mehrsprachiges Erlebnis zu unterstützen. Mehr erfahren Personalisierung Benutzerpräferenzen aus Ihrem CRM oder anderen Plattformen einbinden, um maßgeschneiderte und relevantere Suchergebnisse zu liefern. Mehr erfahren Produktdaten Ihre Datensätze mit Echtzeitinformationen zu Bestand, Preisen oder Bewertungen aus externen Quellen anreichern. Mehr erfahren Erweiterung LLMs verwenden, um Metadaten wie Themen oder Stile zu generieren. FAQ – Data Enrichment Muss ich ein separates System einrichten, um Fetch zu nutzen? 0 Nein. Fetch ist direkt in Ihre Transformations-Pipeline integriert. Sie können Daten also dynamisch anreichern, ohne ein separates ETL-System oder zusätzliche Infrastruktur zu verwalten. Welche Arten von externen APIs kann ich mit Fetch verwenden? 0 Sie können jede Drittanbieter-API nutzen, die Daten in einem kompatiblen Format zurückliefert — darunter DeepL, Stripe, HubSpot, OpenWeather oder sogar Ihre eigenen internen APIs. Ist Fetch für alle Algolia-Kunden verfügbar? 0 Ja! Wenden Sie sich an Ihren Algolia-Ansprechpartner oder registrieren Sie sich , um die Verfügbarkeit zu prüfen. Wie werden die abgerufenen Daten meinen Datensätzen hinzugefügt? 0 Die abgerufenen Daten werden während des Transformationsschritts — vor der Indexierung — mit Ihren Datensätzen zusammengeführt. So sind sie vollständig durchsuchbar und sofort zur Abfrage verfügbar. Probieren Sie die KI-Suche aus, die versteht Demo anfordern Starten Sie kostenlos Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Datenschutzrichtlinie Nutzungsbedingungen Richtlinien zur akzeptablen Nutzung | 2026-01-13T08:49:42 |
https://popcorn.forem.com/popcorn_movies/cinemasins-everything-wrong-with-mission-impossible-the-final-reckoning-in-27-minutes-or-less-288 | CinemaSins: Everything Wrong With Mission: Impossible - The Final Reckoning In 27 Minutes Or Less - Popcorn Movies and TV 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 Popcorn Movies and TV 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 Movie News Posted on Nov 28, 2025 CinemaSins: Everything Wrong With Mission: Impossible - The Final Reckoning In 27 Minutes Or Less # movies # reviews # action # marketing TL;DR CinemaSins has dropped their grand finale “Everything Wrong With Mission: Impossible – The Final Reckoning In 27 Minutes Or Less,” roasting Tom Cruise’s death-defying stunts and poking fun at how the series “maybe lost its way” in the last couple of films. They also plug their site, poll, Patreon and social channels (YouTube, Twitter, Instagram, TikTok, Discord, Reddit), plus shout out their writers and even Jeremy’s new book—so you can keep the sins coming long after the credits roll. Watch on YouTube 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 Movie News Follow Joined Jun 22, 2025 More from Movie News Ringer Movies: The 2026 Golden Globes: ‘One Battle After Another’ vs. ‘Hamnet’ Begins # movies # reviews # analysis # streaming CinemaSins: Everything Wrong With Austin Powers in Goldmember in 19 Minutes Or Less # movies # reviews # analysis # marketing Ringer Movies: Five Burning Questions About Awards Season & Our Golden Globes Predictions # movies # analysis # reviews # recommendations 💎 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 Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. 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 . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account | 2026-01-13T08:49:42 |
https://coderabbit.ai/customers | CodeRabbit Customers | AI Code Reviews Features Enterprise Customers Pricing Blog Resources Docs Trust Center Contact Us FAQ Log In Get a free trial Meet our customers. How Visma enhanced code quality and streamlined reviews See Case Study How SalesRabbit reduced bugs by 30% and increased velocity by 25% See Case Study View more cases Trusted by 10,000+ customers Proven Impact CodeRabbit has proven invaluable in uncovering discrepancies between our documentation and actual test coverage. Highlighting inconsistencies like missing null checks or mismatched value ranges significantly improved the quality of our codebase and prevented numerous potential issues. David Neal Senior Director of Engineering See Case Study What our users are saying CodeRabbit has transformed our development process by providing intelligent, automated code reviews that understand the complexities of robotics software. Our team can now focus on innovation while maintaining the highest standards of code quality and safety Paul Popescu CEO, Agora Robotics What impresses me most about CodeRabbit isn't just the time it saves - it's how it elevates the entire code review discussion. As both a CEO and active coder, I see it bridging the gap between high-level engineering metrics and day-to-day code quality. It's quickly become our secret weapon for maintaining engineering excellence while moving fast. Naomi Chopra Co-founder and CEO, Hatica - Engineering Analytics Platform What sets CodeRabbit apart is its deep understanding of code structure through AST analysis. Having built developer tools myself and taking part of the NixOS community, I can appreciate the technical sophistication behind their approach. It's not just pattern matching - it's intelligent code comprehension that integrates seamlessly into our existing workflows. Ron Efroni NixOS Board Member & Founder, FloxDev At Expanso, we're simplifying distributed compute for everyone. Having a code review tool that truly understands complex code structure and edge cases is game-changing. CodeRabbit helps us maintain rigorous quality standards while moving fast - essential when building infrastructure for the distributed future. David Aronchick CEO, Expanso & Founder, Bacalhau.org CodeRabbit was easy to setup, and instantly gives every pull request an AI summary of changes and line by line code review. Our team likes the conversational nature where you can ask the bot questions back and forth and it responds and takes your feedback. Most importantly, it gets people thinking about the comments and triggers them to revisit code and do a deeper review than they would have otherwise. Nathan Esquenazi CTO & Co-founder, CodePath CodeRabbit has transformed our development process by providing intelligent, automated code reviews that understand the complexities of robotics software. Our team can now focus on innovation while maintaining the highest standards of code quality and safety Paul Popescu CEO, Agora Robotics What impresses me most about CodeRabbit isn't just the time it saves - it's how it elevates the entire code review discussion. As both a CEO and active coder, I see it bridging the gap between high-level engineering metrics and day-to-day code quality. It's quickly become our secret weapon for maintaining engineering excellence while moving fast. Naomi Chopra Co-founder and CEO, Hatica - Engineering Analytics Platform What sets CodeRabbit apart is its deep understanding of code structure through AST analysis. Having built developer tools myself and taking part of the NixOS community, I can appreciate the technical sophistication behind their approach. It's not just pattern matching - it's intelligent code comprehension that integrates seamlessly into our existing workflows. Ron Efroni NixOS Board Member & Founder, FloxDev At Expanso, we're simplifying distributed compute for everyone. Having a code review tool that truly understands complex code structure and edge cases is game-changing. CodeRabbit helps us maintain rigorous quality standards while moving fast - essential when building infrastructure for the distributed future. David Aronchick CEO, Expanso & Founder, Bacalhau.org CodeRabbit was easy to setup, and instantly gives every pull request an AI summary of changes and line by line code review. Our team likes the conversational nature where you can ask the bot questions back and forth and it responds and takes your feedback. Most importantly, it gets people thinking about the comments and triggers them to revisit code and do a deeper review than they would have otherwise. Nathan Esquenazi CTO & Co-founder, CodePath Get started in 2 clicks. No credit card needed Your browser does not support the video. Start reviewing See pricing Your browser does not support the video. Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy Select language English 日本語 Terms of Service Privacy Policy CodeRabbit Inc © 2026 Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy VLAD ARBATOV @ vladzima · Follow I recommend @coderabbitai as it's the first AI PR reviewer I've seen that brings value and then some. 2:12 PM · Sep 3, 2024 1 Reply Copy link Read more on X VLAD ARBATOV @ vladzima · Follow I recommend @coderabbitai as it's the first AI PR reviewer I've seen that brings value and then some. 2:12 PM · Sep 3, 2024 1 Reply Copy link Read more on X Matt Ronge @ mronge · Follow We've been experimenting with @coderabbitai and it's been pretty phenomenal. It uses AI to scan your pull requests and finds bugs and suggests improvements. It's way more thorough than a typical human review too (in a good way). Not affiliated, just a happy user Matt Ronge @ mronge · Follow We've been experimenting with @coderabbitai and it's been pretty phenomenal. It uses AI to scan your pull requests and finds bugs and suggests improvements. It's way more thorough than a typical human review too (in a good way). Not affiliated, just a happy user 8:06 PM · Jan 28, 2025 14 Reply Copy link Read 2 replies 8:06 PM · Jan 28, 2025 14 Reply Copy link Read 2 replies | 2026-01-13T08:49:42 |
https://www.algolia.com/de/products/features/data-enrichment/ | Data Enrichment | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Unternehmen Partners Einloggen Login Logout Algolia mark white Algolia logo white Lösungen Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Branchen Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Preise Entwickler GET STARTED Developer Hub Developer Hub Dokumentation Dokumentation Integrationen Integrationen UI-Komponenten UI-Komponenten Autocomplete Autocomplete RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Schnellstartanleitung Schnellstartanleitung Für Open Source Für Open Source API Status API Status Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Kundengeschichten Kundengeschichten Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Unternehmen Partners Einloggen Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Data Enrichment Verbessern Sie Ihren Suchindex mit Algolia Fetch Nutzen Sie integrierte Enrichment-Funktionen, um Daten während der Indexierung für die Suche zu ändern, anzureichern oder umzustrukturieren. Demo Anfordern Kostenlos Starten Algolia Fetch Bereichern Sie Ihre Daten und verbessern Sie die Datenqualität mit Fetch – einer leistungsstarken Funktion, die Daten über Drittanbieter-APIs direkt in Ihrer Transformations-Pipeline aus externen Quellen abruft. Datenvielfalt erhöhen Fügen Sie Ihren Algolia-Datensätzen wertvollen Kontext hinzu – mit Echtzeitdaten aus jedem kompatiblen Drittanbieter-Connector oder jeder API. Integration vereinfachen Binden Sie externe Datenquellen nahtlos ein – ohne komplexes Pre-Processing. Suchrelevanz verbessern Liefern Sie genauere und relevantere Suchergebnisse mit aktuellen Informationen in Echtzeit. Hilfsfunktionen Schnelle Einrichtung mit mehreren integrierten Funktionen in der Benutzeroberfläche sowie einer offenen API für zusätzliche Anforderungen. So funktioniert es Fetch nutzt eine einfache Funktion, um Daten aus externen Quellen zu importieren. Diese Informationen reichern Ihre Algolia-Datensätze in Echtzeit an und verbessern so die Qualität und Relevanz Ihrer Suchergebnisse. --> Nutzen Sie neue, wirkungsstarke Anwendungsfälle Mit Fetch wird die Datenanreicherung einfacher, Ihr Suchindex besser und die Ergebnisse relevanter. Häufige Anwendungsfälle: Übersetzung Produktbeschreibungen automatisch übersetzen, um ein mehrsprachiges Erlebnis zu unterstützen. Mehr erfahren Personalisierung Benutzerpräferenzen aus Ihrem CRM oder anderen Plattformen einbinden, um maßgeschneiderte und relevantere Suchergebnisse zu liefern. Mehr erfahren Produktdaten Ihre Datensätze mit Echtzeitinformationen zu Bestand, Preisen oder Bewertungen aus externen Quellen anreichern. Mehr erfahren Erweiterung LLMs verwenden, um Metadaten wie Themen oder Stile zu generieren. FAQ – Data Enrichment Muss ich ein separates System einrichten, um Fetch zu nutzen? 0 Nein. Fetch ist direkt in Ihre Transformations-Pipeline integriert. Sie können Daten also dynamisch anreichern, ohne ein separates ETL-System oder zusätzliche Infrastruktur zu verwalten. Welche Arten von externen APIs kann ich mit Fetch verwenden? 0 Sie können jede Drittanbieter-API nutzen, die Daten in einem kompatiblen Format zurückliefert — darunter DeepL, Stripe, HubSpot, OpenWeather oder sogar Ihre eigenen internen APIs. Ist Fetch für alle Algolia-Kunden verfügbar? 0 Ja! Wenden Sie sich an Ihren Algolia-Ansprechpartner oder registrieren Sie sich , um die Verfügbarkeit zu prüfen. Wie werden die abgerufenen Daten meinen Datensätzen hinzugefügt? 0 Die abgerufenen Daten werden während des Transformationsschritts — vor der Indexierung — mit Ihren Datensätzen zusammengeführt. So sind sie vollständig durchsuchbar und sofort zur Abfrage verfügbar. Probieren Sie die KI-Suche aus, die versteht Demo anfordern Starten Sie kostenlos Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Datenschutzrichtlinie Nutzungsbedingungen Richtlinien zur akzeptablen Nutzung | 2026-01-13T08:49:42 |
https://dev.to/pockit_tools/pnpm-vs-npm-vs-yarn-vs-bun-the-2026-package-manager-showdown-51dc#large-monorepo-15-packages-800-dependencies | pnpm vs npm vs yarn vs Bun: The 2026 Package Manager Showdown - 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 HK Lee Posted on Jan 9 • Originally published at pockit.tools pnpm vs npm vs yarn vs Bun: The 2026 Package Manager Showdown # bunjs # pnpm # yarn # npm Every JavaScript project starts with a choice: which package manager? For years, it was npm by default. Then yarn promised faster installs. Then pnpm claimed to save gigabytes of disk space. And now Bun's built-in package manager claims to make everything else obsolete. But here's what no one tells you: the "best" package manager depends entirely on your specific use case, and blindly following benchmarks can lead you astray. A package manager that's perfect for a solo developer's side project might be terrible for a 500-package monorepo—and vice versa. This guide cuts through the marketing hype. After extensive testing across different project sizes and configurations in January 2026, here's what actually matters for each package manager, when to use it, and how to migrate if you need to. 📌 Version Note: This comparison covers npm 11.x, yarn 4.x (Berry), pnpm 10.x, and Bun 1.3 as of January 2026. The Quick Verdict If you're in a hurry, here's the short version: Use Case Recommended Why Solo/small projects Bun Fastest by far, simplest setup Large monorepos pnpm Best disk efficiency, workspace support Enterprise/legacy npm Maximum compatibility, no surprises Yarn ecosystem yarn 4 PnP mode, excellent plugins Performance at scale pnpm or Bun Both excel, pnpm more mature Now let's dive into why. The Contenders: 2026 State of Play npm 11.x Status: Still the default, ships with Node.js Latest: npm 11.7.0 (December 2025) Philosophy: Compatibility over innovation Key Strength: Works everywhere, always npm has evolved significantly. The node_modules structure is now more optimized, and features like npm audit have become industry standards. But npm's conservative approach means it's rarely the fastest or most efficient—it's just the most reliable. yarn 4.x (Berry) Status: Complete rewrite from yarn 1.x Latest: yarn 4.12.0 (January 2026) Philosophy: Innovation through Plug'n'Play (PnP) Key Strength: Zero-installs, plugin architecture Yarn Berry is essentially a different product from yarn 1. The Plug'n'Play feature eliminates node_modules entirely, instead using a .pnp.cjs file that maps imports directly to zip archives. It's radical—and divisive. pnpm 10.x Status: The "smart" alternative Latest: pnpm 10.27.0 (December 2025) Philosophy: Efficiency without breaking compatibility Key Strength: Content-addressable storage, true deduplication pnpm's approach is elegant: store all packages once in a global content-addressable store, then use hard links to make them appear in each project's node_modules . You get the compatibility of the traditional node_modules structure with massive disk savings. Bun 1.3 Package Manager Status: The new challenger Latest: Bun 1.3.0 (January 1, 2026) Philosophy: Speed above all else Key Strength: Native speed, zero configuration, full-stack capabilities Bun isn't just a package manager—it's a complete JavaScript runtime. Bun 1.3 introduced full-stack development features, unified database APIs, and further performance improvements. Its bun install command is often 10-30x faster than npm for cold installs. Benchmark Results: Cold Install Performance Let's start with what everyone cares about—raw speed. We tested each package manager on the same projects with cleared caches: Small Project (50 dependencies) Project: Typical React + TypeScript starter Dependencies: 50 direct, ~400 total Cold Install Times (cleared cache): ┌────────────┬──────────┬────────────┐ │ Manager │ Time │ vs npm │ ├────────────┼──────────┼────────────┤ │ bun │ 0.8s │ 18x faster │ │ pnpm │ 4.2s │ 3.4x faster│ │ yarn │ 6.8s │ 2.1x faster│ │ npm │ 14.3s │ baseline │ └────────────┴──────────┴────────────┘ Enter fullscreen mode Exit fullscreen mode Medium Project (200 dependencies) Project: Next.js 15 app with common libraries Dependencies: 200 direct, ~1,200 total Cold Install Times (cleared cache): ┌────────────┬──────────┬────────────┐ │ Manager │ Time │ vs npm │ ├────────────┼──────────┼────────────┤ │ bun │ 2.1s │ 22x faster │ │ pnpm │ 12.4s │ 3.7x faster│ │ yarn │ 18.2s │ 2.5x faster│ │ npm │ 46.1s │ baseline │ └────────────┴──────────┴────────────┘ Enter fullscreen mode Exit fullscreen mode Large Monorepo (15 packages, 800 dependencies) Project: Turborepo monorepo with 15 packages Dependencies: 800 direct, ~3,500 total Cold Install Times (cleared cache): ┌────────────┬──────────┬────────────┐ │ Manager │ Time │ vs npm │ ├────────────┼──────────┼────────────┤ │ bun │ 4.8s │ 28x faster │ │ pnpm │ 28.6s │ 4.7x faster│ │ yarn │ 52.3s │ 2.6x faster│ │ npm │ 134.2s │ baseline │ └────────────┴──────────┴────────────┘ Enter fullscreen mode Exit fullscreen mode Key Insight: Bun's lead actually increases with project size. For monorepos, the difference is staggering. Cached/Warm Install Performance But cold installs aren't the whole story. Most of the time, you're installing with some level of caching: Warm Install (lockfile exists, some cache): ┌────────────┬──────────────┬──────────────┐ │ Manager │ Small (50) │ Large (800) │ ├────────────┼──────────────┼──────────────┤ │ bun │ 0.3s │ 1.2s │ │ pnpm │ 1.1s │ 8.4s │ │ yarn (PnP) │ 0.0s* │ 0.0s* │ │ npm │ 3.2s │ 24.6s │ └────────────┴──────────────┴──────────────┘ * Yarn PnP with zero-installs commits dependencies to repo Enter fullscreen mode Exit fullscreen mode Yarn's Zero-Installs Trick: With PnP mode and zero-installs, yarn commits your dependencies directly to the repository. CI/CD runs need zero install time—they just yarn and go. The tradeoff? Your repo size increases significantly. Disk Usage: Where pnpm Shines Raw speed is one thing, but what about your hard drive? Single Project Disk Usage Same 200-dependency project: ┌────────────┬──────────────┬──────────────┐ │ Manager │ node_modules │ vs npm │ ├────────────┼──────────────┼──────────────┤ │ npm │ 487 MB │ baseline │ │ yarn │ 502 MB │ +3% │ │ pnpm │ 124 MB* │ -75% │ │ bun │ 461 MB │ -5% │ └────────────┴──────────────┴──────────────┘ * pnpm uses hard links to global store Enter fullscreen mode Exit fullscreen mode Multiple Projects (Same Dependencies) Here's where pnpm's architecture pays off. If you have 10 projects using React 19: 10 Projects with overlapping dependencies: ┌────────────┬──────────────┬──────────────┐ │ Manager │ Total Disk │ vs npm │ ├────────────┼──────────────┼──────────────┤ │ npm │ 4.87 GB │ baseline │ │ yarn │ 5.02 GB │ +3% │ │ pnpm │ 612 MB │ -87% │ │ bun │ 4.61 GB │ -5% │ └────────────┴──────────────┴──────────────┘ Enter fullscreen mode Exit fullscreen mode pnpm stores each unique package version exactly once. Every project links to that single copy. If you work on many projects, pnpm can save tens of gigabytes. Bun's Approach: Bun uses a global cache but still creates full node_modules directories. It's faster than npm/yarn but doesn't achieve pnpm's deduplication. Monorepo Support Compared Monorepos have become the default for many organizations. Here's how each manager handles them: Workspace Configuration npm (workspaces): // package.json { "workspaces" : [ "packages/*" , "apps/*" ] } Enter fullscreen mode Exit fullscreen mode yarn (workspaces): // package.json { "workspaces" : [ "packages/*" , "apps/*" ] } Enter fullscreen mode Exit fullscreen mode pnpm (pnpm-workspace.yaml): # pnpm-workspace.yaml packages : - ' packages/*' - ' apps/*' Enter fullscreen mode Exit fullscreen mode Bun (workspaces): // package.json { "workspaces" : [ "packages/*" , "apps/*" ] } Enter fullscreen mode Exit fullscreen mode Workspace Features Comparison Feature npm yarn pnpm Bun Workspace protocol ( workspace:* ) ❌ ✅ ✅ ✅ Selective dependency installation ❌ ✅ ✅ ✅ Parallel task execution ❌ ✅ ✅ ✅ Cross-workspace linking Basic Good Excellent Good Hoisting control Limited Full Full Limited Filtering ( --filter ) ❌ ✅ ✅ ❌ The Bottom Line: pnpm and yarn are the clear leaders for monorepo management. npm's workspace support is functional but basic. Bun's is improving rapidly but still catching up. Real-World Monorepo Performance We tested a Turborepo setup with 15 packages: Task: Install + Build all packages ┌────────────┬──────────────┬──────────────┐ │ Manager │ Install │ Full Build │ ├────────────┼──────────────┼──────────────┤ │ pnpm │ 28.6s │ 142s │ │ bun │ 4.8s │ 138s │ │ yarn │ 52.3s │ 156s │ │ npm │ 134.2s │ 198s │ └────────────┴──────────────┴──────────────┘ Enter fullscreen mode Exit fullscreen mode Interesting: Bun's install speed advantage shrinks when you include build time. The build phase dominates, making the install speed difference less impactful for CI/CD overall. Security Features Security has become a first-class concern. Here's how each manager handles it: Audit Capabilities Feature npm yarn pnpm Bun audit command ✅ Native ✅ Plugin ✅ Native ❌ Auto-fix vulnerabilities ✅ ✅ ✅ ❌ Advisory database npm registry npm registry npm registry - SBOM generation ✅ ✅ Plugin ✅ ❌ Critical Note: Bun currently lacks built-in security auditing. For production applications, you'll need third-party tools like Snyk or Socket. Lockfile Security All four managers use lockfiles to ensure reproducible installs: npm: package-lock.json (JSON) yarn: yarn.lock (custom format) pnpm: pnpm-lock.yaml (YAML) Bun: bun.lockb (binary) Bun's Binary Lockfile: Bun's bun.lockb is binary for speed. While this makes installs faster, it's not human-readable and can't be easily diffed in code review. Bun offers bun.lock (text) as an alternative, but it's not the default. Supply Chain Protection Feature npm yarn pnpm Bun Signature verification ✅ ✅ ✅ ❌ Strict peer dependencies Optional Optional Default Optional .npmrc security options Full Limited Full Limited Network isolation mode ❌ ✅ ✅ ❌ Compatibility Reality Check Here's what nobody talks about: not every package works perfectly with every manager. Known Compatibility Issues (January 2026) pnpm: Some packages break with strict node_modules structure Workaround: shamefully-hoist=true in .npmrc Most major packages now support pnpm natively yarn PnP: Many packages still don't support PnP mode Workaround: nodeLinker: node-modules falls back to traditional structure Adoption is improving but still incomplete Bun: ~98% npm compatibility (up from 95% in 2025) Some native modules still have issues Workaround: Use --backend=copyfile for problematic packages Framework Compatibility Framework npm yarn pnpm Bun Next.js 15 ✅ ✅ ✅ ✅ Remix ✅ ✅ ✅ ⚠️ Nuxt 4 ✅ ✅ ✅ ✅ Angular 19 ✅ ⚠️ ✅ ⚠️ SvelteKit ✅ ✅ ✅ ✅ Astro 5 ✅ ✅ ✅ ✅ ⚠️ = Works but some edge cases or extra configuration needed CI/CD Performance For many teams, CI/CD time is where package manager choice really matters: GitHub Actions Benchmark # Same workflow, different package managers # Node.js 22, ubuntu-latest, clean cache ┌────────────┬──────────────┬──────────────┬──────────────┐ │ Manager │ Install │ Cache Hit │ Total Job │ ├────────────┼──────────────┼──────────────┼──────────────┤ │ npm │ 48s │ 12s │ 2m 34s │ │ yarn │ 21s │ 8s │ 2m 15s │ │ yarn (PnP) │ 18s │ 0s* │ 2m 02s │ │ pnpm │ 14s │ 4s │ 2m 08s │ │ bun │ 3s │ 1s │ 1m 52s │ └────────────┴──────────────┴──────────────┴──────────────┘ * Zero-installs : dependencies committed to repo Enter fullscreen mode Exit fullscreen mode Docker Build Performance # Multi-stage build comparison ┌────────────┬──────────────┬──────────────┐ │ Manager │ Layer Cache │ No Cache │ ├────────────┼──────────────┼──────────────┤ │ npm │ 18s │ 52s │ │ pnpm │ 8s │ 24s │ │ bun │ 2s │ 6s │ └────────────┴──────────────┴──────────────┘ Enter fullscreen mode Exit fullscreen mode The Docker Secret: Bun's speed advantage is even more pronounced in Docker because its binary includes the runtime—no need to install Node.js separately. Migration Guides Ready to switch? Here's how: npm → pnpm Install pnpm: npm install -g pnpm Enter fullscreen mode Exit fullscreen mode Import existing lockfile: pnpm import Enter fullscreen mode Exit fullscreen mode Delete old files: rm -rf node_modules package-lock.json Enter fullscreen mode Exit fullscreen mode Install: pnpm install Enter fullscreen mode Exit fullscreen mode Update scripts (if needed): // package.json - usually works as-is { "scripts" : { "dev" : "next dev" , // no change needed "build" : "next build" } } Enter fullscreen mode Exit fullscreen mode npm → Bun Install Bun: curl -fsSL https://bun.sh/install | bash Enter fullscreen mode Exit fullscreen mode Remove old files: rm -rf node_modules package-lock.json Enter fullscreen mode Exit fullscreen mode Install: bun install Enter fullscreen mode Exit fullscreen mode Update scripts for Bun runtime (optional): { "scripts" : { "dev" : "bun run --bun next dev" , "build" : "bun run next build" } } Enter fullscreen mode Exit fullscreen mode yarn 1.x → yarn 4.x (Berry) # Enable corepack (Node.js 16+) corepack enable # Set yarn version yarn set version stable # Migrate configuration yarn config set nodeLinker node-modules # for compatibility # Install yarn install Enter fullscreen mode Exit fullscreen mode Rollback Plan If migration causes issues: # Keep your old lockfile backed up! cp package-lock.json package-lock.json.backup # To rollback: rm -rf node_modules bun.lockb pnpm-lock.yaml yarn.lock mv package-lock.json.backup package-lock.json npm install Enter fullscreen mode Exit fullscreen mode When to Use What: Decision Framework Use npm when: ✅ Maximum compatibility is required ✅ Team is unfamiliar with alternatives ✅ Legacy project with many native dependencies ✅ Corporate environment with strict tooling policies ✅ You want "it just works" Use yarn when: ✅ You need Plug'n'Play zero-installs ✅ You want the plugin ecosystem ✅ Your team is already yarn experts ✅ You need advanced workspace features ✅ Offline-first development is important Use pnpm when: ✅ Disk space is a concern ✅ You have many projects with overlapping dependencies ✅ Large monorepo with complex dependencies ✅ You want speed without sacrificing compatibility ✅ Strict dependency isolation matters Use Bun when: ✅ Speed is the absolute priority ✅ You're starting a new project ✅ CI/CD time is a major cost ✅ You're building Node.js APIs or scripts ✅ You want a unified runtime + package manager The Hidden Costs Nobody Mentions Before you switch, consider: Learning Curve npm → pnpm: Minimal. Almost drop-in. npm → yarn 4: Moderate. PnP mode requires understanding. npm → Bun: Low for package management, higher if using Bun runtime. Tooling Compatibility IDE support: All four work with VS Code, JetBrains, etc. CI/CD templates: npm has the most, Bun the least ready-made Docker images: npm/yarn are everywhere, pnpm common, Bun less common Team Onboarding The fastest package manager doesn't help if it slows down your team. Consider: How comfortable is your team with the new tool? Are your documentation and scripts updated? Have you tested the entire development workflow? Future Outlook: 2026 and Beyond npm: Will remain the default. Focus on incremental improvements. yarn: Continuing to push PnP adoption. Better monorepo support coming. pnpm: Rapid growth in enterprise. Becoming the "safe modern choice." Bun: Aggressive development. Aiming for 100% npm compatibility. May become the default for new projects by 2027. The ecosystem is fragmenting in healthy ways. Competition drives innovation—and all four managers are better for it. Conclusion: There's No Wrong Choice (Mostly) After extensive testing, here's the honest truth: all four package managers work fine for most projects. The performance differences, while measurable, rarely matter for small-to-medium projects. Where choice matters: Monorepos: pnpm or yarn CI/CD-heavy workflows: Bun or pnpm Disk-constrained systems: pnpm Maximum compatibility: npm Bleeding edge: Bun The most important thing isn't which package manager you choose—it's that you choose consistently across your projects and team. Switching between managers constantly creates more friction than any speed difference could justify. My recommendation for 2026: New projects: Try Bun. It's fast enough to justify the minor compatibility risks. Existing projects: Consider pnpm if you're feeling pain. Otherwise, npm is fine. Enterprise monorepos: pnpm is the safe, powerful choice. Benchmarks conducted January 2026 on M3 MacBook Pro with Node.js 22.x. Results will vary based on hardware, network, and project specifics. Always test with your own codebase before making decisions. 🚀 Explore More: This article is from the Pockit Blog . If you found this helpful, check out Pockit.tools . It’s a curated collection of offline-capable dev utilities. Available on Chrome Web Store for free. 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 HK Lee Follow solo web developer Joined Dec 26, 2025 Trending on DEV Community Hot I Am 38, I Am a Nurse, and I Have Always Wanted to Learn Coding # career # learning # beginners # coding Top 7 Featured DEV Posts of the Week # top7 # discuss What was your win this week??? # weeklyretro # discuss 💎 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:49:42 |
https://dev.to/page/hacktoberfest-2025-challenge-contest-rules | 2025 Hacktoberfest Writing Challenge Contest Rules - 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 2025 Hacktoberfest Writing Challenge Contest Rules Contest Announcement 2025 Hacktoberfest Writing Challenge Sponsored by Dev Community Inc.(" Sponsor ") NO ENTRY FEE. NO PURCHASE NECESSARY TO ENTER OR WIN. VOID WHERE PROHIBITED. We urge you to carefully read the terms and conditions of this Contest Landing Page located here and the DEV Community Inc. General Contest Official Rules located here ("Official Rules"), incorporated herein by reference. The following contest specific details on this Contest Announcement Page, together with the Official Rules , govern your participation in the named contest defined below (the "Contest"). Sponsor does not claim ownership rights in your Entry. The Official Rules describe the rights you give to Sponsor by submitting an Entry to participate in the named Contest. In the event of a conflict between the terms of this Contest Announcement Page and the Official Rules, the Official Rules will govern and control. Contest Name : 2025 Hacktoberfest Writing Challenge Entry Period : The Contest begins on October 1, 2025 at 12:00 AM PDT and ends on November 2, 2025 at 11:59 PM PST (the " Entry Period ") How to Enter : All entries must be submitted no later than the end of the Entry Period. You may enter the Contest during the Entry Period as follows: Visit the Contest webpage part of the DEV Community Site located here (the " Contest Page "); and Follow any instructions on the Contest Page and submit your completed entry (each an " Entry "). There is no limit on the number of Entries you may submit during the Entry Period. Required Elements for Entries : Without limiting any terms of the Official Rules, each Entry must include, at a minimum, the following elements: A published submission post on DEV that addresses at least one of the three prompts provided on the Contest Page Original content written specifically for this challenge Appropriate use of the submission template provided on the Contest Page Judging Criteria : All qualified entries will be judged by a panel as selected by Sponsor as set forth in the Official Rules. Judges will award one winner to each prompt based on the following criteria: Quality of writing and clarity of communication Depth of reflection and insight Relevance to the chosen prompt Originality and authenticity Use of examples, links, and supporting materials In the event of a tie in scoring between judges, the judges will select the entry that received the highest number of positive reactions on their DEV post to determine the winner. In the event that a participant may win two or more prompts, and the submissions are a tie, we will favor the participant that has not already won a prompt. Prize(s) : The prizes to be awarded from the Contest are as follows: Prompt Winners (3) will each receive: DEV++ Membership Exclusive DEV Badge Participant Winners (who submit a valid and qualified entry) will receive: A completion badge on their DEV profile 💎 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:49:42 |
https://www.algolia.com/de/industries/marketplaces | Leistungsstarke Marktplatzsuche in großem Maßstab erstellen | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Unternehmen Partners Einloggen Login Logout Algolia mark white Algolia logo white Lösungen Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Branchen Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Preise Entwickler GET STARTED Developer Hub Developer Hub Dokumentation Dokumentation Integrationen Integrationen UI-Komponenten UI-Komponenten Autocomplete Autocomplete RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Schnellstartanleitung Schnellstartanleitung Für Open Source Für Open Source API Status API Status Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Kundengeschichten Kundengeschichten Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Unternehmen Partners Einloggen Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Marktplätzen-Suche Aufbauen leistungsfähiger Marktplatzsuche im großen Maßstab Algolia ist eine Search-as-a-Service-API, die Marktplätze dabei unterstützt, leistungsstarke Sucherlebnisse in großem Maßstab aufzubauen und gleichzeitig die Engineering-Zeit zu reduzieren. Demo Anfordern Kostenlos Starten ührende Marken vertrauen auf Algolia “It’s been a pleasure to actually have a project that starts on time, lands on time, and provides results. It’s also nice to have developers that like the technology they’re working on.” “Es war eine Freude, ein Projekt zu haben, das pünktlich beginnt, pünktlich landet und Ergebnisse liefert. Es ist auch schön, Entwickler zu haben, welche die Technologie mögen, an der sie arbeiten.” Chloé Martinot Product Manager, Team Search @ ManoMano Fallstudie Lesen Entlasten Sie Ihr Engineering-Team Launch a test case, build front-end experiences and integrate with other platforms — all within hours. Focus on value-added tasks instead of maintaining your search infrastructure. Search-as-a-service Unsere Such-API wird vollständig vom Algolia-Team gehostet, verwaltet und gesichert Geschwindigkeit und Relevanz im großen Maßstab: Algolia bedient 70 Milliarden Abfragen/Monat Beinahe-Echtzeit-Indexierung API zuerst Einfache Front-End- und Back-End-Integration Vollständig programmseitig konfigurierbar Hochgradig anpassbar Transparenter, vollständig anpassbarer Ranking-Algorithmus Konfigurierbare Textrelevanz zur Anpassung an Ihre benutzergenerierten Inhalte Nutzen Sie Ihre Erstanbieter-Daten Iterieren Sie schneller Lassen Sie nicht zu, dass unzureichende Blöcke Ihres Technologie-Stacks strategische Initiativen wie internationale Expansion oder Iterationen Ihre Benutzererfahrung verlangsamen. Algolia bietet umfangreiche Entwickler-Tools sowie verpackte Innovation und ist bereit für die Internationalisierung. Verpackte Innovation Kontinuierliche Optimierung der Engine Integrierte Abfragevorschläge, dynamische Facettierung, … Feuern Sie Sprachsuche und Personalisierungsinitiativen an Entwickler zuerst Umfangreiche Dokumentation Erweiterte Front-End-Bibliotheken API-Clients in 12 Sprachen Zur Internationalisierung bereit Unterstützung für mehr als 70 Sprachen Geoverteilte Infrastruktur Einfache Replikation Ihrer Daten und Einstellungen Let your business teams run autonomously Ermöglichen Sie Ihrem Merchandising-Team, Werbekampagnen zu starten und mit wenigen Klicks auf die neuesten Trends auf dem Markt oder auf Merchandise-spezifische Keywords oder Kategorieseiten zu reagieren, ohne die IT mit einem intuitiven visuellen Editor einbinden zu müssen. Entdecken Sie das Merchandising Studio Recommended content DC360 Report: A blueprint for B2B technology From configure-price-quote systems to marketplace connections to AI-powered site search, flourishing B2B companies are deploying digital technology that connects with their customers and grows sales. Read more DC360 Report: How to stand out on marketplaces Learn how to stand out with strategies for managing your products across multiple marketplaces, marketing tactics and how to make your Amazon business attractive to sell. Read more How edX uses Algolia to connect online learners with the right courses Learn how edX, an educational technology platform, improved the way they connect learners with the right educational courses using Algolia Search. Read more See more Machen Sie es jedem möglich, eine tolle Search & Discovery zu erstellen Demo Anfordern Kostenlos Starten Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Datenschutzrichtlinie Nutzungsbedingungen Richtlinien zur akzeptablen Nutzung | 2026-01-13T08:49:42 |
https://parenting.forem.com/om_shree_0709/navigating-modern-parenthood-insights-from-this-weeks-conversations-3n38#comments | Navigating Modern Parenthood: Insights from This Week's Conversations - Parenting 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 Parenting 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 Om Shree Posted on Oct 19, 2025 Navigating Modern Parenthood: Insights from This Week's Conversations # discuss # learning # development # mentalhealth Parenting in 2025 feels like walking a tightrope balancing the pull of daily demands with the deep desire to guide our children toward lives of quiet confidence and connection. As autumn settles in, a handful of fresh perspectives from experts and parents alike have surfaced, offering grounded ways to nurture growth without overcomplicating things. Drawn from reports and discussions this October, these ideas focus on fostering resilience, sparking joy through simple activities, adapting our approaches to fit real life, and keeping technology in its place. They're reminders that small, intentional shifts can ripple through family life in meaningful ways. Building Resilience Through Everyday Challenges One of the most reassuring pieces to emerge this week comes from a reflection on what effective parenting looks like in hindsight: the subtle habits that equip children to face the world with steadiness. It's easy to second-guess our efforts amid the chaos of spills, arguments, and endless questions, but consider these markers of progress not as distant goals, but as cues to lean into now. For instance, if your child is learning to pause before reacting in frustration, that's a sign you're modeling emotional steadiness. Encourage this by sharing your own moments of calm: "I felt upset earlier, so I took a deep breath want to try it with me?" Similarly, fostering a sense of security while granting space for independence might mean stepping back during a playground squabble, then debriefing later: "What felt hard about that? What helped you figure it out?" These aren't grand gestures; they're the quiet repetitions that teach kids they can trust themselves. Another layer comes from a recent column on the value of discomfort not as punishment, but as a gentle teacher. In an era where we can solve most problems with a quick search or delivery, experts urge parents to let children encounter "just right" hurdles, much like the fairy-tale porridge that's neither too hot nor too cold. Start with play: Set up a climbing frame or a puzzle that stretches their skills without overwhelming them. Supervise from nearby, offering a nudge like, "Show me what you've tried so far," rather than jumping in to fix it. When frustration bubbles up, try this straightforward sequence: Name the feeling ("This seems really tough right now"), remind them it's normal ("That's how we know our mind is stretching"), suggest one small next step ("What if we start with this piece?"), and notice their effort afterward ("I saw you slow down and think that's smart"). Over time, this builds not just problem-solving, but a comfort with the messiness of trying. And remember, it starts with us: If we're anxious about their struggle, take a breath ourselves. Modeling that poise shows children that unease is temporary, not a roadblock. Sparking Connection with the Rhythm of Music Amid the structure of school routines and after-school shuttles, October's parenting spotlight has turned to something delightfully uncomplicated: music. Far from a mere distraction, tunes and rhythms can weave through the day as a thread of bonding and brain-building. Research highlights how they sharpen language, coordination, and even math intuition, all while giving kids a safe outlet for big feelings. Incorporate it without fanfare turn a car ride into a sing-along, or clap out beats during dinner prep. Ask open questions like, "What instrument do you hear hiding in this song?" to draw them in deeper. For younger ones, raid the kitchen for makeshift drums (pots and spoons work wonders) or add silly sound effects to bedtime stories: a whoosh for the wind, a rumble for thunder. Dance parties in the living room? They're not just fun; they help little bodies learn control and expression. The beauty here is in the low pressure no lessons required, just shared moments that linger. Adapting Styles to Fit Your Family's Story No two families are alike, and a new survey underscores what many parents sense intuitively: Rigid labels like "gentle" or "strict" often fall short. Instead, today's parents are mixing approaches, drawing from empathy one moment and clear expectations the next. Nearly nine in ten agree there's no universal blueprint, with most weaving in elements like attachment-focused warmth alongside cause-and-effect guidance. To make this work, start with honest reflection: What patterns from your own childhood served you well, and which might you gently shift? In a tough spot like a toddler toppling groceries blend compassion ("I see you're feeling wild today") with gentle accountability ("Let's pick these up together so no one gets hurt"). As children grow, revisit what fits: A style heavy on emotional check-ins might pair with tech-aware boundaries for school-age kids. The key is flexibility eighty-four percent of parents say their methods have evolved, often after pausing to think, "What would I do differently next time?" This isn't about perfection; it's about presence, tuning into your child's cues while honoring your own instincts. Keeping Screens as Tools, Not Takeovers With devices woven into every corner of life, a timely set of guidelines has resurfaced this month, emphasizing balance over bans. The aim? Protect sleep, connections, and focus without sparking rebellion. Begin with basics: Tailor limits to age perhaps an hour for elementary schoolers, focused on creative apps rather than endless scrolling. Designate no-go zones, like the dinner table or bedrooms, to safeguard family talks and rest. Lead by example; if you're glued to your phone during meals, it's a silent lesson in priorities. Involve your kids in the rules they're more likely to stick to agreements they help shape, building their own sense of control. Tools like built-in timers can track habits transparently, sparking family chats about patterns. Shift toward quality: Co-watch educational videos, discussing what stands out, or cap passive viewing in favor of joint projects. And don't forget the counterbalance swap screen time for board games, walks, or baking sessions. These aren't chores; they're the glue that reminds everyone of the warmth beyond the glow. As October's leaves turn, these threads from recent dialogues resilience through real challenges, music's quiet magic, adaptive guidance, and mindful tech use offer a roadmap that's less about doing more and more about being present in the doing. Parenting unfolds one ordinary day at a time, and in tuning into these fresh nudges, we give our children (and ourselves) room to breathe, grow, and connect. What small step might you try this week? Top comments (5) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Juno Threadborne Juno Threadborne Juno Threadborne Follow 🧵 Writer. 🧑💻 Coder. ✨ Often found bending reality for sport. https://thrd.me Location Hampton, VA Pronouns he/him Joined Oct 16, 2025 • Oct 20 '25 Dropdown menu Copy link Hide The mindful tech use piece really hit me. I've always let me kids have what seems like unfettered access to things like YouTube, but in reality I'm just monitoring from a distance. And, at least in my case, I'm consistently impressed with what I see them watch. Educational videos, guides in mastering skills, etc. I may be an outlier, but it's been a joy to see my kids consistently seek out growth unprompted. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Om Shree Om Shree Om Shree Follow Technical Evangelist | AI Researcher | Simplifying Complex AI & Agent Workflows for Developers Email omshree0709@gmail.com Location India Education Jaypee University Of Information Technology Pronouns He/Him Work Founder of Shreesozo Joined Feb 27, 2025 • Oct 22 '25 Dropdown menu Copy link Hide Glad you liked it sir ! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Mahua Vaidya Mahua Vaidya Mahua Vaidya Follow Just here to build reading as a habit Joined Sep 8, 2025 • Oct 19 '25 Dropdown menu Copy link Hide haha, nice! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Om Shree Om Shree Om Shree Follow Technical Evangelist | AI Researcher | Simplifying Complex AI & Agent Workflows for Developers Email omshree0709@gmail.com Location India Education Jaypee University Of Information Technology Pronouns He/Him Work Founder of Shreesozo Joined Feb 27, 2025 • Oct 19 '25 Dropdown menu Copy link Hide ❤️ Like comment: Like comment: 1 like Like Comment button Reply Some comments may only be visible to logged-in visitors. Sign in to view all 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 Om Shree Follow Technical Evangelist | AI Researcher | Simplifying Complex AI & Agent Workflows for Developers Location India Education Jaypee University Of Information Technology Pronouns He/Him Work Founder of Shreesozo Joined Feb 27, 2025 More from Om Shree Parenting in 2025: Finding Our Center in a World That Never Stops # learning # education # development 💎 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 Parenting — 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. 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 . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:49:42 |
https://opensource.org/license/zlib | The zlib/libpng License – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Other/Miscellaneous The zlib/libpng License SPDX short identifier: Zlib Steward: zlib team Link to license steward's version Copyright (c) <year> <copyright holders> This software is provided ‘as-is’, without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. Donate to the OSI The OSI is the authority that defines Open Source, recognized globally by individuals, companies, and public institutions. The Open Source Initiative (OSI) is a 501(c)3 public benefit corporation, founded in 1998. --> Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:42 |
https://dev.to/andrewbrown/cruddur-the-not-so-great-twitter-clone-using-ruby-sinatra-react-gcp-cloudrun-mongodb-atlas-terraform-1j43 | Cruddur - The not so great twitter clone using Ruby Sinatra + React + GCP CloudRun + MongoDB Atlas + Terraform - 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 Andrew Brown 🇨🇦 Posted on Dec 8, 2022 Cruddur - The not so great twitter clone using Ruby Sinatra + React + GCP CloudRun + MongoDB Atlas + Terraform # atlashackathon22 # terraform # googlecloud # ruby Hackathon Entry Hey is Andrew Brown 👋 and I entering the MongoDB Atlas hackathon! Will I win? I doubt it have I learned something new? Quite a bit The repo exists here. I built everything as I went: https://github.com/omenking/mongodb-atlas-gcp-microblog I did attempt to provide step-by-step tutorial instructions in the /docs directory , but it got a bit squirrelly near the end. What does the app do? Not a whole alot. You can: Write a microblog post that will show up on main feed View a home feed View a feed of a specific user's microblog Search microblogs using the search (but only through the API not the UI lol) You can't: Login or Signup Use mentions or hashtags Reshare with comment Reply Followerships So in terms of useful app, its not that great... 😂 I was more interested in the cloud infrastructure and showing folks how to solve deploying an app to GCP Cloud Run with a MongoDB Atlas backed database. What was the tech stack? Sinatra for the backend React for the frontend Mongo Ruby River to interface with MongoDB MongoDB Atlas because of course.. Google Cloud Platform to host the app Terraform for Infrastructure as Code I did all the development using Gitpod . Time and Effort I built this application over seven non-consecutive days. My team (ExamPro) helped me out in a few areas: solving React syntax debugging networking issues on GCP debugging CORS issues debugging container env var issues evaluating the mongodb driver figuring on MongoDB Altas search (its not fully documented for ruby yet) Navigating MongoDB Altas UI for specific access controls. If I had to breakdown time spent it would look something like this: hours tasks 4 Building the Sinatra app 6 Building the react app 2 Figuring our docker containerization 1 Pushing containers to Artifact Registry 2 Deploying containers to Cloud Run via Terraform 5 Troubleshooting and configuring CORS 6 Troubleshooting Custom Domain with Google-managed certificate 5 Troubleshooting Connectivity to the container through GCP Load Balancer (Classic) 9 Troubleshooting Terraform GCP Load Balancer Module 1 Writing MongoDB integration 41 Total Hours Why did you use Ruby and Sinatra? I love ruby , full stop. I chose Sinatra because I wanted a very simple framework so I can share this project with beginners. A more complex framework like Grape or Rails has a-lot of magic going and so a beginner might not have confidence of what is actually happening. A lightweight framework I think is more suited for the future technical path of containerized applications which has micro-services and event driven architecture (EDA) in mind. Why did you choose React as the frontend framework? I absolutely hate React. I would have much preferred to use mithril.js or maybe Vue, but I thought I should use a popular framework. Next.js did cross my mind, but there is considerable opinion in that framework. So the React implementation I used: functional components (because classes scares some folks) plain js (since Typescript scares some folks) No Redux (since I don't want a headache) create-react-app because it made setting up the boilerplate code fast React Router v6 because I assume this the most popular. Why did you choose GCP and GCP Cloud Run? I am a Google Cloud Champion Innovator for the Modern Architecture category so it a was great opportunity to create some modern application content. For compute it could have been App Engine, or Cloud Functions or Google Kubernetes Engine (GKE) but the reason I choose Cloud Run was because it has built in CI/CD. I never did use Cloud Run's CI/CD functionality in this project, since the time ran out troubleshooting various issues which will discuss. Why did you choose Terraform? Well I did use the Google Cloud CLI (gcloud) to provision repositories in the Artifact Registry, and did Click Ops in the console for managing the domain name in Cloud DNS. For everything else I used Terraform. GCP has its own IaC called Cloud Deployment Manager which has its own template language via YAML files but as far as I know, nobody likes using it, and GCP supports Terraform more than their own tool in their documentation. With AWS I normally use CloudFormation With Azure I normally use Azure Bicep But yeah, GCP just go with Terraform. Why did you use Gitpod for your developer environment? Gitpod is a Cloud Developer Environment (CDE), which is basically VSCode in your browser. Using CDE made it really easy for my team members to jump in and help me places. All they had to do was press a button, and the could get to work. There are other options out there like AWS Cloud9, Github Codespaces, but these options utilized a Virtual Machine (VM) as the attached environment. Gitpod uses docker (which is managed by K8s) so its much faster to launch an environment, you don't have to "rebuild" an environment, its easy to discard a state back to a clean working version in case you jank the environment. I'm also Gitpod Community Hero (because I really like Gitpod). Why use MongoDB Ruby Driver instead of Mongoid? Mongoid is a The Official Ruby Object Mapper for MongoDB. Its been around for a long time and makes it really easy working with MongoDB. We didn't use it, because I know using DynamoDB's gem Dynamoid that these libraries while convenient get in the way of using advanced features or obscures fine-tuning of queries. Alex Debrie is his DynamoDB Book strongly advises against using any kind of ORM or ObjectMapper for DynamoDB and the same here applies to MongoDB. I've known out ORMs get in the way even when using Postgres, outing to just write simple Plain Ruby Objects along with raw SQL. Since we wanted to use MongoDB Atlas Search and were thinking about using Change Streams, Mongoid wasn't going to support these. Using the MongoDB Ruby Driver is quite straight forward. Installing GCloud GCloud is very well built CLI. Installing it is headache lol mostly due to how the docs are written. Other providers you can just copy a block a text and go, but GCP, you have to walk through all the instructions and pick out your scenario. To make life easier this is all the step you generally need for Ubuntu/Debian. sudo apt-get install apt-transport-https ca-certificates gnupg -y echo "deb [signed-by=/usr/share/keyrings/cloud.google.gpg] https://packages.cloud.google.com/apt cloud-sdk main" | sudo tee -a /etc/apt/sources.list.d/google-cloud-sdk.list curl https://packages.cloud.google.com/apt/doc/apt-key.gpg | sudo apt-key --keyring /usr/share/keyrings/cloud.google.gpg add - sudo apt-get update && sudo apt-get install google-cloud-cli -y Enter fullscreen mode Exit fullscreen mode GCloud also takes longer to install then other Cloud CLIs, and so I could not create a gitpod.yml file to just install it in my environment on launch because the long install time would cause a timeout. So I spent multiple times installing it, again and again on fresh environments. Commands I ended up memorizing since I ran them so many times were: Logging into google cloud gcloud init Enter fullscreen mode Exit fullscreen mode Login required for deploying to Google Cloud Run gcloud auth application-default login Enter fullscreen mode Exit fullscreen mode Authenticating to push to container images to Artifact Registry gcloud auth configure-docker <region>-docker.pkg.dev Enter fullscreen mode Exit fullscreen mode Pushing to GCP Artifact Registry On other providers like AWS and Azure they give you one click copy and paste instructions to push to their respected managed container repository services. Not GCP lol. You have to figure out their docs, and its not a simple copy and paste. First you need authenicate so you can push to Artifact Registry: gcloud auth configure-docker us-east1-docker.pkg.dev Enter fullscreen mode Exit fullscreen mode Then you need to tag your build image with the artifact registry repo address: docker tag cruddur-app us-east1-docker.pkg.dev/cruddur/backend-sinatra/backend-sinatra:latest Enter fullscreen mode Exit fullscreen mode Then you push docker push us-east1-docker.pkg.dev/cruddur/backend-sinatra/backend-sinatra:latest Enter fullscreen mode Exit fullscreen mode Renaming Build Image for Docker Compose Instead of building images indivually I would build them via docker compose: docker compose build Enter fullscreen mode Exit fullscreen mode However, docker compose will use your folder name (basically your project repo name) as the prepended name. My repo name is mongodb-atlas-gcp-microblog and a container name in the docker-compose.yml file is frontend-react so I'd end up in an image name: mongodb-atlas-gcp-microblog-frontend-react which is really long. So if you use the -p flag you can override the prepend name So the following: docker compose -p cruddur build Enter fullscreen mode Exit fullscreen mode Will then produce this as container image name: cruddur-frontend-react Enter fullscreen mode Exit fullscreen mode Google Cloud Run Port requirements So I (re)discovered that Cloud Run expects your container to listen on port 8080 . So in the Dockerfile I had to figure out how to pass along Environment Variables to this file FROM ruby:3.1.0 # sets the default port (it can still be overriden) ENV PORT=4567 ADD . /app WORKDIR /app RUN bundle install EXPOSE ${PORT} CMD [ "sh", "-c", "bundle exec rackup --host 0.0.0.0 -p $PORT"] Enter fullscreen mode Exit fullscreen mode We could achieve that wi the ${PORT} . Notice I set ENV instead of ARG , ARG only works for the build, and I wanted this Environment Variable to persist when the container was running. Also I had to add CMD [ "sh", "-c", otherwise the environment variable would have not been interpreted in the CMD command. It would just show up blank. Notice I am doing this: "bundle exec rackup --host 0.0.0.0 -p $PORT" Enter fullscreen mode Exit fullscreen mode And not this: "bundle exec rackup --host 0.0.0.0 -p ${PORT}" Enter fullscreen mode Exit fullscreen mode The former is just me reading the env var from the environment where the latter is actual interpolation in the template. CORS, CORS, CORS! Once I attempted to have the frontend and backend talking to each other I ran into CORS, as always. So I installed sintra-cors . There were a few different cors gems to choose from but this one was dead simple. Wildcarding on part of the domain eg. .gitpod.io was not working, so I had to pass the full domains for both services to resolve cors. So when you deploy to Google Cloud Run they generate a endpoint URL so you can access the site. I thought I could get this endpoint url via an environment variables that might get set by default by Cloud Run so that I could whitelist these endpoints for CORS. This is not the case. I thought maybe there could been some very convoluted way using the Google SDK to try and get the endpoint URL dynamically but, there was a race case of collecting all the needed endpoints at different start times. Again, I could not wildcard on part of the domain, but honestly thats a bad practice since I don't need all of Google Cloud Run endpoints urls allow to bypass CORS. So That meant I would need a custom domain, and so we'd need a GCP Load Balancer. Custom Domain with Load Balancer So I already had my domain registered on Amazon Route53. Google Cloud can generate an SSL for you with Google-Managed SSL. While I attempted to point an A record to the GCP Load Balancer while the hosted zone was managed by Amazon Route53, the SSL certificate was failing to provision. I don't know if this solved it, but I updated the domain name servers to google and then use Cloud DNS to use the A Record to point the GCP Load Balancer and this worked to generate an SSL certificate for Google-Managed SSL Certificates. I found that it took 30 minutes for the SSL Certificate to generate, but you have to remember to point the A record to the load balancer or it will say it failed. You don't need to restart the certificate process, it would figure it out after a few minutes. Provisioning the GCP Load Balancer with Terraform There is a GCP Terraform module for setting up a load balancer and all of its components. There are examples on the Terraform Registry website, and there were different versions so I had to find an example with 5.1 version for multi-backend with pathing. I don't know if this is module managed by Terraform or GCP but it could use more documentation, but I could figure things out for the most part by just looking at various examples. I forgot this option when piecing different examples together: create_url_map = false Enter fullscreen mode Exit fullscreen mode And so this caused there to be two load balancer, once pointing to just my API and another with both my backends with no frontends. Phantom CORS issues I thought I had the CORS issues behind me, but they started happening again. We eventually discovered that the MONGO_ATLAS_URL environment variable was not being set. Why this through a CORS issues, I don't know, but once we ensure the env var was being set and passed to the container no more CORS issues. MongoDB Local Development Skipped I was thinking of using in my docker-compose.yml a local container of MongoDB before using MongoDB Atlas directly. However I realized we would have to use a direct connection to a MongoDB Atlas database because (as far as I know) there is no local container that runs these more exotic features of MongoDB Atlas such as search. MongoDB Atlas UI It was straight forward. I did have to hunt down in the UI, Database Access to reset the database user password. For Network Access, I wasn't sure if I had to whitelist the GCP Load Balancer, like, would the Cloud Run containers IP address be the GCP Load Balancer IP address, so instead I just said, Allow Access from Anywhere . MongoDB Atlas Search Before you can create an index for search you need to populate data in your database. To setup the index I just click straight though all the configuration options. The documentation for MongoDB Atlas Search for Ruby was incomplete (according Bayko my co-founder) so he had to I guess look at the API Specification or dig through the MongoDB Driver. He had to use $search option along with the aggregate option: def search_document collection , document attrs = [{ '$search' : { 'index' : 'default' , 'text' : { 'query' : document , 'path' : 'message' } } },{ '$limit' : 10 }] result = [] collection . aggregate ( attrs ). each do | document | result . push document end return result end Enter fullscreen mode Exit fullscreen mode Data Modelling for MongoDB Uhh... We didn't have to do anything special? With DynamoDB even for the simplest of tables I have to plan GSI, LSI, the partition key and sort key. With MongoDB we just dump data in, and it worked. No thought or plan involved. Maybe if we had replies, followerships, shares, things like that then Data Modeling would have been something we would have had to consider more. GCP Load Balancer "Classic" Using the GCP Terraform Module deploys the Classic version of the GCP Load Balancer. I couldn't figure out the difference between Classic and current LB. I don't think I want to be using Classic but I didn't want to spend the time setting up all the individual resources in the terraform file. Classic in AWS for Load Balancers is something not recommend for use anymore Classic in Azure for Load Balancers is just an lighter alternate to Azure Front Door In GCP I don't know, but GCP does like to sunset their products, so I don't really want to be on Classic lol. Conclusion The easiest part of this entire project was MongoDB Altas and the MongoDB API. So much time was taken up just deploying and troubleshooting multiple containers and the Cloud Service Providers (CSPs) cloud infrastructure. But honestly thats the story for any CSPs, whether it's AWS, Azure or GCP. GCP Cloud Run by far is the easiest serverless container offering from a 1st tier CSP. GCP is really great, their docs just need a bit of work, and their Terraform modules needs a bit of love. MongoDB gets DX great as always. Top comments (2) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Andrew Brown 🇨🇦 Andrew Brown 🇨🇦 Andrew Brown 🇨🇦 Follow I make free cloud certification courses Email andrew@exampro.co Location Schreiber Education Starfleet Academy Work CEO at ExamPro Joined Oct 19, 2018 • Dec 8 '22 Dropdown menu Copy link Hide I guess I hit published before it was ready LOL. Oh well I'll fix this in a bit of time here. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Sohaib Sohaib Sohaib Follow Hi , there I am a software engineering student , interested in learning new technologies Joined Nov 30, 2022 • Dec 8 '22 Dropdown menu Copy link Hide github link ? Like comment: Like comment: 1 like 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 Andrew Brown 🇨🇦 Follow I make free cloud certification courses Location Schreiber Education Starfleet Academy Work CEO at ExamPro Joined Oct 19, 2018 More from Andrew Brown 🇨🇦 Delta-Eos (ASCII Detective Sci-fi game) - Starting to Play Like a Game # ruby # gamedev # showdev Delta-Eos - Starting to look like a game # ruby # gamedev # showdev Delta-Eos - ASCII Text-Heavy Murder Mystery Game # ruby # gamedev # 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:49:42 |
https://github.com/berviantoleo/elixir-exploration | GitHub - berviantoleo/elixir-exploration: Explore more about elixir Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} berviantoleo / elixir-exploration Public Uh oh! There was an error while loading. Please reload this page . Notifications You must be signed in to change notification settings Fork 2 Star 8 Explore more about elixir 8 stars 2 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 1 Pull requests 0 Discussions Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Discussions Actions Security Insights berviantoleo/elixir-exploration main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 511 Commits .github .github .idea .idea config config lib lib priv priv test test .formatter.exs .formatter.exs .gitignore .gitignore .mergify.yml .mergify.yml Dockerfile Dockerfile README.md README.md coveralls.json coveralls.json elixir_buildpack.config elixir_buildpack.config elixir_exploration.iml elixir_exploration.iml env.example env.example mix.exs mix.exs mix.lock mix.lock View all files Repository files navigation README ElixirExploration To start your Phoenix server: Install dependencies with mix deps.get Create and migrate your database with mix ecto.setup Start Phoenix endpoint with mix phx.server Now you can visit localhost:4000 from your browser. Ready to run in production? Please check our deployment guides . Blog Post Part of this post Learn more Official website: https://www.phoenixframework.org/ Guides: https://hexdocs.pm/phoenix/overview.html Docs: https://hexdocs.pm/phoenix Forum: https://elixirforum.com/c/phoenix-forum Source: https://github.com/phoenixframework/phoenix About Explore more about elixir Topics elixir phoenix elixir-lang phoenix-framework Resources Readme Uh oh! There was an error while loading. Please reload this page . Activity Stars 8 stars Watchers 2 watching Forks 2 forks Report repository Releases No releases published Sponsor this project Uh oh! There was an error while loading. Please reload this page . ko-fi.com/ berviantoleo patreon.com/ berviantoleo liberapay.com/ berviantoleo opencollective.com/ berviantoleo issuehunt.io/r/ berviantoleo Learn more about GitHub Sponsors Packages 0 Uh oh! There was an error while loading. Please reload this page . Uh oh! There was an error while loading. Please reload this page . Contributors 3 Uh oh! There was an error while loading. Please reload this page . Languages Elixir 82.8% CSS 12.0% HTML 4.5% Other 0.7% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://dev.to/brianverm/live-exploiting-your-open-source-dependencies-with-brian-vermeer-3g | Live Exploiting Your Open Source Dependencies with Brian Vermeer - 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 Brian Vermeer 🧑🏼🎓🧑🏼💻 Posted on Jul 23, 2020 Live Exploiting Your Open Source Dependencies with Brian Vermeer # codeland # security # opensource Bio Developer Advocate for Snyk and Software Engineer with over 10 years of hands-on experience in creating and maintaining software. He is passionate about Java, (Pure) Functional Programming and Cybersecurity. Brian is an Oracle Groundbreaker Ambassador, Utrecht JUG Co-lead, Virtual JUG organizer and Co-lead at MyDevSecOps. He is a regular international speaker on mostly Java-related conferences like JavaOne, Oracle Code One, Devoxx BE, Devoxx UK, Jfokus, JavaZone and many more. Besides all that Brian is a military reserve for the Royal Netherlands Air Force and a Taekwondo Master / Teacher. Outline Open source modules are undoubtedly awesome. However, they also represent an undeniable and massive risk. You’re introducing someone else’s code into your system, often with little or no scrutiny. The wrong package can introduce severe vulnerabilities into your application, exposing your application and your user's data. This talk will use a sample application, Goof, which uses various vulnerable dependencies, which we will exploit as an attacker would. For each issue, we'll explain why it happened, show its impact, and – most importantly – see how to avoid or fix it. We'll live hack exploits like the classic struts vulnerability that recently made it famous, along with Spring Break and several others. Here is a download link to the talk slides (PDF) This talk will be presented as part of CodeLand:Distributed on July 23 . After the talk is streamed as part of the conference, it will be added to this post as a recorded video. Top comments (38) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Paula Paula Paula Follow 29 years old. Cyber. I really like bash and simple scripts. Solarpunk and free software advocate! Location Many places Education Computer science, fine arts Pronouns she/her Work Cybersecurity Joined Apr 3, 2017 • Jul 23 '20 Dropdown menu Copy link Hide So happy to hear about security through development, thanks for introducing this topic, Brian. Like comment: Like comment: 10 likes Like Comment button Reply Collapse Expand Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jul 23 '20 Dropdown menu Copy link Hide Yeah definitely Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Nicole Hopkins Nicole Hopkins Nicole Hopkins Follow Just starting my journey with coding! Location Washington D.C., USA Education Bachelors Degree in Mathematics Joined Jul 23, 2020 • Jul 23 '20 Dropdown menu Copy link Hide As a beginner, this is all new to me but glad I'm learning it now rather than later! Like comment: Like comment: 11 likes Like Comment button Reply Collapse Expand Dhruv garg Dhruv garg Dhruv garg Follow Working as a Tech Lead at a MarTech Startup. Interested in Databases, Performance, and everything Backend. Location Bengaluru, India Education B. Tech in computer science Work Tech lead Joined Oct 1, 2019 • Jul 23 '20 Dropdown menu Copy link Hide This talk is so important, dependencies break code many times. Like comment: Like comment: 9 likes Like Comment button Reply Collapse Expand Kelsey Huse Kelsey Huse Kelsey Huse Follow I am a full-stack Javascript developer living in Austin. I love to meet new people, learn new languages, and teach others to code - especially middle/high school! Location Austin, TX Education Flatiron School + University of Oklahoma Work Summer Immersion Program Lead Instructor at Girls Who Code Joined Jul 6, 2018 • Jul 23 '20 Dropdown menu Copy link Hide Wow. This talk makes me pretty scared. But also makes me feel like I want to learn how to hack :) Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand Rachel Novick Rachel Novick Rachel Novick Follow Location Washington, D.C. Work Full Stack Web Developer Joined Jun 15, 2019 • Jul 23 '20 Dropdown menu Copy link Hide I feel exactly the same! I'm definitely going to dive down a DevOps rabbit hole to try to learn more. Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jul 23 '20 Dropdown menu Copy link Hide I think that's exactly how the talk should make us feel 😅 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Rachel Novick Rachel Novick Rachel Novick Follow Location Washington, D.C. Work Full Stack Web Developer Joined Jun 15, 2019 • Jul 23 '20 Dropdown menu Copy link Hide Wow, this is really eye-opening! I never thought about the fact that we borrow so much. Like comment: Like comment: 15 likes Like Comment button Reply Collapse Expand Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jul 23 '20 Dropdown menu Copy link Hide The "left pad" moment was a real moment for my own discovery here 😄 Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Omar Omar Omar Follow Self-taught from 12 years old and going on, pragmatic software engineer who is eager to learn more and more about this amazing Universe. Location Lebanon Education Computer Science, Lebanese University - Faculty of science Joined Jun 6, 2020 • Jul 23 '20 Dropdown menu Copy link Hide Thanks for the talk Brian. Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jul 23 '20 Dropdown menu Copy link Hide This is must-watch. Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Paula Paula Paula Follow 29 years old. Cyber. I really like bash and simple scripts. Solarpunk and free software advocate! Location Many places Education Computer science, fine arts Pronouns she/her Work Cybersecurity Joined Apr 3, 2017 • Jul 23 '20 Dropdown menu Copy link Hide I'm having a lot of fun, I'm loving this, I'm only missing a popcorn bag here. How smoothly you are breaking things! Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Daniel Brady Daniel Brady Daniel Brady Follow Some numbers don’t need to go up. Email daniel.13rady@gmail.com Location Honolulu, Hawai'i, USA Education Indeed. Work Team Lead, Sr. Software Engineer at ProdPerfect, Inc. Joined Dec 11, 2019 • Jul 23 '20 • Edited on Jul 23 • Edited Dropdown menu Copy link Hide I just transitioned from product engineer to DevOps this quarter, and starting to learn to I should care about these things. Thank you so much for your contribution, @brianverm ! Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Christian Christian Christian Follow Eclectic meatbag Email cknew.dev@gmail.com Location Eugene, OR Work Software Engineer @ Lockheed Martin Joined Nov 18, 2019 • Jul 23 '20 Dropdown menu Copy link Hide what a super interesting person Like comment: Like comment: 6 likes Like Comment button Reply View full discussion (38 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 Brian Vermeer 🧑🏼🎓🧑🏼💻 Follow Java Champion | Staff DevRel @ Snyk | VirtualJug lead | NLJUG lead | Dutch Air Reserve Officer | Taekwondo Master | Keynote Speaker Location Breda, Netherlands Education MSc Computer Science at Utrecht University Work Staff Developer Advocate / Software Engineer at Snyk Joined Aug 16, 2019 More from Brian Vermeer 🧑🏼🎓🧑🏼💻 Using JLink to create smaller Docker images for your Spring Boot Java application # java # containers # security Preventing Cross-Site Scripting (XSS) in Java applications with Snyk Code # java # security # devops Data leak in the Netherlands: What developers should learn from this # security # devops # dataleak 💎 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:49:42 |
https://dev.to/qainsights/kan-knn-is-an-intelligent-eye-health-monitoring-application-3mic#comments | Kan [கண்] is an intelligent eye health monitoring application - 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 NaveenKumar Namachivayam ⚡ Posted on Oct 20, 2025 Kan [கண்] is an intelligent eye health monitoring application # hackathon I have just submitted my entry to https://nokeyboardsallowed.dev/ hackathon. GitHub Repo https://kan-kappa.vercel.app/ Demo Protect your vision in the digital age. Kan [கண்] is an intelligent eye health monitoring application that tracks your blink rate in real-time, provides health insights, and helps prevent digital eye strain through continuous background monitoring. Built using Goose. 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 NaveenKumar Namachivayam ⚡ Follow Full Stack Developer Location Ohio Education MS in Cybersecurity at WGU Work Full Stack Developer at Salesforce Joined Apr 23, 2019 Trending on DEV Community Hot Prompt Engineering Won’t Fix Your Architecture # discuss # career # ai # programming Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev AI should not be in Code Editors # programming # ai # productivity # discuss 💎 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 Forem — 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:42 |
https://dev.to/new?prefill=---%0Atitle%3A%20%0Apublished%3A%20%0Atags%3A%20frontendchallenge%2C%20devchallenge%2C%20css%0A---%0A%0A_This%20is%20a%20submission%20for%20%5BFrontend%20Challenge%20-%20Halloween%20Edition%2C%20CSS%20Art%5D(https%3A%2F%2Fdev.to%2Fchallenges%2Ffrontend-2025-10-15)._%0A%0A%23%23%20Inspiration%0A%3C!--%20What%20Halloween%20theme%20inspired%20your%20CSS%20art%3F%20--%3E%0A%0A%23%23%20Demo%20%0A%3C!--%20Show%20us%20your%20CSS%20Art!%20You%20can%20embed%20your%20project%20using%3A%20--%3E%20%3C!--%20CodePen%3A%20%60%7B%25%20codepen%20https%3A%2F%2F...%20%25%7D%60%20--%3E%20%3C!--%20Or%20share%20an%20image%20of%20your%20project%20with%20a%20direct%20link%20to%20the%20live%20demo.%20--%3E%0A%0A%23%23%20Journey%20%0A%3C!--%20Tell%20us%20about%20your%20process%2C%20what%20you%20learned%2C%20anything%20you%20are%20particularly%20proud%20of%2C%20what%20you%20hope%20to%20do%20next%2C%20etc.%20--%3E%0A%0A%3C!--%20Team%20Submissions%3A%20Please%20pick%20one%20member%20to%20publish%20the%20submission%20and%20credit%20teammates%20by%20listing%20their%20DEV%20usernames%20directly%20in%20the%20body%20of%20the%20post.%20--%3E%0A%0A%3C!--%20We%20encourage%20you%20to%20consider%20adding%20a%20license%20for%20your%20code.%20--%3E%0A%0A%3C!--%20Don | 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:49:42 |
https://dev.to/autocookies/i-built-a-hybrid-ai-database-cache-in-go-and-it-runs-stable-on-my-old-dell-latitude-2af | I Built a Hybrid AI Database - Cache in Go (And It Runs Stable on My Old Dell Latitude) - 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 Quan Van Posted on Jan 5 I Built a Hybrid AI Database - Cache in Go (And It Runs Stable on My Old Dell Latitude) # go # database # opensource # software Stability Over Raw Speed: The "Arena" Architecture The biggest enemy of stability in Go databases is the Garbage Collector (GC). If you store 1 million vectors as separate slice objects, the GC has to scan 1 million pointers. This causes "Stop-the-World" pauses, making latency spike unpredictably. To fix this, I didn't use fancy tricks. I used contiguous memory. I implemented a Vector Arena. Instead of allocating millions of small objects, Pomai allocates massive, flat arrays of float32. // From packages/ds/vector/arena.go type VectorArena struct { // A flat slice of chunks. Reading inside a chunk is thread-safe. chunks [][] float32 // ... } Enter fullscreen mode Exit fullscreen mode The Result: Zero Pointer Chasing: The GC sees one big object, not millions. CPU Cache Friendly: Data is laid out sequentially. Stability: On my Dell, I can load vectors and search them without random CPU spikes. Respecting the CPU Cache (False Sharing) When running on a dual-core or quad-core laptop, concurrency contention can kill performance. In the core Store structure, I tracked hits and misses using atomic counters. But there was a hidden problem: False Sharing. If these two counters sit on the same 64-byte Cache Line, Core A updating hits invalidates the cache for Core B updating misses. They fight over the bus. I fixed this by forcing memory padding, ensuring they live on different cache lines: // From internal/engine/core/store.go type Store struct { // ... config fields ... // Padding A: Separate hits from previous fields _ [ 56 ] byte hits atomic . Uint64 // Padding B: CRITICAL. Ensure hits and misses are not neighbors in L1 cache. _ [ 56 ] byte misses atomic . Uint64 } Enter fullscreen mode Exit fullscreen mode This small change didn't make the database "magically faster," but it made the CPU usage flat and predictable under load. Survival Mode: Adaptive Tuning My laptop doesn't have infinite resources. If a container or process starts eating too much RAM, the OS invokes the OOM Killer. Pomai Cache includes a SysAdapt module. On startup, it inspects the environment (Cgroups or /proc/meminfo). If RAM is tight: It aggressively lowers the GOGC percent to force more frequent cleanups. If CPU is choking: The AutoTuner detects high latency in vector searches and automatically reduces the search precision (ef_search) slightly. It trades a bit of recall accuracy for survival. It prioritizes keeping the process alive and responsive over being perfect. // From internal/engine/core/sysadapt.go func ApplySystemAdaptive () { // Detects Cgroup limits (Docker/K8s) or Host Memory memLimit := detectCgroupMemoryLimit () // Heuristics: If memory per core is low, throttle parallelism if memLimit > 0 { // ... tune GOMAXPROCS and GCPercent automatically } } Enter fullscreen mode Exit fullscreen mode Hybrid Storage: "Granules" & Compression Storing large objects (images, audio) in RAM is expensive. I implemented PGUS (Pomai Granular Unified Storage). It breaks large values into fixed-size "granules" (like chunks). But here is the cool part: It uses Entropy-based Compression (PEC). Before storing, it calculates the entropy of the data chunk. High Entropy? (Likely already compressed, e.g., JPG) -> Store Raw. Save CPU. Low Entropy? (JSON, Logs) -> Compress with Snappy/Zstd. Save RAM. This keeps the memory footprint on my laptop low without wasting CPU cycles trying to compress incompressible data. The Verdict: It Just Works I ran a benchmark on my Dell Latitude E5440: Workload: Mixed Vector Search + Key-Value operations. Throughput: ~5,000 requests/second. Errors: 0. Latency: < 2ms (p50). Under the Hood: How It Actually Works You might be wondering: "Okay, it stores data, but how does a request actually flow through the system?" Here is the lifecycle of a request in Pomai Cache, designed for zero-allocation performance: The Network Layer (gnet): Unlike standard Go net/http which spawns a Goroutine per connection (expensive), Pomai uses gnet, an event-loop networking library based on epoll/kqueue. It handles thousands of concurrent connections on a single thread before passing data to the worker pool. Zero-Copy Protocol: The binary protocol is simple: [MagicByte][OpCode][KeyLen][ValLen][Key][Value]. The parser doesn't allocate new strings for every key. It slices the bytes directly from the network buffer. The Routing (Sharding): To avoid a single global lock (Global Mutex), the key space is divided into 2048 Shards (configurable). ShardID = hash(key) & (ShardCount - 1). This means 2048 concurrent writes can happen simultaneously without blocking each other. The "Brain" (Background Agents): While your data is being read/written, several background agents are watching: AutoTuner: Monitors latency. If it sees slow Vector Searches, it tells the HNSW index to be "less precise but faster". Eviction Manager: Instead of scanning all keys (O(N)), it uses random sampling (like Redis) but weighted by our PPE algorithm (Predicted Next Access). Getting Started: Try It on Your Machine You don't need a cluster to test this. It compiles into a single binary. Prerequisites Go 1.22 or higher (for the latest runtime optimizations). Make (optional) I still not complete this, just run directly with go. Build from Source Clone the repo and build the binary: git clone https://github.com/AutoCookies/pomai-cache.git cd pomai-cache # Build the optimized binary go build -ldflags = "-s -w" -o pomai-server ./cmd/server/main.go Enter fullscreen mode Exit fullscreen mode (The -s -w flags strip debug information to make the binary smaller). Running "Survival Mode" (Low RAM) If you are running on a limited laptop like mine (or a small Docker container), use these flags to prevent OOM: # Limits RAM to 4GB, uses WAL for durability ./pomai-server \ --persistence=wal \ --data-dir=./data \ --mem-limit=4GB \ --gomaxprocs=2 Enter fullscreen mode Exit fullscreen mode Running "Performance Mode" (Server) # Uses all cores, larger write buffer for disk IO ./pomai-server \ --persistence=wal \ --write-buffer=10000 \ --flush-interval=100ms \ --cache-shards=4096 Enter fullscreen mode Exit fullscreen mode Running with RAM Caching ./pomai-server \ --persistence=wal \ --write-buffer=10000 \ --flush-interval=100ms \ --cache-shards=4096 Enter fullscreen mode Exit fullscreen mode (Just without the persistence flag, you will use It as a in RAM cache) Benchmark It Yourself Don't take my word for it. I included a benchmarking tool in the repo: # Build the benchmark tool go build -o pomai-bench ./cmd/pomai-bench/main.go # Run a mixed workload (Vector Search + KV) ./pomai-bench -mode = ai -clients = 50 -requests = 100000 Enter fullscreen mode Exit fullscreen mode You should see the "Zombie Mode" kick in if you push it too hard! You will see this after run It successfully The "Secret Sauce": Self-Made Algorithms I didn't just copy standard algorithms. To make Pomai "Autonomous," I had to invent my own heuristics. Here are the three pillars of its intelligence: PPPC 3.0 (Pomai Predictive Pruning Cleaner) Standard TTL (Time-To-Live) is dumb—it deletes data when the timer runs out, even if that data is part of a critical context. PPPC 3.0 is smarter. It uses a "Peeling Strategy": It predicts the "Next Access Time" for every key using an Exponential Moving Average (EMA). Instead of deleting a whole Graph Cluster when memory is low, it "peels" the outer layers—the nodes that are least connected and predicted to be cold. Result: It keeps the "Core Context" (the seed of the pomegranate) alive while sacrificing the less important edges. PIE (Pomai Intelligent Eviction) How do you tune a database? Usually, you edit a config.yaml. Pomai tunes itself using Reinforcement Learning (Multi-Armed Bandit). The Agent: Continuously monitors the "Reward" function: (HitRate / Latency). The Action: It dynamically adjusts the ef_search (HNSW precision) and the number of eviction samples. If the server is idle, it increases precision for better Recall. If it's under attack, it lowers precision to survive. PMAC (Pomai Multi-Agent Clustering) In manager.go, I didn't use Raft or Paxos (too heavy). I built a Gossip-based Agent System. Geo-Latency Aware: Nodes ping each other. If Node A and Node B are physically close (<5ms), they automatically form a "shard group" to replicate data faster. PLBR (Probabilistic Burst Replication): If a key becomes "Hot" (accessed > 1000 times/s), the owner node probabilistically "bursts" (replicates) that key to random peers to spread the load instantly. The Verdict: It Just Works We often obsess over theoretical maximums—"can it do 1 million IOPS?"—but rarely talk about reliability on constrained hardware. I ran the final benchmark on my Dell Latitude E5440 (Intel Core i5-4300U, DDR3 RAM). I pushed it with 50 concurrent clients doing a mix of Vector Searches and Key-Value writes using the pomai-bench tool included in the repo. The Results: Throughput: ~5,048 requests/second. Bandwidth: ~17.28 MB/s. Avg Latency: 1.664 ms. Total Errors: 0. The most important number there isn't the 5,000 req/s. It's the 0 errors. Despite the heavy load, the SysAdapt module kept the Garbage Collector in check, and the VectorArena prevented memory fragmentation. The CPU usage was high but flat—no jagged spikes that usually freeze the OS. Pomai Cache proves that you don't need a $10,000 server to run a modern, AI-native database. You just need to respect the hardware, align your memory, and stop fighting the CPU cache. Some benchmark that I ran in my Old Laptop Graph mode Hash mode KV Mode (Key-Value) What’s Next? Pomai is stable, but it's still evolving. My goal isn't to replace Redis or Postgres, but to offer a simpler, all-in-one alternative for AI Agents and Edge deployments. Here is what I am working on next to make it even better: PQL (Pomai Query Language): Currently, you use API methods. I am building a SQL-like parser to allow complex queries like SEARCH VECTOR ... FILTER GRAPH ... in a single network call. Transactions: Adding multi-shard ACID guarantees for financial-grade data integrity. WASM Runtime: Allowing you to push small Go/Rust functions directly into Pomai to run logic next to your data (Zero-Latency). It’s not breaking any world records. But it runs smoothly on hardware from 2013. It handles Vectors, Graphs, and KV data in a single binary, and it doesn't crash when I open a browser tab alongside it. It still have other mode as: ai-mode, plg-mode, pic-mode, but I think It not optimized yet. For me, that's the definition of Production Grade. If you are interested in seeing how I implemented the HNSW Index or the Gossip Protocol in Go, check out the repo. Repo Link is here: AutoCookies / pomai-cache pomai-cache Pomai Cache — Production-Grade AI-Native In-Memory Data Platform Pomai Cache is a hybrid in-memory data platform engineered for modern AI and real-time systems. It unifies key-value caching, vector search, time-series, graph relationships, and matrix operations in a single binary with adaptive runtime tuning, predictive eviction, and production-grade persistence and clustering features. This document is a complete operational and technical reference intended for engineers, SREs, and platform teams responsible for deploying, operating, benchmarking, or contributing to Pomai Cache. Contents Executive Summary Design Principles Architecture Overview Core Components and Data Models Algorithms and Internals PPE (Pomegranate Predictive Eviction) PIE (Pomai Intelligent Eviction — RL) PQSE (Probabilistic Quantum Sampled Eviction) PLG and PLBR (Membrane Graph and Burst Replication) Vector Engine Tuning and Adaptive ef_search PGUS / VirtualStore PIC Compression Configuration (ENV & CLI) and Priority Rules Startup Examples and Recommended Production Flags Persistence Modes and Durability Tradeoffs Benchmarking: Scenarios, Measurement, and Interpretation Observability: … View on GitHub Happy Coding! 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 Quan Van Follow Software Engineer | Building "Impossible" Things on constrained hardware | Creator of Pomai Cache Joined Jan 4, 2026 More from Quan Van I’ve been experimenting with building a Hybrid AI DB-Cache in Go, and it’s been a great learning journey so far (it even runs on my old Dell!). # go # database # opensource # software 💎 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:49:42 |
https://dev.to/qainsights/kan-knn-is-an-intelligent-eye-health-monitoring-application-3mic | Kan [கண்] is an intelligent eye health monitoring application - 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 NaveenKumar Namachivayam ⚡ Posted on Oct 20, 2025 Kan [கண்] is an intelligent eye health monitoring application # hackathon I have just submitted my entry to https://nokeyboardsallowed.dev/ hackathon. GitHub Repo https://kan-kappa.vercel.app/ Demo Protect your vision in the digital age. Kan [கண்] is an intelligent eye health monitoring application that tracks your blink rate in real-time, provides health insights, and helps prevent digital eye strain through continuous background monitoring. Built using Goose. 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 NaveenKumar Namachivayam ⚡ Follow Full Stack Developer Location Ohio Education MS in Cybersecurity at WGU Work Full Stack Developer at Salesforce Joined Apr 23, 2019 Trending on DEV Community Hot Prompt Engineering Won’t Fix Your Architecture # discuss # career # ai # programming Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev AI should not be in Code Editors # programming # ai # productivity # discuss 💎 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 Forem — 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:42 |
https://www.algolia.com/de/use-cases/voice-search | Optimieren Sie Ihre Sprachsuche mit NLP- und KI-Tools | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Unternehmen Partners Einloggen Login Logout Algolia mark white Algolia logo white Lösungen Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Branchen Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Preise Entwickler GET STARTED Developer Hub Developer Hub Dokumentation Dokumentation Integrationen Integrationen UI-Komponenten UI-Komponenten Autocomplete Autocomplete RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Schnellstartanleitung Schnellstartanleitung Für Open Source Für Open Source API Status API Status Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Kundengeschichten Kundengeschichten Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Unternehmen Partners Einloggen Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Sprachsuche Sprachsuch-API für Apps, mobile Webseiten und Sprachassistenten Algolia bietet Benutzern relevante Sprachsuchergebnisse mit kontextbezogenem Verständnis, NLP, natürlichem Sprachverständnis und KI-Tools. Demo Anfordern Kostenlos Starten *]:border-l md:[&>*:nth-child(1)]:border-none md:[&>*:nth-child(4n+1)]:border-none"> 1.7+ Trillion searches every year 99.999% uptime SLA available 382% ROI according to Forrester Research 18,000+ customers across 150+ countries 100.000 Suchanfragen/Sek. in der Spitze 99,999% Verfügbarkeit mit SLA 382% Kapitalrendite 17.000+ Kunden Sprachsuche für mehrere Plattformen Intelligente Sprachassistenten Wenn Ihr Unternehmen über eine Amazon Alexa-Fähigkeit oder eine Google Assistant-Aktion verfügt, können unsere Sprachsuchfunktionen diese verbessern. Anstatt Ihre Nutzer zu zwingen, endlose Entscheidungen darüber zu treffen, was sie wollen, können Sie sie per Sprache suchen lassen und erhalten sofort, genaue Ergebnisse von unserer erweiterten Sprachsuchfunktion. Mobile Geräte Wir bieten Sprachsuche sowohl für mobile Apps als auch für mobile Webseiten. Am häufigsten wird die Sprachsuche nicht mit intelligenten Lautsprechern, sondern auf mobilen Geräten wie Apple iPhones (mit Siri) und Android-Telefonen verwendet. Mehr als die Hälfte der Sprachsuchenden sprechen täglich Sprachbefehle auf ihren Mobilgeräten. Sie suchen nach Informationen über Veranstaltungen in sozialen Medien oder führen lokale Suchen durch, z. B. nach lokalen Geschäften, die ein gewünschtes Produkt führen. Zwanzig Prozent aller Suchvorgänge auf mobilen Geräten erfolgen per Sprache, sodass es sich lohnt, für diese Art der Suche zu optimieren. Technologien für die Sprachsuche Sie können die Sprachfunktion nutzen, um Mitarbeitern die gewünschten Informationen zu geben oder Ihren Kunden zu helfen, die gewünschten Details zu finden. Super Sprache-zu-Text-Bibliotheken Wir stellen kostenlose Open-Source-Bibliotheken zur Verfügung, die Sie nutzen können, wenn Sie Ihre mobilen Anwendungen und Websites mit der Sprachsuchtechnologie versehen. Wir bieten Bibliotheken für iOS- und Android-Sprachsuche sowie für die Verwendung in mobilen Browsern. Hervorragende Textrelevanz Die beste Sprache-zu-Text-Verarbeitung oder das beste Verständnis natürlicher Sprache versagt, wenn die Suchmaschine die Relevanz des Textes nicht versteht. Unsere Technologie zur Suchmaschinenoptimierung kombiniert Textrelevanz und Ihre Geschäftskennzahlen mit unserer Verarbeitung natürlicher Sprache und natürlichem Sprachverständnis, um ein beispielloses Sprachsuch-Erlebnis zu bieten. Unterstützung für viele Sprachen Unsere Funktionen zur Verarbeitung natürlicher Sprache funktionieren in Dutzenden von Sprachen auf der ganzen Welt, und unsere Infrastruktur ist dezentralisiert, sodass wir Ihre Sprachsuchenden unabhängig von ihrem Standort unterstützen können. Erstklassige Personalisierung Wenn Menschen Sprachbefehle geben, erwarten sie, so verstanden zu werden, als würden sie mit einem Menschen sprechen. Deshalb bieten wir personalisierte, KI-gestützte Funktionalität. Wir lernen die Vorlieben Ihrer Nutzer kennen und stimmen die Ergebnisse auf ihre Interessen ab. Erste Schritte mit der Algolia-Sprachsuche Laden Sie Ihre Daten auf unseren Server Wir lassen sie von unserer Suchmaschine indizieren, hosten und stellen sie überall mit unvergleichlicher Geschwindigkeit zur Verfügung. Sagen Sie uns, was Ihnen wichtig ist Auf welche Textinhalte legen Sie bei der Sprachsuche am meisten Wert? Welche Kennzahlen bestimmen Ihre beliebten Inhalte? Mit unserer Sprachsuchplattform haben Sie die Kontrolle über Ihre Ranking-Formel. Fügen Sie Eingaben zu Ihren Anwendungen und Websites hinzu Nutzen Sie unsere Client-Bibliotheken, um die Vorteile unserer nativen Sprache-zu-Text-Funktionen zu nutzen, oder integrieren Sie über einen Drittanbieter Ihre eigenen. Optimieren Sie Ihre Ergebnisse im Laufe der Zeit Setzen Sie Personalisierung, dynamisches Re-Ranking und Lernen in natürlicher Sprache ein, um KI-Lernverfahren auf die Sprachsuche Ihrer Nutzer anzuwenden und die Sprachsuchergebnisse kontinuierlich zu verbessern. Recommended content How to use Algolia Voice Search Read more How to harness voice search in the retail sector Learn about the state of voice search today and how Harry Rosen brought in this technology to improve conversions and overall order sizes. Read more Search: the secret weapon to great omnichannel experiences Search and discovery can increase your conversion rate up to 50%. Learn how you can also build relevant omnichannel experiences with Algolia. Read more See more Häufig gestellte Fragen zur Sprachsuche Suchen Menschen oft per Sprache? 0 Die Menschen suchen immer häufiger per Stimme. Während die Sprachsuche vor fünf Jahren noch nicht von vielen Menschen genutzt wurde, hat sich die Sprachsuche mit der Verbesserung der Spracherkennung auf iOS, Android und im Internet auf all diesen Plattformen durchgesetzt. Die Trends deuten alle auf das Gleiche hin: Wenn Unternehmen eine Spracheingabeoption in der Suchleiste ihrer Apps und auf Webseiten anbieten, werden die Menschen diese nutzen. Müssen Nutzer etwas herunterladen, um die Sprachsuche von Algolia zu nutzen? 0 Um die Sprachsuche von Algolia zu nutzen, ist kein Download erforderlich. Als Entwickler einer App oder Webseite können Sie wählen, wie Sie die Sprache-zu-Text-Bibliotheken integrieren möchten. Algolia bietet Sprachbibliotheken für iOS und Android , sowie ein Widget für die Sprachsuche im Browser über JavaScript. Wie kann ich den Inhalt meiner Webseite für die Sprachsuche optimieren? 0 Sie müssen nicht viel tun, um Ihre Inhalte für die Sprachsuche vorzubereiten. Wenn Sie Algolias Leitfaden zur Suchoptimierung befolgen, sind Sie bestens gerüstet. Sie können auch Synonyme und Regeln hinzufügen, um alle Möglichkeiten der Sprachsuche zu nutzen. Dynamische Synonymvorschläge sind eine weitere Möglichkeit, Ihre Inhalte auf die Nutzerabsicht hin zu optimieren. Ist die Sprachsuche dasselbe wie die Suche in natürlicher Sprache? 0 Nicht notwendigerweise. Zwar verwenden die Menschen bei der Sprachsuche oft eine natürlichere Sprache, aber sie suchen genauso oft nach Schlüsselwörtern. Während Sie also Algolias bewährte Verfahren für die natürliche Sprachsuche befolgen sollten, müssen Sie nicht befürchten, dass die natürliche Sprachsuche „zu fortgeschritten“ ist. Algolia macht die Suche per Stimme und natürlicher Sprache einfach. Was ist Sprachsuche? 0 Bei der Sprachsuche verwenden die Menschen ihre Stimme, um zu suchen, unabhängig von der Plattform oder den Schlüsselwörtern, die sie verwenden. Während viele Menschen bei dem Begriff „Sprachsuche“ an intelligente Lautsprecher wie Alexa und Google Assistant denken, suchen Menschen häufiger per Sprache auf ihren Smartphones oder auf Webseiten. Nutzer schauen in Android- und iOS-Apps und auf Webseiten nach, ob sie die Sprachsuche implementiert haben. Was kann die Sprachsuche leisten? 0 Die beste Sprachsuchtechnologie bietet Nutzern und Kunden die Möglichkeit, per Sprache zu suchen und dabei natürliche Sprache oder Schlüsselwörter abzufragen. Dies eröffnet mehr interaktive Möglichkeiten, wenn Menschen unterwegs sind, öffentliche Verkehrsmittel benutzen oder einfach alle Hände voll zu tun haben. Um diese Art der Sprachsuche optimal zu bedienen, ist es wichtig, über eine Technologie zu verfügen, die versteht, was Menschen sagen, und die Ergebnisse für sie personalisiert. Wer verwendet die Sprachsuche? 0 Die Sprachsuche ist für alle Bevölkerungsgruppen geeignet. Junge Menschen nutzen sie, während sie mit ihren Smartphones unterwegs sind, und ältere Menschen schätzen die Vorteile der Barrierefreiheit. Praktisch jeder kann die Sprachsuche verwenden, um Artikel oder Produkte schneller zu finden oder wenn Tippen unpraktisch ist. Warum ist die Sprachsuche so wichtig? 0 Die Sprachsuche erleichtert nicht nur die Zugänglichkeit, sondern kann auch bequemer sein als das Eintippen, insbesondere auf Plattformen wie Mobiltelefonen oder Smart-TVs, wo das Eintippen fehleranfällig oder mühsam sein kann. Machen Sie es jedem möglich, eine tolle Search & Discovery zu erstellen Demo Anfordern Kostenlos Starten Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Datenschutzrichtlinie Nutzungsbedingungen Richtlinien zur akzeptablen Nutzung | 2026-01-13T08:49:42 |
https://dev.to/new?prefill=---%0Atitle%3A%20%0Apublished%3A%20%0Atags%3A%20devchallenge%2C%20hacktoberfest%2C%20opensource%0A---%0A%0A*This%20is%20a%20submission%20for%20the%20%5B2025%20Hacktoberfest%20Writing%20Challenge%5D(https%3A%2F%2Fdev.to%2Fchallenges%2Fhacktoberfest2025)%3A%20Maintainer%20Spotlight*%0A%0A%3C!--%20You%20are%20free%20to%20structure%20your%20post%20however%20you%20want.%20You%20may%20consider%20embedding%20your%20GitHub%20repo%20directly%20in%20this%20post%2C%20sharing%20why%20you%20maintain%20this%20project%2C%20providing%20instructions%20on%20how%20to%20contribute%2C%20and%20any%20other%20valuable%20context%20for%20a%20potential%20contributor!%20--%3E%0A%0A%3C!--%20Don | 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:49:42 |
https://dev.to/new?prefill=---%0Atitle%3A%20%0Apublished%3A%20%0Atags%3A%20devchallenge%2C%20kendoreactchallenge%2C%20react%2C%20webdev%0A---%0A%0A*This%20is%20a%20submission%20for%20the%20%5BKendoReact%20Free%20Components%20Challenge%5D(https%3A%2F%2Fdev.to%2Fchallenges%2Fkendoreact-2025-09-10).*%0A%0A%23%23%20What%20I%20Built%0A%3C!--%20Describe%20your%20project%20and%20what%20problem%20it%20solves%20--%3E%0A%0A%23%23%20Demo%0A%3C!--%20Share%20a%20link%20to%20your%20live%20project%20and%20include%20screenshots%20or%20videos%20--%3E%0A%0A%3C!--%20Please%20also%20include%20a%20link%20to%20your%20code%20repository%20--%3E%0A%0A%23%23%20KendoReact%20Components%20Used%0A%3C!--%20List%20all%20KendoReact%20components%20you%20used%20in%20your%20project%20--%3E%0A%0A%23%23%20%5BOptional%3A%20Code%20Smarter%2C%20Not%20Harder%20prize%20category%5D%20AI%20Coding%20Assistant%20Usage%0A%3C!--%20If%20submitting%20for%20Code%20Smarter%2C%20Not%20Harder%20prize%20category%2C%20describe%20how%20you%20used%20the%20AI%20Coding%20Assistant%20--%3E%0A%0A%23%23%20%5BOptional%3A%20RAGs%20to%20Riches%20prize%20category%5D%20Nuclia%20Integration%0A%3C!--%20If%20submitting%20for%20RAGs%20to%20Riches%20prize%20category%2C%20explain%20how%20you%20integrated%20Nuclia%27s%20RAG%20capabilities%20--%3E%0A%0A%3C!--%20Don%27t%20forget%20to%20add%20a%20cover%20image%20(if%20you%20want).%20--%3E%0A%0A%3C!--%20%E2%9A%A0%EF%B8%8F%20By%20submitting%20this%20entry%2C%20your%20submission%20and%20project%20may%20be%20publicly%20featured%20on%20the%20KendoReact%20website%20and%2For%20other%20promotional%20channels%20such%20as%20social%20media.%20--%3E%0A%0A%3C!--%20Thanks%20for%20participating!%20--%3E | 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:49:42 |
https://golf.forem.com/youtube_golf/golfcom-the-future-of-liv-duels-grant-horvat-and-bryan-bros-talk-exciting-developments-369c#comments | Golf.com: The Future Of LIV Duels: Grant Horvat And Bryan Bros Talk Exciting Developments - Golf 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 Golf Forem 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 YouTube Golf Posted on Aug 25, 2025 Golf.com: The Future Of LIV Duels: Grant Horvat And Bryan Bros Talk Exciting Developments # golf # recommendations # introduction # lessons YouTube golf stars Grant Horvat and the Bryan Bros are dishing on the future of the LIV Duels event. They're recapping what made the 2025 version a success and spitballing ideas on how to make the next one even more exciting. The conversation digs into cool new format ideas, like adding drafts or skins games. It’s a behind-the-scenes look at how YouTube Golf is changing the game and what fans can expect from the series next year. Watch on YouTube 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 YouTube Golf Follow Joined Jun 22, 2025 More from YouTube Golf No Laying Up Podcast: 1108: Brooks Koepka and the Returning Member Program # golf # recommendations No Laying Up Podcast: 1108: Koepka and the Returning Member Program # golf # recommendations Grant Horvat: Can I Beat Bob With 1 Club? (Meltdown) # golf # videogames # recommendations 💎 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 Golf Forem — A community of golfers and golfing 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 . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:42 |
https://dev.to/alok_kumar_44670e79f96677 | Alok Kumar - 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 Alok Kumar 404 bio not found Joined Joined on Nov 4, 2025 More info about @alok_kumar_44670e79f96677 Badges 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 Post 11 posts published Comment 0 comments written Tag 0 tags followed End-to-End Testing in Modern Software: A Practical Guide for Developers Alok Kumar Alok Kumar Alok Kumar Follow Jan 6 End-to-End Testing in Modern Software: A Practical Guide for Developers # e2e # testing # softwaredevelopment # softwareengineering Comments Add Comment 3 min read Integration Testing: Definition, How-to, Examples Alok Kumar Alok Kumar Alok Kumar Follow Jan 5 Integration Testing: Definition, How-to, Examples # testing # cicd # automation # software Comments Add Comment 12 min read How AI Is Changing Integration, Functional, and End to End Testing Alok Kumar Alok Kumar Alok Kumar Follow Jan 1 How AI Is Changing Integration, Functional, and End to End Testing # e2e # testing # automation # softwareengineering Comments Add Comment 4 min read Agile Vs Waterfall A Practical Guide for Modern Development Teams Alok Kumar Alok Kumar Alok Kumar Follow Dec 29 '25 Agile Vs Waterfall A Practical Guide for Modern Development Teams # sdlc # agile # waterfall # software Comments Add Comment 3 min read Reducing Flaky Tests in CI/CD: A Complete Playbook for Engineering Teams Alok Kumar Alok Kumar Alok Kumar Follow Dec 4 '25 Reducing Flaky Tests in CI/CD: A Complete Playbook for Engineering Teams # flakytest # e2e # testing # opensource Comments Add Comment 4 min read The Rise of AI in Testing: From Unit Tests to Full Workflow Validation Alok Kumar Alok Kumar Alok Kumar Follow Dec 4 '25 The Rise of AI in Testing: From Unit Tests to Full Workflow Validation # e2e # ai # testing # endtoendtesting Comments Add Comment 3 min read The Complete Guide to Integration Testing: Best Practices, Tools, and Implementation Alok Kumar Alok Kumar Alok Kumar Follow Nov 17 '25 The Complete Guide to Integration Testing: Best Practices, Tools, and Implementation # testing # integration # productivity # keploy Comments Add Comment 6 min read The Ultimate Guide to End-to-End Testing: Best Practices, Tools, and Insights Alok Kumar Alok Kumar Alok Kumar Follow Nov 17 '25 The Ultimate Guide to End-to-End Testing: Best Practices, Tools, and Insights # e2e # testing # softwaredevelopment # keploy Comments Add Comment 7 min read Why End-to-End Testing Is Critical for Building Reliable Applications Alok Kumar Alok Kumar Alok Kumar Follow Nov 12 '25 Why End-to-End Testing Is Critical for Building Reliable Applications # e2e # testing # softwaredevelopment # developer Comments Add Comment 3 min read Best AI Coding Tools in 2025: Top Assistants for Developers Alok Kumar Alok Kumar Alok Kumar Follow Nov 10 '25 Best AI Coding Tools in 2025: Top Assistants for Developers # aitools # coding # llm # chatgpt Comments Add Comment 45 min read Integration Testing — The Key to Building Reliable Software Systems Alok Kumar Alok Kumar Alok Kumar Follow Nov 5 '25 Integration Testing — The Key to Building Reliable Software Systems # testing # performance # microservices # software Comments Add Comment 5 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:49:42 |
https://github.com/berviantoleo/udacity-azure-project-4 | GitHub - berviantoleo/udacity-azure-project-4: Submission Azure Developer ND 4 Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} berviantoleo / udacity-azure-project-4 Public Uh oh! There was an error while loading. Please reload this page . Notifications You must be signed in to change notification settings Fork 1 Star 0 Submission Azure Developer ND 4 License View license 0 stars 1 fork Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Pull requests 0 Discussions Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Pull requests Discussions Actions Security Insights berviantoleo/udacity-azure-project-4 main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 103 Commits .github .github azure-vote azure-vote instruction-screenshots instruction-screenshots submission-screenshots submission-screenshots .gitignore .gitignore .whitesource .whitesource LICENSE.md LICENSE.md README.md README.md azure-pipelines-instructions.md azure-pipelines-instructions.md azure-pipelines.yaml azure-pipelines.yaml azure-vote.yaml azure-vote.yaml cloud-init.txt cloud-init.txt create-cluster.sh create-cluster.sh requirements.txt requirements.txt setup-script.sh setup-script.sh View all files Repository files navigation README License NOTICE! Please use this repo as study purpose not for submission, never cheating for submission! Enhancing Applications In this project, you will apply the skills you have acquired in the Azure Performance course to collect and display performance and health data about an application. This is only half the battle; the other half is making informed decisions about the data and automating remediation tasks. You will use a combination of cloud technologies, such as Azure Kubernetes Service, VM Scale Sets, Application Insights, Azure Log Analytics, and Azure Runbooks to showcase your skills in diagnosing and rectifying application and infrastructure problems. In this project, you'll be tasked to do the following: Setup Application Insights monitoring on a VMSS and implement monitoring in an application to collect telemetry data Setup an auto-scaling for a VMSS Setup an Azure Automation account and create a RunBook to automate the resolution of performance issues Create alerts to trigger auto-scaling on an AKS cluster and trigger a RunBook to execute Getting Started Prerequisites Create a free Azure Account Create a free Azure DevOps account (Click Start Free under Azure Pipelines ) VS Code or your preferred editor Install the VS Code extensions for Python (optional) Azure CLI Dependencies Python Flask Redis—Non-Windows Download Redis—Windows Download Required Python Libraries: redis opencensus-ext-azure opencensus-ext-flask flask A requirements.txt has been provided if you want to first run the application in a local environment. NOTE : The app.run() in main.py is set for your local environment. Use app.run(host='0.0.0.0', threaded=True, debug=True) when deploying to a VM Scale Set. Local Environment Setup (Optional) If you want to run the application on localhost, follow the next steps; otherwise, you can skip to Azure Environment Setup . Install Redis Download and install redis-server for your operating system: Redis Quick Start Non-Windows Windows Start redis-server Create a Virtual Environment Create a virtual environment inside the azure-vote folder Activate the environment Install dependencies from requirements.txt Run main.py NOTE : The app.run() in main.py is set for your local environment. Use app.run(host='0.0.0.0', threaded=True, debug=True) when deploying to a VM Scale Set. Azure Environment Setup Azure VM Scale Set A bash script has been provided to automate the creation of the VMSS. You should not need to modify this script. Note : You'll need Azure CLI installed before using this script. Log in to Azure using az login . Run ./setup-script.sh in your terminal. The script will take a few minutes to create and configure all resources. Once the script is complete, you can go to Azure portal and look for the acdnd-c4-project resource group. Inside is the VMSS resource. You'll use the public IP address and port 50000 to connect to the VM. It's port 50000 because the inbound NAT rule of the load balancer defaults to port 50000. The following command will connect you to your VM. Note : Replace [public-ip] with the public-ip address of your VMSS. ssh -p 50000 udacityadmin@[public-ip] Setup Azure Pipeline to Deploy to VM Scale Set We'll use Azure Pipelines to deploy our application to an Azure VM Scale Set. Follow the step-by-step instructions here . Project Instructions Application Insights & Log Analytics Create a Log Analytics workspace resource Create an Application Insights resource and use the Log Analytics workspace created in step 1 Enable Application Insights monitoring for the VM Scale Set Add the reference Application Insights to main.py and specify the instrumentation key Add custom event telemetry when 'Dogs' is clicked and when 'Cats' is clicked. Create a query to view the event telemetry in Log Analytics. Create a chart from query showing when 'Dogs' or 'Cats' is clicked. Monitoring Containers Run az login to login, then run ./create-cluster.sh to create an AKS cluster and deploy a container to it. Once that is completed, go to Insights for the cluster. Observe the state of the cluster. Note the number of nodes and number of containers. Create an alert in Azure Monitor to trigger when the number of pods increases over a certain threshold. Create an autoscaler by using the following Azure CLI command— kubectl autoscale deployment azure-vote-front --cpu-percent=70 --min=1 --max=10 Cause load on the system After approximately 10 minutes, stop the load. Observe the state of the cluster. Note the number of pods; it should have increased and should now be decreasing. Autoscaling For the VM Scale Set, create an autoscaling rule based on metrics. Trigger the conditions for the rule, causing an autoscaling event. When complete, enable manual scale. Runbook Create an Azure Automation Account Create a Runbook—either using a script or the UI—that will remedy a problem. Create an alert which uses a runbook to remedy a problem. Cause the problem to the flask app on the VM Scale Set. Verify the problem is remedied via the Runbook. Submissions The main.py which will show the code for the Application Insights telemety data. Screenshots for the kubernetes cluster which include: Note : Place all screenshots for Kubernetes Cluster in the submission-screenshots/kubernetes-cluster directory The output of the Horizontal Pod Autoscaler, showing an increase in the number of pods. The Application Insights metrics which show the increase in the number of pods. The email you received from the alert when the pod count increased. Screenshots for the Application Insights which include: Note : Place all screenshots for Application Insights in the submission-screenshots/application-insights directory The metrics from the VM Scale Set instance--this will show CPU %, Available Memory %, Information about the Disk, and information about the bytes sent and received. There will be 7 graphs which display this data. Application Insight Events which show the results of clicking 'vote' for each 'Dogs' & 'Cats' The output of the traces query in Azure Log Analytics. The chart created from the output of the traces query. Screenshots for the Autoscaling of the VM Scale Set which include: Note : Place all screenshots for Autoscaling VMSS in the submission-screenshots/autoscaling-vmss directory The conditions for which autoscaling will be triggered (found in the 'Scaling' item in the VM Scale Set). The Activity log of the VM scale set which shows that it scaled up with timestamp. The new instances being created. The metrics which show the load increasing, then decreasing once scaled up with timestamp. Screenshots for the Azure Runbook which include: Note : Place all screenshots for RunBook in the submission-screenshots/runbook directory The alert configuration in Azure Monitor which shows the resource, condition, action group (this should include a reference to your Runbook), and alert rule details (may need 2 screenshots). The email you received from the alert when the Runbook was executed. The summary of the alert which shows 'why did this alert fire?', timestamps, and the criterion in which it fired. Built With Software Python - Programming Language VS Code - Integrated Development Environment Azure DevOps - Source control and pipeline creation tool. Open-source 3rd-party Azure Voting App - Container and sample python flask app. Redis - In memory database used for caching. License License THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. About Submission Azure Developer ND 4 Topics kubernetes azure udacity-nanodegree submission Resources Readme License View license Uh oh! There was an error while loading. Please reload this page . Activity Stars 0 stars Watchers 1 watching Forks 1 fork Report repository Releases No releases published Sponsor this project Uh oh! There was an error while loading. Please reload this page . ko-fi.com/ berviantoleo patreon.com/ berviantoleo liberapay.com/ berviantoleo opencollective.com/ berviantoleo issuehunt.io/r/ berviantoleo Learn more about GitHub Sponsors Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Contributors 3 Uh oh! There was an error while loading. Please reload this page . Languages Python 40.0% Shell 35.9% CSS 14.8% HTML 9.3% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://dev.to/t/career/page/827 | Career Page 827 - 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 Career Follow Hide This tag is for anything relating to careers! Job offers, workplace conflict, interviews, resumes, promotions, etc. Create Post submission guidelines All articles and discussions should relate to careers in some way. Pretty much everything on dev.to is about our careers in some way. Ideally, though, keep the tag related to getting, leaving, or maintaining a career or job. about #career A career is the field in which you work, while a job is a position held in that field. Related tags include #resume and #portfolio as resources to enhance your #career Older #career posts 824 825 826 827 828 829 830 831 832 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:49:42 |
https://www.algolia.com/de/products/features/personalization | Anpassen der Benutzererfahrung mit der Personalisierung der Suche | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Unternehmen Partners Einloggen Login Logout Algolia mark white Algolia logo white Lösungen Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Branchen Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Preise Entwickler GET STARTED Developer Hub Developer Hub Dokumentation Dokumentation Integrationen Integrationen UI-Komponenten UI-Komponenten Autocomplete Autocomplete RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Schnellstartanleitung Schnellstartanleitung Für Open Source Für Open Source API Status API Status Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Kundengeschichten Kundengeschichten Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Unternehmen Partners Einloggen Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack ADVANCED PERSONALIZATION 1:1-Erlebnisse, die Gewinne steigern Schaffen Sie einzigartige Shopping Journeys, die Ihre Nutzer immer wieder zur Conversion führen. Demo Anfordern Kostenlos Starten Personalization redefined Most personalization engines rely on static rules or delayed data. But today’s shoppers change their minds fast — and your experience needs to change with them. Algolia Personalization adjusts dynamically, responding to user signals as they happen. Whether you're helping users discover products or guiding them to purchase, Algolia ensures your experience reflects their evolving intent — not just historical behavior. A full spectrum of personalization Personalize the whole user journey Deliver personalization across searching, browsing, recommendations, and other touchpoints. Tailor your full experience for every user. Automate set-up and optimization Get going in minutes with automatically calculated attributes. Leave ongoing optimization to our algorithm — or fine-tune manually when you want deeper control. Choose the access point that works best for you Developers can run Advanced Personalization from the Dashboard or API — and business users from the Merchandising Studio, making them more self-sufficient. Enrich data with third-party sources Improve customer profiles with data from tools like Segment, Shopify, and Google BigQuery. Our newest feature — now adapting in real time Real-Time Personalization is the latest addition to Algolia’s personalization. It captures user behavior within sessions and adapts experiences in real time — responding to what users are doing right now, not just what they’ve done in the past. Shorten the path to discovery Reduce abandonment with relevance in the moment Maximize conversion by responding to immediate buying signals Surface the most relevant products even when intent moves across categories Keep shoppers engaged as their behavior shifts during a session Turn every click and browse into a conversion opportunity Personalisierung steigert die Profitabilität „Wir haben uns hauptsächlich wegen der Performance für Algolia entschieden, was unsere Bedenken zur Skalierbarkeit ausgeräumt hat. Zudem haben die optimierte Infrastruktur, Storage-Upgrades und die Produkt-Indexierung durch Algolia alle Sorgen hinsichtlich Geschwindigkeit beseitigt.“ Josh Hepworth Head of Technology @ Huckleberry Mehr erfahren „Für einen Händler wie uns, mit mehr als 25.000 Produkten im Katalog, ist eine Lösung, die jede Nutzererfahrung während der Suche verbessert, von enormem Wert. Die integrierte Personalisierung von Algolia ist ein echter Fortschritt im digitalen Zeitalter für Decathlon Singapur .“ Richard Migette Ecommerce Project Leader @ Decathlon Mehr erfahren „Algolia hat uns dabei geholfen, unser Hyperwachstum sehr effektiv zu managen – mit schneller Skalierung auf über 30.000 Produkte im Katalog, einer Steigerung der CTR in den Suchergebnissen um 81 % und einer Vervierfachung der Such-Conversions.“ Luis Aledo User Experience and CRO Manager @ PCComponentes FAQ – Advanced Personalization Wie viel kostet Advanced Personalization? 0 Details finden Sie auf unserer Preisseite. Ist Advanced Personalization datenschutzkonform? 0 Ja, Algolias Dienste entsprechen einer Vielzahl von Normen, Zertifizierungen und Vorschriften. Diese variieren je nach Service. Mehr erfahren . Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Ja. Advanced Personalization kann auch für die Personalisierung von Suche, Browsing und Empfehlungen in Medien- oder SaaS-Unternehmen genutzt werden – egal ob B2C oder B2B . Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Yes. Personalization applies across search, category pages, homepage recommendations, and even product detail pages—creating a consistent, optimized experience at every step of the customer journey. Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Absolutely. Personalization can reorder or prioritize products on category pages based on each visitor’s preferences and behavior—helping them find what they’re looking for faster. Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Personalized experiences reduce friction in the customer journey. When users find relevant products more quickly, they’re more likely to convert, repurchase, and stay loyal. Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Yes. You can create personalization strategies for different user segments—like new vs. returning visitors, or high-value customers—ensuring the experience aligns with each group’s needs. Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Even without login data, we personalize experiences using session-based signals like search terms, clicks, or category visits to surface relevant results from the very first interaction. Kann Advanced Personalization auch außerhalb des E-Commerce eingesetzt werden? 0 Definitely, whether your priority is increasing AOV, boosting discovery, or reducing bounce rates, you can fine-tune personalization strategies to align with your specific KPIs. Probieren Sie die KI-Suche aus, die versteht Demo anfordern Starten Sie kostenlos Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Datenschutzrichtlinie Nutzungsbedingungen Richtlinien zur akzeptablen Nutzung | 2026-01-13T08:49:42 |
https://dev.to/pavanbelagatti/model-context-protocol-mcp-8-mcp-servers-every-developer-should-try-5hm2#:~:text=For%20example%2C%20now%20MCP%20servers,focus%20on%20what%20matters%20most | Model Context Protocol (MCP): 8 MCP Servers Every Developer Should Try! - 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 Pavan Belagatti Posted on Apr 14, 2025 • Edited on Apr 21, 2025 Model Context Protocol (MCP): 8 MCP Servers Every Developer Should Try! # ai # datascience # softwaredevelopment # developer Well, looks like the AI community is the happiest right now as more sophisticated LLMs are getting introduced very often these days. Just recently, we saw how DeepSeek took the whole world by storm and then came Llama 4 by Meta along with the Gemma 3 model making some good noise. But now, to extend the concept of AI automation, there is a new kid in the AI town, model context protocol (MCP). As AI capabilities continue to transform software development workflows, Model Control Protocol (MCP) servers have emerged as essential infrastructure for developers looking to harness the power of large language models in production environments. Let's understand what is MCP and what are some good MCP servers every developer should know. A Gentle Introduction to Model Context Protocol ('MCP') MCP has rapidly gained traction in the AI community due to its ability to standardize how AI models interact with external tools, fetch data, and execute operations. Think of MCP (Model Context Protocol) like a USB-C port for AI applications. MCP, which started as a project by Anthropic, is now the talk of the town. Even though it was introduced a few months ago, developers have gradually begun to understand its importance. Its a protocol that’s trying to standardize how LLMs access external data and tools. So why everyone is talking about MCP suddenly? Image credits: Model Context Protocol MCP simplifies the lives of developers by providing a standardised protocol for integrating AI agents with external tools and data sources. It promotes interoperability, reduces the need for custom integrations, and streamlines AI application development. MCP acts as a universal adapter, enabling LLMs to access real-world data and perform actions in a consistent and scalable manner. MCP offers benefits such as enhanced context awareness, streamlined development, and improved security, making it a valuable tool for AI tool integration. The goal is for MCP to be the USB-C of AI, allowing for standardised AI model interactions. MCP fosters an ecosystem of reusable connectors, allowing developers to build once and reuse them across multiple LLMs and clients, eliminating the need to rewrite the same integration in numerous ways. This unified data access means that with MCP, one protocol is configured, and then the LLM can "see" all registered connectors. For example, now MCP servers let you connect Claude to powerful tools like GitHub, Slack, and Google Maps. These integrations help you save time, streamline workflows, and focus on what matters most. MCP Architecture: The MCP architecture is composed of three core components: MCP host, MCP client, and MCP server . These components collaborate to facilitate seamless communication between AI applications, external tools, and data sources, ensuring that operations are secure and properly managed. Image credits: MCP Research Paper As shown in the image, in a typical workflow, the user sends a prompt to the MCP client, which analyzes the intent, selects the appropriate tools via the MCP server, and invokes external APIs to retrieve and process the required information before notifying the user of the results. ⮕ MCP Host : The MCP host is an AI application that provides the environment for executing AI-based tasks while running the MCP client. It integrates interactive tools and data to enable smooth communication with external services. ⮕ MCP Client : The MCP client acts as an intermediary within the host environment, managing communication between the MCP host and one or more MCP servers. It initiates requests to MCP servers, queries available functions, and retrieves responses that describe the server’s capabilities. This ensures seamless interaction between the host and external tools. ⮕ MCP Server : The MCP server enables the MCP host and client to access external systems and execute operations, offering three core capabilities: tools, resources, and prompts. Use Cases: ➤ OpenAI : MCP Integration in AI Agents and SDKs. OpenAI has adopted MCP to standardize AI-to-tool communication, recognizing its potential to enhance integration with external tools. ➤ Cursor : Enhancing Software Development with MCP-Powered Code Assistants. Cursor uses MCP to enhance software development by enabling AI-powered code assistants that automate complex tasks. ➤ Cloudflare : Remote MCP Server Hosting and Scalability. Cloudflare has played a pivotal role in transforming MCP from a local deployment model to a cloud-hosted architecture by introducing remote MCP server hosting. 8 MCP Servers You Should Know 1. Slack MCP Server The Slack MCP Server integrates AI assistants into Slack workspaces, enabling real-time message posting, user profile retrieval, channel management, and emoji reactions for seamless collaboration. Why it's essential : Developers need this MCP server to automate workflows and enhance team productivity within Slack environments. By enabling AI to interact directly with Slack's infrastructure, it eliminates repetitive communication tasks and creates intelligent workflows that respond to team activities in real-time. Custom notifications, automated responses to queries, and data aggregation from multiple channels become possible without human intervention. For development teams using Slack as their primary communication hub, this integration bridges the gap between conversation and action, allowing AI to become a proactive team member rather than just a passive tool. Get Slack MCP Server. 2. GitHub MCP Server The GitHub MCP Server integrates AI with GitHub's API to manage repositories, issues, pull requests, branches, and releases with robust authentication and error handling. Why it's essential : This server transforms how developers interact with code repositories by enabling AI to perform complex GitHub operations autonomously. It's crucial for maintaining code quality by automating pull request reviews, detecting potential bugs, and ensuring consistent development practices across teams. The GitHub MCP enables intelligent issue triaging, automated dependency updates, and proactive security vulnerability scanning without manual intervention. For organizations managing multiple repositories, it provides unprecedented efficiency by handling routine maintenance tasks, generating insightful analytics on development patterns, and even suggesting optimal reviewer assignments based on expertise and workload distribution. Get GitHub MCP Server. 3. Brave Search MCP Server The Brave Search MCP Server provides web and local search capabilities with pagination, filtering, safety controls, and smart fallbacks for comprehensive and flexible search experiences. Why it's essential : Developers require this server to equip their AI applications with powerful, privacy-focused search capabilities that go beyond basic queries. The Brave Search MCP delivers context-aware results that understand user intent while maintaining strict privacy standards, making it ideal for applications where data protection is paramount. Its advanced filtering capabilities enable precise information retrieval tailored to specific domains, technical documentation, or code examples. The built-in fallback mechanisms ensure consistent performance even when primary search methods fail, providing resilience essential for production applications. For developers building knowledge management tools, research assistants, or technical documentation systems, this server provides the comprehensive search infrastructure needed without sacrificing user privacy. Get Brave Search MCP Server. 4. Docker MCP Server The Docker MCP Server executes isolated code in Docker containers, supporting multi-language scripts, dependency management, error handling, and efficient container lifecycle operations. Why it's essential : This server is indispensable for developers who need secure, isolated environments for executing untrusted or experimental code through AI interfaces. It solves the critical challenge of running arbitrary code with proper sandboxing, preventing security vulnerabilities while still enabling powerful computation capabilities. By managing container lifecycles automatically, it eliminates resource leaks and optimizes infrastructure costs in production environments. The multi-language support means teams can work with their preferred technologies without compromise, while dependency isolation prevents the "works on my machine" problem plaguing development teams. For applications requiring code execution as part of their functionality, this MCP server provides the infrastructure backbone that balances security, flexibility, and performance. Get Docker MCP Server. 5. SingleStore MCP Server The SingleStore MCP Server interacts with SingleStore databases, enabling table listing, schema queries, SQL execution, ER diagram generation, and SSL-secured connections. Why it's essential : Database operations remain central to application development, and this MCP server revolutionizes how developers interact with data infrastructure through AI. It enables natural language querying of complex database structures, automatic schema optimization suggestions, and intelligent data modeling that would typically require database administrator expertise. For teams working with high-performance analytics applications, the SingleStore MCP provides crucial capabilities for managing distributed SQL workloads while maintaining security through encrypted connections. The ability to generate entity-relationship diagrams from existing schemas dramatically accelerates documentation efforts and knowledge transfer between team members. As applications grow increasingly data-intensive, this server becomes the critical link between AI capabilities and database performance optimization. Get SingleStore MCP Server . Know more about SingleStore MCP server. Presenting SingleStore’s MCP Server We’re excited to launch our open-source MCP server for SingleStore, enabling AI-driven database management. Now, users can interact with their SingleStore instances, like retrieving data, managing workspaces and running queries, simply by chatting with AI assistants like Claude or Cursor. singlestore.com 6. DuckDuckGo Search MCP Server The DuckDuckGo Search MCP Server offers organic web search results with options for news, videos, images, safe search levels, date filters, and caching mechanisms. Why it's essential : Privacy-conscious developers need this server to provide search functionality without compromising user data. Unlike other search providers, DuckDuckGo's privacy-first approach makes this MCP ideal for applications where user trust is paramount. The specialized search types (news, videos, images) enable developers to create targeted information retrieval systems that deliver precisely what users need without overwhelming them with irrelevant content. The customizable safe search levels are crucial for applications serving diverse audiences, including educational platforms and family-friendly services. The intelligent caching mechanisms significantly reduce API costs and improve response times in production environments, making this server not just a privacy choice but also a performance optimization tool. Get DuckDuckGo Search MCP Server . 7. Cloudflare MCP Server The Cloudflare MCP Server provides AI integration with Cloudflare's services for DNS management and security features to optimize web infrastructure tasks. Why it's essential : Web infrastructure management requires constant vigilance and optimization, making this MCP server invaluable for developers maintaining production systems. It enables AI-driven security response to emerging threats, automatically adjusting firewall rules and protection levels based on real-time attack patterns without human intervention. For global applications, it optimizes content delivery network settings to improve performance across diverse geographic regions and network conditions. The automated DNS management capabilities eliminate error-prone manual configurations while enabling intelligent traffic routing during deployments or outages. As cyber threats become more sophisticated, this server provides the critical link between AI threat detection and infrastructure protection, allowing development teams to focus on building features rather than constantly managing security configurations. Get Cloudflare MCP Server . 8. Vectorize MCP Server The Vectorize MCP Server connects AI assistants to organization data, enabling vector searches, deep research report generation, and text extraction from unstructured documents like PDFs with secure access to knowledge bases. Why it's essential : Developers require this server to bridge the critical gap between AI systems and organizational knowledge, transforming static AI into dynamic assistants with real-time access to company data. Without vector search capabilities, AI applications remain limited to their training data, unable to reference your most current documentation, research, or domain-specific information. The deep research functionality enables AI to produce comprehensive analyses combining multiple sources, essential for complex decision support systems. For companies with substantial unstructured data in PDFs and documents, the text extraction capabilities unlock previously inaccessible information. As organizations increasingly rely on proprietary knowledge as a competitive advantage, this MCP server ensures AI applications can securely leverage these assets without compromising data security. Get Vectorize MCP Server . Know more about MCP in my hands-on video. The MCP servers highlighted in this article represent a fundamental shift in how developers can leverage AI capabilities within their existing toolchains. By providing structured, reliable interfaces to essential services like code repositories, communication platforms, search engines, and infrastructure tools, these servers enable developers to create more intelligent, responsive, and automated workflows. The true power lies in combining these servers to create end-to-end solutions that can understand context across different systems and take appropriate actions. As AI continues to evolve, adopting these MCP servers today positions development teams to build the next generation of software solutions that blend human creativity with machine intelligence for unprecedented productivity and innovation. Top comments (5) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Gregory Magnusson Gregory Magnusson Gregory Magnusson Follow I started out at the beginning and intend to ride this out until the end Joined Jul 22, 2024 • Apr 17 '25 Dropdown menu Copy link Hide Good insights. Thanks. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Dmitry Sergeev Dmitry Sergeev Dmitry Sergeev Follow Joined Apr 21, 2025 • Apr 21 '25 Dropdown menu Copy link Hide try desktop commander mcp, its mind blow! i switched from cursor/windsurf to this mcp for unlimited tokens Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Sam Diki Sam Diki Sam Diki Follow Joined Apr 11, 2025 • Apr 22 '25 Dropdown menu Copy link Hide Great topic Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand saroj-pattnaik saroj-pattnaik saroj-pattnaik Follow Joined Apr 19, 2025 • Apr 19 '25 Dropdown menu Copy link Hide Great insights. Thanks. Like comment: Like comment: 2 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 Pavan Belagatti Follow Developer Advocate| Learning AI/ML/DataScience Education Computer Engineering & MBA Work GenAI Evangelist! Joined Apr 22, 2018 More from Pavan Belagatti LangChain vs LangGraph: How to Choose the Right AI Framework! # ai # llm # rag # agents Transformers: The Magic Engine Behind ChatGPT, Gemini & Every Modern AI Model! # chatgpt # llm # ai # gpt3 What is Context Engineering! # mcp # ai # agents # beginners 💎 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:49:42 |
https://www.algolia.com/fr/industries/marketplaces | Créer des marketplaces performantes et évolutives | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Algolia Partners Support Login Logout Algolia mark white Algolia logo white Products Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Industries Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Tarifs Développeurs GET STARTED Developer Hub Developer Hub Documentation Documentation Intégrations Intégrations Composants UI Composants UI Auto-completion Auto-completion RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Démarrage rapide Démarrage rapide Pour Open Source Pour Open Source Statuts d'API Statuts d'API Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Témoignages clients Témoignages clients Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Évènements Évènements Professional Services Professional Services Quick Access Algolia Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Recherche pour marketplaces Intégrez une fonctionnalité de recherche performante et évolutive L'API Algolia permet aux marketplaces d'implémenter des fonctionnalités de recherche performantes à grande échelle tout en réduisant le temps de développement Obtenir une démo Commencez gratuitement Les plus grandes marques font confiance à Algolia “C’est un plaisir de travailler sur un projet qui débute et se termine en temps et en heure, et qui donne des résultats. Il est également agréable de collaborer avec des développeurs qui aiment la technologie sur laquelle ils travaillent.” Chloé Martinot Chef de produit, équipe Recherche @ ManoMano Read their story Libérez vos ingénieurs Launch a test case, build front-end experiences and integrate with other platforms — all within hours. Focus on value-added tasks instead of maintaining your search infrastructure. Search-as-a-service API de recherche entièrement hébergée, gérée et sécurisée par l’équipe d’Algolia. Vitesse et pertinence à grande échelle: Algolia répond à 70 milliards de requêtes par mois. Indexation en temps quasi réel API first Intégration front-end et back-end simplifiée Entièrement configurable programmatiquement Hautement personnalisable Algorithme de classement, transparent et entièrement personnalisable Pertinence textuelle adaptable au contenu généré par vos utilisateurs Exploitez l'ensemble de vos données propriétaires Itérez plus rapidement Ne laissez pas votre environnement technologique ralentir vos initiatives stratégiques. Algolia fournit des outils de développement optimisés et des innovations adaptées à l’internationalisation. Innovation packagée Optimisation technologique continue Suggestions de requêtes intégrées, facettes dynamiques... Recherche vocale et de personnalisation Pensé pour les développeurs Documentation complète Bibliothèques front-end avancées Clients API dans 12 langues Pensé pour l’internationalisation Prise en charge de plus de 70 langues Infrastructure géo-distribuée Reproduisez facilement vos données et paramètres Donnez de l’autonomie à vos équipes Donnez à votre équipe merchandising les clés pour lancer des campagnes promotionnelles et réagir aux dernières tendances du marché. Pour promouvoir des mots-clés et des pages de catégories en quelques clics grâce à un éditeur visuel intuitif. Discover the Merchandising Studio Contenu recommandé DC360 Report: A blueprint for B2B technology From configure-price-quote systems to marketplace connections to AI-powered site search, flourishing B2B companies are... Read more DC360 Report: How to stand out on marketplaces Learn how to stand out with strategies for managing your products across multiple marketplaces, marketing tactics and how to... Read more How edX uses Algolia to connect online learners with the right courses Learn how edX, an educational technology platform, improved the way they connect learners with the right educational courses... Read more See more La recherche par IA qui comprend vos utilisateurs Demandez une démo Commencez gratuitement Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Politique de confidentialité Conditions d'utilisation Politique d'utilisation acceptable | 2026-01-13T08:49:42 |
https://github.com/berviantoleo/udacity-azure-project-3 | GitHub - berviantoleo/udacity-azure-project-3: Submission Azure Developer ND 3 Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} berviantoleo / udacity-azure-project-3 Public Uh oh! There was an error while loading. Please reload this page . Notifications You must be signed in to change notification settings Fork 4 Star 3 Submission Azure Developer ND 3 License View license 3 stars 4 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Pull requests 0 Discussions Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Pull requests Discussions Actions Security Insights berviantoleo/udacity-azure-project-3 main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 488 Commits .github .github data data function function screenshots screenshots web web .mergify.yml .mergify.yml .whitesource .whitesource LICENSE.md LICENSE.md README.md README.md View all files Repository files navigation README License NOTICE! Please use this repo as study purpose not for submission, never cheating for submission! TechConf Registration Website Project Overview The TechConf website allows attendees to register for an upcoming conference. Administrators can also view the list of attendees and notify all attendees via a personalized email message. The application is currently working but the following pain points have triggered the need for migration to Azure: The web application is not scalable to handle user load at peak When the admin sends out notifications, it's currently taking a long time because it's looping through all attendees, resulting in some HTTP timeout exceptions The current architecture is not cost-effective In this project, you are tasked to do the following: Migrate and deploy the pre-existing web app to an Azure App Service Migrate a PostgreSQL database backup to an Azure Postgres database instance Refactor the notification logic to an Azure Function via a service bus queue message Dependencies You will need to install the following locally: Postgres Visual Studio Code Azure Function tools V3 Azure CLI Azure Tools for Visual Studio Code Project Instructions Part 1: Create Azure Resources and Deploy Web App Create a Resource group Create an Azure Postgres Database single server Add a new database techconfdb Allow all IPs to connect to database server Restore the database with the backup located in the data folder Create a Service Bus resource with a notificationqueue that will be used to communicate between the web and the function Open the web folder and update the following in the config.py file POSTGRES_URL POSTGRES_USER POSTGRES_PW POSTGRES_DB SERVICE_BUS_CONNECTION_STRING Create App Service plan Create a storage account Deploy the web app Part 2: Create and Publish Azure Function Create an Azure Function in the function folder that is triggered by the service bus queue created in Part 1. Note : Skeleton code has been provided in the README file located in the function folder. You will need to copy/paste this code into the __init.py__ file in the function folder. The Azure Function should do the following: Process the message which is the notification_id Query the database using psycopg2 library for the given notification to retrieve the subject and message Query the database to retrieve a list of attendees ( email and first name ) Loop through each attendee and send a personalized subject message After the notification, update the notification status with the total number of attendees notified Publish the Azure Function Part 3: Refactor routes.py Refactor the post logic in web/app/routes.py -> notification() using servicebus queue_client : The notification method on POST should save the notification object and queue the notification id for the function to pick it up Re-deploy the web app to publish changes Monthly Cost Analysis Complete a month cost analysis of each Azure resource to give an estimate total cost using the table below: Azure Resource Service Tier Monthly Cost Azure Postgres Database Single Server - Basic - 1 vCore - 21 GB $34.58 Azure Service Bus Basic - 1 Million $0.5 Azure Function App 1 Million call - 5000 ms time $3.60 Azure Web App Free Free Total $38.23 Architecture Explanation Because this app have sending email which is good to place into background process, we need to split the sending email and the web app itself. The web app only do listing and sending queue, the Free Tier is enough for doing this since the web trafic not really high. The cost will move to background process, it will depend how much we sending the email, how much the attendee, if the attendee quite many, that will affect to execution time which is increase the monthly cost. But, the Azure Function App is quite cheap and we not suffer the web app to have more high resource. About Submission Azure Developer ND 3 Topics azure azure-functions udacity-nanodegree submission Resources Readme License View license Uh oh! There was an error while loading. Please reload this page . Activity Stars 3 stars Watchers 1 watching Forks 4 forks Report repository Releases No releases published Sponsor this project Uh oh! There was an error while loading. Please reload this page . ko-fi.com/ berviantoleo patreon.com/ berviantoleo liberapay.com/ berviantoleo opencollective.com/ berviantoleo issuehunt.io/r/ berviantoleo Learn more about GitHub Sponsors Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Contributors 3 Uh oh! There was an error while loading. Please reload this page . Languages CSS 59.3% HTML 18.6% JavaScript 13.9% Python 8.2% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://future.forem.com/hushuai_wang_29fb41896f72/i-want-people-to-document-their-entire-lives-from-childhood-to-adulthood-k1f#comments | I want people to document their entire lives from childhood to adulthood. - Future 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 Future 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 hushuai wang Posted on Dec 29, 2025 I want people to document their entire lives from childhood to adulthood. # ai # productivity # education Inspiration: Why Did I Create BabyVideo.ai? The initial motivation was simple: I discovered that "parent-child/baby" content has a natural power to spread on social media platforms—whether it's cute, funny, heartwarming, or topics like "what will the future baby look like?", people can't help but click, comment, and share. However, creating truly "good-looking, presentable, and shareable" baby content quickly and easily is actually quite challenging for ordinary people: you need editing skills, color correction skills, and the ability to create source materials, plus time. I wanted to create a tool that "requires no editing skills": users simply upload a photo or enter a description, choose a template, and can directly generate a finished video/image. Ideally, it should also cover the most popular types of content: Future Baby Prediction: Couples upload photos of themselves and generate a "future baby's" appearance (highly entertaining). Growth/Age Progression: Generate multiple age comparisons from the same image (strong commemorative value). Cartoon Baby: Turn baby photos into various styles of cartoon avatars with one click (multiple sharing scenarios). Baby-themed video templates: Transforming "content creation" into "selecting templates and generating videos," lowering the barrier to entry. BabyVideo.ai was born with this goal in mind: to make "baby content creation" a product that everyone can use and share immediately after use. Development Experience: From 0 to Launch, What Pitfalls Did I Encounter? 1) A Product Isn't Just About "Connecting a Model" Many people think that AI products are simply about connecting to a model API and generating images/videos. However, the most difficult part isn't the model itself, but rather making the entire process stable, controllable, and scalable. For example: Even with the same "video template," the quality of input photos from different users can vary greatly—lighting, angle, clarity, face occlusion, group photos… all affect the final result. Therefore, I had to implement many "product-level safeguards": When users don't input a description, use default suggestions to ensure stable video output. When users input a description, limit length/sensitive words/unreasonable requests to prevent generation failures. Failures must be retryable, problem-solving mechanisms must be available, and a points refund/compensation mechanism must be in place (otherwise, users will quickly churn). 2) Cost and Billing: The biggest pain point isn't the technology, but "accounting." The cost of AI-generated content is dynamic: sometimes, for the same 7-second video, a long inference run can cause costs to skyrocket; concurrency, queuing, and retries can all make single-transaction costs uncontrollable. So I spent a lot of time on two things: Cost monitoring: The actual cost per function, per generation, and per second of video must be statistically calculated. Points system: Convert dollar costs into "points" that users can understand, while ensuring long-term profitability. If this isn't done well, the product can easily fall into the situation where "the more users use it, the more you lose." For independent developers, this is almost fatal. 3) Engineering Details: Login, Storage, Queuing, Failure Handling Once deployed, you'll find that user issues are often very "life-like," but solving them requires a highly engineered approach: Login System: Email login, third-party login, CAPTCHA, anti-fraud measures, anti-abuse measures Storage System: Generated videos/images must be stored in object storage, with an extensible path structure (different directories for different functions) Queuing and Concurrency: AI tasks cannot run indefinitely; queuing, rate limiting, and status tracking are necessary. Task Status: Generating, Failed, Successful, Expired, Retry—each step must have a clear state machine. Anomaly Handling: Model timeouts, third-party interface fluctuations, and non-compliant user input all require handling logic. Often, users only see a button, but behind it lies a whole stability system. 4) Multilingualism and SEO: It's not just about translation To reach more users, I created multilingual pages. However, it was quickly discovered that: Multilingualism involves more than just translation; it also requires considering the search habits of local users (e.g., keyword differences between Russian and English). Page structure, H1/H2 pages, FAQs, schemas, and internal links all affect indexing and ranking. There's also the issue of "content duplication": how to avoid competition between pages offering the same functionality in different languages, and how to properly canonicalize content. SEO is crucial for AI tool sites, but it's also a long-term, iterative, and systematic project. Operational Process: How did I move from "creating" to "having users"? 1) In the very early stages: Focus on "shareable results," not "advanced features." In the early stages of operation, my primary focus was on whether users were willing to share the results they generated. Because for a product like babyvideo.ai, the best growth isn't advertising, but rather users sharing on social media platforms themselves. Therefore, I prioritized streamlining the template, output quality, generation speed, and sharing experience: The generated results should be "so appealing you'll want to share them at first glance." The output should be clear enough, and the style should be consistent. Don't require users to fill in too many complex parameters (to reduce churn). 2) Channel Experimentation: Directory Exposure, Community Posts, Short Video Materials I tried many methods: submitting to AI tool directories, posting on community forums, and driving traffic through platforms like Pinterest/Quora. But I quickly discovered a pattern: The exposure directory of nofollow links doesn't necessarily directly improve SEO, but it can bring real clicks, brand search, and subsequent organic mentions. Buying backlinks that "look like dofollow links" has very limited SEO value if the placement is social media/UGC. The most effective approach is often: Content + Demo + Result Comparison. Showing users the difference between input and output naturally encourages them to click and try. Therefore, I started focusing more on creating "reproducible demo materials": Future Baby Prediction: Couple Photos → Baby Prediction Images Growth Changes: One Image → Comparison of Multiple Age Groups Cartoon Babies: Original Image → Collection of Multiple Style Avatars. This content is advertising in itself, and it's easier to spread than hard-sell ads. 3) User Feedback Drives Iteration: Treat "Generation Failure" as a Product Task The most crucial feedback in operations isn't "How good does it look?", but rather: Why did generation fail? Why does it not look right? Why is the queue too long? Why is the points consumption incomprehensible? Each of these issues can directly translate into product iteration points: better input suggestions, more stable default parameters, clearer billing explanations, more transparent task status, and more reasonable failure compensation. For independent developers, operations are not "doing marketing," but "using real users to push the product to become stronger." The current understanding: The hardest thing about building SaaS is "continuously doing one thing well." Building it from 0 to 1 is just the beginning. The real challenges are: Controllable costs Stable user experience Continuously improving output quality Continuous channel testing Continuous SEO/content accumulation Continuous user feedback iteration BabyVideo.ai is also constantly iterating. I hope it becomes a tool where "anyone can easily generate baby-themed content": no editing, no design, no complicated learning curve, just open a webpage to get a shareable result. BabyVideo.ai 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 hushuai wang Follow Joined Dec 29, 2025 💎 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:42 |
https://github.com/nikic/PHP-Fuzzer | GitHub - nikic/PHP-Fuzzer: Experimental fuzzer for PHP libraries Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} nikic / PHP-Fuzzer Public Notifications You must be signed in to change notification settings Fork 18 Star 436 Experimental fuzzer for PHP libraries License MIT license 436 stars 18 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 3 Pull requests 0 Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Security Insights nikic/PHP-Fuzzer master Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 90 Commits .github/ workflows .github/ workflows bin bin example example src src test test .gitattributes .gitattributes .gitignore .gitignore LICENSE LICENSE README.md README.md box.json box.json composer.json composer.json phpstan-baseline.neon phpstan-baseline.neon phpstan.neon phpstan.neon phpunit.xml.dist phpunit.xml.dist scoper.inc.php scoper.inc.php View all files Repository files navigation README MIT license PHP Fuzzer This library implements a fuzzer for PHP, which can be used to find bugs in libraries (particularly parsing libraries) by feeding them "random" inputs. Feedback from edge coverage instrumentation is used to guide the choice of "random" inputs, such that new code paths are visited. Installation Phar (recommended) : You can download a phar package of this library from the releases page . Using the phar is recommended, because it avoids dependency conflicts with libraries using PHP-Parser. Composer : composer global require nikic/php-fuzzer Usage First, a definition of the target function is necessary. Here is an example target for finding bugs in microsoft/tolerant-php-parser : <?php // target.php /** @var PhpFuzzer\Config $config */ require ' path/to/tolerant-php-parser/vendor/autoload.php ' ; // Required: The target accepts a single input string and runs it through the tested // library. The target is allowed to throw normal Exceptions (which are ignored), // but Error exceptions are considered as a found bug. $ parser = new Microsoft \ PhpParser \ Parser (); $ config -> setTarget ( function ( string $ input ) use ( $ parser ) { $ parser -> parseSourceFile ( $ input ); }); // Optional: Many targets don't exhibit bugs on large inputs that can't also be // produced with small inputs. Limiting the length may improve performance. $ config -> setMaxLen ( 1024 ); // Optional: A dictionary can be used to provide useful fragments to the fuzzer, // such as language keywords. This is particularly important if these // cannot be easily discovered by the fuzzer, because they are handled // by a non-instrumented PHP extension function such as token_get_all(). $ config -> addDictionary ( ' example/php.dict ' ); The fuzzer is run against a corpus of initial "interesting" inputs, which can for example be seeded based on existing unit tests. If no corpus is specified, a temporary corpus directory will be created instead. # Run without initial corpus php-fuzzer fuzz target.php # Run with initial corpus (one input per file) php-fuzzer fuzz target.php corpus/ If fuzzing is interrupted, it can later be resumed by specifying the same corpus directory. Once a crash has been found, it is written into a crash-HASH.txt file. It is provided in the form it was originally found, which may be unnecessarily complex and contain fragments not relevant to the crash. As such, you likely want to reduce the crashing input first: php-fuzzer minimize-crash target.php crash-HASH.txt This will product a sequence of successively smaller minimized-HASH.txt files. If you want to quickly check the exception trace produced for a crashing input, you can use the run-single command: php-fuzzer run-single target.php minimized-HASH.txt Finally, it is possible to generate a HTML code coverage report, which shows which code blocks in the target are hit when executing inputs from a given corpus: php-fuzzer report-coverage target.php corpus/ coverage_dir/ Additionally configuration options can be shown with php-fuzzer --help . While the fuzzer is running, it reports its status continuously using a single line of output. This line comprises these parts in the following order: NEW or REDUCED : The action that triggered this status line. NEW indicates that a new input was added to the corpus while REDUCED indicates that an existing corpus entry was replaced with a shorter input. run: N : The total number of fuzzing iterations (target executions) performed since the fuzzer started (N/s) : The current execution speed, measured in runs per second ft: N : The total number of unique features discovered so far (N/s) : The average number of new features discovered per second since the fuzzer started corp: N : The number of interesting inputs currently stored in the corpus (%s) : The total size of all inputs in the corpus len: %d/%d : The first number is the length (in bytes) of the current input that triggered the action, the second number is the current maximum allowed input length t : The total elapsed time since the fuzzer started, in seconds mem : The current memory usage of the PHP process Bug types The fuzzer by default detects three kinds of bugs: Error exceptions thrown by the fuzzing target. While Exception exceptions are considered a normal result for malformed input, uncaught Error exceptions always indicate programming error. They are most commonly produced by PHP itself, for example when calling a method on null . Thrown notices and warnings (unless they are suppressed). The fuzzer registers an error handler that converts these to Error exceptions. Timeouts. If the target runs longer than the specified timeout (default: 3s), it is assumed that the target has gone into an infinite loop. This is realized using pcntl_alarm() and an async signal handler that throws an Error on timeout. Notably, none of these check whether the output of the target is correct, they only determine that the target does not misbehave egregiously. One way to check output correctness is to compare two different implementations that are supposed to produce identical results: $ fuzzer -> setTarget ( function ( string $ input ) use ( $ parser1 , $ parser2 ) { $ result1 = $ parser1 -> parse ( $ input ); $ result2 = $ parser2 -> parse ( $ input ); if ( $ result1 != $ result2 ) { throw new Error ( ' Results do not match! ' ); } }); Technical Many of the technical details of this fuzzer are based on libFuzzer from the LLVM project. The following describes some of the implementation details. Instrumentation To work efficiently, fuzzing requires feedback regarding the code-paths that were executed while testing a particular fuzzing input. This coverage feedback is collected by "instrumenting" the fuzzing target. The include-interceptor library is used to transform the code of all included files on the fly. The PHP-Parser library is used to parse the code and find all the places where additional instrumentation code needs to be inserted. Inside every basic block, the following code is inserted, where BLOCK_INDEX is a unique, per-block integer: $ ___key = (\ PhpFuzzer \FuzzingContext:: $ prevBlock << 28 ) | BLOCK_INDEX ; \ PhpFuzzer \FuzzingContext:: $ edges [ $ ___key ] = (\ PhpFuzzer \FuzzingContext:: $ edges [ $ ___key ] ?? 0 ) + 1 ; \ PhpFuzzer \FuzzingContext:: $ prevBlock = BLOCK_INDEX ; This assumes that the block index is at most 28-bit large and counts the number of (prev_block, cur_block) pairs that are observed during execution. The generated code is unfortunately fairly expensive, due to the need to deal with uninitialized edge counts, and the use of static properties. In the future, it would be possible to create a PHP extension that can collect the coverage feedback much more efficiently. In some cases, basic blocks are part of expressions, in which case we cannot easily insert additional code. In these cases we instead insert a call to a method that contains the above code: if ( $ foo && $ bar ) { . . . } // becomes if ( $ foo && \ PhpFuzzer \FuzzingContext:: traceBlock ( BLOCK_INDEX , $ bar )) { . . . } In the future, it would be beneficial to also instrument comparisons, such that we can automatically determine dictionary entries from comparisons like $foo == "SOME_STRING" . Features Fuzzing inputs are considered "interesting" if they contain new features that have not been observed with other inputs that are already part of the corpus. This library uses course-grained edge hit counts as features: ft = (approx_hits << 56) | (prev_block << 28) | cur_block The approximate hit count reduces the actual hit count to 8 categories (based on AFL): 0: 0 hits 1: 1 hit 2: 2 hits 3: 3 hits 4: 4-7 hits 5: 8-15 hits 6: 16-127 hits 7: >=128 hits As such, each input is associated with a set of integers representing features. Additionally, it has a set of "unique features", which are features not seen in any other corpus inputs at the time the input was tested. If an input has unique features, then it is added to the corpus (NEW). If an input B was created by mutating an input A, but input B is shorter and has all the unique features of input A, then A is replaced by B in the corpus (REDUCE). Mutation On each iteration, a random input from the current corpus is chosen, and then mutated using a sequence of mutators. The following mutators (taken from libFuzzer) are currently implemented: EraseBytes : Remove a number of bytes. InsertByte : Insert a new random byte. InsertRepeatedBytes : Insert a random byte repeated multiple times. ChangeByte : Replace a byte with a random byte. ChangeBit : Flip a single bit. ShuffleBytes : Shuffle a small substring. ChangeASCIIInt : Change an ASCII integer by incrementing/decrementing/doubling/halving. ChangeBinInt : Change a binary integer by adding a small random amount. CopyPart : Copy part of the string into another part, either by overwriting or inserting. CrossOver : Cross over with another corpus entry with multiple strategies. AddWordFromManualDictionary : Insert or overwrite with a word from the dictionary (if any). Mutation is subject to a maximum length constrained. While an overall maximum length can be specified by the target ( setMaxLength() ), the fuzzer also performs automatic length control ( --len-control-factor ). The maximum length is initially set to a very low value and then increased by log(maxlen) whenever no action (NEW or REDUCE) has been taken for the last len_control_factor * log(maxlen) runs. The higher the length control factor, the more aggressively the fuzzer will explore short inputs before allowing longer inputs. This significantly reduces the size of the generated corpus, but makes initial exploration slower. Findings tolerant-php-parser : #305 PHP-CSS-Parser : #181 #182 #183 #184 league/uri : #150 amphp/http-client #236 amphp/hpack #8 phpmyadmin/sql-parser : #508 #510 club-1/sphinx-inventory-parser : #7 About Experimental fuzzer for PHP libraries Resources Readme License MIT license Uh oh! There was an error while loading. Please reload this page . Activity Stars 436 stars Watchers 15 watching Forks 18 forks Report repository Releases 11 PHP-Fuzzer 0.0.11 Latest May 21, 2025 + 10 releases Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Contributors 8 Uh oh! There was an error while loading. Please reload this page . Languages PHP 100.0% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://dev.to/alok_kumar_44670e79f96677/integration-testing-definition-how-to-examples-1nmd | Integration Testing: Definition, How-to, Examples - 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 Alok Kumar Posted on Jan 5 Integration Testing: Definition, How-to, Examples # testing # cicd # automation # software Imagine organizing a large event. The venue, catering, invitations, and audio system all work perfectly on their own. But when the event begins, everything must come together seamlessly. If check-in fails, food is delayed, or the sound system breaks, the entire experience suffers. This is where integration testing becomes essential. Integration testing verifies that different parts of a software system such as services, APIs, databases, and external systems work correctly together. Even when individual modules pass unit tests, issues like data mismatches, communication failures, or configuration errors often surface only when components interact. In this article, we’ll explain what integration testing is, why it matters, and how to implement it effectively. We’ll cover its types, benefits, best practices, and real-world examples to help you apply integration testing with confidence in modern software systems. What is Integration Testing? Integration testing in software testing focuses on validating interactions between different parts of an application. These parts may be internal modules or external systems such as third-party APIs and services. The goal is to ensure that the complete system behaves correctly when its components are connected. In the testing pyramid, integration testing sits between unit testing and end-to-end testing. After verifying individual units in isolation, integration testing ensures those units communicate correctly before moving on to full user-flow validation. Why Is Integration Testing Crucial in Modern Software Development? As applications become more distributed and feature-rich, integration testing ensures that all the systems and modules work together. Whether you’re dealing with monolithic apps or microservices architectures , integration testing plays a key role in validating data flow, module interactions, and overall functionality. Here are the key benefits of integration testing: Identifying Bugs Linked to Module Interactions : Many bugs arise from how components interact with each other. For example, data mismatches or API failures may only surface when two modules communicate. Integration testing helps catch these errors early. Validating Data Flow : Integration testing ensures that data passed between components remains consistent and accurately flows from one module to another. For example, when an API sends data to a database, integration testing ensures that the data is processed correctly and remains intact. Mitigating Production Risk : By identifying integration issues early, integration testing helps prevent larger failures once the application is in production. This is crucial in preventing disruptions to users and maintaining smooth operations. Improving System Reliability : Effective integration tests ensure that the combined system performs as expected under different scenarios. Integration testing helps validate the system’s resilience and ensures that modules work well in tandem. How Integration Testing Fits in the Software Development Cycle In the software development cycle, integration testing sits between unit testing and system testing. Unit Testing : Focuses on testing individual components or functions in isolation, ensuring each unit works as expected. Integration Testing : Tests how components or modules interact, ensuring they work together as intended. System Testing : Ensures that the entire system works as a whole, including testing performance, security, and user experience. While unit tests are quick and targeted, integration tests validate the interactions between components. They provide the next level of confidence that the system will behave as expected when all pieces come together. How to Write Effective Integration Tests Writing integration tests requires careful planning, preparation, and execution. Here’s a step-by-step approach: Define the Scope of Integration Tests Clarify which components will be tested together (e.g., API + front-end, service + database, UI + backend API). Prepare Test Data & Environment Use realistic datasets, mock data, or test environments (e.g., Docker containers) to simulate real-world conditions without affecting production. Design Comprehensive Test Cases Define the test inputs, expected results, preconditions, and cleanup. This helps in validating specific interactions, error handling, and data flow. Automate Test Execution Automate tests using frameworks like JUnit, pytest, or Keploy, and integrate them into CI/CD pipelines to ensure tests run with every code change. Verify Results Look at status codes, check payload correctness, and monitor side effects (like emails sent or database changes). Cleanup & Teardown Ensure that all test data is cleared, keeping the test environment consistent for future runs. How Integration Testing Works in Action In practice, integration testing involves connecting modules in a controlled environment. Here's an overview: Bootstrapping : Initialize the modules, mocking external dependencies if needed. Test Execution : Trigger scenarios that initiate interactions, such as API requests or UI actions that call APIs. Logging & Observation : Capture logs, metrics, and traces to monitor for errors or performance issues during the test. Assertion & Reporting : Use assertions to compare expected vs. actual results, providing detailed reports for debugging. What Does Integration Testing Involve? Interface Compatibility : Ensures that all teams share a common understanding of method signatures, data formats, and endpoints. For example, when APIs communicate with databases, teams must align on request formats and response schemas. Data Integrity : Validates that data transformations and transfers maintain meaning and structure. This is crucial for ensuring consistency and accuracy as data moves across components (e.g., from an API to a database). System Behavior : This step involves ensuring that workflows across modules achieve the expected business outcomes or user experience. Performance Testing : This is crucial, especially in high-traffic scenarios. For example, when APIs and databases work together under load, integration tests ensure that response times and throughput remain consistent as traffic increases. Error & Exception Handling : Error handling involves testing for scenarios where failures may occur, such as timeouts, retries, or system crashes. Integration testing ensures that your system handles failures gracefully — by retrying failed API calls or reverting to fallback procedures during communication breakdowns. This minimizes disruption and ensures a smooth user experience. What Are the Key Steps in Integration Testing? Plan Strategy : Identify the desired integration strategy (e.g., Big Bang, Bottom-Up). Record entry and exit criteria. Design Test Cases : Identify positive flows, boundary conditions, and failure modes for each integration point. Setup Environment : Provision test servers, containers, message brokers, and versioned test data. Execute Tests : Execute automated scripts while gathering logs to track performance and errors. Log & Track Defects : Track issues in a defect management system (e.g., Jira) with detailed reproduction steps. Fix & Retest : Developers resolve defects, and testers re-execute tests until criteria are met. What Is the Purpose of an Integration Test? The overarching aim is to assess the functioning of the integrated component of the modules together. Specifically checks may be categorized into three types: Interface Compatibility : Ensuring the integrity of the called parameters and their definition and data formats. Data Integrity: Ensuring transformations and transfers maintain meaning and structure in the transaction. System Behavior : Ensuring that workflows across the module types achieve the expected business outcomes or user experience. Key Types of Integration Testing There are several approaches to integration testing, each suited to different types of systems: 1. Big-Bang Integration Testing Description : All modules are integrated after unit testing is completed, and the entire system is tested at once. Advantages : Easy setup, no need to create intermediate tests or stubs. Disadvantages : Difficult to pinpoint the root cause of failures, and if integration fails, it can block all work. 2. Bottom-Up Integration Testing Description : Testing begins with the lowest-level modules and gradually integrates higher-level modules. Advantages : Provides granular testing of the underlying components before higher-level modules are built. Disadvantages : Requires the creation of driver modules for simulation. 3. Top-Down Integration Testing Description : Testing begins with the top-level modules, using stubs to simulate lower-level components. Advantages : Early validation of user-facing features and overall system architecture. Disadvantages : Lower-level modules are tested later in the process, delaying defect discovery. 4. Mixed (Sandwich) Integration Testing Description : Combines top-down and bottom-up approaches to integrate and test components simultaneously from both ends. Advantages : Allows parallel integration, detecting defects at multiple levels early. Disadvantages : Requires careful planning to synchronize both testing strategies. Best Practices for Integration Testing Plan Early : Start planning your integration tests during the design phase to ensure you have the right test cases in place. Clear Test Cases : Write clear and concise test cases that cover a variety of scenarios — including failure conditions and edge cases. Automation : Use automated testing tools (like Postman, JUnit, or Keploy) to speed up the process and run tests more frequently. Use Mock Data : If possible, use mock data or services to simulate real interactions. Performance Testing : Consider measuring response times and performance during integration testing, especially for high-volume applications. Tools for Integration Testing While you mention popular tools like Postman, JUnit, and Selenium, expanding this section with more specific tools and their use cases will provide additional value to readers: 1. Keploy Description : Keploy is an automation tool that helps developers generate integration tests by recording real user interactions and replaying them as test cases. Use Case : Ideal for automating API , service , and UI integration tests with minimal manual effort. Why It’s Useful : Keploy saves time by automatically creating test cases and integrating them into CI/CD pipelines , ensuring repeatability and reliability. 2. SoapUI Description : SoapUI is a tool designed specifically for testing SOAP and REST web services. Use Case : Great for testing APIs that interact with multiple external systems and services. Why It’s Useful : SoapUI supports functional, load, and security testing for APIs, ensuring comprehensive validation for service integration. 3. Citrus Description : Citrus is designed for application integration testing in messaging applications and microservices. Use Case : Perfect for validating asynchronous systems and message-based communication. Why It’s Useful : Citrus supports JMS, HTTP, and other protocols, providing a robust framework for testing message-based interactions. 4. Postman Description : Postman is a popular tool for API testing , enabling developers to send HTTP requests and validate responses. Use Case : Widely used for testing RESTful APIs and simulating real-world user requests. Why It’s Useful : With its automation and workflow features, Postman ensures your APIs are robust and properly integrated into your applications. Importance of Test Data Management Good test data management is key to reliable service integration testing. Use realistic data that accurately represents real-world scenarios. Here are some recommendations to promote test data consistency: Use Mock Data in Place of External Services : If external system services are unavailable, use mock data that simulates external services' behavior. Data Consistency : For integration tests to be meaningful, the data utilized in those tests should remain consistent across tests. Anonymize Data : If using production data, always anonymize it to comply with privacy laws and regulations. Real-Life Case Studies E-commerce Platform Example : Integration tests ensure that different services in an e-commerce platform communicate properly. When a user adds an item to their cart and proceeds to checkout, integration tests ensure services like inventory management, payment gateways, and shipping services work seamlessly together. Healthcare Application Example : In a healthcare platform, integration tests ensure that patient registration data interacts correctly with the billing and appointment scheduling systems. Integration tests help ensure that when a patient registers, the system updates the appointment schedule and billing data in real-time. Challenges & Solutions Managing External Dependencies : Solution : Mocking tools or containerized environments can replicate the behavior of external dependencies, making testing more effective when services are unavailable. Data Governance : Solution : Create realistic test data and reset it after each test to maintain consistency. Working with Asynchronous Systems : Solution : For message-driven or event-based systems, use tools like Citrus to manage message delivery and timing. Applications of Testing It is a vital ingredient of contemporary software systems. When many components, services, or layers are working with each other, it can help provide assurance that they are performing as expected. The areas below highlight situations when Testing is most useful. Microservices Architectures Microservices Testing generally refers to applications that distribute functionality among multiple deployable services that can be deployed independently. With integration tests in a microservice architecture, one can validate the following: Reliable inter-service communication through either REST APIs or gRPC interfaces Proper messages are delivered through message queuing systems (e.g., Kafka or RabbitMQ) Services can register and discover each other in a dynamic environment (e.g., Consul or Eureka) Example : One test could provide verification that the order service actually calls the payments service, and the payments service responds with the expected response. Client–Server Systems For most traditional or modern client-server based applications (e.g., web apps or mobile applications) an integration test can validate that: Use cases validate that the "Frontend" interactive interface calls and communicates with the "Backend" APIs as expected Establish data flow from the user to the client interaction and determine whether that action is reflected in the database Allow for authentication and management of session state across all layers of the system Example : Verify that the form submission from the web client is received by the server. Third-Party Integrations Numerous apps are based on external services to provide core functionality: This will specifically show thorough and valid consumption of APIs (like Google Maps, OAuth, Stripe) Correct response and error handling for errors, such as timeouts, discarded responses, and discards from version changes. Security and compliance issues when communicating sensitive information. Example : Ensure that if a third-party gateway payment fails, the application logs the failure and appropriately handles it. Data Pipelines In systems that do primarily data transformation/movement (such as an ETL/ELT workflow), an integration test can confirm: Proper sequencing and transformation of data across all processing stages. Data integrity, proving it is intact, from when it is read from the source, to stored or visualized. Handling schema changes or missing data. Example : Ensuring raw (not processed) data from logs, is cleaned, transformed appropriately, and loaded in the data warehouse. Manual Testing vs. Automated Testing Aspect Manual Integration Testing Automated Integration Testing Repeatability Prone to human error, time-consuming Fast, consistent, and repeatable Coverage Limited by the tester’s time Can cover many scenarios overnight Maintenance Effort Low initial setup, high ongoing cost High initial setup, low ongoing cost Reporting Subjective, ad-hoc logs Structured logs, metrics, and dashboards Automated Testing : Automated testing is well suited for testing that is repetitive, high-volume, and regression testing. Automated testing is capable of providing faster feedback, improved scalability, and more reliability than manual testing. Keploy improves automated service-level testing by capturing real user interactions to automatically generate test cases without writing them yourself. Why Choose Keploy for Integration Testing? Keploy revolutionizes integration testing by capturing real API traffic and automatically generating test cases from it. It mocks external systems, ensuring that the tests are repeatable and reliable, making integration testing easier and faster. With seamless CI/CD integration, Keploy ensures that your code is always validated before it reaches production. Key benefits of using Keploy for integration testing: Traffic-Based Test Generation : Capture real user traffic and convert it into automated test cases. Mocking & Isolation : Mock external systems to ensure repeatable, isolated tests. Regression Detection : Automatically replay tests to detect integration issues with every code change. CI/CD Integration : Works seamlessly with GitHub Actions, Jenkins, and GitLab CI for continuous testing. Conclusion Integration testing is crucial for ensuring that all components in your software application work as expected when combined. By following the best practices and utilizing tools like Keploy, you can streamline your testing process, detect issues early, and ensure your system is reliable. Whether you’re working with microservices or a monolithic architecture, integration testing helps ensure smooth communication and functionality across modules, ultimately improving the quality and reliability of your software. FAQs How frequently should I run integration tests? Integration tests should be run on every pull request in your CI pipeline and as part of nightly regression testing. Can integration tests replace unit tests? No, unit tests check individual units, while integration tests ensure that units work together. How does Keploy help with integration testing? Keploy automates integration testing by recording real user interactions and generating tests, while mocking external systems to ensure repeatability. Is it appropriate to use mocks for external services? Use real services when possible, but mocks are a great alternative when external services are unavailable or costly. How do integration tests differ from E2E tests? Integration tests check the interactions between modules, while end-to-end tests check entire user workflows across the system. Reference: Keploy.io 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 Alok Kumar Follow Joined Nov 4, 2025 More from Alok Kumar End-to-End Testing in Modern Software: A Practical Guide for Developers # e2e # testing # softwaredevelopment # softwareengineering How AI Is Changing Integration, Functional, and End to End Testing # e2e # testing # automation # softwareengineering Agile Vs Waterfall A Practical Guide for Modern Development Teams # sdlc # agile # waterfall # software 💎 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:49:42 |
https://docs.devcycle.com/integrations/google-analytics-4 | Sending DevCycle Data as a Custom Event to Google Analytics 4 (GTM Specific) | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Sending DevCycle Data as a Custom Event to Google Analytics 4 (GTM Specific) Transition from Google Optimize This guide enables you to integrate DevCycle feature flags with Google Analytics 4 (GA4) for A/B testing and experimentation using Google Tag Manager (GTM). If you are a former Google Optimize customer transitioning to GA4, this guide is specific to GTM implementations. GTM Elements: Tags, Variables, and Triggers Below is a description of Google Tag Manager's tags, variables, and triggers. For more in-depth understanding, consult Google's official documentation . Tags execute specified functionality, such as sending data to GA4 or initializing DevCycle. Variables serve as placeholders for predefined values, which in this guide store the feature and variation data. Triggers are conditions that, when met, execute actions defined in Tags. Google Tag Manager (GTM) Configuration Step 1: Create a New Tag for DevCycle Initialization and Feature Flag Configuration Values Navigate to your GTM workspace and access the "Tags" section. Create a new tag and name it "DevCycle Initialization & Feature Flag Configuration Values". Choose "Custom HTML" for "Tag Configuration". Insert a script to push a custom event named set_user_properties (or any name of your choosing) to the dataLayer with the parameters: featureName: {{featureName}} and variation: {{variation}} . This script can be found below. < script > let user = { isAnonymous : true } ; let devcycleOptions = { logLevel : "debug" } ; let devcycleClient = DevCycle . initializeDevCycle ( "<SDK_KEY>" , // Replace with your specific DevCycle SDK Key user , devcycleOptions ) ; devcycleClient . onClientInitialized ( ) . then ( function ( ) { let features = devcycleClient . allFeatures ( ) ; pushData ( features ) ; } ) ; function pushData ( featuresConfig ) { let arr = [ ] ; // JSON to Array for ( let i in featuresConfig ) { arr . push ( [ i , featuresConfig [ i ] ] ) ; } // Push to dataLayer for ( let j = 0 ; j < arr . length ; j ++ ) { let featureName = arr [ j ] [ 0 ] . replaceAll ( "-" , "_" ) ; let currentVariation = arr [ j ] [ 1 ] [ "variationName" ] . replaceAll ( "-" , "_" ) ; window . dataLayer . push ( { event : "set_user_properties" , // Can be any event name you want featureName : featureName , variationName : currentVariation , } ) ; } } < / script > For “Triggering", select the “Window Loaded” option as the firing trigger. Step 2: Configure GTM Variables Navigate to the “Variable” section. In “User-Defined Variables", create a new variable. Choose “Data Layer Variable” for "Variable Type". Enter “featureName” for "Data Layer Variable Name". Repeat to create another variable and name it “variationName". Step 3: Create Tag to Send Custom Events Option 1: Setup via Google Tag In your GTM workspace, navigate to "Tags" and create a new one. Name it "GA4_Custom_User_Properties". Select "Google Tag" for "Tag Configuration". Provide your Tag ID for your Google Analytics instance. Under "Shared event settings", add a new Parameter with the featureName variable you created as the "Event Parameter", and your variationName variable as the "value". Option 2: Send Custom Events to Google Analytics 4 In your GTM workspace, navigate to "Tags" and create a new one. Name it "GA4_Custom_User_Properties". Select "GA4 Event" for "Tag Configuration." In "Configuration Tag", choose your existing GA4 Configuration Tag. Input set_user_properties for "Event Name" (or the event name you chose). Step 4: Define Trigger for the new Tag Within the tag you just setup, create a new "Firing Trigger" in "Triggering". Create a new trigger and set the trigger type to "Custom Event" or to another trigger of your choice. Name the event (if applicable) as set_user_properties (Or the event name you chose in your custom HTML). Step 5: Publish Changes Before hitting "Submit", it's crucial to validate that your configurations are working as intended. Use GTM's "Preview" mode for this. How to Validate your setup with GTM's Preview Mode Click on "Preview" at the top right of the GTM interface. This will open a new browser tab, where you'll navigate to your website. Perform actions that should trigger the tag you've configured. Check the GTM Preview pane that appears at the bottom of your website. It should show the tags that are fired upon your actions. Specifically, confirm that your DevCycle feature and variation data is correctly passed to GA4 tags. When you've confirmed that your data is being passed in correctly, publish your changes by clicking on "Submit"! Google Analytics 4 Configuration Reporting in Google Analytics 4 Navigate to "Reports" > "Library" > "New Report". Choose the metric for analysis under "Event Metric". Select the feature property under "Dimension," e.g., DevCycle_featureNameA . If the dimension doesn't exist: Go to "Admin" > "Custom definitions" > "Create custom dimension". Set the scope to Event and name the event parameter according to your feature. Contributing to DevCycle or Creating a New Integration: DevCycle's tools and integrations are open source and can be found on the DevCycle GitHub repository . For new integrations, refer to DevCycle's Management API and DevCycle Bucketing API . Edit this page Last updated on Jan 9, 2026 Transition from Google Optimize GTM Elements: Tags, Variables, and Triggers Google Tag Manager (GTM) Configuration Step 1: Create a New Tag for DevCycle Initialization and Feature Flag Configuration Values Step 2: Configure GTM Variables Step 3: Create Tag to Send Custom Events Step 4: Define Trigger for the new Tag Step 5: Publish Changes Google Analytics 4 Configuration Reporting in Google Analytics 4 DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:49:42 |
https://github.com/nikic/PHP-Parser | GitHub - nikic/PHP-Parser: A PHP parser written in PHP Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus 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 {{ message }} nikic / PHP-Parser Public Notifications You must be signed in to change notification settings Fork 1.1k Star 17.4k A PHP parser written in PHP License BSD-3-Clause license 17.4k stars 1.1k forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 45 Pull requests 18 Actions Wiki Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Wiki Security Insights nikic/PHP-Parser master Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 1,783 Commits .github/ workflows .github/ workflows bin bin doc doc grammar grammar lib/ PhpParser lib/ PhpParser test test test_old test_old tools tools .editorconfig .editorconfig .gitattributes .gitattributes .gitignore .gitignore .php-cs-fixer.dist.php .php-cs-fixer.dist.php CHANGELOG.md CHANGELOG.md CONTRIBUTING.md CONTRIBUTING.md LICENSE LICENSE Makefile Makefile README.md README.md UPGRADE-1.0.md UPGRADE-1.0.md UPGRADE-2.0.md UPGRADE-2.0.md UPGRADE-3.0.md UPGRADE-3.0.md UPGRADE-4.0.md UPGRADE-4.0.md UPGRADE-5.0.md UPGRADE-5.0.md composer.json composer.json phpstan-baseline.neon phpstan-baseline.neon phpstan.neon.dist phpstan.neon.dist phpunit.xml.dist phpunit.xml.dist View all files Repository files navigation README Contributing BSD-3-Clause license PHP Parser This is a PHP parser written in PHP. Its purpose is to simplify static code analysis and manipulation. Documentation for version 5.x (current; for running on PHP >= 7.4; for parsing PHP 7.0 to PHP 8.4, with limited support for parsing PHP 5.x). Documentation for version 4.x (supported; for running on PHP >= 7.0; for parsing PHP 5.2 to PHP 8.3). Features The main features provided by this library are: Parsing PHP 7, and PHP 8 code into an abstract syntax tree (AST). Invalid code can be parsed into a partial AST. The AST contains accurate location information. Dumping the AST in human-readable form. Converting an AST back to PHP code. Formatting can be preserved for partially changed ASTs. Infrastructure to traverse and modify ASTs. Resolution of namespaced names. Evaluation of constant expressions. Builders to simplify AST construction for code generation. Converting an AST into JSON and back. Quick Start Install the library using composer : php composer.phar require nikic/php-parser Parse some PHP code into an AST and dump the result in human-readable form: <?php use PhpParser \ Error ; use PhpParser \ NodeDumper ; use PhpParser \ ParserFactory ; $ code = <<<'CODE' <?php function test($foo) { var_dump($foo); } CODE; $ parser = ( new ParserFactory ())-> createForNewestSupportedVersion (); try { $ ast = $ parser -> parse ( $ code ); } catch ( Error $ error ) { echo " Parse error: { $ error -> getMessage ()}\n" ; return ; } $ dumper = new NodeDumper ; echo $ dumper -> dump ( $ ast ) . "\n" ; This dumps an AST looking something like this: array( 0: Stmt_Function( attrGroups: array( ) byRef: false name: Identifier( name: test ) params: array( 0: Param( attrGroups: array( ) flags: 0 type: null byRef: false variadic: false var: Expr_Variable( name: foo ) default: null ) ) returnType: null stmts: array( 0: Stmt_Expression( expr: Expr_FuncCall( name: Name( name: var_dump ) args: array( 0: Arg( name: null value: Expr_Variable( name: foo ) byRef: false unpack: false ) ) ) ) ) ) ) Let's traverse the AST and perform some kind of modification. For example, drop all function bodies: use PhpParser \ Node ; use PhpParser \ Node \ Stmt \ Function_ ; use PhpParser \ NodeTraverser ; use PhpParser \ NodeVisitorAbstract ; $ traverser = new NodeTraverser (); $ traverser -> addVisitor ( new class extends NodeVisitorAbstract { public function enterNode ( Node $ node ) { if ( $ node instanceof Function_) { // Clean out the function body $ node -> stmts = []; } } }); $ ast = $ traverser -> traverse ( $ ast ); echo $ dumper -> dump ( $ ast ) . "\n" ; This gives us an AST where the Function_::$stmts are empty: array( 0: Stmt_Function( attrGroups: array( ) byRef: false name: Identifier( name: test ) params: array( 0: Param( attrGroups: array( ) type: null byRef: false variadic: false var: Expr_Variable( name: foo ) default: null ) ) returnType: null stmts: array( ) ) ) Finally, we can convert the new AST back to PHP code: use PhpParser \ PrettyPrinter ; $ prettyPrinter = new PrettyPrinter \ Standard ; echo $ prettyPrinter -> prettyPrintFile ( $ ast ); This gives us our original code, minus the var_dump() call inside the function: <?php function test ( $ foo ) { } For a more comprehensive introduction, see the documentation. Documentation Introduction Usage of basic components Component documentation: Walking the AST Node visitors Modifying the AST from a visitor Short-circuiting traversals Interleaved visitors Simple node finding API Parent and sibling references Name resolution Name resolver options Name resolution context Pretty printing Converting AST back to PHP code Customizing formatting Formatting-preserving code transformations AST builders Fluent builders for AST nodes Lexer Emulation Tokens, positions and attributes Error handling Column information for errors Error recovery (parsing of syntactically incorrect code) Constant expression evaluation Evaluating constant/property/etc initializers Handling errors and unsupported expressions JSON representation JSON encoding and decoding of ASTs Performance Disabling Xdebug Reusing objects Garbage collection impact Frequently asked questions Parent and sibling references About A PHP parser written in PHP Topics php parser static-analysis ast Resources Readme License BSD-3-Clause license Contributing Contributing Uh oh! There was an error while loading. Please reload this page . Activity Stars 17.4k stars Watchers 217 watching Forks 1.1k forks Report repository Releases 107 PHP-Parser 5.7.0 Latest Dec 6, 2025 + 106 releases Packages 0 No packages published Used by 3m + 3,005,768 Contributors 135 Uh oh! There was an error while loading. Please reload this page . + 121 contributors Languages PHP 95.3% Yacc 4.7% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:42 |
https://dev.to/autocookies/i-built-a-hybrid-ai-database-cache-in-go-and-it-runs-stable-on-my-old-dell-latitude-2af#comments | I Built a Hybrid AI Database - Cache in Go (And It Runs Stable on My Old Dell Latitude) - 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 Quan Van Posted on Jan 5 I Built a Hybrid AI Database - Cache in Go (And It Runs Stable on My Old Dell Latitude) # go # database # opensource # software Stability Over Raw Speed: The "Arena" Architecture The biggest enemy of stability in Go databases is the Garbage Collector (GC). If you store 1 million vectors as separate slice objects, the GC has to scan 1 million pointers. This causes "Stop-the-World" pauses, making latency spike unpredictably. To fix this, I didn't use fancy tricks. I used contiguous memory. I implemented a Vector Arena. Instead of allocating millions of small objects, Pomai allocates massive, flat arrays of float32. // From packages/ds/vector/arena.go type VectorArena struct { // A flat slice of chunks. Reading inside a chunk is thread-safe. chunks [][] float32 // ... } Enter fullscreen mode Exit fullscreen mode The Result: Zero Pointer Chasing: The GC sees one big object, not millions. CPU Cache Friendly: Data is laid out sequentially. Stability: On my Dell, I can load vectors and search them without random CPU spikes. Respecting the CPU Cache (False Sharing) When running on a dual-core or quad-core laptop, concurrency contention can kill performance. In the core Store structure, I tracked hits and misses using atomic counters. But there was a hidden problem: False Sharing. If these two counters sit on the same 64-byte Cache Line, Core A updating hits invalidates the cache for Core B updating misses. They fight over the bus. I fixed this by forcing memory padding, ensuring they live on different cache lines: // From internal/engine/core/store.go type Store struct { // ... config fields ... // Padding A: Separate hits from previous fields _ [ 56 ] byte hits atomic . Uint64 // Padding B: CRITICAL. Ensure hits and misses are not neighbors in L1 cache. _ [ 56 ] byte misses atomic . Uint64 } Enter fullscreen mode Exit fullscreen mode This small change didn't make the database "magically faster," but it made the CPU usage flat and predictable under load. Survival Mode: Adaptive Tuning My laptop doesn't have infinite resources. If a container or process starts eating too much RAM, the OS invokes the OOM Killer. Pomai Cache includes a SysAdapt module. On startup, it inspects the environment (Cgroups or /proc/meminfo). If RAM is tight: It aggressively lowers the GOGC percent to force more frequent cleanups. If CPU is choking: The AutoTuner detects high latency in vector searches and automatically reduces the search precision (ef_search) slightly. It trades a bit of recall accuracy for survival. It prioritizes keeping the process alive and responsive over being perfect. // From internal/engine/core/sysadapt.go func ApplySystemAdaptive () { // Detects Cgroup limits (Docker/K8s) or Host Memory memLimit := detectCgroupMemoryLimit () // Heuristics: If memory per core is low, throttle parallelism if memLimit > 0 { // ... tune GOMAXPROCS and GCPercent automatically } } Enter fullscreen mode Exit fullscreen mode Hybrid Storage: "Granules" & Compression Storing large objects (images, audio) in RAM is expensive. I implemented PGUS (Pomai Granular Unified Storage). It breaks large values into fixed-size "granules" (like chunks). But here is the cool part: It uses Entropy-based Compression (PEC). Before storing, it calculates the entropy of the data chunk. High Entropy? (Likely already compressed, e.g., JPG) -> Store Raw. Save CPU. Low Entropy? (JSON, Logs) -> Compress with Snappy/Zstd. Save RAM. This keeps the memory footprint on my laptop low without wasting CPU cycles trying to compress incompressible data. The Verdict: It Just Works I ran a benchmark on my Dell Latitude E5440: Workload: Mixed Vector Search + Key-Value operations. Throughput: ~5,000 requests/second. Errors: 0. Latency: < 2ms (p50). Under the Hood: How It Actually Works You might be wondering: "Okay, it stores data, but how does a request actually flow through the system?" Here is the lifecycle of a request in Pomai Cache, designed for zero-allocation performance: The Network Layer (gnet): Unlike standard Go net/http which spawns a Goroutine per connection (expensive), Pomai uses gnet, an event-loop networking library based on epoll/kqueue. It handles thousands of concurrent connections on a single thread before passing data to the worker pool. Zero-Copy Protocol: The binary protocol is simple: [MagicByte][OpCode][KeyLen][ValLen][Key][Value]. The parser doesn't allocate new strings for every key. It slices the bytes directly from the network buffer. The Routing (Sharding): To avoid a single global lock (Global Mutex), the key space is divided into 2048 Shards (configurable). ShardID = hash(key) & (ShardCount - 1). This means 2048 concurrent writes can happen simultaneously without blocking each other. The "Brain" (Background Agents): While your data is being read/written, several background agents are watching: AutoTuner: Monitors latency. If it sees slow Vector Searches, it tells the HNSW index to be "less precise but faster". Eviction Manager: Instead of scanning all keys (O(N)), it uses random sampling (like Redis) but weighted by our PPE algorithm (Predicted Next Access). Getting Started: Try It on Your Machine You don't need a cluster to test this. It compiles into a single binary. Prerequisites Go 1.22 or higher (for the latest runtime optimizations). Make (optional) I still not complete this, just run directly with go. Build from Source Clone the repo and build the binary: git clone https://github.com/AutoCookies/pomai-cache.git cd pomai-cache # Build the optimized binary go build -ldflags = "-s -w" -o pomai-server ./cmd/server/main.go Enter fullscreen mode Exit fullscreen mode (The -s -w flags strip debug information to make the binary smaller). Running "Survival Mode" (Low RAM) If you are running on a limited laptop like mine (or a small Docker container), use these flags to prevent OOM: # Limits RAM to 4GB, uses WAL for durability ./pomai-server \ --persistence=wal \ --data-dir=./data \ --mem-limit=4GB \ --gomaxprocs=2 Enter fullscreen mode Exit fullscreen mode Running "Performance Mode" (Server) # Uses all cores, larger write buffer for disk IO ./pomai-server \ --persistence=wal \ --write-buffer=10000 \ --flush-interval=100ms \ --cache-shards=4096 Enter fullscreen mode Exit fullscreen mode Running with RAM Caching ./pomai-server \ --persistence=wal \ --write-buffer=10000 \ --flush-interval=100ms \ --cache-shards=4096 Enter fullscreen mode Exit fullscreen mode (Just without the persistence flag, you will use It as a in RAM cache) Benchmark It Yourself Don't take my word for it. I included a benchmarking tool in the repo: # Build the benchmark tool go build -o pomai-bench ./cmd/pomai-bench/main.go # Run a mixed workload (Vector Search + KV) ./pomai-bench -mode = ai -clients = 50 -requests = 100000 Enter fullscreen mode Exit fullscreen mode You should see the "Zombie Mode" kick in if you push it too hard! You will see this after run It successfully The "Secret Sauce": Self-Made Algorithms I didn't just copy standard algorithms. To make Pomai "Autonomous," I had to invent my own heuristics. Here are the three pillars of its intelligence: PPPC 3.0 (Pomai Predictive Pruning Cleaner) Standard TTL (Time-To-Live) is dumb—it deletes data when the timer runs out, even if that data is part of a critical context. PPPC 3.0 is smarter. It uses a "Peeling Strategy": It predicts the "Next Access Time" for every key using an Exponential Moving Average (EMA). Instead of deleting a whole Graph Cluster when memory is low, it "peels" the outer layers—the nodes that are least connected and predicted to be cold. Result: It keeps the "Core Context" (the seed of the pomegranate) alive while sacrificing the less important edges. PIE (Pomai Intelligent Eviction) How do you tune a database? Usually, you edit a config.yaml. Pomai tunes itself using Reinforcement Learning (Multi-Armed Bandit). The Agent: Continuously monitors the "Reward" function: (HitRate / Latency). The Action: It dynamically adjusts the ef_search (HNSW precision) and the number of eviction samples. If the server is idle, it increases precision for better Recall. If it's under attack, it lowers precision to survive. PMAC (Pomai Multi-Agent Clustering) In manager.go, I didn't use Raft or Paxos (too heavy). I built a Gossip-based Agent System. Geo-Latency Aware: Nodes ping each other. If Node A and Node B are physically close (<5ms), they automatically form a "shard group" to replicate data faster. PLBR (Probabilistic Burst Replication): If a key becomes "Hot" (accessed > 1000 times/s), the owner node probabilistically "bursts" (replicates) that key to random peers to spread the load instantly. The Verdict: It Just Works We often obsess over theoretical maximums—"can it do 1 million IOPS?"—but rarely talk about reliability on constrained hardware. I ran the final benchmark on my Dell Latitude E5440 (Intel Core i5-4300U, DDR3 RAM). I pushed it with 50 concurrent clients doing a mix of Vector Searches and Key-Value writes using the pomai-bench tool included in the repo. The Results: Throughput: ~5,048 requests/second. Bandwidth: ~17.28 MB/s. Avg Latency: 1.664 ms. Total Errors: 0. The most important number there isn't the 5,000 req/s. It's the 0 errors. Despite the heavy load, the SysAdapt module kept the Garbage Collector in check, and the VectorArena prevented memory fragmentation. The CPU usage was high but flat—no jagged spikes that usually freeze the OS. Pomai Cache proves that you don't need a $10,000 server to run a modern, AI-native database. You just need to respect the hardware, align your memory, and stop fighting the CPU cache. Some benchmark that I ran in my Old Laptop Graph mode Hash mode KV Mode (Key-Value) What’s Next? Pomai is stable, but it's still evolving. My goal isn't to replace Redis or Postgres, but to offer a simpler, all-in-one alternative for AI Agents and Edge deployments. Here is what I am working on next to make it even better: PQL (Pomai Query Language): Currently, you use API methods. I am building a SQL-like parser to allow complex queries like SEARCH VECTOR ... FILTER GRAPH ... in a single network call. Transactions: Adding multi-shard ACID guarantees for financial-grade data integrity. WASM Runtime: Allowing you to push small Go/Rust functions directly into Pomai to run logic next to your data (Zero-Latency). It’s not breaking any world records. But it runs smoothly on hardware from 2013. It handles Vectors, Graphs, and KV data in a single binary, and it doesn't crash when I open a browser tab alongside it. It still have other mode as: ai-mode, plg-mode, pic-mode, but I think It not optimized yet. For me, that's the definition of Production Grade. If you are interested in seeing how I implemented the HNSW Index or the Gossip Protocol in Go, check out the repo. Repo Link is here: AutoCookies / pomai-cache pomai-cache Pomai Cache — Production-Grade AI-Native In-Memory Data Platform Pomai Cache is a hybrid in-memory data platform engineered for modern AI and real-time systems. It unifies key-value caching, vector search, time-series, graph relationships, and matrix operations in a single binary with adaptive runtime tuning, predictive eviction, and production-grade persistence and clustering features. This document is a complete operational and technical reference intended for engineers, SREs, and platform teams responsible for deploying, operating, benchmarking, or contributing to Pomai Cache. Contents Executive Summary Design Principles Architecture Overview Core Components and Data Models Algorithms and Internals PPE (Pomegranate Predictive Eviction) PIE (Pomai Intelligent Eviction — RL) PQSE (Probabilistic Quantum Sampled Eviction) PLG and PLBR (Membrane Graph and Burst Replication) Vector Engine Tuning and Adaptive ef_search PGUS / VirtualStore PIC Compression Configuration (ENV & CLI) and Priority Rules Startup Examples and Recommended Production Flags Persistence Modes and Durability Tradeoffs Benchmarking: Scenarios, Measurement, and Interpretation Observability: … View on GitHub Happy Coding! 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 Quan Van Follow Software Engineer | Building "Impossible" Things on constrained hardware | Creator of Pomai Cache Joined Jan 4, 2026 More from Quan Van I’ve been experimenting with building a Hybrid AI DB-Cache in Go, and it’s been a great learning journey so far (it even runs on my old Dell!). # go # database # opensource # software 💎 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:49:42 |
https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fdev.to%2Fbadrchanaa%2Fai-should-not-be-in-code-editors-1p02&title=AI%20should%20not%20be%20in%20Code%20Editors&summary=AI%20has%20become%2C%20over%20the%20last%20few%20years%2C%20an%20impossible%20technology%20to%20ignore.%20Almost%20everyone%20ignored...&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:49:42 |
https://docs.devcycle.com/integrations/rollbar | Rollbar | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Rollbar Rollbar is a tool used for error logging and real-time performance tracking for your applications. Rollbar provides you with the ability to capture detailed information on errors to help diagnose and resolve issues faster. Enrich your logs further by including DevCycle Feature data into your error logging. The DevCycle Rollbar integration enhances error tracking by adding feature configuration data directly to your Rollbar error logs. By sending DevCycle Feature and Variable data from the DevCycle SDKs to Rollbar, developers can gain valuable insights into the specific feature configuration that was delivered to a user during an error. Configuration Including DevCycle Features in your Rollbar Config Include DevCycle Feature data to the initialization of Rollbar to allow all Rollbar errors to be populated with the specific DevCycle feature configuration at that time of the error. The exact DevCycle data and format that you pass to Rollbar can be easily configured, so feel free to experiment with the data that's available on your SDK. In our example below, we supply all Features and Variables that the user/device received to the Rollbar config. Steps : Get all Features and/or all Variables from the DevCycle SDK. Create a custom field called devCycleSettings within your Rollbar config payload. Add your Features and Variables to the devCycleSettings object. import { Provider , useRollbar } from '@rollbar / react import { useDevCycleClient , useIsDevCycleInitialized , useVariableValue , withDevCycleProvider } from '@devcycle/react-client-sdk' ... function MyComponent ( ) { const devCycleClient = useDevCycleClient ( ) const devCycleFeatures = devCycleClient . allFeatures ( ) const devCycleVariables = devCycleClient . allVariables ( ) const rollbarConfig = { accessToken : 'YOUR_ROLLBAR_CLIENT_ACCESS_TOKEN' , captureUncaught : true , captureUnhandledRejections : true , environment : 'production' , payload : { custom : { devCycleSettings : { features : devCycleFeatures , // this will send all DevCycle features in the error payload to Rollbar variables : devCycleVariables // this will send all DevCycle variables in the error payload to Rollbar } } } } return ( < Provider config = { rollbarConfig } > < TestError /> </ Provider > } function App ( ) { const devcycleReady = useIsDevCycleInitialized ( ) if ( ! devcycleReady ) return < div > < h1 > DevCycle is not ready! Loading State... </ h1 > </ div > return ( < > < div > < Router > < Routes > < Route path = " / " element = { < MyComponent /> } /> </ Routes > </ Router > </ div > </ > ) } export default withDevCycleProvider ( { sdkKey : 'YOUR_DEVCYCLE_SDK_KEY' , user : { user_id : 'USER_ID' , isAnonymous : false } } ) ( App ) Including DevCycle Features on Specific Errors Rollbar allows you to define extra properties for an error. Instead of providing all Feature data on initialization, you may want to supply DevCycle Feature data to specific errors of you choice. In our example below, we're using DevCycle to determine whether a user should receive a new Feature with new behavior or the existing old behavior. If there is an error running any of those behaviors, we're logging an error to Rollbar and supplying all DevCycle Features to the error as an extra property. Steps : Get all Features and/or all Variables from the DevCycle SDK. In your rollbar.error properties, add a custom field (ex: devCycleFeature ) containing your Feature or Variable data. Example: const rollbar = useRollbar ( ) ; const variableValue = useVariableValue ( 'variable_key' , false ) try { if ( variableValue ) { testNewBehavior ( ) } else { oldBehavior ( ) } } catch ( error ) { if ( variableValue ) { const devcycleClient = useDevCycleClient ( ) const features = devcycleClient . allFeatures ( ) rollbar . error ( error , { devCycleFeature : { name : 'New Feature' , id : features [ 'feature-key' ] [ '_id' ] } } ) } } Service Links Rollbar service links allow you to create links that connect directly with DevCycle, to provide easy access to Features and Variables from the Rollbar interface. To learn how to create service links for DevCycle, visit the Rollbar docs here . Edit this page Last updated on Jan 9, 2026 Configuration Including DevCycle Features in your Rollbar Config Including DevCycle Features on Specific Errors Service Links DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:49:42 |
https://future.forem.com/ribhavmodi/solidity-basics-part-2-arrays-mappings-structs-upgrading-the-web3-journey-logger-n4d | Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) - Future 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 Future 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 Ribhav Posted on Jan 6 • Originally published at Medium Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) # crypto # blockchain # solidity # beginners 60 DAY WEB3 JOURNEY (29 Part Series) 1 Blockchain for Non-Technical People: Breaking Down the Basics 2 Bitcoin for Non-Technical People: Why the First Cryptocurrency Matters ... 25 more parts... 3 Bitcoin vs Traditional Money for Non-Technical People 4 Ethereum for Non-Technical People: The Programmable Blockchain 5 Smart Contracts and dApps on Ethereum (for Non‑Technical People) 6 Ethereum Wallets and Gas (for Non‑Technical People) 7 Why Ethereum Needs Layer 2s (for Curious Builders and Beginners) 8 Your First Ethereum Smart Contract, Step by Step 9 DeFi 101: Decentralized Finance 10 NFTs Explained Simply – What’s Actually Happening in 2025? 11 Understanding Tokenomics – Why Token Design Matters 12 Consensus Mechanisms Explained: How Blockchain Networks Agree Without a Boss 13 Layer 2 Solutions Deep-Dive: Optimistic vs ZK Rollups Explained 14 Ethereum vs Solana: Consensus in Action 15 DAOs Explained: How Decentralized Organizations Actually Work 16 Stablecoins – The Bridges Between Volatility and Value 17 DAOs in Practice – From Multi-Sig to Voting (And Why Ownership Tokens exist) 18 Blockchain Oracles: How Smart Contracts See the Real World (Featuring Chainlink) 19 Cross-Chain Bridges: How Assets Travel Between Blockchains (Without Getting Robbed) 20 MEV (Maximal Extractable Value): The Invisible Tax on Every Blockchain Transaction 21 Layer 0 & Layer 3 — How Blockchains Become an Internet, Not Islands 22 Web3 Infrastructure: RPCs, Nodes, Infura/Alchemy (The Invisible Plumbing) 23 On-Chain Identity — ENS, Soulbound Tokens & Your Web3 Resume 24 Crypto Regulation 101 — SEC, MiCA & What Builders Should Actually Care About 25 Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract 26 Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) 27 Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) 28 How to Review AI‑Generated Solidity Like an Auditor (For Beginners) 29 Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes Yesterday we took our first real steps into Solidity: variables, functions, and a simple Web3JourneyLogger contract that stored a single note on-chain. Today we’re going to upgrade that tiny contract into something closer to how real dApps manage data. This is Day 27 of the 60‑Day Web3 journey, still in Phase 3: Development . The goal for today is to understand how Solidity handles collections of data : arrays, mappings, and structs and then use them together to build a multi‑entry, multi‑user on-chain journal. 1. Why we need more than simple variables Storing a single dayNumber and note is cute, but it doesn’t scale. Real smart contracts usually need to: Track many pieces of data , not just one (multiple entries, multiple users). Group related data into records (like “user profile”, “order”, “position”). Look up data quickly by a key like an address or an ID. In normal programming, you’d reach for arrays, dictionaries, and objects. In Solidity, you get very similar tools: Arrays → ordered lists of items. Mappings → key → value lookups (like hash maps). Structs → custom data types that bundle fields together. We’ll see each one separately, then combine them into a better Web3 Journey Logger. 2. Arrays: storing ordered lists An array in Solidity is an ordered list of elements of the same type. 2.1 Fixed vs dynamic arrays There are two main kinds of arrays: Fixed-size array uint256 public fixedNumbers; Enter fullscreen mode Exit fullscreen mode This always has exactly 5 elements. You cannot grow or shrink it. Dynamic array uint256[] public numbers; Enter fullscreen mode Exit fullscreen mode This can grow as you push new elements to it. For most dApp use cases, you’ll use dynamic arrays . 2.2 Basic operations on dynamic arrays Here’s a tiny example: uint256[] public daysLearned; function addDay(uint256 _day) public { daysLearned.push(_day); // add element at the end } function getDayAtIndex(uint256 index) public view returns (uint256) { return daysLearned[index]; } function getTotalDays() public view returns (uint256) { return daysLearned.length; } Enter fullscreen mode Exit fullscreen mode Key points: push appends a new element. You access elements with array[index] . You can check array.length to know how many items are stored. Arrays are great for ordered lists, but they aren’t efficient for lookups like “give me the entry for this address”. For that, we use mappings. 3. Mappings: key–value storage on-chain A mapping is like a dictionary or hash map: you give it a key, and it gives you a value. 3.1 Basic mapping syntax The general form: mapping(KeyType => ValueType) public myMapping; Enter fullscreen mode Exit fullscreen mode Example: mapping(address => uint256) public entryCountByUser; Enter fullscreen mode Exit fullscreen mode This mapping says: “for each address, store a uint256 count”. If you do: entryCountByUser[msg.sender] = 5; Enter fullscreen mode Exit fullscreen mode then entryCountByUser[msg.sender] will later return 5 . 3.2 Important mapping quirks Mappings have some important properties: They behave like infinite default dictionaries . Any key you haven’t set yet returns the default value for that type ( 0 , false , address 0x0 , etc.). They are not iterable. You can’t “loop over all keys” from inside the contract. If you need iteration, you must keep a separate array of keys or a counter. Because of these quirks, mappings are best used for “given a key, fetch the value” patterns, like: address → user profile token ID → owner order ID → order struct 4. Structs: custom data types A struct lets you define your own data shape by grouping fields together. 4.1 Defining and using a struct Example struct: struct Entry { uint256 day; string note; } Enter fullscreen mode Exit fullscreen mode You can use it like this: Entry public latestEntry; function setLatestEntry(uint256 _day, string calldata _note) public { latestEntry = Entry({day: _day, note: _note}); } Enter fullscreen mode Exit fullscreen mode Structs are especially powerful when combined with arrays and mappings. 5. Upgrading the Web3 Journey Logger Let’s upgrade yesterday’s contract to support multiple entries per user and multiple users. 5.1 New design We want: A struct Entry representing (day, note) . For each user address, an array of Entry structs. Helper functions to: Add a new entry. Read a single entry by index. Get how many entries a user has. This leads to a pattern like: mapping(address => Entry[]) public entriesByUser; Enter fullscreen mode Exit fullscreen mode Which you can read as: “for each address, store an array of Entry structs”. 5.2 Full upgraded contract Here’s a full version of an upgraded Web3JourneyLoggerV2 : // SPDX-License-Identifier: MIT pragma solidity ^0.8.20; contract Web3JourneyLoggerV2 { // --- Structs --- struct Entry { uint256 day; string note; } // --- State variables --- // Address of the person who deployed the contract address public owner; // Name or handle of the learner (optional global name) string public name; // For each user address, store an array of their entries mapping(address => Entry[]) private entriesByUser; // --- Events --- event EntryAdded(address indexed user, uint256 indexed day, uint256 index, string note); // --- Constructor --- constructor(string memory _name) { owner = msg.sender; name = _name; } // --- Core functions --- /// @notice Add a new journal entry for the caller function addEntry(uint256 _day, string calldata _note) public { Entry memory newEntry = Entry({day: _day, note: _note}); entriesByUser[msg.sender].push(newEntry); uint256 index = entriesByUser[msg.sender].length - 1; emit EntryAdded(msg.sender, _day, index, _note); } /// @notice Get a specific entry for a user by index function getEntry(address _user, uint256 _index) public view returns (uint256 day, string memory note) { require(_index < entriesByUser[_user].length, "Index out of bounds"); Entry storage entry = entriesByUser[_user][_index]; return (entry.day, entry.note); } /// @notice Get how many entries a user has function getEntryCount(address _user) public view returns (uint256) { return entriesByUser[_user].length; } } Enter fullscreen mode Exit fullscreen mode A few things to notice: Entry is a struct containing day and note . mapping(address => Entry[]) private entriesByUser; creates a mapping from user to an array of their entries. addEntry builds a new Entry in memory, pushes it into the caller’s array, and emits an EntryAdded event. getEntry lets you read a specific entry by user and index. getEntryCount tells you how many entries a user has so front-ends can loop over them off-chain. This contract is no longer just a single note; it’s a tiny, multi‑user journaling dApp backend. 6. Deploying V2 and testing it You can deploy Web3JourneyLoggerV2 using the same Remix + Sepolia flow from yesterday: Open Remix and create Web3JourneyLoggerV2.sol . Paste the full contract above. Compile with a 0.8.x compiler. In “Deploy & Run Transactions”, choose Injected Provider – MetaMask and the Sepolia network. Deploy with a name (e.g., "Web3ForHumans" ). Once deployed: Call addEntry(27, "Learned arrays, mappings, and structs today") from your wallet. Call getEntryCount(yourAddress) — you should see 1 . Call getEntry(yourAddress, 0) to read back the first entry. Ask a friend to connect their wallet and call addEntry too. Now your contract is tracking multiple learners and their progress on-chain. 7. Why arrays + mappings + structs matter These three tools — arrays, mappings, and structs — are the backbone of almost every serious Solidity contract: A DEX might use mapping(address => mapping(address => uint256)) to track token balances. A DAO might use structs + arrays for proposals and votes. An NFT contract uses mappings from token IDs to owners and metadata. By understanding how to combine them, you’re no longer just “deploying example contracts” — you’re modeling real-world data structures on-chain. Tomorrow, we can build on this by adding more features like: Editing or deleting entries. Restricting certain actions to the contract owner. Or exposing your journal data to a simple frontend. For now, if you deploy Web3JourneyLoggerV2 on Sepolia, share your contract address — let’s see how many on-chain learning journals we can spin up. Further reading Solidity official docs – Arrays, Structs, and Mappings Structs, Mappings and Arrays in Solidity Understanding mappings in Solidity How the EVM stores mappings, arrays, and structs Follow the series on Medium | Twitter | Future Jump into Web3ForHumans on Telegram and we’ll brainstorm Web3 together. 60 DAY WEB3 JOURNEY (29 Part Series) 1 Blockchain for Non-Technical People: Breaking Down the Basics 2 Bitcoin for Non-Technical People: Why the First Cryptocurrency Matters ... 25 more parts... 3 Bitcoin vs Traditional Money for Non-Technical People 4 Ethereum for Non-Technical People: The Programmable Blockchain 5 Smart Contracts and dApps on Ethereum (for Non‑Technical People) 6 Ethereum Wallets and Gas (for Non‑Technical People) 7 Why Ethereum Needs Layer 2s (for Curious Builders and Beginners) 8 Your First Ethereum Smart Contract, Step by Step 9 DeFi 101: Decentralized Finance 10 NFTs Explained Simply – What’s Actually Happening in 2025? 11 Understanding Tokenomics – Why Token Design Matters 12 Consensus Mechanisms Explained: How Blockchain Networks Agree Without a Boss 13 Layer 2 Solutions Deep-Dive: Optimistic vs ZK Rollups Explained 14 Ethereum vs Solana: Consensus in Action 15 DAOs Explained: How Decentralized Organizations Actually Work 16 Stablecoins – The Bridges Between Volatility and Value 17 DAOs in Practice – From Multi-Sig to Voting (And Why Ownership Tokens exist) 18 Blockchain Oracles: How Smart Contracts See the Real World (Featuring Chainlink) 19 Cross-Chain Bridges: How Assets Travel Between Blockchains (Without Getting Robbed) 20 MEV (Maximal Extractable Value): The Invisible Tax on Every Blockchain Transaction 21 Layer 0 & Layer 3 — How Blockchains Become an Internet, Not Islands 22 Web3 Infrastructure: RPCs, Nodes, Infura/Alchemy (The Invisible Plumbing) 23 On-Chain Identity — ENS, Soulbound Tokens & Your Web3 Resume 24 Crypto Regulation 101 — SEC, MiCA & What Builders Should Actually Care About 25 Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract 26 Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) 27 Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) 28 How to Review AI‑Generated Solidity Like an Auditor (For Beginners) 29 Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes 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 Ribhav Follow Web3 Learner | Community Builder | Technical Writer | Learning DevRel in Public New to Web3 ? Join: https://t.me/Web3ForHumans Location Ludhiana Education MIT Manipal Joined Feb 1, 2022 More from Ribhav Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes # security # crypto # blockchain # beginners How to Review AI‑Generated Solidity Like an Auditor (For Beginners) # crypto # blockchain # ai # beginners Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) # crypto # blockchain # vibecoding # beginners 💎 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:42 |
https://dev.to/aishwarygathe/logging-into-ec2-is-easy-until-you-pick-the-wrong-way-3i1j#comments | Logging Into EC2 Is Easy… Until You Pick the Wrong Way - 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 Aishwary Gathe Posted on Jan 9 Logging Into EC2 Is Easy… Until You Pick the Wrong Way # aws # security # ec2 # cloud Imagine you have a computer room in school . Only students and teachers with permission are allowed inside. That computer room is like an EC2 server in AWS. Now the big question is: How do you enter that room safely? Just like a school has different entry methods , AWS EC2 also has multiple ways to log in . Let’s learn them using a fun story. Meet the EC2 School Building Your EC2 server is a school building . Inside it: Runs applications Stores files Does important work AWS does not let just anyone enter. You need proper access methods . Method 1: SSH Key Login (The Main Door Key) This is the most common way to log in to a Linux EC2 server. Story Version You are given a special key to enter the computer room. If you lose it — you can’t enter. If someone else doesn’t have it — they can’t enter either. That key is called an SSH Key Pair . Technical Explanation You download a .pem key while creating EC2 Use it to log in via SSH Password login is disabled by default Example Command ssh -i mykey.pem ec2-user@server-ip Enter fullscreen mode Exit fullscreen mode Good Because Very secure No password guessing Not So Good Because If you lose the key, access becomes difficult Method 2: EC2 Instance Connect (Teacher Temporarily Opens the Door) Story Version You forgot your key. So you ask the teacher , “Can you open the door for 1 minute?” Teacher checks your ID and opens the door briefly. That’s EC2 Instance Connect . Technical Explanation AWS pushes a temporary SSH key Works for Amazon Linux Needs IAM permission Good Because No need to store keys Quick temporary access Not So Good Because Limited OS support Method 3: AWS SSM Session Manager (Remote Control Entry) Story Version You don’t even enter the room. You control the computer from outside using a remote. No keys. No doors. No internet needed. This is the safest method . Technical Explanation Uses AWS Systems Manager No SSH, no open ports Works via IAM permissions Good Because Very secure No key management No port 22 open Not So Good Because Needs SSM agent and IAM role Method 4: RDP Login (Windows EC2 – Password Entry) This is for Windows EC2 servers . Story Version Windows computers have a username + password like your school computer lab. Technical Explanation Login using Remote Desktop (RDP) Password is decrypted using key pair Good Because Easy for beginners Familiar Windows login Not So Good Because Needs port 3389 open Must be secured properly Method 5: Bastion Host (Security Guard Building) Story Version You can’t enter the main school directly. First, you enter a small guard room . Then the guard takes you inside. That guard room is a Bastion Host . Technical Explanation One public EC2 acts as entry point Private EC2s are accessed through it Good Because Extra security Private servers stay hidden Not So Good Because More setup and maintenance Method 6: AWS CloudShell (School Computer Provided by AWS) Story Version AWS says: “Don’t bring your own computer. Use mine.” AWS gives you a ready-made terminal. Technical Explanation Browser-based shell Uses IAM permissions Can SSH into EC2 Good Because No local setup Quick access Not So Good Because Still needs network access rules Quick Comparison Table (Kid Friendly) Method Think of it as Secure Common SSH Key Main door key Yes Very EC2 Instance Connect Teacher opens door Yes Medium SSM Session Manager Remote control Very High Growing RDP Username & password Medium Windows only Bastion Host Guard room High Enterprise CloudShell AWS computer Medium Quick access Which One Should You Use? Beginners → SSH Key / RDP DevOps & Production → SSM Session Manager Enterprises → Bastion Host + SSM Quick testing → CloudShell Very Short Summary An EC2 server is like a school computer room. AWS gives many safe ways to enter it — keys, teachers, remote controls, passwords, and guards. Some ways are simple , some are very secure , and some are temporary . The best engineers choose the right door for the right situation . Top comments (1) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Avinash wagh Avinash wagh Avinash wagh Follow Software Engineer | Learning Linux (Ubuntu) 🐧, AWS Cloud ☁️ & Docker 🐳 | Sharing daily learnings, mistakes, and progress | Curious learner | Building cloud fundamentals step by step Location Maharashtra, India. Education B.Sc in Computer Science with strong fundamentals in programming, databases, and core CS concepts Pronouns He / Him Joined Jan 9, 2026 • Jan 9 Dropdown menu Copy link Hide Great share 👍🏻 Like comment: Like comment: 1 like 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 Aishwary Gathe Follow Junior Cloud Engineer | AWS • Terraform • Docker • Kubernetes | Organizer @JugNagpur | GDG Cloud Nagpur | AWS UG Nagpur Location India Education B.Tech Joined Jul 4, 2023 More from Aishwary Gathe Security in AWS: Understanding AWS Security Services and How They Protect Your Cloud, Like a 4th-Grade Kid. # aws # security # cloud # awschallenge AWS Regional NAT Gateway Explained: How One Regional NAT Simplifies Cloud Networking # aws # cloud # news # cloudcomputing Understanding Different Types of Databases in AWS: When to Use What? # aws # database # cloud # devops 💎 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:49:42 |
https://dev.to/sjdonado/building-a-fast-and-compact-sqlite-cache-store-2h9g#comments | Building a Fast and Compact SQLite Cache Store - 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 sjdonado Posted on Jul 24, 2024 • Edited on Nov 3, 2024 • Originally published at sjdonado.com Building a Fast and Compact SQLite Cache Store # bunjs # sqlite3 # msgpackr # cbor When working on applications, caching is crucial for enhancing performance by reducing the need for repeated database fetches. Among the various SQLite libraries available, Bun's native integration is optimized for performance and takes advantage of its non-blocking I/O capabilities. The bun:sqlite module is roughly 3-6x faster than better-sqlite3 and 8-9x faster than deno.land/x/sqlite for read queries. Each driver was benchmarked against the Northwind Traders dataset. View and run the benchmark source. Source In addition to efficient caching, serializing JavaScript objects can be slow when using JSON. This is why it makes sense to opt for efficient binary encoding alternatives like Msgpackr or CBOR. These formats are faster to parse, support complex data types, require less CPU usage, and store data more compactly, further enhancing overall application performance. With this in mind, let's explore how to build a cache manager using bun:sqlite along with efficient binary encoding. A cache-manager Store cache-manager provides a straightforward and intuitive API for caching, abstracting away the complexity of managing different cache stores and their configurations. With support for multiple stores, built-in expiration and TTL management, and robust error handling and fallback mechanisms, it ensures data integrity and freshness. Additionally, cache-manager is highly customizable and extensible, allowing you to create custom cache stores tailored to your needs. This flexibility means you can set up and use caching with minimal code, allowing you to focus on your application's core logic. The required interface to fulfill as a cache-manager store is as follows: export type Store = { get < T > ( key : string ): Promise < T | undefined > ; set < T > ( key : string , data : T , ttl ?: Milliseconds ): Promise < void > ; del ( key : string ): Promise < void > ; reset (): Promise < void > ; mset ( arguments_ : Array < [ string , unknown ] > , ttl ?: Milliseconds ): Promise < void > ; mget (... arguments_ : string []): Promise < unknown [] > ; mdel (... arguments_ : string []): Promise < void > ; keys ( pattern ?: string ): Promise < string [] > ; ttl ( key : string ): Promise < number > ; }; Enter fullscreen mode Exit fullscreen mode See more here . The Queries Configuring SQLite for Optimal Performance PRAGMA main.synchronous = NORMAL; : Ensures that SQLite writes are fast while still maintaining a reasonable level of data safety. It does not guarantee as much durability as FULL, but it is sufficient for many use cases. PRAGMA main.journal_mode = WAL2; : Improves concurrency by allowing readers to access the database while a write operation is ongoing. PRAGMA main.auto_vacuum = INCREMENTAL; : Allows SQLite to reclaim unused space incrementally, rather than all at once. 1. Creating the Cache Table CREATE TABLE IF NOT EXISTS { table } ( key TEXT PRIMARY KEY , val BLOB , created_at INTEGER , expire_at INTEGER ); CREATE INDEX IF NOT EXISTS index_expire_ { table } ON { table }( expire_at ); Enter fullscreen mode Exit fullscreen mode The val column stores the cached value in a binary large object (BLOB) format, allowing it to handle various data types depending on the chosen serializer. 2. Inserting or Updating Cache Entries INSERT OR REPLACE INTO $ { name }( key , val , created_at , expire_at ) VALUES ( ? , ? , ? , ? ) Enter fullscreen mode Exit fullscreen mode expire_at is pre-calculated based on the ttl value in milliseconds, and val is pre-checked by a function isCacheable: (value: unknown) => boolean; . 3. Retrieving Cache Entries SELECT * FROM $ { name } WHERE key = ? AND expire_at > ? LIMIT 1 Enter fullscreen mode Exit fullscreen mode Returns one record that has not expired. Auto Purge and Batch Operations 1. purgeExpired const purgeExpired = async () => { const now = Date . now (); if ( now - lastPurgeTime >= 60 * 60 * 1000 ) { const statement = db . prepare ( `DELETE FROM ${ name } WHERE expire_at < ?` ); statement . run ( now ); lastPurgeTime = now ; } }; Enter fullscreen mode Exit fullscreen mode Keeps the cache clean and efficient by regularly removing stale entries, ensuring that the cache does not grow indefinitely and affect performance. 2. Batch Set (mset) const mset = async ( pairs : [ string , unknown ][], ttl ?: number ) => { const ttlValue = ttl !== undefined ? ttl * 1000 : defaultTtl ; if ( ttlValue < 0 ) { return ; } const expireAt = Date . now () + ttlValue ; const stmt = `INSERT OR REPLACE INTO ${ name } (key, val, created_at, expire_at) VALUES ${ pairs . map (() => ' (?, ?, ?, ?) ' ). join ( ' , ' )} ` ; const bindings = pairs . flatMap (([ key , value ]) => { if ( ! isCacheable ( value )) { throw new NoCacheableError ( `" ${ value } " is not a cacheable value` ); } return [ key , serializerAdapter . serialize ( value ), Date . now (), expireAt ]; }); const statement = db . prepare ( stmt ); statement . run (... bindings ); }; Enter fullscreen mode Exit fullscreen mode Improves efficiency by reducing the number of individual database operations. In the same way mget executes one single query to returns valid records with the query: SELECT * FROM $ { name } WHERE key IN ( $ { placeholders }) AND expire_at > ? Enter fullscreen mode Exit fullscreen mode Conclusion Bun's SQLite implementation combined with efficient binary encoding formats like Msgpackr provides a powerful solution for building fast and compact cache stores. For the complete source code and implementation details, visit: sjdonado / cache-manager-bun-sqlite3 Fast and compact sqlite3 cache store for Bun Bun SQLite Store for node-cache-manager Runs on top of bun-sqlite Optimized mset / mget support Multiple encoders support: msgpackr , cbor , json Auto purge (clean expired records every hour) Installation bun add cache-manager-bun-sqlite3 Usage Single store import cacheManager from 'cache-manager' ; import bunSqliteStore from 'cache-manager-bun-sqlite3' ; // SQLite :memory: cache store cache = await cacheManager . caching ( bunSqliteStore , { serializer : 'json' , // default is 'msgpackr' ttl : 20 , // TTL in seconds } ) ; // On-disk cache on employees table const cache = await cacheManager . caching ( bunSqliteStore , { name : 'employees' , path : '/tmp/cache.db' , } ) ; // TTL in seconds await cache . set ( 'foo' , { test : 'bar' } , 30 ) ; const value = await cache . get ( 'foo' ) ; // TTL in seconds await cache . set ( 'foo' … Enter fullscreen mode Exit fullscreen mode View on GitHub You can also find the npm package cache-manager-bun-sqlite3 . Happy hacking! 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 sjdonado Follow M.Sc CS - Software Engineer Location Berlin, Germany Pronouns he/him Joined Apr 4, 2020 More from sjdonado HTMX with Bun: A Real World App # htmx # bunjs # tailwindcss # opensource 💎 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:49:42 |
https://dev.to/t/backend/page/196 | Backend Page 196 - 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 # backend Follow Hide Desenvolvimento do lado do servidor, APIs, bancos de dados e logica de negocios. Create Post Older #backend posts 193 194 195 196 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:49:42 |
https://dev.to/t/streaming/page/7 | Streaming Page 7 - 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 # streaming Follow Hide instant track overload Create Post Older #streaming posts 4 5 6 7 8 9 10 11 12 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu My (Goofy) attempt on building a Flink BigQuery Source Connector Antonio Davide Calì Antonio Davide Calì Antonio Davide Calì Follow Nov 18 '24 My (Goofy) attempt on building a Flink BigQuery Source Connector # flink # bigquery # streaming 1 reaction Comments Add Comment 13 min read Building Faster Event-Driven Architectures: Exploring Amazon EventBridge’s New Latency Gains Matt Adorjan Matt Adorjan Matt Adorjan Follow Nov 17 '24 Building Faster Event-Driven Architectures: Exploring Amazon EventBridge’s New Latency Gains # aws # eventbridge # streaming 3 reactions Comments Add Comment 3 min read What Is a Data Streaming Platform? JHK infotech JHK infotech JHK infotech Follow Nov 15 '24 What Is a Data Streaming Platform? # data # streaming # iot # opensource Comments Add Comment 3 min read Sever-Guided Ad Insertion Made Easy. Kun Wu Kun Wu Kun Wu Follow for Eyevinn Video Dev-Team Blog Nov 5 '24 Sever-Guided Ad Insertion Made Easy. # hls # opensource # sgai # streaming 1 reaction Comments Add Comment 3 min read 🚀 Netflix's Secret Sauce: How AWS Streams Your Binge-Worthy Shows to 231 Million Couch Potatoes 🍿 Nozim Islamov Nozim Islamov Nozim Islamov Follow Sep 13 '24 🚀 Netflix's Secret Sauce: How AWS Streams Your Binge-Worthy Shows to 231 Million Couch Potatoes 🍿 # netflix # aws # systemdesign # streaming Comments Add Comment 4 min read A Comprehensive OpenAI Assistants API V2 Wrapper: Simplifying AI Integration Rahees Ahmed Rahees Ahmed Rahees Ahmed Follow Sep 10 '24 A Comprehensive OpenAI Assistants API V2 Wrapper: Simplifying AI Integration # openai # streaming # restapi # chatgpt Comments Add Comment 3 min read Managing Streaming Data with Min and Max Heaps in JavaScript: A Digital Athlete Health Tech Perspective Alan Garcia Alan Garcia Alan Garcia Follow Aug 31 '24 Managing Streaming Data with Min and Max Heaps in JavaScript: A Digital Athlete Health Tech Perspective # healthtech # streaming # javascript # datastructures Comments Add Comment 5 min read How to Test the Performance of a Live Video Streaming API Martine Smith Martine Smith Martine Smith Follow Sep 30 '24 How to Test the Performance of a Live Video Streaming API # video # api # streaming 2 reactions Comments Add Comment 6 min read Advanced Video Analysis with AWS DeepLens and Amazon Kinesis Video Streams Sidra Saleem Sidra Saleem Sidra Saleem Follow for SUDO Consultants Aug 25 '24 Advanced Video Analysis with AWS DeepLens and Amazon Kinesis Video Streams # awsdeeplens # amazonkinesis # vedio # streaming Comments Add Comment 10 min read Build a real-time crypto analytics dashboard with Beavers and Perspective 0x26res 0x26res 0x26res Follow Jul 25 '24 Build a real-time crypto analytics dashboard with Beavers and Perspective # python # streaming # kafka Comments Add Comment 3 min read How to stream data over HTTP using Java Servlet and Fetch API bsorrentino bsorrentino bsorrentino Follow Jul 22 '24 How to stream data over HTTP using Java Servlet and Fetch API # http # streaming # java # servlet 7 reactions Comments Add Comment 6 min read Apache Spark-Structured Streaming :: Cab Aggregator Use-case SNEHASISH DUTTA SNEHASISH DUTTA SNEHASISH DUTTA Follow Jun 30 '24 Apache Spark-Structured Streaming :: Cab Aggregator Use-case # apachespark # dataengineering # streaming # realtimedata 1 reaction Comments Add Comment 4 min read Beyond the Game: Tracking Brand Awareness in Sports Streaming and Events Tarana Murtuzova Tarana Murtuzova Tarana Murtuzova Follow for API4AI Jun 19 '24 Beyond the Game: Tracking Brand Awareness in Sports Streaming and Events # brands # sport # streaming # logo Comments 1 comment 11 min read Building a Real-Time Streaming Chatbot with Kotlin and Ollama AI Josmel Noel Josmel Noel Josmel Noel Follow Jun 13 '24 Building a Real-Time Streaming Chatbot with Kotlin and Ollama AI # ollama # kotlin # chatbot # streaming 5 reactions Comments 1 comment 4 min read How to use LLM for efficient text outputs longer than 4k tokens? Lukas Klinzing Lukas Klinzing Lukas Klinzing Follow Jun 10 '24 How to use LLM for efficient text outputs longer than 4k tokens? # llm # streaming # ai # patch 11 reactions Comments Add Comment 2 min read Making your CV talk 🤖 How to send text stream from Express JS? Nikola Mitic Nikola Mitic Nikola Mitic Follow Jun 5 '24 Making your CV talk 🤖 How to send text stream from Express JS? # express # streaming # node Comments Add Comment 2 min read PostgreSQL to NATS Streaming Vladyslav Len Vladyslav Len Vladyslav Len Follow May 22 '24 PostgreSQL to NATS Streaming # postgres # database # streaming # nats 10 reactions Comments 2 comments 8 min read Choosing the Right Streaming Protocol for AWS Elemental MediaConnect Md Mohaymenul Islam (Noyon) Md Mohaymenul Islam (Noyon) Md Mohaymenul Islam (Noyon) Follow May 16 '24 Choosing the Right Streaming Protocol for AWS Elemental MediaConnect # aws # mediaconnect # streaming # protocol Comments Add Comment 2 min read Streaming Video to AWS MediaConnect Using FFmpeg and SRT Protocol: A Complete Guide Md Mohaymenul Islam (Noyon) Md Mohaymenul Islam (Noyon) Md Mohaymenul Islam (Noyon) Follow May 16 '24 Streaming Video to AWS MediaConnect Using FFmpeg and SRT Protocol: A Complete Guide # ffmpeg # srt # mediaconnect # streaming 7 reactions Comments Add Comment 6 min read Understanding Kappa Architecture and Kafka: Empowering Real-Time Data Processing Dario Alves Junior Dario Alves Junior Dario Alves Junior Follow Apr 15 '24 Understanding Kappa Architecture and Kafka: Empowering Real-Time Data Processing # kappaarchitecture # apache # kafka # streaming Comments Add Comment 3 min read Transducers and Eduction in Clojure simply explained Magne Magne Magne Follow for This is Learning Apr 24 '24 Transducers and Eduction in Clojure simply explained # clojure # dataflow # streaming 3 reactions Comments Add Comment 2 min read Empowering Real-Time Data Pipelines: Leveraging Apache Kafka and Rudderstack Dilip Kola Dilip Kola Dilip Kola Follow Mar 19 '24 Empowering Real-Time Data Pipelines: Leveraging Apache Kafka and Rudderstack # kafka # streaming # sinkconnector # data Comments Add Comment 3 min read How to stream data over HTTP using NextJS bsorrentino bsorrentino bsorrentino Follow Mar 6 '24 How to stream data over HTTP using NextJS # http # streaming # typescript # nextjs 25 reactions Comments 1 comment 6 min read Back to streaming! Stream 2024-03-06 Stacy Cashmore Stacy Cashmore Stacy Cashmore Follow Mar 6 '24 Back to streaming! Stream 2024-03-06 # dotnet # streaming # health 1 reaction Comments Add Comment 3 min read How to stream data over HTTP using Node and Fetch API bsorrentino bsorrentino bsorrentino Follow Feb 11 '24 How to stream data over HTTP using Node and Fetch API # http # streaming # javascript # generators 126 reactions Comments 8 comments 6 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:49:42 |
https://dev.to/t/kendoreactchallenge | KendoReact 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 KendoReact Challenge Follow Hide This is the official tag for submissions and announcements related to the KendoReact Challenge. Create Post about #kendoreactchallenge Stay tuned -- this challenge will be announced on March 12, 2025! Older #kendoreactchallenge 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 Congrats to the latest KendoReact Free Components Challenge Winners! Jess Lee Jess Lee Jess Lee Follow for The DEV Team Oct 9 '25 Congrats to the latest KendoReact Free Components Challenge Winners! # devchallenge # kendoreactchallenge # react # webdev 43 reactions Comments 12 comments 2 min read KendoReact Free Components Challenge Asif Nawaz Asif Nawaz Asif Nawaz Follow Sep 26 '25 KendoReact Free Components Challenge # devchallenge # kendoreactchallenge # react # webdev Comments Add Comment 1 min read Challenge React Fabricio Soares Fabricio Soares Fabricio Soares Follow Sep 22 '25 Challenge React # devchallenge # kendoreactchallenge # react # webdev Comments Add Comment 1 min read G Leandro LC Leandro LC Leandro LC Follow Sep 19 '25 G # devchallenge # kendoreactchallenge # react # webdev Comments Add Comment 1 min read KendoReact Free Components Challenge: Invoice Management Dashboard Pratik Pratik Pratik Follow Sep 19 '25 KendoReact Free Components Challenge: Invoice Management Dashboard # devchallenge # kendoreactchallenge # react # webdev Comments 1 comment 3 min read ok jaideep jaideep jaideep Follow Sep 11 '25 ok # devchallenge # kendoreactchallenge # react # webdev Comments Add Comment 1 min read Bot or Not: Can You Spot the AI? 🎨 KAOUTAR BENHADINE KAOUTAR BENHADINE KAOUTAR BENHADINE Follow Sep 29 '25 Bot or Not: Can You Spot the AI? 🎨 # devchallenge # kendoreactchallenge # react # kiro 31 reactions Comments 6 comments 2 min read 💪🧠How to Boost your Brain for Free (Muscle Brain) Web Developer Hyper Web Developer Hyper Web Developer Hyper Follow Sep 27 '25 💪🧠How to Boost your Brain for Free (Muscle Brain) # devchallenge # kendoreactchallenge # react # webdev 35 reactions Comments 12 comments 5 min read Tangible India - A journey through numbers Himanshu Himanshu Himanshu Follow Sep 28 '25 Tangible India - A journey through numbers # devchallenge # kendoreactchallenge # react # webdev 8 reactions Comments 2 comments 3 min read Consultify: Your Doctor Speaks Every Language Chijioke Osadebe Chijioke Osadebe Chijioke Osadebe Follow Sep 28 '25 Consultify: Your Doctor Speaks Every Language # devchallenge # kendoreactchallenge # react # webdev 16 reactions Comments 3 comments 3 min read 🌍AI-Powered Disaster Relief Dashboard with KendoReact, Twilio, and Gemini Ayomide olofinsawe Ayomide olofinsawe Ayomide olofinsawe Follow Sep 29 '25 🌍AI-Powered Disaster Relief Dashboard with KendoReact, Twilio, and Gemini # devchallenge # kendoreactchallenge # react # webdev 69 reactions Comments 3 comments 3 min read Image Flow Editor Mohammed E. MEZERREG Mohammed E. MEZERREG Mohammed E. MEZERREG Follow Sep 28 '25 Image Flow Editor # devchallenge # kendoreactchallenge # react # webdev 7 reactions Comments Add Comment 5 min read 🚀 AI-Powered Project Management Dashboard with KendoReact & Nuclia RAG Julio Díaz Julio Díaz Julio Díaz Follow Sep 29 '25 🚀 AI-Powered Project Management Dashboard with KendoReact & Nuclia RAG # devchallenge # kendoreactchallenge # react # webdev 15 reactions Comments Add Comment 3 min read PrivacyDesk — DSR & Consent Hub (KendoReact Free) Sindhu Goli Sindhu Goli Sindhu Goli Follow Sep 29 '25 PrivacyDesk — DSR & Consent Hub (KendoReact Free) # devchallenge # kendoreactchallenge # react # webdev 7 reactions Comments 1 comment 3 min read AI-powered Form Builder Esther Esther Esther Follow Sep 29 '25 AI-powered Form Builder # devchallenge # kendoreactchallenge # react # webdev 10 reactions Comments Add Comment 1 min read Cosmoscope – Exploring the Universe from Your Browser Kaushik Patil Kaushik Patil Kaushik Patil Follow Sep 29 '25 Cosmoscope – Exploring the Universe from Your Browser # devchallenge # kendoreactchallenge # react # webdev 4 reactions Comments Add Comment 3 min read Progress Team Update: KendoReact Challenge and Nuclia Trial Issues Kathryn Grayson Nanz Kathryn Grayson Nanz Kathryn Grayson Nanz Follow Sep 22 '25 Progress Team Update: KendoReact Challenge and Nuclia Trial Issues # devchallenge # kendoreactchallenge # react # webdev 19 reactions Comments Add Comment 1 min read Samurai Progress Dashboard: Gamifying Japanese Learning with KendoReact leopaul29 leopaul29 leopaul29 Follow Sep 29 '25 Samurai Progress Dashboard: Gamifying Japanese Learning with KendoReact # devchallenge # kendoreactchallenge # react # webdev 7 reactions Comments Add Comment 4 min read Build a RAG Personal Finance Application with Nuclia, KendoReact and Next.js Đỗ Văn Minh An Đỗ Văn Minh An Đỗ Văn Minh An Follow Sep 29 '25 Build a RAG Personal Finance Application with Nuclia, KendoReact and Next.js # devchallenge # kendoreactchallenge # react # webdev 6 reactions Comments Add Comment 3 min read WinDay - Plan Smart, win your day Drishti Peshwani Drishti Peshwani Drishti Peshwani Follow Sep 29 '25 WinDay - Plan Smart, win your day # devchallenge # kendoreactchallenge # react # webdev 5 reactions Comments Add Comment 3 min read KendoManage - Personal Task Scheduler & Manager( 30+ Kendo components + Built using KendoReact AI Code assistant) Shreya Nalawade Shreya Nalawade Shreya Nalawade Follow Sep 28 '25 KendoManage - Personal Task Scheduler & Manager( 30+ Kendo components + Built using KendoReact AI Code assistant) # devchallenge # kendoreactchallenge # react # webdev 20 reactions Comments Add Comment 4 min read Building the Campfire: My Custom CMS for 'Campfire Logs' Derek L. Seitz Derek L. Seitz Derek L. Seitz Follow Sep 29 '25 Building the Campfire: My Custom CMS for 'Campfire Logs' # devchallenge # kendoreactchallenge # react # webdev 5 reactions Comments Add Comment 4 min read MarketSentry: Professional Financial Dashboard with KendoReact Components Abhi nandan Abhi nandan Abhi nandan Follow Sep 29 '25 MarketSentry: Professional Financial Dashboard with KendoReact Components # devchallenge # kendoreactchallenge # react # webdev 28 reactions Comments 2 comments 4 min read Ezpense: An AI Receipt Scanner + Expense Dashboard with KendoReact and Supabase Ahmad Nurfadilah Ahmad Nurfadilah Ahmad Nurfadilah Follow Sep 29 '25 Ezpense: An AI Receipt Scanner + Expense Dashboard with KendoReact and Supabase # devchallenge # kendoreactchallenge # react # webdev 2 reactions Comments Add Comment 2 min read Team Dashboard - Manage Your Team Efficiently with KendoReact Sumeet Naik Sumeet Naik Sumeet Naik Follow Sep 28 '25 Team Dashboard - Manage Your Team Efficiently with KendoReact # devchallenge # kendoreactchallenge # react # webdev 14 reactions Comments 1 comment 3 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:49:42 |
https://www.algolia.com/de/developers/lp-mcp | Algolia MCP Server | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Unternehmen Partners Einloggen Login Logout Algolia mark white Algolia logo white Lösungen Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Branchen Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Preise Entwickler GET STARTED Developer Hub Developer Hub Dokumentation Dokumentation Integrationen Integrationen UI-Komponenten UI-Komponenten Autocomplete Autocomplete RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Schnellstartanleitung Schnellstartanleitung Für Open Source Für Open Source API Status API Status Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Kundengeschichten Kundengeschichten Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Unternehmen Partners Einloggen Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Algolia MCP Server Durchsuchen, analysieren oder überwachen Sie Ihren Index und Ihre Konfiguration direkt in Ihrem agentischen Workflow. Rufen Sie Daten ab, fügen Sie neue hinzu und aktualisieren Sie Ihre Algolia-Indizes über Ihre lokalen Clients. GitHub-Repository Was ist MCP Sehen Sie Algolia MCP in Aktion Was ist MCP? Model Context Protocol (MCP) „Stellen Sie sich MCP wie einen USB-C-Anschluss für KI-Anwendungen vor. So wie USB-C eine standardisierte Möglichkeit bietet, Geräte mit verschiedenen Peripheriegeräten und Zubehör zu verbinden, bietet MCP eine standardisierte Möglichkeit, KI-Modelle mit unterschiedlichen Datenquellen und Tools zu verbinden.“ — via modelcontextprotocol.io Mehr über MCP erfahren Beispiel-Prompts Anwendungen „Liste alle meine Algolia-Apps auf.“ „Liste alle Indizes in meiner E-Commerce -Anwendung auf und formatiere sie in einer Tabelle, sortiert nach Einträgen.“ „Zeig mir die Konfiguration meines products -Index.“ Suche & Indexierung „Suche im products -Index nach Nike-Schuhen unter 100 $.“ „Füge die 10 besten Programmierbücher in meinen library -Index ein und verwende deren ISBNs als objectIDs.“ „Wie viele Datensätze habe ich in meinem customers -Index?“ Analysen & Insights „Wie hoch ist die No-Results-Rate für meinen products -Index in der Region DE? Erstelle ein Diagramm mit React und Recharts.“ „Zeig mir die 10 häufigsten Suchanfragen ohne Ergebnisse in der Region DE aus der letzten Woche.“ Weitere Beispiel-Prompts auf GitHub ansehen MCP-FAQs Wo kann ich mehr über MCP erfahren? 0 Besuchen Sie die offizielle Website: modelcontextprotocol.io/introduction Warum MCP – und warum gerade jetzt? 0 Da KI-Agenten zunehmend komplexere Workflows übernehmen, wird ein standardisiertes Protokoll zur Anbindung externer Tools immer wichtiger. Kann ich zu Algolia MCP beitragen? 0 Ja, absolut! Erstellen Sie hier einen PR: https://github.com/algolia/mcp-node/pulls Enable anyone to build great Search & Discovery Get a demo Start Free Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Entwickler Developer Hub Dokumentation Integrationen Engineering Blog Discord community API status DocSearch Für Open Source Demos GDPR AI Act Branchen Überclick B2C-E-Commerce B2B-E-Commerce Marktplätze SaaS Medien Startups Fashion Tools Search Grader Ecommerce Search Audit Lösungen Überblick AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Anwendungsfälle Überclick Enterprise Suche Headless commerce Mobile Suche Sprachgesteuerte Suche Bildersuche OEM Bildersuche Integrationen Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Verteilt und Sicher Globale infrastruktur Sicherheit & Konformität Azure AWS Unternehmen Über Algolia Karriere Newsroom Events Leitung Soziale Wirkung Kontact Kontact Kontact Soziales netwerk Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Datenschutzrichtlinie Nutzungsbedingungen Richtlinien zur akzeptablen Nutzung | 2026-01-13T08:49:42 |
https://dev.to/t/software/page/2#main-content | Software 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 # software Follow Hide All things related to software development and engineering. Create Post Older #software 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 I Built a Hybrid AI Database - Cache in Go (And It Runs Stable on My Old Dell Latitude) Quan Van Quan Van Quan Van Follow Jan 5 I Built a Hybrid AI Database - Cache in Go (And It Runs Stable on My Old Dell Latitude) # go # database # opensource # software 1 reaction Comments Add Comment 7 min read Integration Testing: Definition, How-to, Examples Alok Kumar Alok Kumar Alok Kumar Follow Jan 5 Integration Testing: Definition, How-to, Examples # testing # cicd # automation # software Comments Add Comment 12 min read How a Pull Request Dashboard Shapes Speed, Quality, and Trust | TestDino Insights TestDino TestDino TestDino Follow Jan 5 How a Pull Request Dashboard Shapes Speed, Quality, and Trust | TestDino Insights # playwright # testing # automation # software Comments Add Comment 4 min read How to Prevent Software Piracy in C# Desktop Apps: A Complete Guide Olivier Moussalli Olivier Moussalli Olivier Moussalli Follow Jan 5 How to Prevent Software Piracy in C# Desktop Apps: A Complete Guide # privacy # security # software # csharp Comments Add Comment 5 min read Product Engineering & Pragmatism Tom Mango Tom Mango Tom Mango Follow Jan 3 Product Engineering & Pragmatism # software # management Comments Add Comment 3 min read Java - not going anywhere Vishal Thakkar Vishal Thakkar Vishal Thakkar Follow Jan 5 Java - not going anywhere # java # programming # software # api Comments Add Comment 1 min read Why Your Humble Start is Your Greatest Asset. Anifowose Temitayo Anifowose Temitayo Anifowose Temitayo Follow Jan 8 Why Your Humble Start is Your Greatest Asset. # webdev # software # productivity # tutorial Comments 1 comment 2 min read Stop Scattering Your Business Logic: Meet Masterly.BusinessRules for .NET Ahmad Al-Freihat Ahmad Al-Freihat Ahmad Al-Freihat Follow Jan 6 Stop Scattering Your Business Logic: Meet Masterly.BusinessRules for .NET # software # programming # csharp # cleancode 1 reaction Comments Add Comment 4 min read 🚀 We’re Hiring a Blockchain Developer (Remote, Long-Term) Mike Arndt Mike Arndt Mike Arndt Follow Jan 4 🚀 We’re Hiring a Blockchain Developer (Remote, Long-Term) # web3 # blockchain # cryptocurrency # software Comments Add Comment 1 min read How to audit your startup's 'knowledge debt' in 30 minutes Kumar Kislay Kumar Kislay Kumar Kislay Follow Jan 1 How to audit your startup's 'knowledge debt' in 30 minutes # startup # software Comments Add Comment 2 min read The shift from "Infrastructure as Code" to "Infrastructure as Software." Meena Nukala Meena Nukala Meena Nukala Follow Jan 1 The shift from "Infrastructure as Code" to "Infrastructure as Software." # devops # infrastructureascode # software # ai Comments Add Comment 2 min read Building Your First MCP Server: A Developer's Honest Guide Bilal Saeed Bilal Saeed Bilal Saeed Follow Dec 30 '25 Building Your First MCP Server: A Developer's Honest Guide # modelcontextprotocol # software # typescript # buildinpublic Comments Add Comment 7 min read The Open Source Paradox: Decoding the Economics of Distributed Innovation Neo Neo Neo Follow Jan 4 The Open Source Paradox: Decoding the Economics of Distributed Innovation # opensource # economics # software # innovation Comments Add Comment 2 min read RISC OS: A Non-POSIX Operating System That Grew With ARM Pʀᴀɴᴀᴠ Pʀᴀɴᴀᴠ Pʀᴀɴᴀᴠ Follow Dec 30 '25 RISC OS: A Non-POSIX Operating System That Grew With ARM # architecture # software # ui 1 reaction Comments Add Comment 3 min read Building Maintainable Software Systems: Lessons from Open-Source Engineering myroslav mokhammad abdeljawwad myroslav mokhammad abdeljawwad myroslav mokhammad abdeljawwad Follow Dec 30 '25 Building Maintainable Software Systems: Lessons from Open-Source Engineering # software # softwareengineering # opensource Comments Add Comment 3 min read Developers VS Product Sense superkacper4 superkacper4 superkacper4 Follow Dec 30 '25 Developers VS Product Sense # webdev # career # developers # software 1 reaction Comments 1 comment 4 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 Why Version Control Matters: Overcoming the Pendrive Dilemma and Learning Git Mechanics Mohammad Aman Mohammad Aman Mohammad Aman Follow Dec 30 '25 Why Version Control Matters: Overcoming the Pendrive Dilemma and Learning Git Mechanics # git # vcs # software Comments Add Comment 3 min read Ever felt like an imposter during meetings? A. M. Lorion A. M. Lorion A. M. Lorion Follow Dec 29 '25 Ever felt like an imposter during meetings? # software # webdev # programming # softwaredevelopment Comments Add Comment 1 min read Introducing FocusWhileAI Chrome Extension 🚀 Rudhra Bharathy G Rudhra Bharathy G Rudhra Bharathy G Follow Dec 30 '25 Introducing FocusWhileAI Chrome Extension 🚀 # chromeextension # productivity # ai # software Comments Add Comment 1 min read eComStation: The Operating System That Refused to Die Pʀᴀɴᴀᴠ Pʀᴀɴᴀᴠ Pʀᴀɴᴀᴠ Follow Dec 30 '25 eComStation: The Operating System That Refused to Die # discuss # computerscience # software 1 reaction Comments Add Comment 3 min read The Most Important Decision You'll Make as an Engineer This Year Pedro Arantes Pedro Arantes Pedro Arantes Follow for Terezinha Tech Operations Jan 10 The Most Important Decision You'll Make as an Engineer This Year # ai # softwareengineering # software # programming Comments Add Comment 4 min read Hello World — My Journey Begins Here Santu Sarkar Santu Sarkar Santu Sarkar Follow Dec 28 '25 Hello World — My Journey Begins Here # programming # software # life # experience Comments Add Comment 1 min read I Told the AI to “Continue and Redeploy” — Then It Got Stuck Waiting for Itself Akshay Joshi Akshay Joshi Akshay Joshi Follow Dec 31 '25 I Told the AI to “Continue and Redeploy” — Then It Got Stuck Waiting for Itself # ai # programming # software # llm 1 reaction Comments Add Comment 17 min read The Only 3 Coding Skills That Actually Matter in 2026 (Everything Else is Noise) Sandip Yadav Sandip Yadav Sandip Yadav Follow Jan 10 The Only 3 Coding Skills That Actually Matter in 2026 (Everything Else is Noise) # coding # software # softwaredevelopment # softwareengineering Comments Add Comment 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:49:42 |
https://www.algolia.com/fr/developers/lp-mcp | Algolia MCP Server | Algolia Niket --> Deutsch English français News DevCon2025 | October 1-2 Learn more Algolia Partners Support Login Logout Algolia mark white Algolia logo white Products Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Industries Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Tarifs Développeurs GET STARTED Developer Hub Developer Hub Documentation Documentation Intégrations Intégrations Composants UI Composants UI Auto-completion Auto-completion RESOURCES Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events QUICK LINKS Démarrage rapide Démarrage rapide Pour Open Source Pour Open Source Statuts d'API Statuts d'API Support Support Resources INSPIRATION Algolia Blog Algolia Blog Resource Center Resource Center Témoignages clients Témoignages clients Webinars & Events Webinars & Events Newsroom Newsroom LEARN Customer Hub Customer Hub What's New What's New AI Search Grader AI Search Grader Documentation Documentation Évènements Évènements Professional Services Professional Services Quick Access Algolia Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Algolia MCP Server Recherchez, analysez ou surveillez votre index et votre configuration dans votre workflow agentique. Récupérez, ajoutez et mettez à jour des données dans votre index Algolia depuis vos clients locaux. Repo GitHub Qu’est-ce que le MCP Voir Algolia MCP en action Qu’est-ce que le MCP ? Model Context Protocol (MCP) « Considérez MCP comme un port USB-C pour les applications d’IA. De la même manière que l’USB-C offre une méthode standardisée pour connecter vos appareils à divers périphériques et accessoires, MCP fournit un moyen standardisé de connecter les modèles d’IA à différentes sources de données et outils. » — via modelcontextprotocol.io En savoir plus sur MCP Exemples de prompts Applications « Liste toutes mes applications Algolia. » « Liste tous les index de mon application e-commerce et formate-les dans un tableau trié par nombre d’entrées. » « Montre-moi la configuration de mon index products . » Recherche & indexation « Cherche dans mon index products les chaussures Nike à moins de 100 $. » « Ajoute les 10 meilleurs livres de programmation à mon index library en utilisant leurs ISBN comme objectIDs. » « Combien d’enregistrements ai-je dans mon index customers ? » Analyses & insights « Quel est le taux de recherches sans résultats pour mon index products dans la région DE ? Génère un graphique avec React et Recharts. » « Montre-moi les 10 principales recherches sans résultats dans la région DE la semaine dernière. » Voir plus d’exemples de prompts sur GitHub FAQ MCP Où puis-je en apprendre plus sur les MCP ? 0 Consultez le site officiel des MCP : modelcontextprotocol.io/introduction Pourquoi MCP et pourquoi maintenant ? 0 À mesure que les agents IA prennent en charge des workflows de plus en plus complexes, disposer d’un protocole standardisé pour les connecter à des outils externes devient essentiel. Puis-je contribuer à Algolia MCP ? 0 Absolument, créez une PR ici : https://github.com/algolia/mcp-node/pulls Enable anyone to build great Search & Discovery Get a demo Start Free Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Développeurs Developer Hub Documentation Intégrations Engineering blog Communauté Discord Status d'API DocSearch Pour Open Source Demos GDPR AI Act Industries Aperçu Ecommerce B2C Ecommerce B2B Marketplaces SaaS Média Startups Fashion Tools Search Grader Ecommerce Search Audit Solutions Aperçu AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Cas d'usage Aperçu Recherche Enterprise Ecommerce headless Recherche mobile Recherche vocale Recherche d'image OEM Recherche d'image Intégrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distribué & sécurisé Infrastructure mondiale Sécurité & conformité Azure AWS Algolia À propos Carrières Newsroom Évènements Équipe dirigeante Impact social Contact us Anti-Modern Slavery Statement Awards Réseaux sociaux Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Politique de confidentialité Conditions d'utilisation Politique d'utilisation acceptable | 2026-01-13T08:49:42 |
https://dev.to/msandula12 | Mike Sandula - 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 Mike Sandula Software engineer with 8+ years of experience. Crafter of high-quality, user-centric websites and web applications. Also a husband, a father, and a drummer. Location United States Joined Joined on Sep 4, 2024 Personal website https://mikesandula.dev/ github website Pronouns he/him/his More info about @msandula12 Badges 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 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 JavaScript/TypeScript, React, Next.js, HTML/CSS, Node.js, Python Post 5 posts published Comment 0 comments written Tag 6 tags followed Climbing the software engineering ranks: Going from senior to staff Mike Sandula Mike Sandula Mike Sandula Follow Dec 19 '25 Climbing the software engineering ranks: Going from senior to staff # career # software # programming # careerdevelopment Comments Add Comment 3 min read Climbing the software engineering ranks: Going from mid to senior Mike Sandula Mike Sandula Mike Sandula Follow Dec 19 '25 Climbing the software engineering ranks: Going from mid to senior # career # software # programming # careerdevelopment Comments 1 comment 3 min read Separating ourselves from the separation of concerns Mike Sandula Mike Sandula Mike Sandula Follow Jan 31 '25 Separating ourselves from the separation of concerns Comments Add Comment 1 min read Using pow() and sqrt() in CSS to make shapes with shapes Mike Sandula Mike Sandula Mike Sandula Follow Sep 12 '24 Using pow() and sqrt() in CSS to make shapes with shapes Comments Add Comment 3 min read How to create typography tokens for a design system using Sass mixins Mike Sandula Mike Sandula Mike Sandula Follow Sep 4 '24 How to create typography tokens for a design system using Sass mixins # css # sass # designsystem 1 reaction Comments Add Comment 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:49:42 |
https://www.algolia.com/developers?utm_source=devto&utm_medium=referral | Developers Niket --> Deutsch English français News: Meet us at NRF 2026 Learn more Company Partners Support Login Logout Algolia mark white Algolia logo white Products AI Search & Retrieval Overview Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Artificial Intelligence OVERVIEW Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Intelligent Data Kit Overview Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Infrastructure Overview Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Solutions Industries SEE ALL Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Use Cases SEE ALL Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Departments Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Pricing Developers Get started Developer Hub Developer Hub Documentation Documentation Integrations Integrations UI Components UI Components Autocomplete Autocomplete Resources Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events Quick Links Quick Start Guide Quick Start Guide For Open Source For Open Source API Status API Status Support Support Resources Discover Algolia Blog Algolia Blog Resource Center Resource Center Customer Stories Customer Stories Webinars & Events Webinars & Events Newsroom Newsroom Customers Customer Hub Customer Hub What's New What's New Knowledge Base Knowledge Base Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Company Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Algolia Developer Hub Everything you need to build search that understands. Back-end Front-end Analytics Dropdown Ruby Rails Python Django Php Symfony Laravel JavaScript Java Scala Go C# Kotlin Swift JavaScript React Android Vue Angular IOS Php Ruby JavaScript Python Swift Android C# Java Go Scala my_index = client.init_index('contacts') my_index.save_object({ firstname: "Jimmie", lastname: "Barninger", company: "California Paint" }) Build with Ruby class Contact < ActiveRecord::Base include AlgoliaSearch algoliasearch do attribute :firstname, :lastname, :company end end Build with Rails myIndex = apiClient.init_index("contacts") myIndex.save_object({ "firstname": "Jimmie", "lastname": "Barninger", "company": "California Paint" }) Build with Python from algoliasearch_django import AlgoliaIndex from algoliasearch_django.decorators import register @register(YourModel) class YourModelIndex(AlgoliaIndex): fields = ('firstname', 'lastname', 'company') Build with Django $myIndex = $apiClient->initIndex("contacts"); $myIndex->saveObject([ "firstname" => "Jimmie", "lastname" => "Barninger", "company" => "California Paint", ]); Build with Php /** * @ORM\Entity */ class Contact { /** * @var string * * @ORM\Column(name="firstname", type="string") * @Group({searchable}) */ protected $firstname; /** * @var string * * @ORM\Column(name="lastname", type="string") * @Group({searchable}) */ protected $lastname; /** * @var string * * @ORM\Column(name="company", type="string") * @Group({searchable}) */ protected $company; } Build with Symfony use Illuminate\Database\Eloquent\Model; use Laravel\Scout\Searchable; class Contact extends Model { use Searchable; } Build with Laravel const myIndex = apiClient .initIndex('contacts'); myIndex.saveObject({ firstname: 'Jimmie', lastname: 'Barninger', company: 'California Paint', }); Build with JavaScript Index<Contact> index = client .initIndex("contacts", Contact.class); index.saveObject( new Contact() .setFirstname("Jimmie") .setLastname("Barninger") .setCompany("California Paint") ); Build with Java import algolia.AlgoliaDsl._ import scala.concurrent.ExecutionContext.Implicits.global case class Contact( firstname: String, lastname: String, company: String ) val indexing: Future[Indexing] = client.execute { index into "contacts" `object` Contact( "Jimmie", "Barninger", "California Paint" ) } Build with Scala object := map[string]string{ "firstname": "Jimmie", "lastname": "Barninger", "company": "California Paint" } res, err := index.SaveObject(object) Build with Go SearchIndex index = client.InitIndex("contacts"); var contact = new Contact { FirstName = "Jimmie", LastName = "Barninger", Company = "California Paint" }; index.SaveObject(contact); Build with C# val index = client.initIndex(IndexName("contacts")) val json = json { "firstname" to "Jimmie" "lastname" to "Barninger" "company" to "California Paint" } index.saveObject(json) Build with Kotlin let myIndex = apiClient.getIndex("contacts") let n = [ "firstname": "Jimmie", "lastname": "Barninger", "company": "California Paint" ] myIndex.saveObject(n) Build with Swift <div id="searchbox"></div> <div id="refinement"></div> <div id="hits"></div> <script> const { searchBox, hits } = instantsearch.widgets; search.addWidgets([ searchBox({ container: "#searchbox" }), hits({ container: "#hits" }), refinementList({ container: "#refinement", attribute: "company" }), ]); search.start(); </script> Build with JavaScript const App = () => ( <InstantSearch> <SearchBox /> <Hits /> <Pagination /> <RefinementList attribute="company" /> </InstantSearch> ); Build with React <RelativeLayout xmlns:algolia="http://schemas.android.com/apk/res-auto" xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent"> <com.algolia.instantsearch.ui.views.SearchBox android:id="@+id/search_box" android:layout_width="match_parent" android:layout_height="wrap_content"/> <com.algolia.instantsearch.ui.views.Stats android:id="@+id/search_box" android:layout_width="match_parent" android:layout_height="wrap_content"/> <com.algolia.instantsearch.ui.views.Hits android:layout_width="match_parent" android:layout_height="wrap_content" algolia:itemLayout="@layout/hits_item"/> </RelativeLayout> Build with Android <ais-instant-search> <ais-search-box /> <ais-refinement-list attribute="company" /> <ais-hits /> <ais-pagination /> </ais-instant-search> Build with Vue <ais-instantsearch> <ais-search-box></ais-search-box> <ais-refinement-list [attribute]="company" ></ais-refinement-list> <ais-hits></ais-hits> </ais-instantsearch> Build with Angular import InstantSearch override func viewDidLoad() { super.viewDidLoad() let searchBar = SearchBarWidget(frame: ...) let statsWidget = StatsLabelWidget(frame: ...) self.view.addSubview(searchBar) self.view.addSubview(statsWidget) InstantSearch.shared.registerAllWidgets(in: self.view)} Build with IOS $insights = AlgoliaAlgoliaSearchInsightsClient::create( 'ALGOLIA_APP_ID', 'ALGOLIA_API_KEY' ); $insights->user("user-123456")->clickedObjectIDsAfterSearch( 'Product Clicked', 'products', ['9780545139700'], [7], 'cba8245617aeace44' ); Build with Php insights = Algolia::Insights::Client.create('ALGOLIA_APP_ID', 'ALGOLIA_API_KEY') insights.user('user-123456').clicked_object_ids_after_search( 'Product Clicked', 'products', ['9780545139700'], [7], 'cba8245617aeace44' ) Build with Ruby // This requires installing the search-insights separate library: // https://github.com/algolia/search-insights.js // https://www.npmjs.com/package/search-insights aa('clickedObjectIDsAfterSearch', { userToken: 'user-123456', eventName: 'Product Clicked', index: 'products', queryID: 'cba8245617aeace44', objectIDs: ['9780545139700'], positions: [7], }); Build with JavaScript insights = client.init_insights_client().user('user-123456') insights.clicked_object_ids_after_search( 'Product Clicked', 'products', ['9780545139700'], [7], 'cba8245617aeace44' ) Build with Python Insights.register( appId: "ALGOLIA_APP_ID", apiKey: "ALGOLIA_API_KEY", userToken: "user-123456" ) Insights.shared?.clickedAfterSearch( eventName: "Product Clicked", indexName: "products", objectIDs: ["9780545139700"], positions: [7], queryID: "cba8245617aeace44" ) Build with Swift Insights.register( context, "ALGOLIA_APP_ID", "ALGOLIA_API_KEY", "user-123456" ) Insights.shared?.clickedAfterSearch( "Product Clicked", "products", "cba8245617aeace44", EventObjects.IDs("9780545139700"), listOf(7) ) Build with Android var insights = new InsightsClient( "ALGOLIA_APP_ID", "ALGOLIA_API_KEY" ).User("user-123456"); insights.ClickedObjectIDsAfterSearch( "Product Clicked", "products", new List<string> { "9780545139700" }, new List<uint> { 7 }, "cba8245617aeace44" ); Build with C# AsyncUserInsightsClient insights = new AsyncInsightsClient( "ALGOLIA_APP_ID", "ALGOLIA_API_KEY", client ).user("user-123456"); insights.clickedObjectIDsAfterSearch( "Product Clicked", "products", Arrays.asList("9780545139700"), new ArrayList<>(Arrays.asList(7l)), "cba8245617aeace44" ); Build with Java client := insights.NewClient( "ALGOLIA_APP_ID", "ALGOLIA_API_KEY", ).User("user-123456") res, err := client.ClickedObjectIDsAfterSearch( "Product Clicked", "products", []string{"9780545139700"}, []int{7}, "cba8245617aeace44", ) Build with Go client.execute { send event ClickedObjectIDsAfterSearch( "user-123456", "Product Clicked", "products", Seq("9780545139700"), Seq(7), "cba8245617aeace44" ) } Build with Scala *:nth-child(n+1)]:border-b px-4" data-expansion-type="multiItem" > Manage your data using any of our API clients. Build search front-end from customizable UI libraries with reusable components. Configure analytics to show click conversions, run A/B testing and tune recommendations. Scale with Integrations Use integrations and pre-built libraries to build scalable search experiences. --> --> --> No Products Found!!! View all integrations Explore every possibility with full documentation Find everything you need to get started with API reference docs, guides and sample code. Read the docs Develop your stack with UI libraries Deploy pre-built, customizable UI libraries for instantsearch and autocomplete, available in multiple frameworks. Explore all front-end possibilities Build DocSearch Free search for your developer documentation. Discover DocSearch Code Exchange Building blocks for search and discovery. Back-end tools Use our API clients, frameworks and integrations to push your data. Explore back-end building blocks Front-end tools Build your frontend using our UI libraries and templates. Explore front-end building blocks Showcase Don’t start from a blank page. Explore our demos and sample apps. Explore Showcase Explore Code Exchange For startups - all the power, none of the headache Startups, you can get going in minutes and scale for decades. Whatever your future demands, and however much you grow - Algolia has you covered. Eligible startups can begin with $10k of credits from Algolia and $100k from startup partners. Learn more Enterprises, delight your customers Grow your customer satisfaction - and sales. Because when your customers feel understood, they click and they come back. Get help from our experts to start fast and run efficiently. Contact sales "[Algolia] was very professional from the start. We had a great Customer Success Manager and team that provided a lot of help and was a great partner." Clint Fischerström Head of Ecommerce @ Swedol “I think we’ve grown leaps and bounds with Algolia. There's a lot of features that we still can tap into, which is great because I feel like we've gotten a ton out of it already.” Geoff Lyman Digital Experience Solutions Manager @ Hershey's “Instead of having to go into the back end and the catalog—which would have been a technical headache—we were able to figure it out in a matter of a day, test it, and ‘boom’ it’s live.” Courtney Grisham Director of E-Commerce @ Shoe Carnival “Algolia is very fast — able to keep up with our level of traffic… The API and SDK options are really great, and the ability to handle traffic at scale (we have a high volume)” Matt Goorley Engineering Manager @ LTK “Algolia is a breeze to work with. With Algolia, our editorial team has seen significant productivity improvements when building the daily online edition of The Times and weekly edition of The Sunday Times, with search being 300-500 times faster than our prior solution.” Matt Taylor Editorial Product Manager @ The Times Explore more Discord Community Documentation Algolia Startup Program Search API Security & compliance Global infrastructure Customer Hub Enable anyone to build great Search & Discovery Get a demo Start Free Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Privacy Policy Terms of service Acceptable Use Policy ✕ Hi there 👋 Need assistance? Click here to allow functional cookies to launch our chat agent. 1 | 2026-01-13T08:49:42 |
https://dev.to/scale_youtube/ndc-conferences-optimize-your-internal-os-and-minimize-compatibility-issues-at-work-alice-4kp8 | NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith - 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 Scale YouTube Posted on Dec 1, 2025 NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career Everyone’s got their own “HumanOS” made up of personality quirks, strengths, stress defaults and emotional triggers—kind of like running Windows vs. Mac vs. Linux. This talk shows you how to crack into your personal system using tools like Gallup Strengths, the Enneagram and The People Code, spot when you’re hitting a compatibility snag with coworkers, and even know when to “patch” your default reactions to feedback, conflict or stress. On top of that, you’ll learn to map out your motivators, communication style and work habits so you can team up more smoothly—and use AI as a personal coach to tweak your settings and sail through tough workplace scenarios. Walk away with a clearer blueprint of your own mind and easy digital tricks to level up collaboration, no matter what “OS” everyone else is running. Watch on YouTube 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 Scale YouTube Follow Joined Aug 2, 2025 More from Scale YouTube NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career # architecture # performance 💎 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:49:42 |
https://dev.to/t/streaming/page/4 | Streaming Page 4 - 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 # streaming Follow Hide instant track overload Create Post Older #streaming 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 Kafka Fundamentals: kafka retention DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka retention # kafka # messagequeue # streaming # kafkaretention Comments Add Comment 6 min read Kafka Fundamentals: kafka controller DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka controller # kafka # messagequeue # streaming # kafkacontroller Comments Add Comment 6 min read Kafka Fundamentals: kafka zookeeper DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka zookeeper # kafka # messagequeue # streaming # kafkazookeeper Comments Add Comment 6 min read Kafka Fundamentals: kafka zookeeper DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka zookeeper # kafka # messagequeue # streaming # kafkazookeeper Comments Add Comment 6 min read Kafka Fundamentals: kafka replication DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka replication # kafka # messagequeue # streaming # kafkareplication Comments Add Comment 6 min read Kafka Fundamentals: kafka consumer group DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka consumer group # kafka # messagequeue # streaming # kafkaconsumergroup Comments Add Comment 6 min read Kafka Fundamentals: kafka consumer group DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka consumer group # kafka # messagequeue # streaming # kafkaconsumergroup Comments Add Comment 6 min read Kafka Fundamentals: kafka replication DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka replication # kafka # messagequeue # streaming # kafkareplication Comments Add Comment 6 min read Kafka Fundamentals: kafka offset DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka offset # kafka # messagequeue # streaming # kafkaoffset Comments Add Comment 6 min read Kafka Fundamentals: kafka offset DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka offset # kafka # messagequeue # streaming # kafkaoffset Comments Add Comment 7 min read Kafka Fundamentals: kafka message DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka message # kafka # messagequeue # streaming # kafkamessage Comments Add Comment 6 min read Kafka Fundamentals: kafka message DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka message # kafka # messagequeue # streaming # kafkamessage Comments Add Comment 6 min read Kafka Fundamentals: kafka producer DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka producer # kafka # messagequeue # streaming # kafkaproducer Comments Add Comment 6 min read Kafka Fundamentals: kafka producer DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka producer # kafka # messagequeue # streaming # kafkaproducer Comments Add Comment 6 min read Kafka Fundamentals: kafka consumer DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka consumer # kafka # messagequeue # streaming # kafkaconsumer Comments Add Comment 6 min read Kafka Fundamentals: kafka consumer DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka consumer # kafka # messagequeue # streaming # kafkaconsumer Comments Add Comment 7 min read Kafka Fundamentals: kafka partition DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka partition # kafka # messagequeue # streaming # kafkapartition Comments Add Comment 6 min read Kafka Fundamentals: kafka partition DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka partition # kafka # messagequeue # streaming # kafkapartition Comments Add Comment 6 min read Kafka Fundamentals: kafka partition DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka partition # kafka # messagequeue # streaming # kafkapartition Comments Add Comment 6 min read Kafka Fundamentals: kafka partition DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka partition # kafka # messagequeue # streaming # kafkapartition Comments Add Comment 6 min read Kafka Fundamentals: kafka partition DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka partition # kafka # messagequeue # streaming # kafkapartition Comments Add Comment 7 min read Kafka Fundamentals: kafka partition DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka partition # kafka # messagequeue # streaming # kafkapartition Comments Add Comment 6 min read Kafka Fundamentals: kafka topic DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka topic # kafka # messagequeue # streaming # kafkatopic Comments Add Comment 6 min read Kafka Fundamentals: kafka topic DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka topic # kafka # messagequeue # streaming # kafkatopic Comments Add Comment 6 min read Kafka Fundamentals: kafka topic DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka topic # kafka # messagequeue # streaming # kafkatopic Comments Add Comment 6 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:49:42 |
https://dev.to/t/devops#main-content | Devops - 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 # devops Follow Hide Content centering around the shifting left of responsibility, deconstruction of responsibility silos, and the automation of repetitive work tasks. Create Post submission guidelines Be nice. Be respectful. Assume best intentions. Be kind, rewind. Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Shift-Left Reliability Rob Fox Rob Fox Rob Fox Follow Jan 12 Shift-Left Reliability # sre # devops # cicd # platformengineering Comments Add Comment 4 min read Cloud Sem Falência: O mínimo que você precisa saber de FinOps Ed Wantuil Ed Wantuil Ed Wantuil Follow Jan 12 Cloud Sem Falência: O mínimo que você precisa saber de FinOps # devops # cloud # braziliandevs 1 reaction Comments Add Comment 14 min read Building a Low-Code Blockchain Deployment Platform Kowshikkumar Reddy Makireddy Kowshikkumar Reddy Makireddy Kowshikkumar Reddy Makireddy Follow Jan 13 Building a Low-Code Blockchain Deployment Platform # showdev # blockchain # devops # tooling Comments Add Comment 9 min read Your "Atomic" Deploys Probably Aren't Atomic mojoatomic mojoatomic mojoatomic Follow Jan 12 Your "Atomic" Deploys Probably Aren't Atomic # devops # deployment # linux # macos Comments Add Comment 3 min read J'ai galéré pendant 3 semaines pour monter un cluster Kubernetes (et voilà ce que j'ai appris) BeardDemon BeardDemon BeardDemon Follow Jan 10 J'ai galéré pendant 3 semaines pour monter un cluster Kubernetes (et voilà ce que j'ai appris) # devops # kubernetes # learning Comments Add Comment 6 min read The Twelve-Factor App: 5 Surprising Truths About Modern Software Dhruv Dhruv Dhruv Follow Jan 12 The Twelve-Factor App: 5 Surprising Truths About Modern Software # twelvefactorapp # systemdesign # devops # softwareengineering Comments Add Comment 4 min read Setting Up Jenkins SSH Build Agents: A Complete Troubleshooting Guide Faruq2991 Faruq2991 Faruq2991 Follow Jan 10 Setting Up Jenkins SSH Build Agents: A Complete Troubleshooting Guide # beginners # devops # cloud # cloudcomputing 2 reactions Comments Add Comment 8 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 AWS Athena: Query Your S3 Data Without Setting Up a Database Saksham Paliwal Saksham Paliwal Saksham Paliwal Follow Jan 12 AWS Athena: Query Your S3 Data Without Setting Up a Database # devops # aws # athena # awschallenge Comments Add Comment 4 min read The Features I Killed to Ship The 80 Percent App in 4 Weeks Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Follow Jan 12 The Features I Killed to Ship The 80 Percent App in 4 Weeks # flutter # softwareengineering # devops # learning Comments Add Comment 4 min read From Vibe-Coding to Engineering: My 48-Hour Battle with Docker & Windows Zakariyau Mukhtar Zakariyau Mukhtar Zakariyau Mukhtar Follow Jan 12 From Vibe-Coding to Engineering: My 48-Hour Battle with Docker & Windows # devops # programming # cloud Comments Add Comment 3 min read LAB: ConfigMap & Secret — From Developer Code to DevOps Troubleshooting Aisalkyn Aidarova Aisalkyn Aidarova Aisalkyn Aidarova Follow Jan 12 LAB: ConfigMap & Secret — From Developer Code to DevOps Troubleshooting # devops # kubernetes # security # tutorial 1 reaction Comments Add Comment 6 min read Your AI Bills Tripled Last Month. Here's Why (And How to Fix It) Debby McKinney Debby McKinney Debby McKinney Follow Jan 12 Your AI Bills Tripled Last Month. Here's Why (And How to Fix It) # programming # ai # devops # software 3 reactions Comments 1 comment 5 min read What problem do Config & Secret solve? Aisalkyn Aidarova Aisalkyn Aidarova Aisalkyn Aidarova Follow Jan 12 What problem do Config & Secret solve? # architecture # devops # kubernetes 1 reaction Comments Add Comment 2 min read PART 1 — StatefulSet + Headless Service + Persistent Storage Aisalkyn Aidarova Aisalkyn Aidarova Aisalkyn Aidarova Follow Jan 12 PART 1 — StatefulSet + Headless Service + Persistent Storage # devops # kubernetes # mysql # tutorial 1 reaction Comments Add Comment 3 min read Agentic Coding Tools Are Accelerating Output, Not Velocity Signadot Signadot Signadot Follow Jan 12 Agentic Coding Tools Are Accelerating Output, Not Velocity # ai # devops # kubernetes # productivity Comments Add Comment 5 min read Decoding Web Performance: A Deep Dive into Key Metrics TechBlogs TechBlogs TechBlogs Follow Jan 12 Decoding Web Performance: A Deep Dive into Key Metrics # devops # cloud # kubernetes Comments Add Comment 7 min read 🚀 Building a Modern PHP Microservices Architecture with Docker Alan Varghese Alan Varghese Alan Varghese Follow Jan 12 🚀 Building a Modern PHP Microservices Architecture with Docker # php # docker # microservices # devops Comments Add Comment 7 min read Scaling Terraform Across many Teams: A Native Framework for Platform Engineering Jacob Jacob Jacob Follow Jan 12 Scaling Terraform Across many Teams: A Native Framework for Platform Engineering # terraform # scaling # devops Comments Add Comment 30 min read Deploy to Raspberry Pi in One Command: Building a Rust-based Deployment Tool Kazilsky Kazilsky Kazilsky Follow Jan 12 Deploy to Raspberry Pi in One Command: Building a Rust-based Deployment Tool # automation # devops # rust # tooling 2 reactions Comments 3 comments 3 min read Building Automated Containment for AI-to-AI Systems: A Technical Deep Dive John R. Black III John R. Black III John R. Black III Follow Jan 12 Building Automated Containment for AI-to-AI Systems: A Technical Deep Dive # ai # python # cybersecurity # devops Comments Add Comment 8 min read Understanding Dead Letter Queues: Your Safety Net for Message Processing sizan mahmud0 sizan mahmud0 sizan mahmud0 Follow Jan 12 Understanding Dead Letter Queues: Your Safety Net for Message Processing # webdev # devops # programming # distributedsystems 1 reaction Comments Add Comment 4 min read Introduction to DevOps #5. DevOps Tooling Landscape Himanshu Bhatt Himanshu Bhatt Himanshu Bhatt Follow Jan 12 Introduction to DevOps #5. DevOps Tooling Landscape # discuss # devops # cloud # beginners 6 reactions Comments Add Comment 3 min read How I Would Learn Web3 From Scratch Today (Without Wasting a Year) Emir Taner Emir Taner Emir Taner Follow Jan 12 How I Would Learn Web3 From Scratch Today (Without Wasting a Year) # web3 # beginners # devops # machinelearning 2 reactions Comments Add Comment 2 min read Putting the CD Back into CI/CD: A Guide to Continuous Deployment Audacia Audacia Audacia Follow Jan 12 Putting the CD Back into CI/CD: A Guide to Continuous Deployment # devops # cicd # git # software Comments Add Comment 7 min read loading... trending guides/resources DevOps From Scratch: Entry #01 DevOps From Scratch: A Student’s Diary (Entry #00) The Night Kubernetes Almost Made Me Quit DevOps Forever Observability-Driven Kubernetes: A Practical EKS Demo Understanding Kubernetes: part 60 – Kubernetes 1.35 Changelog How I Built an AI Terraform Review Agent on Serverless AWS How I Built My Terraform Portfolio: Projects, Repos, and Lessons Learned 24 Zsh Plugins🔌 Every Developer & DevOps Engineer 🖥 Should Use in 2025 The Sunsetting of Ingress NGINX: Why Kubernetes Is Moving On — And Where We Go Next How to run GitHub Actions locally Cloudflare Went Down - Here's What Really Happened Today AWS DevOps Agent — The Future of Autonomous Cloud Operations Moving on from Terraform CDK Understanding Hetzner SSD VPS Performance and Best Practices The 2026 Computer Science Playbook: How to Learn, Where to Focus, and What It Really Takes to Get... AWS community day Workshop: Building Your First DevOps Blue/Green Pipeline with ECS Why Most Beginners Hate DevOps in the First 2 Months (And How I Almost Quit Too) Setting up an encrypted secondary drive on Linux 🎄 Advent of DevOps: 25 Days to Level Up Your DevOps Game! How To Create A macOS 26 Tahoe USB Installation Drive 💎 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:49:42 |
https://dev.to/new?prefill=---%0Atitle%3A%20%0Apublished%3A%20%0Atags%3A%20devchallenge%2C%20herokuchallenge%2C%20webdev%2C%20ai%0A---%0A%0A*This%20is%20a%20submission%20for%20the%20%5BHeroku%20%22Back%20to%20School%22%20AI%20Challenge%5D(https%3A%2F%2Fdev.to%2Fchallenges%2Fheroku-2025-08-27)*%0A%0A%23%23%20What%20I%20Built%0A%3C!--%20Describe%20your%20AI-powered%20back-to-school%20application%20and%20what%20problem%20it%20solves.%20--%3E%0A%0A%23%23%20Category%0A%3C!--%20Which%20prize%20category%20or%20categories%20does%20your%20submission%20qualify%20for%3F%20You%20can%20list%20multiple%3A%20Student%20Success%2C%20Educator%20Empowerment%2C%20and%2For%20Crazy%20Creative%20--%3E%0A%0A%23%23%20Demo%0A%3C!--%20Share%20links%20to%20your%20deployed%20application%20and%20source%20code.%20Include%20screenshots%2C%20videos%2C%20or%20GIFs%20showing%20your%20app%20in%20action.%20--%3E%0A%0A%23%23%20How%20I%20Used%20Heroku%20AI%0A%3C!--%20Explain%20which%20Heroku%20AI%20features%20you%20incorporated%3A%20MCP%20servers%2C%20Managed%20Inference%20and%20Agents%2C%20and%2For%20pgvector.%20How%20do%20your%20agents%20coordinate%3F%20--%3E%0A%0A%23%23%20Technical%20Implementation%0A%3C!--%20Share%20details%20about%20your%20multi-agent%20architecture%2C%20key%20technologies%20used%2C%20and%20any%20interesting%20technical%20challenges%20you%20solved.%20--%3E%0A%0A%3C!--%20Don%27t%20forget%20to%20add%20a%20cover%20image%20(if%20you%20want).%20--%3E%0A%0A%3C!--%20Team%20Submissions%3A%20Please%20pick%20one%20member%20to%20publish%20the%20submission%20and%20credit%20teammates%20by%20listing%20their%20DEV%20usernames%20directly%20in%20the%20body%20of%20the%20post.%20--%3E%0A%0A%3C!--%20FOR%20PARTICIPANTS%20IN%20FRANCE%20AND%20GERMANY%3A%20Please%20publish%20this%20acknowledgement%20as%20part%20of%20your%20submission%3A%20%22By%20submitting%20this%20entry%2C%20I%20agree%20to%20the%20%5BOfficial%20Rules%5D(https%3A%2F%2Fdev.to%2Fpage%2Fheroku-challenge-v25-08-27-contest-rules)%22%20--%3E%0A%0A%3C!--%20Thanks%20for%20participating!%20--%3E | 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:49:42 |
https://future.forem.com/tanvir_khan_18c27d836a78f | tanvir khan - Future 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 Future Close Follow User actions tanvir khan 404 bio not found Joined Joined on Dec 30, 2025 More info about @tanvir_khan_18c27d836a78f Badges 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 Post 1 post published Comment 0 comments written Tag 0 tags followed Navigating the AI Legal Minefield: Your Business Guide tanvir khan tanvir khan tanvir khan Follow Dec 31 '25 Navigating the AI Legal Minefield: Your Business Guide # ai # privacy # security Comments Add Comment 8 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:42 |
https://opensource.org/license/gpl-3-0 | GNU General Public License version 3 – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Popular / Strong Community GNU General Public License version 3 Version 3.0 Submitted: June 29, 2007 Submitter: GNU GENERAL PUBLIC LICENSE Approved: September 5, 2007 Board minutes SPDX short identifier: GPL-3.0-only Steward: Free Software Foundation Link to license steward's version Preamble The GNU General Public License is a free, copyleft license for software and other kinds of works. The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program–to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things. To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others. For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it. For the developers’ and authors’ protection, the GPL clearly explains that there is no warranty for this free software. For both users’ and authors’ sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions. Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users’ freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users. Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free. The precise terms and conditions for copying, distribution and modification follow. TERMS AND CONDITIONS 0. Definitions. “This License” refers to version 3 of the GNU General Public License. “Copyright” also means copyright-like laws that apply to other kinds of works, such as semiconductor masks. “The Program” refers to any copyrightable work licensed under this License. Each licensee is addressed as “you”. “Licensees” and “recipients” may be individuals or organizations. To “modify” a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a “modified version” of the earlier work or a work “based on” the earlier work. A “covered work” means either the unmodified Program or a work based on the Program. To “propagate” a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well. To “convey” a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying. An interactive user interface displays “Appropriate Legal Notices” to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion. 1. Source Code. The “source code” for a work means the preferred form of the work for making modifications to it. “Object code” means any non-source form of a work. A “Standard Interface” means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language. The “System Libraries” of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A “Major Component”, in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it. The “Corresponding Source” for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work’s System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work. The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source. The Corresponding Source for a work in source code form is that same work. 2. Basic Permissions. All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law. You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you. Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary. 3. Protecting Users’ Legal Rights From Anti-Circumvention Law. No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures. When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work’s users, your or third parties’ legal rights to forbid circumvention of technological measures. 4. Conveying Verbatim Copies. You may convey verbatim copies of the Program’s source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program. You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee. 5. Conveying Modified Source Versions. You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions: a) The work must carry prominent notices stating that you modified it, and giving a relevant date. b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to “keep intact all notices”. c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it. d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so. A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an “aggregate” if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation’s users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate. 6. Conveying Non-Source Forms. You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways: a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange. b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge. c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b. d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements. e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d. A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work. A “User Product” is either (1) a “consumer product”, which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, “normally used” refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product. “Installation Information” for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made. If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM). The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network. Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying. 7. Additional Terms. “Additional permissions” are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions. When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission. Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms: a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or d) Limiting the use for publicity purposes of names of licensors or authors of the material; or e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors. All other non-permissive additional terms are considered “further restrictions” within the meaning of section 10. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying. If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms. Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way. 8. Termination. You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11). However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation. Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice. Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10. 9. Acceptance Not Required for Having Copies. You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so. 10. Automatic Licensing of Downstream Recipients. Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License. An “entity transaction” is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party’s predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts. You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it. 11. Patents. A “contributor” is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor’s “contributor version”. A contributor’s “essential patent claims” are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, “control” includes the right to grant patent sublicenses in a manner consistent with the requirements of this License. Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor’s essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version. In the following three paragraphs, a “patent license” is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To “grant” such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party. If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. “Knowingly relying” means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient’s use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid. If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it. A patent license is “discriminatory” if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007. Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law. 12. No Surrender of Others’ Freedom. If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program. 13. Use with the GNU Affero General Public License. Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such. 14. Revised Versions of this License. The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License “or any later version” applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation. If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy’s public statement of acceptance of a version permanently authorizes you to choose that version for the Program. Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version. 15. Disclaimer of Warranty. THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM “AS IS” WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. Limitation of Liability. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. 17. Interpretation of Sections 15 and 16. If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the “copyright” line and a pointer to where the full notice is found. <one line to give the program’s name and a brief idea of what it does.> Copyright (C) <year> <name of author> This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see <http://www.gnu.org/licenses/>. Also add information on how to contact you by electronic and paper mail. If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode: <program> Copyright (C) <year> <name of author> This program comes with ABSOLUTELY NO WARRANTY; for details type `show w’. This is free software, and you are welcome to redistribute it under certain conditions; type `show c’ for details. The hypothetical commands `show w’ and `show c’ should show the appropriate parts of the General Public License. Of course, your program’s commands might be different; for a GUI interface, you would use an “about box”. You should also get your employer (if you work as a programmer) or school, if any, to sign a “copyright disclaimer” for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see <http://www.gnu.org/licenses/>. The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read <http://www.gnu.org/philosophy/why-not-lgpl.html>. Donate to the OSI The OSI is the authority that defines Open Source, recognized globally by individuals, companies, and public institutions. The Open Source Initiative (OSI) is a 501(c)3 public benefit corporation, founded in 1998. --> Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:42 |
https://dev.to/t/streaming/page/9 | Streaming Page 9 - 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 # streaming Follow Hide instant track overload Create Post Older #streaming posts 6 7 8 9 10 11 12 13 14 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Reasoning about Streaming vs Batch with a Case Study from GitHub Zander Zander Zander Follow for bytewax Jun 15 '23 Reasoning about Streaming vs Batch with a Case Study from GitHub # python # streaming # opensource 5 reactions Comments Add Comment 7 min read A new Kedro dataset for Spark Structured Streaming Juan Luis Cano Rodríguez Juan Luis Cano Rodríguez Juan Luis Cano Rodríguez Follow for Kedro Jul 12 '23 A new Kedro dataset for Spark Structured Streaming # python # kedro # spark # streaming 1 reaction Comments Add Comment 7 min read JR, quality Random Data from the Command line, part II ugo landini ugo landini ugo landini Follow May 31 '23 JR, quality Random Data from the Command line, part II # kafka # datagen # streaming # cli Comments Add Comment 4 min read Streaming binary and base64 files Željko Šević Željko Šević Željko Šević Follow Jun 25 '23 Streaming binary and base64 files # node # nestjs # streaming 6 reactions Comments Add Comment 1 min read What it takes to build your own streaming server. Asharam Seervi Asharam Seervi Asharam Seervi Follow Jun 23 '23 What it takes to build your own streaming server. # streaming # deployment # beginners # guide Comments Add Comment 2 min read Data Streaming on AWS Anita Andonoska Anita Andonoska Anita Andonoska Follow for AWS Community Builders Jun 17 '23 Data Streaming on AWS # aws # streaming # kinesis # data 11 reactions Comments Add Comment 3 min read MQTT Stream Processing with EMQX and eKuiper: A Quick Tutorial EMQ Technologies EMQ Technologies EMQ Technologies Follow Jun 14 '23 MQTT Stream Processing with EMQX and eKuiper: A Quick Tutorial # mqtt # iot # emqx # streaming Comments Add Comment 7 min read Stream data processing with Mage Mage AI Mage AI Mage AI Follow Jun 13 '23 Stream data processing with Mage # streaming # data # dataengineering # kafka 6 reactions Comments Add Comment 8 min read How to add a VOD uploading feature to your iOS app in 15 minutes Lana Krasotskaia Lana Krasotskaia Lana Krasotskaia Follow for Gcore Jun 9 '23 How to add a VOD uploading feature to your iOS app in 15 minutes # vod # iosapps # streaming # howto 6 reactions Comments Add Comment 14 min read From Bees to YouTube: How I Live Streamed My Local Cam Feed with This Simple Trick! Der Sascha Der Sascha Der Sascha Follow May 20 '23 From Bees to YouTube: How I Live Streamed My Local Cam Feed with This Simple Trick! # rtsp # docker # shell # streaming 1 reaction Comments Add Comment 4 min read Adding support for subtitles in The Eyevinn Channel Engine Johan Lautakoski Johan Lautakoski Johan Lautakoski Follow for Eyevinn Video Dev-Team Blog May 15 '23 Adding support for subtitles in The Eyevinn Channel Engine # opensource # streaming # hls # webvtt 2 reactions Comments Add Comment 5 min read JR, quality Random Data from the Command line, part I ugo landini ugo landini ugo landini Follow May 7 '23 JR, quality Random Data from the Command line, part I # kafka # datagen # cli # streaming 3 reactions Comments Add Comment 6 min read FLaNK Stack Weekly 3 April 2023 Timothy Spann. 🇺🇦 Timothy Spann. 🇺🇦 Timothy Spann. 🇺🇦 Follow Apr 3 '23 FLaNK Stack Weekly 3 April 2023 # apachenifi # apacheflink # opensource # streaming 4 reactions Comments Add Comment 5 min read Wowza Streaming Engine での MPEG-DASH ストリーミング Shige Fukushima Shige Fukushima Shige Fukushima Follow Mar 30 '23 Wowza Streaming Engine での MPEG-DASH ストリーミング # wowzastreamingengine # mpegdash # wowza # streaming Comments Add Comment 3 min read Wowza Streaming Engine を使ったライブストリーミング (1) Shige Fukushima Shige Fukushima Shige Fukushima Follow Mar 28 '23 Wowza Streaming Engine を使ったライブストリーミング (1) # wowzastreamingengine # live # wowza # streaming Comments Add Comment 2 min read Wowza Streaming Engine での HLS ストリーミング Shige Fukushima Shige Fukushima Shige Fukushima Follow Mar 30 '23 Wowza Streaming Engine での HLS ストリーミング # wowzastreamingengine # hls # wowza # streaming Comments Add Comment 3 min read Wowza Streaming Engine を使ったライブストリーミング (3) Shige Fukushima Shige Fukushima Shige Fukushima Follow Mar 28 '23 Wowza Streaming Engine を使ったライブストリーミング (3) # wowzastreamingengine # live # wowza # streaming Comments Add Comment 2 min read Wowza Streaming Engine を使ったライブストリーミング (2) Shige Fukushima Shige Fukushima Shige Fukushima Follow Mar 28 '23 Wowza Streaming Engine を使ったライブストリーミング (2) # wowzastreamingengine # live # wowza # streaming Comments Add Comment 2 min read Wowza Streaming Engine を使った VOD ストリーミングのセットアップ Shige Fukushima Shige Fukushima Shige Fukushima Follow Mar 28 '23 Wowza Streaming Engine を使った VOD ストリーミングのセットアップ # wowzastreamingengine # vod # wowza # streaming 1 reaction Comments Add Comment 4 min read Building real-time analytics into your next project Cameron Archer Cameron Archer Cameron Archer Follow for Tinybird Mar 22 '23 Building real-time analytics into your next project # realtime # database # streaming # analytics 9 reactions Comments Add Comment 9 min read Apache Kafka® vs. RabbitMQ™: Battle of the (Message) Brokers Brianna Blacet Brianna Blacet Brianna Blacet Follow for Outshift By Cisco Mar 23 '23 Apache Kafka® vs. RabbitMQ™: Battle of the (Message) Brokers # kafka # rabbitmq # streaming 6 reactions Comments Add Comment 5 min read Challenges when building real-time analytics Cameron Archer Cameron Archer Cameron Archer Follow for Tinybird Mar 22 '23 Challenges when building real-time analytics # streaming # database # analytics # realtime Comments 2 comments 5 min read The essential components of real-time analytics Cameron Archer Cameron Archer Cameron Archer Follow for Tinybird Mar 22 '23 The essential components of real-time analytics # realtime # streaming # database # analytics 2 reactions Comments Add Comment 3 min read The leading real-time analytics platform in 2023 Cameron Archer Cameron Archer Cameron Archer Follow for Tinybird Mar 22 '23 The leading real-time analytics platform in 2023 # realtime # analytics # streaming # database Comments Add Comment 4 min read How to dynamically stream video Tim Benniks 🗼 Tim Benniks 🗼 Tim Benniks 🗼 Follow Mar 18 '23 How to dynamically stream video # video # cloudinary # streaming 2 reactions Comments Add Comment 10 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:49:42 |
https://dev.to/t/streaming/page/5 | Streaming 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 # streaming Follow Hide instant track overload Create Post Older #streaming 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 Kafka Fundamentals: kafka cluster DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka cluster # kafka # messagequeue # streaming # kafkacluster Comments Add Comment 6 min read Kafka Fundamentals: kafka cluster DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka cluster # kafka # messagequeue # streaming # kafkacluster Comments Add Comment 6 min read Kafka Fundamentals: kafka cluster DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka cluster # kafka # messagequeue # streaming # kafkacluster Comments Add Comment 6 min read Kafka Fundamentals: kafka cluster DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka cluster # kafka # messagequeue # streaming # kafkacluster Comments Add Comment 6 min read Kafka Fundamentals: kafka cluster DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: kafka cluster # kafka # messagequeue # streaming # kafkacluster Comments Add Comment 6 min read Kafka Fundamentals: apache kafka DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 21 '25 Kafka Fundamentals: apache kafka # kafka # messagequeue # streaming # apachekafka Comments Add Comment 6 min read 📡 From Click to Screen: How the Web Really Works NAGATO NAGATO NAGATO Follow Jun 2 '25 📡 From Click to Screen: How the Web Really Works # internet # streaming # cdn # network Comments Add Comment 8 min read Kafka Fundamentals: kafka topic compaction DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 23 '25 Kafka Fundamentals: kafka topic compaction # kafka # messagequeue # streaming # kafkatopiccompaction 5 reactions Comments Add Comment 6 min read Kafka Fundamentals: kafka replication.factor DevOps Fundamental DevOps Fundamental DevOps Fundamental Follow for DevOps Fundamentals Jun 30 '25 Kafka Fundamentals: kafka replication.factor # kafka # messagequeue # streaming # kafkareplicationfactor 2 reactions Comments Add Comment 6 min read Why UDP Powers Streaming, Gaming, and Real-Time Apps Asim786521 Asim786521 Asim786521 Follow Jun 25 '25 Why UDP Powers Streaming, Gaming, and Real-Time Apps # udp # streaming # atprotocol Comments 1 comment 2 min read How Google Reinvented TCP for Faster Video Streaming Daniel Suhett Daniel Suhett Daniel Suhett Follow Jun 10 '25 How Google Reinvented TCP for Faster Video Streaming # networking # tcp # webdev # streaming 1 reaction Comments 2 comments 5 min read Live Streaming 1080p VP9 via Icecast – No CDN, Just WebM! dOs'gr dOs'gr dOs'gr Follow May 13 '25 Live Streaming 1080p VP9 via Icecast – No CDN, Just WebM! # streaming # vp9 # webm # icecast Comments Add Comment 1 min read The Pitfalls of Streamed ZIP Decompression: An In-Depth Analysis Pavel Zeman Pavel Zeman Pavel Zeman Follow May 12 '25 The Pitfalls of Streamed ZIP Decompression: An In-Depth Analysis # zip # streaming # node # unzipper 1 reaction Comments Add Comment 12 min read 🚀 Real-Time Python Apps in 2025: Never Lose a Message with Apache Kafka Aleksei Aleinikov Aleksei Aleinikov Aleksei Aleinikov Follow May 2 '25 🚀 Real-Time Python Apps in 2025: Never Lose a Message with Apache Kafka # python # kafka # data # streaming Comments Add Comment 1 min read From Frustration with News to an AI Radio Startup (with Full Stack Breakdown) Mike Mike Mike Follow Jun 10 '25 From Frustration with News to an AI Radio Startup (with Full Stack Breakdown) # startup # radio # streaming # development Comments 2 comments 3 min read Top 5 Underrated Shows on Hulu You Can’t Miss in 2025 Najam Shaikh Najam Shaikh Najam Shaikh Follow Apr 18 '25 Top 5 Underrated Shows on Hulu You Can’t Miss in 2025 # socialmedia # streaming Comments Add Comment 2 min read Run any file loop on YouTube Avinash Tare Avinash Tare Avinash Tare Follow Apr 9 '25 Run any file loop on YouTube # shell # video # streaming # tutorial Comments Add Comment 1 min read ¿Cómo funciona un reproductor como el de Netflix y cómo puedes construir uno en tus propios proyectos? Velaria Cue Velaria Cue Velaria Cue Follow Apr 7 '25 ¿Cómo funciona un reproductor como el de Netflix y cómo puedes construir uno en tus propios proyectos? # streaming # netflix # hls # plyr 1 reaction Comments Add Comment 3 min read Real-Time Lambda Log Streaming to Your Web UI - Without CloudWatch Logs HexShift HexShift HexShift Follow Apr 29 '25 Real-Time Lambda Log Streaming to Your Web UI - Without CloudWatch Logs # lambda # cloud # streaming # ui Comments Add Comment 3 min read Kafka Consumers Explained: Pull, Offsets, and Parallelism Konstantinas Mamonas Konstantinas Mamonas Konstantinas Mamonas Follow Apr 23 '25 Kafka Consumers Explained: Pull, Offsets, and Parallelism # eventdriven # architecture # streaming # dataengineering 1 reaction Comments Add Comment 4 min read Streaming HTML: Client-Side Rendering Made Easy with Any Framework Rahul Sharma Rahul Sharma Rahul Sharma Follow Apr 19 '25 Streaming HTML: Client-Side Rendering Made Easy with Any Framework # webdev # javascript # performance # streaming 4 reactions Comments Add Comment 6 min read How to Stream Data Efficiently in the Browser with WebCodecs API HexShift HexShift HexShift Follow Apr 19 '25 How to Stream Data Efficiently in the Browser with WebCodecs API # webcodecs # api # webdev # streaming Comments Add Comment 2 min read Streaming vs Queuing: What Happens If You Choose Wrong? Miahlouge Miahlouge Miahlouge Follow Apr 12 '25 Streaming vs Queuing: What Happens If You Choose Wrong? # streaming # queuing # eventdriven # miahlouge Comments Add Comment 1 min read An Open Source AI Agent for YouTube Streamers [built with GPT] Arber Arber Arber Follow Apr 12 '25 An Open Source AI Agent for YouTube Streamers [built with GPT] # ai # agents # streaming # youtube Comments Add Comment 1 min read Building a Modern EPG System for Roku with BrightScript tvboy109 tvboy109 tvboy109 Follow Apr 8 '25 Building a Modern EPG System for Roku with BrightScript # roku # programming # streaming # tutorial 1 reaction Comments 1 comment 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:49:42 |
https://dev.to/sathish_daggula/how-i-built-a-healthcare-job-board-with-8295-listings-using-nextjs-and-supabase-3e10#comments | How I Built a Healthcare Job Board with 8,295+ Listings Using Next.js and Supabase - 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 Sathish Posted on Jan 12 How I Built a Healthcare Job Board with 8,295+ Listings Using Next.js and Supabase # ai # buildinpublic # nextjs # webdev Generic job boards like Indeed and LinkedIn don't serve niche healthcare roles well. PMHNPs spend hours scrolling through irrelevant listings. Employers struggle to reach qualified candidates. I knew there had to be a better way. The Solution: PMHNP Hiring I built PMHNP Hiring - a specialized job board exclusively for psychiatric mental health nurse practitioners. Key Features: 8,295+ active job listings Advanced filtering (location, salary, telehealth options) Direct employer applications Salary transparency Tech Stack Here's what powers the platform: Layer Technology Frontend Next.js 14, TypeScript, Tailwind CSS Backend Supabase (PostgreSQL + Auth) Payments Stripe Email Resend Hosting Vercel Cache Upstash Redis Week 1: Foundation Set up Next.js project with TypeScript Configured Supabase for database and auth Built basic job listing schema Week 2: Core Features Job search with filters Employer dashboard Application tracking Week 3: Polish Stripe integration for paid listings Email notifications via Resend SEO optimization Lessons Learned Start with real data - I scraped 8,000+ jobs before writing a single line of frontend code Niche beats broad - Specialization is a feature, not a limitation Ship fast, iterate faster - Launched MVP in 3 weeks What's Next [ ] First paying employer [ ] Mobile app [ ] AI-powered job matching Try It Out Check out pmhnphiring.com and let me know what you think! Connect With Me 🐦 Twitter: @sathish_daggula 💼 LinkedIn: dvskr 🌐 Portfolio: dvskr.dev 💻 GitHub: dvskr Building in public, one commit at a time. buildinpublic #nextjs #webdev #typescript #supabase 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 Sathish Follow Data Engineer by day, indie hacker by night. Building products with "vibe coding" . Shipping PMHNP Hiring, Gym Tracker & Freelancer Shield. Building in public 🚀 Location Saint Louis Education Masters in Computer Science Pronouns He/Him Work Data Engineer at Propper International | Creator of PMHNP Hiring Joined Jan 11, 2026 Trending on DEV Community Hot Prompt Engineering Won’t Fix Your Architecture # discuss # career # ai # programming Tech Stack Lessons from scaling 20x in a year # webdev # docker # devops # startup AI should not be in Code Editors # programming # ai # productivity # discuss 💎 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 Forem — 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:42 |
https://dev.to/devpato | Pato - 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 Forem Close Follow User actions Pato Google Developer Expert | Auth0 Ambassador | Cloudinary Ambassador | Twilio Champ | Technical Coach at SpringBoard | Google Women Techmaker | Postman Supernova | AWS | Microsoft MVP Location New York, US Joined Joined on Sep 5, 2019 Personal website https://developers.google.com/community/experts/directory/profile/profile-patricio_vargas github website twitter website Education B.S Computer Science Work Developer Advocate 2025 Hacktoberfest Writing Challenge Completion Awarded for completing at least one prompt in the 2025 Hacktoberfest Writing Challenge. Thank you for sharing your open source story! 🎃✍️ Got it Close 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 Trusted Member 2022 Awarded for being a trusted member in 2022. 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 Hacktoberfest 2020 Awarded for successful completion of the 2020 Hacktoberfest challenge. 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 Fab 5 Awarded for having at least one comment featured in the weekly "top 5 posts" list. Got it Close Beloved Comment Awarded for making a well-loved comment, as voted on with 25 heart (❤️) reactions by the community. Got it Close Hacktoberfest 2019 Awarded for successful completion of the 2019 Hacktoberfest challenge. 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 Show all 17 badges More info about @devpato Organizations This Dot Angular AWS Community Builders Privilege in Tech Pods OneSignal PayPal Developer Skills/Languages React, Angular 2+, TypeScript, JavaScript, JAVA, SQL, CSS, HTML, NodeJS, AWS, PWAs, n8n, MCP Servers Currently learning AWS, ReactJS, RxJS, VueJS, NodeJS & GraphQL Available for Meetups, mentoring, team workshops, open source, speaking, project collaboration and resume feedback. Post 53 posts published Comment 186 comments written Tag 19 tags followed Build a Docs‑Aware Chatbot with React, Vite, Node, and OpenAI (plus fun DALL·E avatars) Pato Pato Pato Follow for Cloudinary Sep 17 '25 Build a Docs‑Aware Chatbot with React, Vite, Node, and OpenAI (plus fun DALL·E avatars) # react # cloudinary # firebase # aws 6 reactions Comments 1 comment 6 min read Want to connect with Pato? Create an account to connect with Pato. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Turn Any Image into a Blog Post with AI (React, Cloudinary & OpenAI) Pato Pato Pato Follow for Cloudinary Sep 8 '25 Turn Any Image into a Blog Post with AI (React, Cloudinary & OpenAI) # react # cloudinary # openai # javascript 10 reactions Comments 1 comment 7 min read I went to the Firebase Summit 2022 -NYC Pato Pato Pato Follow for PayPal Developer Jan 30 '23 I went to the Firebase Summit 2022 -NYC # crypto # web3 # offers 11 reactions Comments Add Comment 3 min read How to add PayPal checkout payments to your React app Pato Pato Pato Follow for PayPal Developer Nov 2 '22 How to add PayPal checkout payments to your React app # webdev # javascript # react # tutorial 246 reactions Comments 19 comments 8 min read How to Add In-App Messages to a Flutter App Pato Pato Pato Follow for OneSignal Jun 6 '22 How to Add In-App Messages to a Flutter App # flutter # dart # mobiledev 4 reactions Comments 1 comment 12 min read How to Add In-App Messages in React Native (Expo) Pato Pato Pato Follow for OneSignal Jun 6 '22 How to Add In-App Messages in React Native (Expo) # webdev # mobiledev # android # reactnative 2 reactions Comments Add Comment 7 min read How to Send Push Notifications with the OneSignal NodeJS Client SDK Pato Pato Pato Follow for OneSignal Jun 6 '22 How to Send Push Notifications with the OneSignal NodeJS Client SDK # node # backend # webdev # mobieldev Comments Add Comment 6 min read GraphQL and Push Notifications with OneSignal and TakeShape Pato Pato Pato Follow for OneSignal May 6 '22 GraphQL and Push Notifications with OneSignal and TakeShape # webdev # graphql # javascript 1 reaction Comments Add Comment 10 min read How to Send Push Notifications with the OneSignal REST API Pato Pato Pato Follow for OneSignal May 6 '22 How to Send Push Notifications with the OneSignal REST API # node # webdev # mobiledev # api Comments Add Comment 6 min read How to Add Push Notifications into an iOS App Pato Pato Pato Follow for OneSignal Apr 1 '22 How to Add Push Notifications into an iOS App # mobiledev # ios # swift 4 reactions Comments Add Comment 12 min read How To Add Android Push Notifications to a React Native Expo App Pato Pato Pato Follow for OneSignal Feb 2 '22 How To Add Android Push Notifications to a React Native Expo App # react # mobile # android # reactnative 3 reactions Comments Add Comment 7 min read How to add push notifications In Android using Ionic + Capacitor (React) Pato Pato Pato Follow for OneSignal Feb 2 '22 How to add push notifications In Android using Ionic + Capacitor (React) # android # ionic # react # mobiledev 1 reaction Comments Add Comment 6 min read How to Add Push Notifications into a ReactJS App Pato Pato Pato Follow for OneSignal Jun 28 '21 How to Add Push Notifications into a ReactJS App # react # webdev # javascript # frontend 20 reactions Comments Add Comment 7 min read Improve Your Web App UX With Automated Emails Pato Pato Pato Follow for OneSignal Jun 8 '21 Improve Your Web App UX With Automated Emails # ux # webdev # javascript # frontend 14 reactions Comments Add Comment 8 min read How to add Push Notifications to a Webflow Site Pato Pato Pato Follow for OneSignal May 19 '21 How to add Push Notifications to a Webflow Site # webdev # javascript # ux 12 reactions Comments Add Comment 5 min read How To Add Push Notifications In Angular Pato Pato Pato Follow for OneSignal May 4 '21 How To Add Push Notifications In Angular # javascript # angular # webdev 21 reactions Comments Add Comment 7 min read Setup TailwindCSS in Angular the easy way Pato Pato Pato Follow for Angular Feb 11 '21 Setup TailwindCSS in Angular the easy way # angular # css # javascript # frontend 288 reactions Comments 35 comments 5 min read Push Notifications in ReactJS with OneSignal Pato Pato Pato Follow Jan 25 '21 Push Notifications in ReactJS with OneSignal # react # javascript # webdev # frontend 155 reactions Comments 28 comments 7 min read Patricio Gonzalez (Pato) - Overview Pato Pato Pato Follow Dec 15 '20 Patricio Gonzalez (Pato) - Overview # techtalks # devrel # speaking 8 reactions Comments Add Comment 10 min read Closer Look At The DNA Of The OpenFin Platform API Pato Pato Pato Follow for This Dot Mar 25 '20 Closer Look At The DNA Of The OpenFin Platform API # fintech # javascript 9 reactions Comments Add Comment 7 min read ⚔️🔰JavaScript Security🛡️⚔️ Pato Pato Pato Follow Feb 29 '20 ⚔️🔰JavaScript Security🛡️⚔️ # security # javascript # webdev 100 reactions Comments Add Comment 5 min read How To Create A PWA With JavaScript Pato Pato Pato Follow Feb 17 '20 How To Create A PWA With JavaScript # pwa # javascript # webdev # tutorial 121 reactions Comments 4 comments 6 min read Multiple Markers On Google Map In Angular App (The Pro Way) Part 2 Pato Pato Pato Follow Feb 16 '20 Multiple Markers On Google Map In Angular App (The Pro Way) Part 2 # angular # webdev # googlemaps # tutorial 39 reactions Comments 11 comments 3 min read How To Do Social Media Sharing In Your PWA Pato Pato Pato Follow for This Dot Feb 10 '20 How To Do Social Media Sharing In Your PWA # ux # javascript # pwa 23 reactions Comments Add Comment 3 min read PWA Push Notifications with Firebase (Cloud Messaging)-Part 1 Pato Pato Pato Follow for This Dot Feb 3 '20 PWA Push Notifications with Firebase (Cloud Messaging)-Part 1 # javascript # pwa # firebase 109 reactions Comments 8 comments 5 min read Intro To Performance Analytics with Firebase Pato Pato Pato Follow for This Dot Feb 19 '20 Intro To Performance Analytics with Firebase # firebase # javascript # webdev 7 reactions Comments Add Comment 4 min read How To Add Notifications To Your PWA Pato Pato Pato Follow for This Dot Jan 21 '20 How To Add Notifications To Your PWA # pwa # javascript # webdev 157 reactions Comments 4 comments 4 min read Stop telling people what are the "best" programming languages to learn Pato Pato Pato Follow Jan 20 '20 Stop telling people what are the "best" programming languages to learn # webdev # career # codenewbie 61 reactions Comments 24 comments 3 min read Intro to PWAs and Service Workers Pato Pato Pato Follow for This Dot Jan 17 '20 Intro to PWAs and Service Workers # javascript # pwa # webdev 182 reactions Comments Add Comment 4 min read Quick Overview To JavaScript Engines Pato Pato Pato Follow Jan 15 '20 Quick Overview To JavaScript Engines # javascript # react # angular # vue 60 reactions Comments 1 comment 2 min read Customize your mac and VS code terminal-EASY! Pato Pato Pato Follow Jan 15 '20 Customize your mac and VS code terminal-EASY! # linux # git # bash # webdev 145 reactions Comments 7 comments 3 min read App hosting with Firebase in 2 Minutes (React, Vue, Angular, etc) Pato Pato Pato Follow for This Dot Jan 15 '20 App hosting with Firebase in 2 Minutes (React, Vue, Angular, etc) # firebase # angular # vue # react 27 reactions Comments Add Comment 3 min read How To Make A Realtime App With Angular And Firestore (AngularFire) Pato Pato Pato Follow for This Dot Jan 23 '20 How To Make A Realtime App With Angular And Firestore (AngularFire) # angular # firebase # googlemaps # webdev 40 reactions Comments 3 comments 8 min read Angular Libraries with Nx for Enterprise Apps Pato Pato Pato Follow for This Dot Jan 10 '20 Angular Libraries with Nx for Enterprise Apps # angular # webdev # nx 41 reactions Comments 10 comments 7 min read QR Code Event Registration App - Angular PWA Pato Pato Pato Follow Nov 20 '19 QR Code Event Registration App - Angular PWA # angular # frontend # pwa # tutorial 88 reactions Comments Add Comment 7 min read A Quick Dive Into Firebae (Firebase) Pato Pato Pato Follow for This Dot Nov 15 '19 A Quick Dive Into Firebae (Firebase) # firebase # cloud # database 167 reactions Comments 13 comments 8 min read Displaying Data in Angular Pato Pato Pato Follow Nov 4 '19 Displaying Data in Angular # angular # frontend # typescript # javascript 23 reactions Comments 2 comments 3 min read Angular App With Contentful CMS Pato Pato Pato Follow for This Dot Oct 28 '19 Angular App With Contentful CMS # cms # angular # aws # frontend 17 reactions Comments Add Comment 6 min read How did you learn how to code? Pato Pato Pato Follow Oct 26 '19 How did you learn how to code? # discuss # codenewbie # learning 19 reactions Comments 15 comments 1 min read Angular Development in Enterprise Pato Pato Pato Follow for This Dot Oct 25 '19 Angular Development in Enterprise # angular # javascript # webdev 134 reactions Comments Add Comment 8 min read Angular Docs (unofficial) Pato Pato Pato Follow Oct 23 '19 Angular Docs (unofficial) # angular # frontend # typescript 11 reactions Comments Add Comment 1 min read Angular Architecture Pato Pato Pato Follow Oct 23 '19 Angular Architecture # angular # frontend # javascript 217 reactions Comments 3 comments 6 min read Angular With NodeJS Image Upload To AWS S3 - EASY!! Pato Pato Pato Follow Oct 22 '19 Angular With NodeJS Image Upload To AWS S3 - EASY!! # angular # aws # node # tutorial 65 reactions Comments 14 comments 5 min read Image Text/Face Recognition With AWS Rekognition👀 Pato Pato Pato Follow for This Dot Oct 18 '19 Image Text/Face Recognition With AWS Rekognition👀 # aws # machinelearning # python # tutorial 76 reactions Comments Add Comment 5 min read Angular with Google Maps Tutorials Pato Pato Pato Follow Oct 14 '19 Angular with Google Maps Tutorials # angular # googlemaps # webapp # tutorial 70 reactions Comments 4 comments 1 min read Setup Google Map In Angular App (The Pro Way) Part 1 Pato Pato Pato Follow Oct 14 '19 Setup Google Map In Angular App (The Pro Way) Part 1 # angular # googlemaps # tutorial # webdev 40 reactions Comments 37 comments 3 min read Setup Google Maps with AGM in Angular App Pato Pato Pato Follow Oct 14 '19 Setup Google Maps with AGM in Angular App # angular # googlemaps # webdev # tutorial 46 reactions Comments 12 comments 2 min read NodeJS API Setup Shell - Open Source Hacktoberfest: Maintainer Spotlight Pato Pato Pato Follow Oct 9 '19 NodeJS API Setup Shell - Open Source # hacktoberfest # node # javascript 55 reactions Comments 2 comments 2 min read What's your favorite Angular Blog/Article? Pato Pato Pato Follow Oct 2 '19 What's your favorite Angular Blog/Article? # frontend # angular # webdev 141 reactions Comments 18 comments 3 min read What made you be a frontend or a backend developer? Pato Pato Pato Follow Sep 30 '19 What made you be a frontend or a backend developer? # discuss # frontend # backend # career 21 reactions Comments 21 comments 1 min read Favorite song to listen while you code? Pato Pato Pato Follow Sep 17 '19 Favorite song to listen while you code? # discuss # productivity # code # work 36 reactions Comments 58 comments 2 min read Show Users How To Use Your App With A Step-By-Step Guide With Intro.js In Angular Pato Pato Pato Follow Sep 16 '19 Show Users How To Use Your App With A Step-By-Step Guide With Intro.js In Angular # angular # javascript # tutorial # app 32 reactions Comments 1 comment 4 min read Tips To Get A Job As A Developer Pato Pato Pato Follow Sep 13 '19 Tips To Get A Job As A Developer # career # jobs # codenewbie # development 107 reactions Comments 20 comments 3 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 Forem — 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:42 |
https://dev.to/drownie/odoo-101-create-a-module-1fd2 | Odoo 101: Create a Module - 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 Abraham Posted on Jun 1, 2025 Odoo 101: Create a Module # odoo # erp # programming # tutorial Introduction Hello everyone today I want to share about Odoo Development. In this tutorial I will cover about creating module, and install it on your local Odoo. Creating a new module 1. Create module dir In this steps we must create a dir file in the addons directory. Requirement: Lowercase only , Example: sale_order, not SaleOrder or Sale-Order. Underscores for separation , Use underscores (_) to separate words instead of dashes or camelCase. Example: helpdesk_repair, product_warranty. Avoid special characters Only use letters, numbers, and underscores. Avoid spaces, dashes, dots, or other symbols. Unique across the Odoo instance ps: addons directory can be seen on odoo.conf tips: dir name is very important because it will be used when a module is being depend on. 2. Create Manifest file In this steps we will add __manifest__.py file in the root of the module directory. Example: sale_dashboard | └── __manifest__.py Enter fullscreen mode Exit fullscreen mode Below is manifest example { ' name ' : < Application Name ( str ) > , ' version ' : < Application Version ( str ) > , ' summary ' : < Application Summary ( str ) > , ' description ' : < Application Description ( str ) > , ' author ' : < Author ( str ) > , ' depends ' : < Dependency ( list ( str )) > , ' category ' : < Application Category ( str ) > , ' data ' : < Data File ( list ( str )) > , ' assets ' : < Static asset ( dict ( str )) > , ' license ' : < Application License ( str ) > , ' application ' : < Is this application or technical app ( Bool ) > , } Enter fullscreen mode Exit fullscreen mode depends: Specify dependency modules of the current module. When the module is installed, the depend module will automatically installed. license: Specify license for the module. Supported license: AGPL-3, GPL-3, LGPL-3, OPL-1, Other OSI approved licence, Other proprietary, OEEL-1. More information here . 3. Install module into Odoo Firstly, we must open the Odoo in your web browser. In my case I use http://localhost:10017/web Secondly, we activate the debug mode. Debug mode can be activated by adding ?debug=1 in the url. After activating debug mode, we can now see Update App List button. After clicking Update App List , a window will be opened and we can update the app list. Updating app list could be used to insert new added app into Odoo app. Finally, we can search the app by using the search bar. When searching odoo module we can use the name from module directory or the name from manifest file. Final Words This is the end of tutorial, there are still a lot of things to covers for example creating a view, adding icons, creating models, wizard, depending on other module, Qweb, uploading module to Odoo store, etc. I will continue about Odoo tutorial in the next article. 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 Abraham Follow Eternal Learner Location Indonesia Education International University Liaison Indonesia Pronouns He Work Software Engineer Joined Aug 27, 2023 More from Abraham Odoo Docker fix print bug # odoo # bugfix # docker Odoo Developer 101: OOP # odoo # oop # programming # webdev Odoo 101: View # odoo # erp # programming # 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 Forem — 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:42 |
https://opensource.org/bylaws#content | Bylaws – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Home Bylaws Bylaws Page created on July 24, 2006 | Last modified on August 21, 2023 AMENDED AND RESTATED BYLAWS OF OPEN SOURCE INITIATIVE A California Nonprofit Public Benefit Corporation ARTICLE I NAME Section 1. NAME. The name of this corporation is Open Source Initiative. ARTICLE II OFFICES Section 1. PRINCIPAL OFFICE. The principal office for the transaction of the activities and affairs of the corporation (principal office) is located at 702 Marshall Street, Suite 301, Redwood City, California 94063 in San Mateo County. The board of directors may change the principal office from one location to another. Any change of location of the principal office shall be noted by the secretary on these bylaws opposite this Section, or this Section may be amended to state the new location. Section 2. OTHER OFFICES. The board may at any time establish branch or subordinate offices at any place or places where the corporation is qualified to conduct its activities. ARTICLE III PURPOSES AND LIMITATIONS Section 1. GENERAL PURPOSES. This corporation is a nonprofit public benefit corporation and is not organized for the private gain of any person. It is organized under the Nonprofit Public Benefit Corporation Law for public educational purposes. Section 2. SPECIFIC PURPOSES. Within the context of the general purposes stated above, this corporation shall: (1) educate the public about the advantages of open source software; (2) encourage the software community to participate in open source software development; (3) identify how software users’ objectives are best served through open source software; (4) persuade organizations and software authors to distribute source software freely they otherwise would not distribute; (5) provide resources for sharing information about open source software and licenses; (6) assist attorneys to craft open source licenses; (7) manage a program to allow use of one or more marks in association with open source software licenses; and (8) advocate for open source principles. Section 3. LIMITATIONS. This corporation shall not, except to an insubstantial degree, engage in any activities or exercise any powers that are not in furtherance of the purposes of this corporation, and the corporation shall not carry on any other activities not permitted to be carried on (a) by a corporation exempt from federal income tax under Section 501(c)(3) of the Internal Revenue Code of 1954 or the corresponding provision of any future Unites States internal revenue law, or (b) by a corporation, contributions to which are deductible under Section 170(c)(2) of the Internal Revenue Code of 1954 or the corresponding provision of any future United States internal revenue law. No substantial part of the activities of this corporation shall consist of carrying on propaganda, or otherwise attempting to influence legislation, and this corporation shall not participate in or intervene in (including publishing or distributing statements) any political campaign on behalf of any candidate for public office. No part of the net earnings of this corporation shall inure to the benefit of any of its directors, trustees, officers, private shareholders or members, or to individuals. On the winding up and dissolution of this corporation, after paying or adequately providing for the debts, obligations, and liabilities of the corporation, the remaining assets of this corporation shall be distributed to such organization (or organizations) organized and operated exclusively for educational purposes which has established its tax-exempt status under Section 501(c)(3) of the Internal Revenue Code of 1954 (or the corresponding provision of any future Unites States internal revenue law) and which has established its tax-exempt status under Section 23701d of the California Revenue and Taxation Code (or the corresponding provision of any future California revenue and tax law). The corporation will distribute its income for each tax year at such time and in such manner as not to become subject to the tax on undistributed income imposed by Section 4942 of the Internal Revenue Code of 1954 or corresponding provisions of any later federal tax laws. The corporation will not engage in any act of self-dealing as defined in Section 4941(d) of the Internal Revenue Code of 1954, or corresponding provisions of any later federal tax laws. The corporation will not retain any excess business holdings as defined in Section 4943(c) of the Internal Revenue Code of 1954, or corresponding provisions of any later federal tax laws. The corporation will not make any investments in such manner as to subject it to tax under Section 4944 of the Internal Revenue Code of 1954, or corresponding provisions of any later federal tax laws. The corporation will not make any taxable expenditures as defined in Section 4945(d) of the Internal Revenue Code of 1954, or corresponding provisions of any later federal tax laws. ARTICLE IV MEMBERS Section 1. MEMBERSHIP. This corporation shall have no members. ARTICLE V DIRECTORS Section 1. GENERAL CORPORATE POWERS. Subject to the provisions and limitations of the California Nonprofit Public Benefit Corporation law and any other applicable laws, the corporation’s activities and affairs shall be managed, and all corporate powers shall be exercised, by or under the direction of the board. Section 2. SPECIFIC POWERS. Without prejudice to the general powers set forth in Section 1 of this Article, but subject to the same limitations, the directors shall have the power to: Appoint and remove, at the pleasure of the board, all the corporation’s officers, agents, and employees; prescribe powers and duties for them that are consistent with law, with the articles of incorporation, and with these bylaws; and fix their compensation and require from them security for faithful performance of their duties; Change the principal office or the principal business office in California from one location to another; and cause the corporation to be qualified to conduct its activities in any other state, territory, dependency, or country and conduct its activities within or outside California; Adopt and use a corporate seal; and alter the forms of the seal and certificates; Borrow money and incur indebtedness on behalf of the corporation and cause to be executed and delivered for the corporation’s purposes, in the corporate name, promissory notes, bonds, debentures, deeds of trust, mortgages, pledges, hypothecations, and other evidences of debt and securities. Section 3. AUTHORIZED NUMBER AND QUALIFICATIONS. The board of directors shall consist of at least 5 but no more than 21 directors until changed by amendment to these bylaws. The exact number of directors shall be fixed, within those limits, by a resolution adopted by the board of directors. Any member of the board, except an employee who is serving as a member of the board, who has served six consecutive years on the board will not be eligible for election to the board until one year has passed from the last day of such member’s term. Section 4. RESTRICTION ON INTERESTED PERSONS AS DIRECTORS. No more than forty-nine percent (49%) of the persons serving on the board may be interested persons. An interested person is (a) any person compensated by the corporation for services rendered to it within the previous 12 months, whether as a full-time or part-time employee, independent contractor, or otherwise, excluding any reasonable compensation paid to a director as a director; and (b) any brother, sister, ancestor, descendant, spouse, brother-in-law, sister-in-law, son-in-law, daughter-in-law, mother-in-law, or father-in-law of such person. However, any violation of the provisions of this paragraph shall not affect the validity or enforceability of any transaction entered into by the corporation. Section 5. ELECTION, DESIGNATION, AND TERM OF OFFICE. (a) Commencing with the term starting April 1, 2015, each director shall be designated by a resolution of the board as serving either a three year term or a two year term. Except as provided below, the director shall serve until a successor has been elected by the board of directors. Thereafter, each successor director shall be elected by a majority of the board of directors. Each director, including a director elected or appointed to fill a vacancy, shall hold office until expiration of the term for which elected or appointed, and until a successor has been elected and qualified. (b) In the event of a director’s elected term having expired and two or more meetings of the Board or ninety (90) calendar days (whichever is less) having passed since the expiry of the director’s term without a new director having been elected, the term of such director shall be terminated. (c) A director may be removed from the Board at any time prior to the expiry of such director’s term for any reason by a vote of two thirds of the authorized members of the Board or if less than all of the authorized members of the Board have been elected, then a quorum of the elected Board members at two meetings of the Board, the second of which shall be more than forty five (45) days after the first Board meeting and for which a vote of a majority of the authorized members of the Board if less than all of the authorized members of the Board have been elected, then a quorum of the elected Board members at such second meeting of the Board . A director may be removed from the Board at any time prior to the expiry of such director’s term for cause as defined in a resolution of the Board by a vote of two thirds of the authorized members of the Board or if less than all of the authorized members of the Board have been elected, then a quorum of the elected Board members then elected at a single meeting of the Board. Section 6. EVENTS CAUSING VACANCY. A vacancy or vacancies on the board shall exist on the occurrence of the following: (a) the death or resignation of any director, (b) the declaration by resolution of the board of a vacancy in the office of a director who has been declared of unsound mind by an order of court or convicted of a felony, or, if the corporation holds assets in charitable trust, has been found by a final order or judgment of any court to have breached a duty arising under Section 7238 of the California Corporations Code; (c) the increase of the authorized number of directors, or (d) a removal or resignation as provided in this Article. Section 7. RESIGNATIONS. Except as provided below, any director may resign by giving written notice to the chairman of the board, if any, or to the president or the secretary of the board. The resignation shall be effective when the notice is given unless it specifies a later time for the resignation to become effective. If a director’s resignation is effective at a later time, the board may elect a successor to take office when the resignation becomes effective. Section 8. FILLING VACANCIES. Vacancies on the board may be filled by a majority of the directors then in office, whether or not less than a quorum, or by a sole remaining director. Section 9. NO VACANCY ON REDUCTION OF NUMBER OF DIRECTORS. No reduction of the authorized number of directors shall have the effect of removing any director before that director’s term of office expires. Section 10. PLACE OF DIRECTORS’ MEETINGS. Meetings of the board shall be held at any place within or outside California that has been designated by resolution of the board or in the notice of the meeting or, if not so designated, at the principal office of the corporation. Section 11. DIRECTORS’ MEETINGS BY TELEPHONE OR OTHER ELECTRONIC MEANS OF COMMUNICATION. Any meeting may be held by conference telephone or by other electronic means of communication, as long as all directors participating in the meeting can hear one another or read what each other is saying. All such directors shall be deemed to be present in person at such a meeting. Section 12. INITIAL DIRECTORS’ MEETING. The board shall hold a regular meeting for purposes of organization, election of officers, and the transaction of other business. Notice of this meeting is not required. Section 13. OTHER REGULAR MEETINGS. Other regular meetings of the board may be held without notice at such time and place as the board may fix from time to time. Section 14. AUTHORITY TO CALL SPECIAL MEETINGS. Special meetings of the board for any purpose may be called at any time by the chairman of the board, if any, the president or any vice president, or the secretary or any two directors. Section 15. MANNER OF GIVING NOTICE OF SPECIAL MEETINGS. Notice of the time and place of special meetings shall be given to each director by one of the following methods: (a) by personal delivery of written notice; (b) by first-class mail, postage prepaid; (c) by telephone, either directly to the director or to a person at the director’s office who would reasonably be expected to communicate that notice promptly to the director; (d) by telegram, charges prepaid; or (e) by electronic mail. All such notices shall be given or sent to the director’s address, telephone number, or electronic mail address as shown on the records of the corporation. Section 16. TIME REQUIREMENTS FOR NOTICES OF SPECIAL MEETINGS. Notices of special meetings sent by first-class mail shall be deposited in the United States mails at least four days before the time set for the meeting. Notices given by personal delivery, telephone, telegraph or electronic mail shall be delivered, telephoned, given to the telegraph company, or transmitted by electronic mail at least 48 hours before the time set for the meeting. Section 17. CONTENTS OF NOTICES OF SPECIAL MEETINGS. The notice of a special meeting shall state the time of the meeting, and the place if the place is other than the principal office of the corporation. It need not specify the purpose of the meeting. Section 18. QUORUM FOR DIRECTORS’ MEETINGS. Four directors shall constitute a quorum for the transaction of business, except to adjourn; provided however if less than all of the authorized directors have been elected, no less than one fifth of the authorized number of directors or two (2) whichever is greater. Every action taken or decision made by a majority of the directors present at a duly held meeting at which a quorum is present shall be the act of the board, subject to the more stringent provisions of the California Nonprofit Public Benefit Corporation Law, including, without limitation, those provisions relating to (a) approval of contracts or transactions between the corporation and one or more directors or between the corporation and any entity in which a director has a material financial interest, (b) creation of and appointments to committees of the board, and (c) indemnification of directors. A meeting at which a quorum is initially present may continue to transact business, despite the withdrawal of directors, if any action taken or decision made is approved by at least a majority of the required quorum for that meeting. Section 19. WAIVER OF NOTICE OF DIRECTORS’ MEETING. Notice of a meeting need not be given to any director who, either before or after the meeting, signs a waiver of notice, a written consent to the holding of the meeting, or an approval of the minutes of the meeting. The waiver of notice or consent need not specify the purpose of the meeting. All such waivers, consents, and approvals shall be filed with the corporate records or made a part of the minutes of the meetings. Notice of a meeting need not be given to any director who attends the meeting and does not protest, before or at the commencement of the meeting, the lack of notice to him or her. Section 20. ADJOURNMENT OF DIRECTORS’ MEETING. A majority of the directors present, whether or not a quorum is present, may adjourn any meeting to another time and place. Section 21. NOTICE OF ADJOURNED DIRECTORS’ MEETING. Notice of the time and place of holding an adjourned meeting need not be given unless the original meeting is adjourned for more than 24 hours. If the original meeting is adjourned for more than 24 hours, notice of any adjournment to another time and place shall be given, before the time of the adjourned meeting, to the directors who were not present at the time of the adjournment. Section 22. ACTION WITHOUT A DIRECTORS’ MEETING. Any action that the board is required or permitted to take may be taken without a meeting if all members of the board consent in writing to that action. Such action by written consent shall have the same force and effect as any other validly approved action of the board. All such consents shall be filed with the minutes of the proceedings of the board. Section 23. COMPENSATION AND REIMBURSEMENT OF DIRECTORS. Directors may receive such compensation, if any, for their services, and such reimbursement of expenses, as may be determined by board resolution to be just and reasonable as to the corporation at the time the resolution is adopted. Section 24. COMMITTEES OF THE BOARD. The board, by resolution adopted by a majority of the directors then in office, provided a quorum is present, may create one or more committees, each consisting of two or more directors, and no persons who are not directors, to serve at the pleasure of the board which shall be the voting members of the committee. The committee may have one or more members who are not directors; such committee members shall be either be (i) “advisory members” who shall not have any voting rights on the committee or (ii) voting members in which case the actions of the committee shall be advisory and need to be approved by the Board to be effective. Any such committee shall limit its activities to the accomplishment of the tasks for which it was appointed and shall have no power to act except as specifically conferred by action of the Board. Upon completion of the tasks for which created, a committee shall be discharged. Appointments to committees of the board shall be by majority vote of the authorized number of directors. The board may appoint one or more directors as alternate members of any such committee, who may replace any absent member at any meeting. Any such committee, to the extent provided in the board resolution, shall have all the authority of the board except that no committee, regardless of board resolution, may: Fill vacancies on the board or on any committee that has the authority of the board; Fix compensation of the directors for serving on the board or on any committee; Amend or repeal bylaws or adopt new bylaws; Amend or repeal any board resolution that by its express terms is not so amendable or repealable; Create any other committees of the board or appoint the members of committees of the board; Expend corporate funds to support a nominee for director after more people have been nominated for director than can be elected; or With respect to any assets held in charitable trust, approve any contract or transaction between the corporation and one or more of its directors or between the corporation and an entity in which one or more of its directors have a material financial interest, subject to the special approval provisions of Section 5233(d)(3) of the California Corporations Code. Section 25. MEETINGS AND ACTION OF COMMITTEES OF THE BOARD. Meetings and actions of committees of the board shall be governed by, held, and taken in accordance with, the provisions of these bylaws concerning meetings and other board actions except that the time for regular meetings of such committees and calling of special meetings of such committees may be determined either by board resolution, or if there is none, by resolution of the committee. Minutes of each meting of any committee shall be kept and shall be filed with the corporate records. The board may adopt rules for the government of any committee that are consistent with these bylaws or, in the absence of rules adopted by the board, the committee may adopt such rules. ARTICLE VI OFFICERS Section 1. OFFICERS OF THE CORPORATION. The officers of the corporation shall be a president, a secretary, and a chief financial officer. The corporation may also have, at the board’s discretion, a chairman of the board, one or more vice presidents, one or more assistant secretaries, one or more assistant treasurers, and such other officers as may be appointed in accordance with Section 3 of this Article. Any number of offices may be held by the same person. Section 2. ELECTION OF OFFICERS. The officers of the corporation, except those appointed under Section 3 of this Article, shall be chosen annually by the board and shall serve at the pleasure of the board, subject to the rights, if any, of any officer under any contract of employment. Section 3. OTHER OFFICERS. The board may appoint and may authorize the chairman of the board, the president, or other officer to appoint any other officers that the corporation may require. Each officer so appointed shall have the title, hold office for the period, have the authority, and perform the duties specified in the bylaws or determined by the board. Section 4. REMOVAL OF OFFICERS. Without prejudice to any rights of an officer under any contract of employment, an officer may be removed with or without cause by the board, and also, if the board did not choose the officer, by any officer on whom the board may confer that power of removal. Section 5. RESIGNATION OF OFFICERS. Any officer may resign at any time by giving written notice to the corporation. The resignation shall take effect as of the date the notice is received or at any later time specified in the notice and, unless otherwise specified in the notice, the resignation need not be accepted to be effective. Any resignation shall be without prejudice to the rights, if any, of the corporation under any contract to which the officer is a party. Section 6. VACANCIES IN OFFICE. A vacancy in any office because of death, resignation, removal, disqualification, or any other cause shall be filled in the manner prescribed in these bylaws for regular appointments to that office, provided, however, that vacancies need not be filled on an annual basis. Section 7. RESPONSIBILITIES OF THE CHAIRMAN OF THE BOARD. If a chairman of the board is elected, he or she shall preside at board meetings and shall exercise and perform such other powers and duties as the board may assign from time to time. If there is no president, the chairman of the board shall also be the chief executive officer and shall have the powers and duties prescribed by these bylaws for the president of the corporation. Section 8. RESPONSIBILITIES OF THE PRESIDENT. Subject to such supervisory powers as the board may give to the chairman of the board, if any, and subject to the control of the board, the president shall be the general manager of the corporation and shall supervise, direct, and control the corporation’s activities, affairs, and officers. In the absence of the chairman of the board, or if there is none, the president shall preside at all board meetings. The president shall have such other powers and duties as the board or bylaws may prescribe. Section 9. RESPONSIBILITIES OF VICE PRESIDENTS. In the absence or disability of the president, the vice presidents, if any, in order of their rank as fixed by the board or, if not ranked, a vice president designated by the board, shall perform all duties of the president. When so acting, a vice president shall have all powers of and be subject to all restrictions on the president. The vice presidents shall have such other powers and perform such other duties as the board or the bylaws may prescribe. Section 10. RESPONSIBILITIES OF THE SECRETARY; BOOK OF MINUTES. The secretary shall keep or cause to be kept, at the corporation’s principal office or such other place as the board may direct, a book of minutes of all meetings, proceedings, and actions of the board and of committees of the board. The minutes of meetings shall include the time and place of holding, whether the meeting was annual, regular, or special and, if special, how authorized, the notice given, and the names of those present at board and committee meetings. The secretary shall keep or cause to be kept, at the principal office in California, a copy of the articles of incorporation and bylaws, as amended to date. Section 11. RESPONSIBILITIES OF THE SECRETARY; NOTICES, SEAL, AND OTHER DUTIES. The secretary shall give, or cause to be given, notice of all meetings of members, of the board, and of committees of the board required by these bylaws to be given. The secretary shall have such other powers and perform such other duties as the board or the bylaws may prescribe. Section 12. RESPONSIBILITIES OF THE CHIEF FINANCIAL OFFICER; BOOKS OF ACCOUNT. The chief financial officer shall keep and maintain, or cause to be kept and maintained, adequate and correct books and accounts of the corporation’s properties and transactions. The chief financial officer shall send or cause to be given to the directors such financial statements and reports as are required by law, by these bylaws, or by the board to be given. The books of account shall be open to inspection by any director at all reasonable times. Section 13. RESPONSIBILITIES OF THE CHIEF FINANCIAL OFFICE; DEPOSIT AND DISBURSEMENT OF MONEY AND VALUABLES. The chief financial officer shall deposit, or cause to be deposited, all money and other valuables in the name and to the credit of the corporation with such depositories as the board may designate, shall disburse the corporation’s funds as the board may order, shall render to the president, chairman of the board, if any, and the board, when requested, an account of all transactions as chief financial officer and of the financial condition of the corporation, and shall have such other powers and perform such other duties as the board or the bylaws may prescribe. Section 14. RESPONSIBILITIES OF THE CHIEF FINANCIAL OFFICER; BOND. If required by the board, the chief financial officer shall give the corporation a bond in the amount and with the surety or sureties specified by the board for faithful performance of the duties of the office and for restoration the corporation of all its books, papers, vouchers, money, and other property of any kind in the possession or under the control of the chief financial officer on his or her death, resignation, retirement, or removal from office. Section 15. PROJECT MANAGEMENT COMMITTEES . In addition to the officers of the corporation, the Board of Directors may, by resolution, establish one or more Project Management Committees consisting of at least one officer of the corporation, who shall be designated chairman of such committee, and may include one or more other individuals as the Board or the chairman of the committee deems appropriate. Unless elected or appointed as an officer in accordance with Section 6.3 of these Bylaws, a member of a Project Management Committee shall not be deemed an officer of the corporation. All Project Management Committees shall be advisory in nature. Each Project Management Committee shall be responsible for the active management of one or more projects identified by resolution of the Board of Directors which may include, without limitation, activities furthering the purposes of the Corporation as defined in Section 3.2 of these Bylaws. Subject to the direction of the Board of Directors, the chairman of each Project Management Committee shall be primarily responsible for project(s) managed by such committee, and he or she shall establish rules and procedures for the day to day management of project(s) for which the committee is responsible. The Board of Directors of the corporation may, by resolution, terminate a Project Management Committee at any time. ARTICLE VII INDEMNIFICATION Section 1. RIGHT OF INDEMNITY. To the fullest extent permitted by law, this corporation shall indemnify its directors, officers, employees, and other persons described in Section 7237(a) of the California Corporations Code, including persons formerly occupying any such position, against all expenses, judgments, fines, settlements, and other amounts actually and reasonably incurred by them in connection with any “proceeding,” as that term is used in that Section, and including any action by or in the right of the corporation, by reason of the fact that the person is or was a person described in that Section. “Expenses,” as used in this bylaw, shall have the same meaning as in Section 7237(a) of the California Corporations Code. Section 2. APPROVAL OF INDEMNITY. On written request to the board by any person seeking indemnification under Section 7237(b) or Section 7237(c) of the California Corporations Code, the board shall promptly determine under Section 7327(e) of the California Corporations Code whether the applicable standard of conduct set forth in Section 7237(b) or Section 7237(c) has been met and, if so, the board shall authorize indemnification. Section 3. ADVANCEMENT OF EXPENSES. To the fullest extent permitted by law and except as otherwise determined by the board in a specific instance, expenses incurred by a person seeking indemnification under Sections 17 and 18 of this Article in defending any proceeding covered by those Sections shall be advanced by the corporation before final disposition of the proceeding, on receipt by the corporation of an undertaking by or on behalf of that person that the advance will be repaid unless it is ultimately determined that the person is entitled to be indemnified by the corporation for those expenses. ARTICLE VIII INSURANCE Section 1. INSURANCE. The corporation shall have the right to purchase and maintain insurance to the full extent permitted by law on behalf of its officers, directors, employees, and other agents, against any liability asserted against or incurred by any officer, director, employee, or agent in such capacity or arising out of the officer’s, director’s, employee’s, or agent’s status as such. ARTICLE IX RECORDS AND REPORTS Section 1. MAINTENANCE OF CORPORATE RECORDS. The corporation shall keep: (1) adequate and correct books and records of account; and (2) written minutes of the proceedings of its board and committees of the board. Section 2. MAINTENANCE AND INSPECTION OF ARTICLES AND BYLAWS. The corporation shall keep at its principal office, or if its principal office is not in California, at its principal business office in this state, the original or a copy of the articles of incorporation and bylaws, as amended to date, which shall be open to inspection by the directors at all reasonable times during office hours. Section 3. INSPECTION BY DIRECTORS. Every director shall have the absolute right at any reasonable time to inspect the corporation’s books, records, documents of every kind, physical properties, and the records of each of its subsidiaries. The inspection may be made in person or by the director’s agent or attorney. The right of inspection includes the right to copy and make extracts of documents. Section 4. ANNUAL REPORT. An annual report shall be prepared within 120 days after the end of the corporation’s fiscal year. That report shall contain the following information in appropriate detail: A balance sheet as of the end of the fiscal year, and an income statement and statement of changes in financial position for the fiscal year, accompanied by any report on them by independent accounts, or, if there is no such report, by the certificate of an authorized officer of the corporation that they were prepared without audit from the books and records of the corporation. Any information that is required by Section 7 of this Article. This Section shall not apply if the corporation receives less than $10,000 in gross revenues or receipts during the fiscal year. Section 5. ANNUAL STATEMENT OF CERTAIN TRANSACTIONS AND INDEMNIFICATIONS. As part of the annual report, or as a separate document if no annual report is issued, the corporation shall annually prepare and furnish to each director a statement of any transaction or indemnification of the following kind within 120 days after the end of the corporation’s fiscal year: Any transaction (i) in which the corporation, its parent, or its subsidiary was a party, (ii) in which an “interested person” had a direct or indirect material financial interest, and (iii) which involved more than $50,000, or was one of a number of transactions with the same interested person involving, in the aggregate, more than $50,000. For this purpose, an “interested person” is either of the following: Any director or officer of the corporation, its parent, or subsidiary (but mere common directorship shall not be considered such an interest); or Any holder of more than 10 percent of the voting power of the corporation, its parent, or its subsidiary. The statement shall include a brief description of the transaction, the names of interested persons involved, their relationship to the corporation, the nature of their interest in the transaction and, if practicable, the amount of that interest, provided that if the transaction was with a partnership in which the interested person is a partner, only the interest of the partnership need be stated. A brief description of the amounts and circumstances of any loans, guaranties, indemnifications, or advances aggregating more than $10,000 paid during the fiscal year to any officer or director of the corporation under Article 8 of these bylaws, unless the loan, guaranty, indemnification, or advance is not subject to the provisions of subdivision (a) of Section 7235(a) of that Code. ARTICLE X CONSTRUCTION AND DEFINITIONS Section 1. CONSTRUCTION AND DEFINITIONS. Unless the context requires otherwise, the general provisions, rules of construction, and definitions in the California Nonprofit Public Benefit Corporation Law shall govern the construction of these bylaws. Without limiting the generality of the preceding sentence, the masculine gender includes the feminine and neuter, the singular includes the plural and the plural includes the singular, and the term “person” includes both a legal entity and a natural person. ARTICLE XI AMENDMENTS Section 1. LIMITATION ON AMENDMENT BY BOARD. Subject to the limitations set forth below, the board may adopt, amend, or repeal bylaws. The board may not extend the term of a director beyond that for which the director was elected. Section 2. HIGH VOTE REQUIREMENT. If any provision of these bylaws requires the vote of a larger proportion of the board than is otherwise required by law, that provision may not be altered, amended, or repealed except by that greater vote. CERTIFICATE OF SECRETARY I certify that I, Patrick Masson, am the duly elected and acting Secretary of Open Source Initiative, a California nonprofit public benefit corporation, that the above bylaws, consisting of 12 pages, are the bylaws of this corporation as adopted by the board of directors on November 6th, 2011, and that they have not been amended or modified since that date. Executed on December 4th, 2013 at San Francisco, California, Patrick Masson Secretary Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:42 |
https://dev.to/new/devops | 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:49:42 |
https://dev.to/t/backend/page/4 | Backend Page 4 - 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 # backend Follow Hide Desenvolvimento do lado do servidor, APIs, bancos de dados e logica de negocios. Create Post Older #backend 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 # How Express.js Works Behind the Scenes: An Inside Look sudip khatiwada sudip khatiwada sudip khatiwada Follow Jan 5 # How Express.js Works Behind the Scenes: An Inside Look # webdev # programming # backend # node Comments Add Comment 3 min read Why HMAC Is the Right Choice for Webhook Security (and Why Spubhi Makes It Simple) Spubhi Spubhi Spubhi Follow Jan 5 Why HMAC Is the Right Choice for Webhook Security (and Why Spubhi Makes It Simple) # api # backend # security Comments Add Comment 3 min read OPTIOS is the most boring HTTP method — which is exactly why it’s dangerous to ignore. Liudas Liudas Liudas Follow Jan 5 OPTIOS is the most boring HTTP method — which is exactly why it’s dangerous to ignore. # api # architecture # backend Comments Add Comment 1 min read Warp Rust Clean Architecture Boilerplate Sushant Kulkarni Sushant Kulkarni Sushant Kulkarni Follow Jan 5 Warp Rust Clean Architecture Boilerplate # rust # cleancode # cqrs # backend Comments Add Comment 1 min read Node.js Events Yuriy Yuriy Yuriy Follow Jan 5 Node.js Events # backend # node # programming # architecture Comments Add Comment 4 min read Linux: The Secret Weapon for Developers Mohamed Azmy Mohamed Azmy Mohamed Azmy Follow Jan 6 Linux: The Secret Weapon for Developers # linux # backend # devops # ai Comments Add Comment 3 min read Prevent ad network bans in Django by throttling ad impressions Artem Frolov Artem Frolov Artem Frolov Follow Jan 4 Prevent ad network bans in Django by throttling ad impressions # django # adtech # backend # fraud Comments Add Comment 1 min read Crash-safe JSON at scale: atomic writes + recovery without a DB Konstantin Konstantin Konstantin Follow Jan 4 Crash-safe JSON at scale: atomic writes + recovery without a DB # python # json # backend # architecture Comments Add Comment 13 min read BEST PRACTICES FOR CREATING A CONCURRENT API IN GOLANG NICHOLAS AYIM NICHOLAS AYIM NICHOLAS AYIM Follow Jan 4 BEST PRACTICES FOR CREATING A CONCURRENT API IN GOLANG # api # backend # go # tutorial 1 reaction Comments Add Comment 6 min read Closures e escopos em JavaScript Lucas Pereira de Souza Lucas Pereira de Souza Lucas Pereira de Souza Follow Jan 4 Closures e escopos em JavaScript # backend # javascript # learning Comments Add Comment 4 min read Setting up Express with Typescript, Prettier and Eslint in post-2026 Femi Abimbola Femi Abimbola Femi Abimbola Follow Jan 5 Setting up Express with Typescript, Prettier and Eslint in post-2026 # express # backend # typescript # node 1 reaction Comments 1 comment 2 min read Modularização em Arquitetura de Software: Guia Prático para Desenvolvedores Wagner Negrão 👨🔧 Wagner Negrão 👨🔧 Wagner Negrão 👨🔧 Follow Jan 6 Modularização em Arquitetura de Software: Guia Prático para Desenvolvedores # programming # productivity # architecture # backend Comments Add Comment 7 min read Introducing Marten – The Go Web Framework Where Nothing Gets In Your Way Jack Prescott Jack Prescott Jack Prescott Follow Jan 9 Introducing Marten – The Go Web Framework Where Nothing Gets In Your Way # webdev # go # backend Comments Add Comment 2 min read Installation Steps for creating Async APIs using FastAPI Developer's Hub Developer's Hub Developer's Hub Follow Jan 4 Installation Steps for creating Async APIs using FastAPI # backend # postgres # python # tutorial Comments Add Comment 2 min read When Your API Ghosts You: A Deep Dive Into Idempotency in REST APIs Sourav Bandyopadhyay Sourav Bandyopadhyay Sourav Bandyopadhyay Follow Jan 4 When Your API Ghosts You: A Deep Dive Into Idempotency in REST APIs # api # restapi # backend # systemdesign Comments Add Comment 3 min read Hello Dev.to — Lessons from Systems That Worked in Dev (and Failed in Prod) vanitha natarajan vanitha natarajan vanitha natarajan Follow Jan 3 Hello Dev.to — Lessons from Systems That Worked in Dev (and Failed in Prod) # introduction # backend # api # architecture Comments Add Comment 1 min read GO-FaaS@v0.4.2: Serverless function runtime 邱敬幃 Pardn Chiu 邱敬幃 Pardn Chiu 邱敬幃 Pardn Chiu Follow Jan 3 GO-FaaS@v0.4.2: Serverless function runtime # backend # go # pardnchiu Comments Add Comment 1 min read GO-FaaS@v0.4.2: 自部署 FaaS 系統 邱敬幃 Pardn Chiu 邱敬幃 Pardn Chiu 邱敬幃 Pardn Chiu Follow Jan 3 GO-FaaS@v0.4.2: 自部署 FaaS 系統 # backend # go # pardnchiu Comments Add Comment 1 min read # Creating an HTTP Web Server in Node.js: A Complete Guide sudip khatiwada sudip khatiwada sudip khatiwada Follow Jan 2 # Creating an HTTP Web Server in Node.js: A Complete Guide # node # webdev # javascript # backend Comments 1 comment 2 min read GO-FaaS@v0.4.3: 自部署 FaaS 系統 邱敬幃 Pardn Chiu 邱敬幃 Pardn Chiu 邱敬幃 Pardn Chiu Follow Jan 3 GO-FaaS@v0.4.3: 自部署 FaaS 系統 # backend # go # pardnchiu Comments Add Comment 1 min read I just Starting to learn Rust Naufal Rabbani Naufal Rabbani Naufal Rabbani Follow Jan 4 I just Starting to learn Rust # backend # beginners # rust Comments Add Comment 6 min read 🔥 PHPS WORST DEBUG NIGHTMARE… DETHRONED! 🔥 Jefferson Silva Jefferson Silva Jefferson Silva Follow Jan 3 🔥 PHPS WORST DEBUG NIGHTMARE… DETHRONED! 🔥 # laravel # php # backend # api Comments Add Comment 2 min read Why Your Celery Dashboard is Lying to You (and How I’m Using AI to Fix It) Hernan Chilabert Hernan Chilabert Hernan Chilabert Follow Jan 2 Why Your Celery Dashboard is Lying to You (and How I’m Using AI to Fix It) # python # sre # celery # backend Comments Add Comment 2 min read 🌐Spring Boot Web & REST APIs: Building Clean Backends with MVC Architecture Shashwath S H Shashwath S H Shashwath S H Follow Jan 2 🌐Spring Boot Web & REST APIs: Building Clean Backends with MVC Architecture # springboot # restapi # java # backend 2 reactions Comments Add Comment 2 min read REST API Best Practices Er. Bhupendra Er. Bhupendra Er. Bhupendra Follow Jan 3 REST API Best Practices # api # architecture # backend Comments Add Comment 1 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:49:42 |
https://dev.to/t/communication/page/2 | Communication 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 # communication Follow Hide Tips for talking effectively with your children at every age. Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Closed Anonymity sta sta sta Follow Nov 21 '25 Closed Anonymity # anonymous # communication # form Comments Add Comment 4 min read There's a Limit to Chat Tools — Enter QWINCS! sta sta sta Follow Nov 20 '25 There's a Limit to Chat Tools — Enter QWINCS! # communication # collaboration # tooling Comments Add Comment 5 min read No Impression Is an Impression — and Why Tolerance for Disrespect Taught Me More About Myself Than Others Brian Kim Brian Kim Brian Kim Follow Nov 7 '25 No Impression Is an Impression — and Why Tolerance for Disrespect Taught Me More About Myself Than Others # reflection # selfgrowth # leadership # communication 8 reactions Comments 5 comments 2 min read When Smart People Clash: What Engineering Taught Me About NVC Joseph Sanjaya Joseph Sanjaya Joseph Sanjaya Follow Oct 17 '25 When Smart People Clash: What Engineering Taught Me About NVC # engineering # teamwork # communication # codereview Comments Add Comment 4 min read Semantic Streams: Rethinking Video Transmission with AI Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Nov 5 '25 Semantic Streams: Rethinking Video Transmission with AI # ai # machinelearning # communication # video Comments 1 comment 2 min read Unlock Your Voice: 8 Vocal Exercises Communication Techniques for Beginner Developers Werliton Silva Werliton Silva Werliton Silva Follow Sep 23 '25 Unlock Your Voice: 8 Vocal Exercises Communication Techniques for Beginner Developers # webdev # voice # skill # communication 1 reaction Comments 2 comments 2 min read The Weight of the First Word Reme Le Hane Reme Le Hane Reme Le Hane Follow Sep 30 '25 The Weight of the First Word # leadership # communication # feedback 1 reaction Comments Add Comment 1 min read Unlock Your Voice: 5 TED-Style Communication Techniques for Beg Werliton Silva Werliton Silva Werliton Silva Follow Sep 25 '25 Unlock Your Voice: 5 TED-Style Communication Techniques for Beg # webdev # programming # softskills # communication 1 reaction Comments Add Comment 2 min read Bridging the Gap: How Business Analysts and Developers Can Communicate Better Vivek Singhal Vivek Singhal Vivek Singhal Follow Aug 20 '25 Bridging the Gap: How Business Analysts and Developers Can Communicate Better # developers # communication # business Comments Add Comment 4 min read What parts of security brings CORS In a Project ngouend gerard ngouend gerard ngouend gerard Follow Aug 15 '25 What parts of security brings CORS In a Project # backend # errors # network # communication Comments Add Comment 14 min read A brief history of video conferencing. Part 2: From commercial premium service to "pocket" technology Vlada Vlada Vlada Follow Jul 17 '25 A brief history of video conferencing. Part 2: From commercial premium service to "pocket" technology # videoconferencing # communication # history Comments Add Comment 9 min read The Importance of Effective Communication in a Tech Team Supun Geethanjana Supun Geethanjana Supun Geethanjana Follow Aug 8 '25 The Importance of Effective Communication in a Tech Team # communication # webdev # programming # productivity Comments Add Comment 3 min read Brevity At Work Samuel Rouse Samuel Rouse Samuel Rouse Follow Jul 8 '25 Brevity At Work # webdev # programming # beginners # communication Comments Add Comment 4 min read Stop Saying 'Technical Debt' — Start Speaking Product John Munn John Munn John Munn Follow May 28 '25 Stop Saying 'Technical Debt' — Start Speaking Product # engineering # career # communication # productivity Comments Add Comment 1 min read Flutter VoIP App with AI Assistant: Real-Time Voice and Chat Using AI Sushan Dristi Sushan Dristi Sushan Dristi Follow Jun 29 '25 Flutter VoIP App with AI Assistant: Real-Time Voice and Chat Using AI # voip # time # real # communication 1 reaction Comments Add Comment 5 min read 𝗕𝘂𝗶𝗹𝗱𝗶𝗻𝗴 𝗥𝗲𝗹𝗮𝘁𝗶𝗼𝗻𝘀𝗵𝗶𝗽𝘀 𝗪𝗵𝗶𝗹𝗲 𝗪𝗼𝗿𝗸𝗶𝗻𝗴 𝗳𝗿𝗼𝗺 𝗛𝗼𝗺𝗲 Supraja Tangella Supraja Tangella Supraja Tangella Follow May 7 '25 𝗕𝘂𝗶𝗹𝗱𝗶𝗻𝗴 𝗥𝗲𝗹𝗮𝘁𝗶𝗼𝗻𝘀𝗵𝗶𝗽𝘀 𝗪𝗵𝗶𝗹𝗲 𝗪𝗼𝗿𝗸𝗶𝗻𝗴 𝗳𝗿𝗼𝗺 𝗛𝗼𝗺𝗲 # remotework # workfromhome # communication # teambuilding Comments Add Comment 1 min read AI vs. Human Language: Why AI Will Never Fully Capture Human Communication? Glaxit Software Agency Glaxit Software Agency Glaxit Software Agency Follow May 3 '25 AI vs. Human Language: Why AI Will Never Fully Capture Human Communication? # ai # human # aivshuman # communication Comments Add Comment 2 min read From Pitfalls to Profit: How to Successfully Implement Async JetThoughts Dev JetThoughts Dev JetThoughts Dev Follow for JetThoughts May 20 '25 From Pitfalls to Profit: How to Successfully Implement Async # productivity # devops # tutorial # communication 1 reaction Comments Add Comment 5 min read The Async Advantage: How Switching Communication Styles Saves $3.2M Annually JetThoughts Dev JetThoughts Dev JetThoughts Dev Follow for JetThoughts May 19 '25 The Async Advantage: How Switching Communication Styles Saves $3.2M Annually # productivity # devops # process # communication 1 reaction Comments Add Comment 8 min read An Overview of Communication Techniques for Embedded Systems Monarch Innovation Private Limited Monarch Innovation Private Limited Monarch Innovation Private Limited Follow Apr 21 '25 An Overview of Communication Techniques for Embedded Systems # iot # embeded # communication Comments Add Comment 3 min read Rethinking Email Strategy Like a Chess Game: What Developers and Tech Professionals Can Learn from TDZ Pro Matt Johnson Matt Johnson Matt Johnson Follow May 22 '25 Rethinking Email Strategy Like a Chess Game: What Developers and Tech Professionals Can Learn from TDZ Pro # productivity # communication # email # strategy 31 reactions Comments 25 comments 3 min read Improving Virtual and Verbal Communication at Work Krideo Krideo Krideo Follow Apr 14 '25 Improving Virtual and Verbal Communication at Work # virtual # verbal # communication # videoconferencing Comments Add Comment 1 min read Why We’re Moving from Slack and Teams to WhatsApp for Internal Communication Akshay Joshi Akshay Joshi Akshay Joshi Follow Apr 2 '25 Why We’re Moving from Slack and Teams to WhatsApp for Internal Communication # communication # management # decision # productivity Comments Add Comment 2 min read Why should every project start with a Team Communication Plan? Writegenic AI Writegenic AI Writegenic AI Follow May 8 '25 Why should every project start with a Team Communication Plan? # team # webdev # community # communication Comments 3 comments 2 min read Tecnologias: 5 invenções inéditas — a Nona cria mercados do zero. adevilson de lima adevilson de lima adevilson de lima Follow Mar 24 '25 Tecnologias: 5 invenções inéditas — a Nona cria mercados do zero. # blockchain # ai # cryptography # communication Comments Add Comment 1 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:49:42 |
https://docs.devcycle.com/integrations/feature-importer | DevCycle Feature Flag Importer | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page DevCycle Feature Flag Importer DevCycle's Feature Flag Importer is designed to import resources from other Feature Flag providers. The Importer is intended to be run on a single Project and will create or update a Project with the same key containing Environments, Features, and Variables. info The Feature Importer script is fully open-source. Check it out here: https://github.com/devcyclehq/feature-importer Tutorial Video Setup Clone repo from here . Run npm install to install dependencies. Setup configuration file . Run npm start to start an import. Configuration File The Feature Importer can be configured using environment variables or a JSON config file. By default the config is read from config.json in the project root, this can be overwritten using CONFIG_FILE_PATH . info The Feature Importer only supports LaunchDarkly API Version 20220603 . Please select this version when creating an API access token in LaunchDarkly. Required ldAccessToken : string LaunchDarkly access token. Used for pulling Feature Flags. Equivalent env var: LD_ACCESS_TOKEN dvcClientId : string DevCycle client ID. Used for fetching API credentials. Equivalent env var: DVC_CLIENT_ID dvcClientSecret : string DevCycle client secret. Used for fetching API credentials. Equivalent env var: DVC_CLIENT_SECRET sourceProjectKey : string LaunchDarkly's Project key. Resources will be pulled from this Project. Equivalent env var: SOURCE_PROJECT_KEY Optional targetProjectKey : string A DevCycle Project key. Resources will be created within this Project. A Project will be created with this key if it does not already exist. If not specified, the target Project key will be used Equivalent env var: TARGET_PROJECT_KEY includeFeatures : string[] An array of LD Feature Flag keys to be imported. By default, the Importer will attempt to migrate all Features. Equivalent env var: INCLUDE_FEATURES excludeFeatures : string[] An array of LD Feature Flag keys to be skipped when importing. Equivalent env var: EXCLUDE_FEATURES overwriteDuplicates : boolean If true, when the Importer encounters a duplicate resource it will be overwritten. By default, duplicates will be skipped. Equivalent env var: OVERWRITE_DUPLICATES operationMap : Map<string, string> A map of LD operations to map to DevCycle operations DevCycle operations: = , != , > , < , >= , <= , contain , !contain , exist , !exist Equivalent env var: OPERATION_MAP Sample config.json file: { "ldAccessToken" : "api-key" , "dvcClientId" : "clientId" , "dvcClientSecret" : "clientSecret" , "sourceProjectKey" : "project-key" , "includeFeatures" : [ "feat-1" , "feat-2" ] , "excludeFeatures" : [ ] , "overwriteDuplicates" : false , "operationMap" : { "startsWith" : "contain" , "endsWith" : "contain" } } Sample .env file: LD_ACCESS_TOKEN="api-key" DVC_CLIENT_ID="clientId" DVC_CLIENT_SECRET="clientSecret" SOURCE_PROJECT_KEY="project-key" INCLUDE_FEATURES=[feat-1,feat-2] EXCLUDE_FEATURES=[] OVERWRITE_DUPLICATES=false OPERATION_MAP='{"endsWith":"contain","startsWith":"contain"}' Code Migration Migrating Code from LaunchDarkly In LaunchDarkly, the primary identifier is key , in DVC the equivalent value should be passed as user_id DVC supports the following top-level properties on the user object: see DVC User Object . Any other properties used for Targeting should be passed within the customData map. If you are passing a date to be used with LD's before/after operators, the value should be converted to a Long when passed to DVC. The Importer will convert before & after operators to < & > in DVC. DVC doesn't support Targeting by the top-level isAnonymous property. If you are using LD's Targeting with the anonymous attribute, make sure to include an anonymous property in the user's customData Contributing to DevCycle or creating a new Integration: If you would like to contribute to an existing integration or tool, all of DevCycle's tools and integrations are open source on the DevCycle github repository. Further, if you'd like to create a new tool or integration, a great starting point is DevCycle's Management API which allows you to modify and interact with Features and more within a DevCycle Project, as well as the DevCycle Bucketing API which is used to give users Features and Variables (as used within the DevCycle SDKs!) Edit this page Last updated on Jan 9, 2026 Tutorial Video Setup Configuration File Code Migration Migrating Code from LaunchDarkly DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:49:42 |
https://dev.to/t/pnpm/page/2 | Pnpm 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 # pnpm Follow Hide Create Post Older #pnpm posts 1 2 3 4 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Creating a scalable Monorepo for Vue - Intro Dawid Nitka Dawid Nitka Dawid Nitka Follow Jan 14 '25 Creating a scalable Monorepo for Vue - Intro # monorepo # vue # nx # pnpm 1 reaction Comments Add Comment 4 min read Creating a scalable Monorepo for Vue - Workspaces Dawid Nitka Dawid Nitka Dawid Nitka Follow Jan 14 '25 Creating a scalable Monorepo for Vue - Workspaces # monorepo # vue # nx # pnpm Comments Add Comment 4 min read A Step-by-Step Guide to Debugging and Setting Up a Turborepo-Driven Monorepo with Next.js and pnpm TD! TD! TD! Follow Oct 2 '24 A Step-by-Step Guide to Debugging and Setting Up a Turborepo-Driven Monorepo with Next.js and pnpm # nextjs # nestjs # pnpm 1 reaction Comments Add Comment 4 min read Installing EmberJS v2 addons from GitHub forks using PNPM Michal Bryxí Michal Bryxí Michal Bryxí Follow Sep 16 '24 Installing EmberJS v2 addons from GitHub forks using PNPM # ember # pnpm # monorepo 1 reaction Comments Add Comment 2 min read Package Manager Fight: npm vs pnpm vs npx vs yarn vs bun Nikhil Vikraman Nikhil Vikraman Nikhil Vikraman Follow Sep 15 '24 Package Manager Fight: npm vs pnpm vs npx vs yarn vs bun # npm # npx # pnpm # yarn 9 reactions Comments 1 comment 5 min read Why Use NPM When PNPM Does It Better? Shanu Shanu Shanu Follow Aug 21 '24 Why Use NPM When PNPM Does It Better? # npm # pnpm # webdev # node 3 reactions Comments Add Comment 4 min read ERR_PNPM_BAD_PM_VERSION This project is configured to use vX of pnpm. Your current pnpm is vY Michal Bryxí Michal Bryxí Michal Bryxí Follow Aug 18 '24 ERR_PNPM_BAD_PM_VERSION This project is configured to use vX of pnpm. Your current pnpm is vY # ember # javascript # pnpm # corepack 2 reactions Comments Add Comment 3 min read npm vs pnpm: Choosing the Best Package Manager for Your Project Mayank Tamrkar Mayank Tamrkar Mayank Tamrkar Follow Jun 29 '24 npm vs pnpm: Choosing the Best Package Manager for Your Project # npm # pnpm # node # coding 2 reactions Comments Add Comment 3 min read Deploying NextJS apps with PipeOps Orunto Eniola Orunto Eniola Orunto Eniola Follow Jun 14 '24 Deploying NextJS apps with PipeOps # nextjs # pipeops # hackathon # pnpm 3 reactions Comments 1 comment 2 min read Construyendo un Monorepo en Typescript utilizando pnpm Enol Casielles Enol Casielles Enol Casielles Follow May 19 '24 Construyendo un Monorepo en Typescript utilizando pnpm # typescript # pnpm # monorepo # webdev 2 reactions Comments Add Comment 12 min read npx alternative for pnpm Michal Bryxí Michal Bryxí Michal Bryxí Follow Apr 18 '24 npx alternative for pnpm # npm # pnpm 13 reactions Comments 2 comments 1 min read React Monorepo Setup Tutorial with pnpm and Vite: React project + UI, Utils SeongKuk Han SeongKuk Han SeongKuk Han Follow Apr 12 '24 React Monorepo Setup Tutorial with pnpm and Vite: React project + UI, Utils # react # pnpm # vite # tutorial 125 reactions Comments 9 comments 6 min read Exploring Package Managers in Web Development Tanveer Hussain Mir Tanveer Hussain Mir Tanveer Hussain Mir Follow Apr 6 '24 Exploring Package Managers in Web Development # npm # packagemanager # pnpm # bower 1 reaction Comments Add Comment 2 min read Using pnpm with the GitLab package registry in GitLab CI Daniel Bayerlein Daniel Bayerlein Daniel Bayerlein Follow Mar 8 '24 Using pnpm with the GitLab package registry in GitLab CI # pnpm # gitlab # node # npm 5 reactions Comments 2 comments 2 min read What Is PNPM ? How To Migarte From Npm/Yarn To Pnpm ? swhabitation swhabitation swhabitation Follow Feb 21 '24 What Is PNPM ? How To Migarte From Npm/Yarn To Pnpm ? # pnpm # npm # yarn # frontend 1 reaction Comments Add Comment 2 min read Publishing ESLint rules to npm using pnpm monorepo Neeraj Lagwankar Neeraj Lagwankar Neeraj Lagwankar Follow Jan 13 '24 Publishing ESLint rules to npm using pnpm monorepo # webdev # eslint # npm # pnpm Comments Add Comment 4 min read Package manager wars. The real picture Wojciech Maj Wojciech Maj Wojciech Maj Follow Oct 21 '23 Package manager wars. The real picture # npm # yarn # pnpm # javascript 11 reactions Comments 8 comments 4 min read Building a Minimalist Docker Image with Node, TypeScript Jake Jake Jake Follow Sep 6 '23 Building a Minimalist Docker Image with Node, TypeScript # pnpm # docker 49 reactions Comments Add Comment 4 min read The Migration Adventure: CRA to Vite and npm to pnpm Mohamed Yamani Mohamed Yamani Mohamed Yamani Follow Aug 27 '23 The Migration Adventure: CRA to Vite and npm to pnpm # javascript # npm # pnpm # vite 1 reaction Comments Add Comment 1 min read How to upgrade `pnpm` kay-adamof kay-adamof kay-adamof Follow Aug 3 '23 How to upgrade `pnpm` # pnpm 40 reactions Comments 1 comment 2 min read 📝 Migrating from npm to pnpm: A Journey of Decisions and Experiences 🚀 Phuc Le Phuc Le Phuc Le Follow Jul 30 '23 📝 Migrating from npm to pnpm: A Journey of Decisions and Experiences 🚀 # pnpm # javascript # vue # react 6 reactions Comments Add Comment 3 min read Lockfile merge conflicts, how to handle it correctly? GaHing GaHing GaHing Follow Jul 14 '23 Lockfile merge conflicts, how to handle it correctly? # npm # git # frontend # pnpm 16 reactions Comments 2 comments 10 min read Não se preocupe mais com o package manager do seu projeto NodeJS Marco Ollivier Marco Ollivier Marco Ollivier Follow Jul 6 '23 Não se preocupe mais com o package manager do seu projeto NodeJS # node # yarn # npm # pnpm 7 reactions Comments Add Comment 3 min read Who is using pnpm? Alexandre Nédélec Alexandre Nédélec Alexandre Nédélec Follow Jul 6 '23 Who is using pnpm? # pnpm # node # tooling 2 reactions Comments Add Comment 3 min read Execute commands using your project dependencies Alexandre Nédélec Alexandre Nédélec Alexandre Nédélec Follow Jun 17 '23 Execute commands using your project dependencies # pnpm # node # tooling 1 reaction Comments Add Comment 1 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:49:42 |
https://dev.to/t/streaming/page/8 | Streaming 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 # streaming Follow Hide instant track overload Create Post Older #streaming 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 What is the Most Efficient Way to Calculate ETF IOPV? DolphinDB DolphinDB DolphinDB Follow Feb 20 '24 What is the Most Efficient Way to Calculate ETF IOPV? # database # coding # etf # streaming Comments Add Comment 7 min read How to stream data over HTTP using Node and Fetch API bsorrentino bsorrentino bsorrentino Follow Feb 11 '24 How to stream data over HTTP using Node and Fetch API # http # streaming # javascript # generators 12 reactions Comments 2 comments 6 min read Review: Logitech Litra Glow Premium LED Streaming Light with TrueSoft Nick Taylor Nick Taylor Nick Taylor Follow Feb 1 '24 Review: Logitech Litra Glow Premium LED Streaming Light with TrueSoft # productreview # streaming # lighting 6 reactions Comments 2 comments 3 min read Streaming made simple Leon Nunes Leon Nunes Leon Nunes Follow Feb 17 '24 Streaming made simple # streaming # meetups # mumbai # obs 5 reactions Comments 3 comments 2 min read Hono with Server Sent Events 🔥💌 Yanael Yanael Yanael Follow Jan 18 '24 Hono with Server Sent Events 🔥💌 # hono # typescript # sse # streaming 6 reactions Comments 2 comments 3 min read Streams and React Server Components Mohammad Bagher Abiyat Mohammad Bagher Abiyat Mohammad Bagher Abiyat Follow Jan 14 '24 Streams and React Server Components # react # streaming # javascript # webdev 5 reactions Comments Add Comment 7 min read Decoding OTT: Unraveling the Architecture Behind Seamless Streaming Binoy Vijayan Binoy Vijayan Binoy Vijayan Follow Jan 7 '24 Decoding OTT: Unraveling the Architecture Behind Seamless Streaming # ott # streaming # player # beginners 13 reactions Comments 2 comments 2 min read Revolutionizing Content Delivery: An Introduction to Video Encoding and OTT Streaming Binoy Vijayan Binoy Vijayan Binoy Vijayan Follow Jan 7 '24 Revolutionizing Content Delivery: An Introduction to Video Encoding and OTT Streaming # ott # videocodec # streaming # beginners 7 reactions Comments Add Comment 5 min read Streamlining Home Entertainment: How to Use a Linux Machine for Streaming Content to Smart TVs and More Iñigo Etxaniz Iñigo Etxaniz Iñigo Etxaniz Follow Jan 6 '24 Streamlining Home Entertainment: How to Use a Linux Machine for Streaming Content to Smart TVs and More # streaming # docker # nginx # obs 19 reactions Comments 2 comments 9 min read Lights, Camera, Code: A Blockbuster Streaming Adventure with Golang and Kafka! Akshit Zatakia Akshit Zatakia Akshit Zatakia Follow Dec 30 '23 Lights, Camera, Code: A Blockbuster Streaming Adventure with Golang and Kafka! # streaming # go # kafka # flink 1 reaction Comments Add Comment 3 min read Cruising Through Streaming: The Next Wave of Fun and Fancy Akshit Zatakia Akshit Zatakia Akshit Zatakia Follow Dec 24 '23 Cruising Through Streaming: The Next Wave of Fun and Fancy # streaming # designpatterns # systemdesign # flink 1 reaction Comments Add Comment 3 min read Riding the Wave: A Fun Dive into the World of Streaming Applications Akshit Zatakia Akshit Zatakia Akshit Zatakia Follow Dec 21 '23 Riding the Wave: A Fun Dive into the World of Streaming Applications # streaming # architecture # designpatterns # java 1 reaction Comments 1 comment 3 min read Change Data Capture with Serverless Postgres Raouf Chebri Raouf Chebri Raouf Chebri Follow for Neon Feb 8 '24 Change Data Capture with Serverless Postgres # postgres # database # cdc # streaming Comments Add Comment 6 min read Live Streaming and Audio Equalizer with ExoPlayer in Jetpack Compose Nandani Sharma Nandani Sharma Nandani Sharma Follow for Canopas Software Dec 20 '23 Live Streaming and Audio Equalizer with ExoPlayer in Jetpack Compose # kotlin # jetpackcompos # streaming # android Comments Add Comment 1 min read Maximizing Streaming Recommendations: A Real-Time System Design UWABOR KING COLLINS UWABOR KING COLLINS UWABOR KING COLLINS Follow Oct 29 '23 Maximizing Streaming Recommendations: A Real-Time System Design # systemdesign # streaming # datastructures 11 reactions Comments 1 comment 3 min read Getting Started with OBS: A Beginner's Guide Michael Nikitochkin Michael Nikitochkin Michael Nikitochkin Follow Oct 13 '23 Getting Started with OBS: A Beginner's Guide # obs # streaming # screencasting 6 reactions Comments Add Comment 3 min read Top Reasons for Updating to the New OBS 30.0 Release Jayson DeLancey Jayson DeLancey Jayson DeLancey Follow for Dolby.io Oct 10 '23 Top Reasons for Updating to the New OBS 30.0 Release # obs # streaming # twitch # webrtc 6 reactions Comments 2 comments 3 min read HLS vs WebRTC in Streaming Technologies Digital Samba Digital Samba Digital Samba Follow Oct 3 '23 HLS vs WebRTC in Streaming Technologies # hls # webrtc # streaming Comments Add Comment 3 min read Apache Flink Diogo Ribeiro Diogo Ribeiro Diogo Ribeiro Follow Aug 25 '23 Apache Flink # datascience # apacheflink # streaming # machinelearning 1 reaction Comments Add Comment 3 min read Suspense, client components and static rendering in Next 13 Peter Jacxsens Peter Jacxsens Peter Jacxsens Follow Sep 11 '23 Suspense, client components and static rendering in Next 13 # nextjs # streaming # suspense 3 reactions Comments 4 comments 7 min read Using loading.js and Suspense in Next 13 Peter Jacxsens Peter Jacxsens Peter Jacxsens Follow Sep 11 '23 Using loading.js and Suspense in Next 13 # nextjs # suspense # streaming 10 reactions Comments Add Comment 9 min read Demystifying Amazon Kinesis Data Streams Concepts Anita Andonoska Anita Andonoska Anita Andonoska Follow for AWS Community Builders Aug 30 '23 Demystifying Amazon Kinesis Data Streams Concepts # aws # streaming # kinesis # data 7 reactions Comments Add Comment 3 min read What Is a Streaming Data Warehouse? RisingWave Labs RisingWave Labs RisingWave Labs Follow Aug 29 '23 What Is a Streaming Data Warehouse? # programming # streaming # database # warehouse Comments Add Comment 4 min read 50,000 Kubernetes Deployments Achieved: Inside the Streaming Database Odyssey RisingWave Labs RisingWave Labs RisingWave Labs Follow Aug 25 '23 50,000 Kubernetes Deployments Achieved: Inside the Streaming Database Odyssey # opensource # database # kubernetes # streaming Comments Add Comment 4 min read Exploring Web Rendering: Streaming HTML Eric L. Goldstein Eric L. Goldstein Eric L. Goldstein Follow Jul 18 '23 Exploring Web Rendering: Streaming HTML # javascript # performance # streaming 2 reactions Comments Add Comment 8 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:49:42 |
https://dev.to/challenges/frontend-2025-06-04#main-content | Frontend Challenge: June Celebrations - DEV 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 Challenges > Frontend Challenge: June Celebrations CHALLENGE RESULTS 🏆 Winners Announced! 🎊 Congrats to the Frontend Challenge: June Celebrations Winners! Read Announcement Challenge ends soon! Submit your entry now DAYS : HOURS : MINUTES : SECONDS See prompts Frontend Challenge: June Celebrations View Entries Please sign in to follow this challenge Flex your CSS and JavaScript skills! Challenge Status: Ended Ended Join our next Challenge Running through June 29, Frontend Challenge: June Celebrations will feature our beloved CSS Art prompt and a brand new prompt: Perfect Landing . Our theme is June Celebrations, designed to be all-encompassing and accessible as we celebrate everything from Father's Day to Juneteenth to Pride Month. There is so much worth celebrating this month - did you know June also hosts National Nail Polish Day, National Hazelnut Cake Day, and so many more fun and quirky events?! We can't wait to see what you share with us. As with all Frontend Challenges, there will be one winner per prompt. That's two chances to win bragging rights, a DEV++ membership , and an exclusive DEV badge! Key Dates Contest start: June 04, 2025 Submissions due: June 29, 2025 Winners announced: July 10, 2025 Badge Rewards Frontend Challenge Participant Frontend Challenge Winner Challenge Prompts CSS Art: June Celebrations Draw what comes to mind for you when it comes to June celebrations. Consider this an opportunity to share something meaningful about your culture and community. Whether it's Pride flags, a Father's Day card, Juneteenth commemoration, or even something wonderfully silly like National Donut Day! We want to see your artistic interpretation of a celebration in June. Submission Template Judging Criteria: Creativity Effective Use of CSS Aesthetic Outcome Perfect Landing: June Celebrations Build a landing page that informs people about a June celebration that you care about. This could be anything from a comprehensive guide to Pride Month events, a tribute page for Juneteenth, or even a delightfully detailed breakdown of National Cheese Day - the choice is yours! Submission Template Judging Criteria: Accessibility Usability and User Experience Creativity Code quality Frequently Asked Questions Participation Can I submit to multiple prompts? Yes, you are welcome to submit to multiple prompts. Can one submission qualify for multiple prompts? Yes, if your submission offers a solution to multiple prompts, it can qualify for multiple prompts. Can I submit to a prompt more than once? Yes, you can submit multiple submissions per prompt but you’ll need to publish a separate post for each submission. In the event that you may win two or more prompts, and your submission is very close with another participant, we will favor the other participant. In the event that you do win two or more prompts, you will only receive one winner badge. Can I work on a team? Yes, you can work on teams of up to four people. If you collaborate with anyone, you’ll need to list their DEV handles in your submission post so we can award a badge to your entire team! Please only publish one submission per team. DEV does not handle prize-splitting, so in the event that your submission wins the shop gift, you will need to split that amongst yourselves. Thank you for understanding! How old do I have to be to participate? Participants need to be 18+ in order to participate. If I live in X, am I eligible to participate? For eligibility rules, see our official challenge rules . Submission Can my submission include open source code? Riffing on open source code and borrowing and improving on previous work/ideas is encouraged but it’s important your changes are significant enough to ensure your submission is valid. When does riffing become plagiarism? It will depend, but transparency is important, license compatibility is important. You can use someone else’s code to give you a jumpstart to demonstrate your ideas on top of someone else’s base, but not just re-package the base. It should be clear to the judges what you added to the project in terms of the code and conceptual inspiration. This means, you should clearly state what you were building on and what elements are original to this new submission. When building on existing code, we expect a significant change that adds something tangible to the output. i.e. a new animation, and new sprite, a new function, a new presentation. Not just changes to the source - i.e. changing colours, changing one sprite, changing one function. What happens if my submission is considered plagiarized or invalid? Anything deemed to be plagiarism will not be eligible for prizes. Incidental plagiarism may simply result in your disqualification from the challenge (regardless of the number of other valid submissions you have published). Egregious plagiarism will result in your suspension from DEV entirely. Any non-generic, non-trivial usage of prior work, including open source code must be credited in your submission. Do submissions have to be in English? Non-english submissions are eligible for a completion badge but not eligible for prizes due to the current limitations of our judges. We will not be judging on mastery of the English language, so please don’t let this deter you from submitting if you are not a native English speaker! We hope to evolve this in the future to be more accommodating. Do I need a license for my code? You are not required to license your code but we strongly recommend that you do. Here are some you may consider: MIT , Apache , BSD-2 , BSD-3 , or Commons Clause . Can I use AI? Use of AI is allowed as long as all other rules are followed. We want to give you a chance to show off your skills in realistic scenarios. If you use AI tools to help you achieve your submission, all the power to you. How do I embed my project directly into my DEV post? Our editor supports many types of embeds, including: Stackbliz, Glitch, Github, etc. You can typically use the {% embed https://... %} syntax directly in the post. Click here for more information on our markdown support. For CodePen, you will need to use this syntax: {% codepen http://... %} For CodeSandbox, you will need to use this syntax: {% codesandbox http://... %} Judging and Prizing Can there be ties? In the event of a tie in scoring between judges, the judges will select the entry that received the highest number of positive reactions on their DEV post to determine the winner. How will I know if I won? Winners will be announced in a DEV post on the winner announcement date noted in our key dates section. When will I receive my DEV badge? Both participation and winner badges will be awarded, in most cases, the same day as the winner announcement. When will I receive my prizes? The DEV Team will contact you via the email associated with your DEV profile within, at most, 10 business days of the announcement date to share the details of claiming your prizes. Frontend Challenge: June Celebrations Rules NO PURCHASE NECESSARY. Open only to 18+. Contest entry period ends June 29, 2025 at 11:59 PM PDT. Contest is void where prohibited or restricted by law or regulation. All entires must be submitted during the content period. For Official Rules, see Frontend Challenge: June Celebrations Contest Rules and General Contest Official Rules . Dismiss 💎 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:49:42 |
http://heisenbug.blogspot.com/2008/04/llvm-data-structures-and-putting-use-on.html | don't count on finding me: LLVM Data Structures, and Putting Use on Diet skip to main | skip to sidebar don't count on finding me Sunday, April 13, 2008 LLVM Data Structures, and Putting Use on Diet There is a good deal of refactoring going on in the LLVM universe, to wit Dominic's renaming of LLVM*Builder to IRBuilder with assorted simplifications... The train is moving fast, getting on board is harder, but rewarding. LLVM does not commit to API (or less even, binary) compatibility, so meaningful changes get in swiftly and without much bureaucracy. A simple mail, warning people of the change in advance, and when accomplished, instructions how to do the conversion, are enough to make folks happy. There are reforms going more than skin deep, too. Clang is is getting a datastructure rewrite with nice gains , and myself is about to reduce the size of the Use struct by 4 bytes, from 16 to 12 (on a 32bit system). The 25% savings is nothing to sneeze at, considering that this struct is the most frequently allocated one in LLVM. And now that I have the functionality basically implemented on a branch, I can say, the idea is working! Consequently, I have the courage to blog about it :-) So what is this Use -diet all about? The Use struct is the home of the pointers to all Value s that an Instruction references. But each Value has to track all of its User s (i.e. the Instruction s), and Use provides forward and backward pointers to chain those up. These are the essential 3 pointers. But why is Use 16 bytes? Because in some situations it is important to get back to the User of the referred Value . So it is 4 pointers in total. Seemingly this is how it works™ and there is nothing that can be shaved off. But wait! Don't all Use s belonging to an Instruction come lined up in a contiguous array? What if we could mark the last Use specially and put a pointer to the Instruction behind it? Or even allocate the Use s immediately in front of Instruction (memory-layout wise)? These were the first ideas how my brain-storming with Sabre began. After several exchanged emails, we settled on a concept that is IMHO really beautiful. We use 2 bits (the least significant ones, which are always zero, normally) of one of the pointers in Use to implement a serial line -like protocol of waymarks that guides us to the end of the array in some reasonably few steps. I will not detail the algorithm , since it is documented elsewhere, I will only say that there are four kinds of waymarks: ‹fullstop›, ‹stop› , ‹0› and ‹1› . Fullstop means we are at the end already, Stop means begin gathering digits, or if already done so, convert them to an offset, that brings us to the end, 0 and 1 are the binary digits to be picked up. It is clear to see that for small arrays there are only a small number of operations needed to determine the end of the array. The complexity of the algorithm is O(log N) . So we do not really have to get concerned with, say, 10000 predecessors to a PHI node :-). The description even contains a Haskell snippet to encode and decode such offset information. For reference I shall present it here: > import Test.QuickCheck > > digits :: Int -> [Char] -> [Char] > digits 0 acc = '0' : acc > digits 1 acc = '1' : acc > digits n acc = digits (n `div` 2) $ digits (n `mod` 2) acc > > dist :: Int -> [Char] -> [Char] > dist 0 [] = ['S'] > dist 0 acc = acc > dist 1 acc = let r = dist 0 acc in 's' : digits (length r) r > dist n acc = dist (n - 1) $ dist 1 acc > > takeLast n ss = reverse $ take n $ reverse ss > > test = takeLast 40 $ dist 20 [] > Printing gives: "1s100000s11010s10100s1111s1010s110s11s1S" The reverse algorithm computes the length of the string just by examining a certain prefix: > pref :: [Char] -> Int > pref "S" = 1 > pref ('s':'1':rest) = decode 2 1 rest > pref (_:rest) = 1 + pref rest > > decode walk acc ('0':rest) = decode (walk + 1) (acc * 2) rest > decode walk acc ('1':rest) = decode (walk + 1) (acc * 2 + 1) rest > decode walk acc _ = walk + acc > Now, as expected, printing gives 40. We can quickCheck this with following property: > testcase = dist 2000 [] > testcaseLength = length testcase > > identityProp n = n > 0 && n length arr == pref arr > where arr = takeLast n testcase As expected gives: *Main> quickCheck identityProp OK, passed 100 tests. Btw., QuickCheck is awesome! So where are the uses of this algorithm outside of LLVM? There is not much of thinking needed to generalize the array to other data structures, which may permit mutating of the node contents, but disallow insertions. Linked lists are an example since one can only cons up stuff to the head. Doubly-ended arrays with fast size() operation (given a pointer to one element) can be implemented if there is another pointer in each node that we can use for storing waymarks to the start of the array. Deque s also could work like this, but they too, need to be fully built up before putting in the waymarks. This all reminds me of cons-hashing but is really a more powerful concept. Let's call it waymarking ! And then let the garbage collector put in the waymarks for us... Down with O(n) complexity on linked-list's length operation! Posted by heisenbug at 2:17 AM Labels: algorithm , haskell , llvm , waymarking 1 comment: Edward Kmett said... You can of course, also derive a faster length by using skew-binary-encoded random-access lists. That then gives you O(log n) drop and indexing as well. July 22, 2010 at 11:42 AM Post a Comment Newer Post Older Post Home Subscribe to: Post Comments (Atom) Blog Archive ►  2022 (1) ►  February (1) ►  2014 (5) ►  November (1) ►  October (1) ►  August (1) ►  July (1) ►  January (1) ►  2013 (5) ►  September (1) ►  August (3) ►  February (1) ►  2012 (2) ►  December (1) ►  September (1) ►  2011 (7) ►  December (1) ►  November (1) ►  October (1) ►  September (1) ►  August (1) ►  February (1) ►  January (1) ►  2010 (19) ►  December (5) ►  November (6) ►  October (1) ►  August (1) ►  July (2) ►  June (4) ►  2009 (12) ►  November (2) ►  October (1) ►  August (1) ►  June (1) ►  May (1) ►  March (4) ►  January (2) ▼  2008 (22) ►  October (1) ►  September (3) ►  August (6) ►  July (3) ►  June (2) ►  May (1) ▼  April (3) Absolutely, Positively Crazy Use-diet Update LLVM Data Structures, and Putting Use on Diet ►  March (1) ►  February (1) ►  January (1) ►  2007 (20) ►  December (2) ►  November (1) ►  October (1) ►  September (1) ►  August (1) ►  July (14) About Me heisenbug I am here and there. You may encounter me if you try, but no guarantees. Just a hint: I am mostly with my family. View my complete profile   | 2026-01-13T08:49:42 |
https://dev.to/mohamednizzad/building-taskflow-pro-a-complete-enterprise-task-management-system-with-24-kendoreact-free-5akp#comments | 📊 Building TaskFlow Pro: A Complete Enterprise Task Management System with 24+ KendoReact Free Components - 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 Nizzad Posted on Sep 29, 2025 📊 Building TaskFlow Pro: A Complete Enterprise Task Management System with 24+ KendoReact Free Components # devchallenge # kendoreactchallenge # react # webdev This is a submission for the KendoReact Free Components Challenge . Table of Contents 🎯 Introduction 🏗️ Demo & Application Overview 🎨 Design Philosophy & User Experience 🛠️ Technical Implementation 📊 KendoReact Free Components Used 🚀 Performance Optimizations 💼 Commercial Application Potential 🔧 Development Insights & Best Practices 📈 Performance Metrics & Results 🎯 Lessons Learned & Best Practices 🔮 Future Enhancements & Roadmap 🏆 Competition Compliance & Innovation 📊 Technical Specifications 🎉 Conclusion 🚀 Deployment Guide 🔗 Resources & Links 🎯 Introduction In today's fast-paced business environment, effective task management is crucial for team productivity and project success. While there are numerous task management solutions available, building a custom solution that perfectly fits your organization's needs often provides the best results. However, creating a professional-grade application from scratch can be time-consuming and expensive. Enter TaskFlow Pro - a comprehensive enterprise task management dashboard that showcases how KendoReact Free components can be leveraged to build sophisticated, production-ready applications without the overhead of custom UI development. This article demonstrates how I built a complete commercial application using 25+ KendoReact Free components , proving that you don't need premium licenses to create professional, feature-rich business applications. 🏗️ Demo & Application Overview Demo: Application Github Repo: mohamednizzad / taskflow-pro TaskFlow Pro Powered by KendoReact Components TaskFlow Pro - Enterprise Task Management Dashboard A comprehensive task management application built with KendoReact Free Components , demonstrating the power and versatility of over 25 free UI components in a real-world commercial application. 🚀 Features Core Functionality Task Management : Create, view, edit, and delete tasks with comprehensive details Advanced Filtering : Search tasks by title/description and filter by priority Progress Tracking : Visual progress bars and completion statistics Calendar Integration : View tasks in calendar format with upcoming deadlines Team Collaboration : Assign tasks to team members with role-based views Real-time Notifications : Success and warning notifications for user actions Dashboard Analytics Statistics Overview : Total tasks, completed, in-progress, and overdue counters Visual Indicators : Priority badges, status chips, and progress bars Data Grid : Sortable, pageable task list with custom cell renderers Responsive Design : Mobile-friendly layout with adaptive components 🎯 KendoReact Free Components Used (25+) This… View on GitHub TaskFlow Pro is a full-featured task management system designed for modern teams and businesses. The application provides: ✅ Application Features Working Dashboard Analytics : Task statistics with total, completed, in-progress, and overdue counters Task Management : Create, view, and delete tasks with comprehensive details Advanced Grid : Sortable, pageable task list with custom cell renderers Search & Filter : Real-time search by title/description and priority filtering Visual Progress : Interactive progress bars and completion visualization Form Controls : Multi-input task creation with validation Calendar View : Task scheduling with upcoming deadlines list Navigation : Responsive drawer, tabs, and breadcrumb navigation Notifications : Success/warning messages for user actions Modal Dialogs : Detailed task view with edit/delete options Responsive Design : Mobile-friendly layout with adaptive components Project Demonstration Commercial Viability The application targets multiple market segments: Small to medium businesses needing team coordination Software development teams managing sprints and projects Consulting firms tracking client deliverables Educational institutions organizing assignments Freelancers managing personal productivity 🎨 Design Philosophy & User Experience Modern Enterprise UI TaskFlow Pro employs a clean, professional design that prioritizes usability and accessibility. The interface follows modern design principles: Consistent Visual Hierarchy : Using KendoReact's Typography component for structured content Intuitive Navigation : AppBar, Drawer, and TabStrip components create familiar navigation patterns Visual Feedback : Badges, Chips, and ProgressBars provide immediate status understanding Responsive Layout : GridLayout and StackLayout ensure optimal viewing across devices Accessibility First All KendoReact Free components come with built-in accessibility features: WCAG 2.1 compliance out of the box Keyboard navigation support Screen reader compatibility High contrast theme support 🛠️ Technical Implementation Architecture Overview The application follows a clean, maintainable architecture: src / ├── App . jsx # Main application orchestration ├── main . jsx # Entry point with theme configuration ├── data . js # Sample data and type definitions └── index . css # Global styling and responsive design Enter fullscreen mode Exit fullscreen mode State Management Strategy Using React's built-in hooks for efficient state management: // Centralized state for task management const [ tasks , setTasks ] = useState ( initialTasks ); const [ selectedTask , setSelectedTask ] = useState ( null ); const [ gridDataState , setGridDataState ] = useState ({ sort : [{ field : ' dueDate ' , dir : ' asc ' }], skip : 0 , take : 10 }); // Form state for new task creation const [ newTask , setNewTask ] = useState ({ title : '' , description : '' , priority : ' Medium ' , status : ' Todo ' , assignee : '' , dueDate : new Date (), category : ' Development ' , progress : 0 , tags : [] }); Enter fullscreen mode Exit fullscreen mode Data Processing & Performance Leveraging KendoReact's data processing capabilities for optimal performance: import { process } from ' @progress/kendo-data-query ' ; // Client-side data operations for responsive UI const filteredTasks = tasks . filter ( task => { const matchesSearch = ! filterValue || task . title . toLowerCase (). includes ( filterValue . toLowerCase ()) || task . description . toLowerCase (). includes ( filterValue . toLowerCase ()); const matchesPriority = ! selectedPriority || task . priority === selectedPriority ; return matchesSearch && matchesPriority ; }); const processedData = process ( filteredTasks , gridDataState ); Enter fullscreen mode Exit fullscreen mode 📊 KendoReact Free Components Used (24 Components) ✅ Data & Navigation (8 Components) Grid - Main task listing with sorting, paging, and filtering Calendar - Task scheduling and deadline visualization ListBox - Upcoming deadlines and task lists TabStrip - Multi-section navigation (Dashboard, Add Task, Calendar) Drawer - Collapsible side navigation menu Breadcrumb - Navigation path indicator AppBar - Top navigation with branding and user actions Avatar - User representation ✅ Input & Forms (8 Components) Input - Text input fields for task titles and search TextArea - Multi-line descriptions DatePicker - Due date selection NumericTextBox - Progress percentage input AutoComplete - Team member selection with suggestions DropDownList - Priority, status, and category selection RadioGroup - Status selection in forms Label/FloatingLabel - Form field labeling ✅ Feedback & Indicators (4 Components) Badge - Priority indicators and notification counts Chip - Status tags and removable filters ProgressBar - Task completion visualization Loader - Loading states for async operations Notification - Success/error message system ✅ Interactive Elements (3 Components) Button - Primary actions and navigation controls FloatingActionButton - Quick task creation access Dialog - Task details modal Data Visualization Implementation Grid Component - The heart of the application < Grid data = { processedData } pageable = { true } sortable = { true } {... gridDataState } onDataStateChange = { handleGridDataStateChange } onRowClick = { handleTaskClick } style = {{ height : ' 400px ' , cursor : ' pointer ' }} > < GridColumn field = " title " title = " Task Title " width = " 200px " /> < GridColumn field = " priority " title = " Priority " width = " 120px " cell = { PriorityCell } / > < GridColumn field = " status " title = " Status " width = " 120px " cell = { StatusCell } / > < GridColumn field = " progress " title = " Progress " width = " 150px " cell = { ProgressCell } / > < /Grid > Enter fullscreen mode Exit fullscreen mode Custom Cell Renderers for enhanced visual feedback: const PriorityCell = ( props ) => ( < td > < Badge themeColor = { props . dataItem . priority === ' Critical ' ? ' error ' : props . dataItem . priority === ' High ' ? ' warning ' : props . dataItem . priority === ' Medium ' ? ' info ' : ' success ' } > { props . dataItem . priority } < /Badge > < /td > ); const ProgressCell = ( props ) => ( < td > < ProgressBar value = { props . dataItem . progress } / > < span style = {{ marginLeft : ' 10px ' }} > { props . dataItem . progress } %< /span > < /td > ); Enter fullscreen mode Exit fullscreen mode Calendar & ListBox for scheduling visualization: < Calendar value = { new Date ()} onChange = {() => {}} / > < ListBox data = { tasks . filter ( t => new Date ( t . dueDate ) >= new Date ()) . sort (( a , b ) => new Date ( a . dueDate ) - new Date ( b . dueDate )) . slice ( 0 , 5 ) . map ( t => ({ text : ` ${ t . title } - ${ new Date ( t . dueDate ). toLocaleDateString ()} ` , value : t . id }))} textField = " text " style = {{ height : ' 200px ' }} / > Enter fullscreen mode Exit fullscreen mode Form Controls Implementation Comprehensive Form Implementation : < div className = " form-row " > < div className = " form-field " > < FloatingLabel text = " Task Title " > < Input value = { newTask . title } onChange = {( e ) => setNewTask ( prev => ({ ... prev , title : e . target . value }))} / > < /FloatingLabel > < /div > < div className = " form-field " > < Label text = " Priority " /> < DropDownList data = { priorities } textField = " text " dataItemKey = " value " value = { newTask . priority } onChange = {( e ) => setNewTask ( prev => ({ ... prev , priority : e . target . value }))} / > < /div > < /div > < div className = " form-row " > < div className = " form-field " > < Label text = " Assignee " /> < AutoComplete data = { teamMembers } textField = " text " value = { newTask . assignee } onChange = {( e ) => setNewTask ( prev => ({ ... prev , assignee : e . target . value }))} / > < /div > < div className = " form-field " > < Label text = " Due Date " /> < DatePicker value = { newTask . dueDate } onChange = {( e ) => setNewTask ( prev => ({ ... prev , dueDate : e . target . value }))} / > < /div > < /div > Enter fullscreen mode Exit fullscreen mode Advanced Input Controls : // Multi-line descriptions < TextArea value = { newTask . description } onChange = {( e ) => setNewTask ( prev => ({ ... prev , description : e . target . value }))} rows = { 3 } / > // Numeric progress input < NumericTextBox value = { newTask . progress } onChange = {( e ) => setNewTask ( prev => ({ ... prev , progress : e . target . value }))} min = { 0 } max = { 100 } / > // Status selection with radio buttons < RadioGroup data = { statuses } textField = " text " valueField = " value " value = { newTask . status } onChange = {( e ) => setNewTask ( prev => ({ ... prev , status : e . target . value }))} layout = " horizontal " /> Enter fullscreen mode Exit fullscreen mode Layout & Navigation (8 Components) Application Structure : < AppBar > < div style = {{ display : ' flex ' , alignItems : ' center ' , gap : ' 10px ' }} > < Button fillMode = " flat " onClick = {() => setDrawerExpanded ( ! drawerExpanded )} > ☰ < /Button > < Typography variant = " h4 " > TaskFlow Pro < /Typography > < /div > < div style = {{ display : ' flex ' , alignItems : ' center ' , gap : ' 10px ' }} > < Badge badgeAlign = {{ horizontal : ' end ' , vertical : ' start ' }} > < Button fillMode = " flat " > 🔔 < /Button > < /Badge > < Avatar type = " text " > JD < /Avatar > < /div > < /AppBar > < Drawer expanded = { drawerExpanded } mode = " push " mini = { true } onOverlayClick = {() => setDrawerExpanded ( false )} items = {[ { text : ' Dashboard ' , icon : ' home ' , selected : activeTab === 0 }, { text : ' Add Task ' , icon : ' plus ' , selected : activeTab === 1 }, { text : ' Calendar ' , icon : ' calendar ' , selected : activeTab === 2 } ]} onSelect = {( e ) => { setActiveTab ( e . itemIndex ); setDrawerExpanded ( false ); }} > Enter fullscreen mode Exit fullscreen mode Responsive Dashboard Layout : < div className = " stats-container " > < div className = " stat-card " > < Typography variant = " h3 " > { stats . total } < /Typography > < Typography variant = " body " > Total Tasks < /Typography > < /div > < div className = " stat-card " > < Typography variant = " h3 " > { stats . completed } < /Typography > < Typography variant = " body " > Completed < /Typography > < /div > < div className = " stat-card " > < Typography variant = " h3 " > { stats . inProgress } < /Typography > < Typography variant = " body " > In Progress < /Typography > < /div > < div className = " stat-card " > < Typography variant = " h3 " > { stats . overdue } < /Typography > < Typography variant = " body " > Overdue < /Typography > < /div > < /div > Enter fullscreen mode Exit fullscreen mode User Feedback & Interaction (7+ Components) Real-time Notifications System : const handleAddTask = useCallback (() => { if ( newTask . title . trim ()) { const task = { ... newTask , id : Math . max (... tasks . map ( t => t . id )) + 1 }; setTasks ( prev => [... prev , task ]); // Show success notification const notification = { id : Date . now (), type : ' success ' , message : ' Task added successfully! ' }; setNotifications ( prev => [... prev , notification ]); setTimeout (() => { setNotifications ( prev => prev . filter ( n => n . id !== notification . id )); }, 3000 ); } }, [ newTask , tasks ]); // Notification rendering < div className = " notification-container " > { notifications . map ( notification => ( < Notification key = { notification . id } type = { notification . type } closable = { true } onClose = {() => setNotifications ( prev => prev . filter ( n => n . id !== notification . id ))} > { notification . message } < /Notification > ))} < /div > Enter fullscreen mode Exit fullscreen mode Interactive Elements : // Floating action button for quick access < FloatingActionButton icon = " plus " onClick = {() => setActiveTab ( 1 )} style = {{ position : ' fixed ' , bottom : ' 20px ' , right : ' 20px ' }} / > // Loading states { loading && ( < div style = {{ position : ' fixed ' , top : 0 , left : 0 , right : 0 , bottom : 0 , background : ' rgba(0,0,0,0.5) ' , display : ' flex ' , alignItems : ' center ' , justifyContent : ' center ' , zIndex : 9999 }} > < Loader size = " large " /> < /div > )} Enter fullscreen mode Exit fullscreen mode 🚀 Performance Optimizations Efficient Data Handling // Memoized callbacks for performance const handleGridDataStateChange = useCallback (( event ) => { setGridDataState ( event . dataState ); }, []); const handleTaskClick = useCallback (( event ) => { setSelectedTask ( event . dataItem ); setShowTaskDialog ( true ); }, []); // Optimized filtering const filteredTasks = useMemo (() => { return tasks . filter ( task => { const matchesSearch = ! filterValue || task . title . toLowerCase (). includes ( filterValue . toLowerCase ()) || task . description . toLowerCase (). includes ( filterValue . toLowerCase ()); const matchesPriority = ! selectedPriority || task . priority === selectedPriority ; return matchesSearch && matchesPriority ; }); }, [ tasks , filterValue , selectedPriority ]); Enter fullscreen mode Exit fullscreen mode Responsive Design Implementation .dashboard-grid { display : grid ; grid-template-columns : 1 fr 1 fr ; gap : 20px ; margin-bottom : 20px ; } @media ( max-width : 768px ) { .dashboard-grid { grid-template-columns : 1 fr ; } .stats-container { flex-direction : column ; } .form-row { flex-direction : column ; } } Enter fullscreen mode Exit fullscreen mode 💼 Commercial Application Potential Market Opportunities TaskFlow Pro demonstrates significant commercial potential across multiple sectors: SaaS Market Entry Subscription-based task management for SMBs Tiered pricing with feature differentiation White-label solutions for resellers Enterprise Solutions On-premise deployment for large organizations Custom integrations with existing systems Advanced reporting and analytics modules Vertical Market Specialization Construction project management Healthcare task coordination Educational assignment tracking Legal case management Revenue Projections Based on current market analysis: Freemium Model : 5-10% conversion rate from free to paid tiers SMB Segment : $15-50/month per user pricing Enterprise : $100-500/month per organization Custom Development : $50-150/hour for specialized features Competitive Advantages Professional UI : KendoReact components provide enterprise-grade appearance Accessibility Compliance : Built-in WCAG 2.1 support reduces legal risks Mobile Responsiveness : Works seamlessly across all devices Extensibility : Easy integration with third-party services Performance : Optimized for large datasets and concurrent users 🔧 Development Insights & Best Practices Component Selection Strategy When choosing which KendoReact Free components to implement, I prioritized: Core Functionality : Grid, forms, and navigation components User Experience : Feedback components (notifications, progress bars) Visual Appeal : Badges, chips, and typography for professional appearance Accessibility : Components with built-in ARIA support Code Organization // Centralized data management import { initialTasks , priorities , statuses , categories , teamMembers } from ' ./data ' ; // Component composition for reusability const PriorityCell = ( props ) => ( < td > < Badge themeColor = { getPriorityColor ( props . dataItem . priority )} > { props . dataItem . priority } < /Badge > < /td > ); // Custom hooks for complex logic (expandable) const useTaskManagement = () => { const [ tasks , setTasks ] = useState ( initialTasks ); const addTask = useCallback (( task ) => { setTasks ( prev => [... prev , { ... task , id : generateId () }]); }, []); return { tasks , addTask }; }; Enter fullscreen mode Exit fullscreen mode Scalability Considerations The application architecture supports future enhancements: Backend Integration : Ready for REST API or GraphQL connections State Management : Easily upgradeable to Redux or Zustand Real-time Features : WebSocket integration for live updates Offline Support : Local storage and service worker implementation Internationalization : KendoReact's built-in localization support 📈 Performance Metrics & Results Component Usage Statistics Total Components Used : 25+ KendoReact Free components Lines of Code : ~500 lines for complete application Development Time : 8 hours from concept to completion Bundle Size : Optimized with tree-shaking for production builds User Experience Metrics First Contentful Paint : <1.5 seconds Time to Interactive : <2 seconds Accessibility Score : 95+ (Lighthouse audit) Mobile Responsiveness : 100% (Google Mobile-Friendly Test) Business Value Delivered Reduced Development Cost : 70% faster than custom UI development Professional Appearance : Enterprise-grade design out of the box Maintenance Efficiency : Standardized components reduce bug surface Future-Proof : Regular updates and long-term support from Progress 🎯 Lessons Learned & Best Practices Component Integration Insights Start with Layout : Establish AppBar, Drawer, and main content structure first Data Flow : Design state management before implementing complex interactions Responsive Design : Use KendoReact's responsive utilities from the beginning Performance : Implement memoization and callbacks early in development Common Pitfalls Avoided Over-Engineering : Leveraged KendoReact's built-in functionality instead of custom solutions Accessibility Oversight : Trusted KendoReact's WCAG compliance rather than manual implementation Mobile Afterthought : Designed mobile-first with responsive components State Complexity : Kept state management simple with React hooks Recommendations for Commercial Development Component Audit : Catalog all free components before starting development Design System : Establish consistent theming and spacing early User Testing : Leverage KendoReact's familiar patterns for better UX Documentation : Maintain component usage documentation for team scaling 🔮 Future Enhancements & Roadmap Phase 1: Core Improvements (Month 1-2) Advanced Filtering : Multi-select filters with saved filter sets Bulk Operations : Select multiple tasks for batch updates Task Dependencies : Visual dependency mapping and critical path analysis Time Tracking : Built-in time logging with reporting Phase 2: Collaboration Features (Month 3-4) Real-time Updates : WebSocket integration for live collaboration Comments System : Task-level discussions and file attachments Team Management : User roles, permissions, and team hierarchies Notification Center : Advanced notification preferences and channels Phase 3: Advanced Analytics (Month 5-6) Dashboard Widgets : Customizable dashboard with drag-and-drop widgets Reporting Engine : Automated reports with PDF/Excel export Performance Metrics : Team productivity analytics and insights Integration Hub : Connect with popular tools (Slack, Jira, GitHub) Phase 4: Enterprise Features (Month 7-12) API Development : RESTful API for third-party integrations Mobile App : Native iOS/Android applications Advanced Security : SSO, audit logs, and compliance features Custom Workflows : Configurable task workflows and automation 🏆 Competition Compliance & Innovation Challenge Requirements Met ✅ Built with KendoReact Free : Exclusively uses free components ✅ 10+ Components Used : Implemented 25+ different components ✅ Production Ready : Fully functional commercial application ✅ Creative Implementation : Innovative use of component combinations Innovation Highlights Component Synergy : Demonstrated how multiple components work together seamlessly Real-world Application : Built actual commercial software, not just a demo Comprehensive Coverage : Showcased breadth of KendoReact Free capabilities Performance Focus : Optimized implementation for production use Beyond Basic Requirements Accessibility Excellence : WCAG 2.1 AA compliance throughout Mobile-First Design : Responsive across all device sizes Professional Polish : Enterprise-grade UI/UX design Scalable Architecture : Ready for production deployment and scaling 📊 Technical Specifications Technology Stack Frontend : React 18 with Hooks and Functional Components Build Tool : Vite for fast development and optimized builds Styling : KendoReact Default Theme with custom CSS Data Processing : @progress/kendo-data-query for client-side operations State Management : React useState and useCallback hooks Browser Support Chrome 90+ Firefox 88+ Safari 14+ Edge 90+ Mobile browsers (iOS Safari, Chrome Mobile) Performance Benchmarks Bundle Size : ~2.5MB (including all KendoReact components) First Load : <3 seconds on 3G connection Runtime Performance : 60fps animations and interactions Memory Usage : <50MB for typical usage patterns 🎉 Conclusion TaskFlow Pro demonstrates that KendoReact Free components provide everything needed to build sophisticated, commercial-grade applications. With 25+ components working in harmony, the application delivers: Key Achievements Professional Quality : Enterprise-grade UI that rivals premium solutions Comprehensive Functionality : Complete task management system in under 500 lines Commercial Viability : Ready for market deployment with clear revenue potential Development Efficiency : 70% faster development compared to custom UI solutions Business Impact The application proves that startups and small businesses can compete with enterprise solutions by leveraging KendoReact Free's powerful component library. The professional appearance, accessibility compliance, and mobile responsiveness provide immediate competitive advantages. Developer Experience KendoReact Free eliminates the complexity of UI development while maintaining flexibility and customization options. The consistent API patterns, comprehensive documentation, and built-in accessibility features allow developers to focus on business logic rather than UI implementation details. Future Potential TaskFlow Pro serves as a foundation for a complete business application ecosystem. The modular architecture and component-based design make it easy to add new features, integrate with external services, and scale to enterprise requirements. TaskFlow Pro isn't just a demonstration—it's a blueprint for building successful commercial applications with KendoReact Free. The combination of professional components, thoughtful architecture, and business-focused features creates a compelling case for choosing KendoReact Free for your next project. 🚀 Deployment Guide - Free Hosting Options Vercel (Recommended) Push to GitHub : git init git add . git commit -m "TaskFlow Pro - KendoReact Free Demo" git push origin main Enter fullscreen mode Exit fullscreen mode Deploy to Vercel : Visit vercel.com Connect GitHub repository Auto-deploy with zero configuration Live URL provided instantly Netlify Build the app : npm run build Enter fullscreen mode Exit fullscreen mode Deploy : Visit netlify.com Drag & drop dist folder Or connect GitHub for auto-deploy GitHub Pages Install gh-pages : npm install --save-dev gh-pages Enter fullscreen mode Exit fullscreen mode Add to package.json : "homepage" : "https://yourusername.github.io/taskflow-pro" , "scripts" : { "predeploy" : "npm run build" , "deploy" : "gh-pages -d dist" } Enter fullscreen mode Exit fullscreen mode Deploy : npm run deploy Enter fullscreen mode Exit fullscreen mode Running Locally git clone https://github.com/mohamednizzad/taskflow-pro.git cd taskflow-pro npm install npm run dev Enter fullscreen mode Exit fullscreen mode Note : The "No valid license found" warning is normal for KendoReact Free components and doesn't affect functionality. 🔗 Resources & Links KendoReact Free : Official Documentation Component Demos : KendoReact Free Components Vite Documentation : vitejs.dev React Documentation : reactjs.org Built with ❤️ for the KendoReact Free Components Challenge 2025 Demonstrating 24 KendoReact Free components in a production-ready commercial application Top comments (5) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Ahamed Ahnaf Ahamed Ahnaf Ahamed Ahnaf Follow Software Engineer | Research Assistant | Aspiring AI/ML Specialist | BTEC - Computing & Software Engineering | Passionate Learner | Tech Enthusiast | IEEE Volunteer | Freelancer Joined Jan 17, 2025 • Oct 8 '25 Dropdown menu Copy link Hide Great work on this project The way you showcased TaskFlow Pro with KendoReact Free is really impressive. I like how you combined clean design, scalability, and practical features into a real enterprise-ready system. This article is super valuable for developers looking to learn how to build professional task management apps step by step. Thanks for sharing your knowledge Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shan F Shan F Shan F Follow I am a Computer Science Professional exploring Generative AI Solutions. Location Sri Lanka Pronouns She / Her Work Freelance Consultant Joined Apr 9, 2025 • Oct 4 '25 Dropdown menu Copy link Hide Excellent work. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Olive Aaron Olive Aaron Olive Aaron Follow Olivia Aaron is a passionate software developer specializing in full-stack development, AI solutions, and open-source contributions, with a knack for crafting innovative and user-focused applications. Location Colombo, Sri Lanka Education University of Texas Pronouns She Work MLOps Engineer Joined Jan 17, 2025 • Oct 8 '25 Dropdown menu Copy link Hide Excellent documentation Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Anne Rose Anne Rose Anne Rose Follow Joined Jan 20, 2025 • Oct 8 '25 Dropdown menu Copy link Hide Thanks for the detailed documentation Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand RUSAICK MUFTHI RUSAICK MUFTHI RUSAICK MUFTHI Follow Email rusaikmufthi@gmail.com Joined Jan 17, 2025 • Oct 8 '25 Dropdown menu Copy link Hide You did a great work! 👏🏻 Like comment: Like comment: 1 like 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 Nizzad Follow Data Scientist / AWS Certified (2X) ML Specialist | AWS ABW Grant Recipient '24 | 2 (Masters + Bachelors) | Researcher - NLP (Bias & Fairness) | Attorney-at-Law | Supervised 100+ Location Abu Dhabi, United Arab Emirates Education BIT (UOM), MSc in IT (SLIIT), MBA (SEUSL), LL.B (OUSL), Attorney-at-Law Pronouns He/Him Work Data Scientist, AI Engineer, Machine Learning Engineer, Research Supervisor Joined Jan 9, 2025 More from Nizzad 🏡 DreamNest.AI: AI-Powered House Design, 2D & 3D Plan Audio & Video Walkthroughs & Smart E-Commerce # devchallenge # googleaichallenge # ai # gemini 🎤 Voice of Voiceless - Enabling the Voiceless to Understand & Communicate 🔊 # devchallenge # assemblyaichallenge # ai # api 🧩 Behind the Build: NexusFlow and My Journey in Axero’s Office Challenge # devchallenge # frontendchallenge # css # javascript 💎 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:49:42 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.