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
http://moinmo.in/GPL
GPL - MoinMoin Search: Login MoinMoin : GPL RecentChanges FindPage HelpContents GPL Immutable Page Comments Info Attachments More Actions: Raw Text Print View Render as Docbook Delete Cache ------------------------ Check Spelling Like Pages Local Site Map ------------------------ Rename Page Delete Page ------------------------ Subscribe User ------------------------ Remove Spam Revert to this revision Package Pages Sync Pages ------------------------ Load Save SlideShow The GNU General Public License, version 2 (short: GNU GPLv2 or simply GPLv2) is a very popular Free Software License originally written by Richard Stallman for the GNU project and now kept and developed by the Free Software Foundation . Free in the context of this license means the freedom of the user of the software. Basically, the license gives everyone the right to do anything with the software provided they abide by certain (limited) restrictions: code licensed under GPL cannot be distributed in closed source programs. The MoinMoin code is licensed under the GPLv2 or (at the user's option) any later version (except some 3rd party modules we use that are licensed under other Free Software licenses compatible with the GPL). Consequences of this are, for example: Changes released by the community will be open source Encouragement and beneficiary of global collaboration. MoinMoin: GPL (last edited 2011-05-12 10:19:04 by ThomasWaldmann ) Immutable Page Comments Info Attachments More Actions: Raw Text Print View Render as Docbook Delete Cache ------------------------ Check Spelling Like Pages Local Site Map ------------------------ Rename Page Delete Page ------------------------ Subscribe User ------------------------ Remove Spam Revert to this revision Package Pages Sync Pages ------------------------ Load Save SlideShow MoinMoin Powered Python Powered GPL licensed Valid HTML 4.01
2026-01-13T08:49:16
https://dev.to/joe-re/i-built-a-desktop-app-to-supercharge-my-tmux-claude-code-workflow-521m#main-content
I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow - 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 joe-re Posted on Jan 12           I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow # claudecode # tauri # productivity # tmux Background Until recently, I was primarily using Cursor for AI-assisted coding. The editor-centric AI integration worked really well with my development style—it made the feedback loop smooth when AI-generated code didn't match my intentions, whether I needed to manually fix it or provide additional instructions. But everything changed when Opus 4.5 was released in late November last year. Opus 4.5 delivers outputs that match my expectations far better than any previous model. Claude Code's CUI-first design also feels natural to my workflow. Now, Claude Code has become the center of my development process. I've locked in Opus 4.5 as my daily driver. I typically run multiple Claude Code sessions simultaneously—across different projects or multiple branches using git worktree. Managing notifications and checking outputs across these sessions is critical. I was using OS notifications to check in whenever changes happened, but I kept missing them. I wanted something better. So I built an app to streamline my workflow. What I Built eyes-on-claude-code It's a cross-platform desktop application built with Tauri . I've only tested it on macOS (my daily environment), but the codebase is designed to support Linux as well. My Environment & Workflow This app is primarily designed to optimize my own workflow, so the features reflect my environment and habits. I develop using Ghostty + tmux . My typical workflow looks like this: Draft ideas and design in Markdown Give instructions to Claude Code (using Plan mode for larger tasks) Review the diff of generated code, then provide additional instructions or continue Features Multi-Session Monitoring Dashboard The dashboard monitors Claude Code sessions by receiving events through hooks configured in the global settings.json . Since I keep this running during development, I designed it with a minimal, non-intrusive UI. Always-on-top mode (optional) ensures the window doesn't get buried under other apps—so you never miss a notification. Transparency settings let you configure opacity separately for active and inactive states. When inactive, you can make it nearly invisible so it doesn't get in the way. It's there in the top-right corner, barely visible. Status Display & Sound Notifications Sessions are displayed with one of four states: State Meaning Display Active Claude is working 🟢 WaitingPermission Waiting for permission approval 🔐 WaitingInput Waiting for user input (idle) ⏳ Completed Response complete ✅ Sound effects play on state changes (can be toggled off): Waiting (Permission/Input) : Alert tone (two low beeps) Completed : Completion chime (ascending two-note sound) I'm planning to add volume control and custom commands in the future—like using say to speak or playing music on completion 🎵 Git-Based Diff Viewer I usually review AI-generated changes using difit . I wanted to integrate that same flow into this app, so you can launch difit directly on changed files. Huge thanks to the difit team for building such a great tool! tmux Integration When developing, I use tmux panes and tabs to manage multiple windows. My typical setup is Claude Code on the left half, and server/commands on the right. When working across multiple projects or branches via git worktree, it's frustrating to hunt for which tmux tab has Claude Code running. So I added a tmux mirror view that lets you quickly check results and give simple instructions without switching tabs. How It Works The app uses Claude Code hooks to determine session status based on which hooks fire. Event Flow I didn't want to introduce complexity with an intermediate server for inter-process communication. So I went with a simple approach: hooks write to log files, and the app watches those files. Hooks write logs to a temporary directory ( .local/eocc/logs ), which the app monitors. Since Claude Code runs in a terminal, hooks can access terminal environment paths. This lets me grab tmux and npx paths from within hooks and pass them to the app. Mapping Hooks to Status Claude Code provides these hook events: https://code.claude.com/docs/hooks-guide Here's how I map them to session states: Event Usage Session State session_start (startup/resume) Start a session Active session_end End a session Remove session notification (permission_prompt) Waiting for approval WaitingPermission notification (idle_prompt) Waiting for input WaitingInput stop Response completed Completed post_tool_use After tool execution Active user_prompt_submit Prompt submitted Active Conclusion I've only been using Claude Code as my primary tool for about two months, and I expect my workflow will keep evolving. Thanks to AI, I can quickly build and adapt tools like this—which is exactly what makes this era so exciting. If your workflow is similar to mine, give it a try! I'd love to hear your feedback. GitHub : https://github.com/joe-re/eyes-on-claude-code 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 joe-re Follow Software Engineer in Japan Work PeopleX Inc. Joined Jan 2, 2018 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev 💎 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:16
https://dev.to/gonzxph
Jefferson Gonzales - 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 Jefferson Gonzales Bug Bounty Hunter | Security Researcher Joined Joined on  Oct 13, 2021 twitter website More info about @gonzxph Badges Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close 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 Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close Organizations Security Research Post 1 post published Comment 1 comment written Tag 13 tags followed Pin Pinned Hello World! Jefferson Gonzales Jefferson Gonzales Jefferson Gonzales Follow Oct 19 '21 Hello World! 4  reactions Comments 1  comment 1 min read Want to connect with Jefferson Gonzales? Create an account to connect with Jefferson Gonzales. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://us.pycon.org/2018/about/code-of-conduct/
Code of Conduct | PyCon 2018 in Cleveland, Ohio Menu About PyCon What is PyCon? Code of Conduct Diversity Staff Information Site Map PSF Python Software Foundation Schedule Keynote Speakers Tutorial Schedule (Wed–Thu) Sponsor Workshops (Thu) Education Summit (Thursday) Talk Schedule (Fri–Sun) Posters (Sunday morning) List of Talks List of Sponsor Workshops List of Tutorials List of Education Summit Talks Events Opening reception Evening Dinners Education Summit Startup Row Job Fair Open Spaces PyCon Fun Run/Walk PyLadies Auction Development Sprints Python Language Summit Young Coders PyLadies Lunch PyCon Charlas Lightning Talks Speed Networking Newcomer Orientation Sponsors Our Sponsors Why sponsor PyCon? Prospectus Application Form Estimated Sponsor Fees Exhibit Hall Sponsor FAQ Sponsor Information Venue Traveling to Cleveland Venue and Hotels Weather Accessibility Childcare Local Recommendations Cleveland Events During PyCon Onsite Information Public Transit Registration Registration Information Register Childcare Financial Assistance Room Sharing Volunteer! Volunteering on-site Code of Conduct PyCon US is a community conference intended for networking and collaboration in the developer community. We value the participation of each member of the Python community and want all attendees to have an enjoyable and fulfilling experience. Accordingly, all attendees are expected to show respect and courtesy to other attendees throughout the conference and at all conference events, whether officially sponsored by the Python Software Foundation or not. To make clear what is expected, all staff, attendees, speakers, exhibitors, organizers, and volunteers at any PyCon event are required to conform to the following Code of Conduct. Organizers will enforce this code throughout the event. ## Our Standards PyCon is dedicated to providing a positive conference experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Examples of behavior that contributes to creating a positive environment include: - Being kind to others - Behaving professionally - Using welcoming and inclusive language - Being respectful of differing viewpoints and experiences - Gracefully accepting constructive criticism - Focusing on what is best for the community - Showing empathy towards other community members Examples of unacceptable behavior by participants include: - Harassment of conference participants in any form - Deliberate intimidation, stalking, or following - Violent threats or language directed against another person - Sexual language and imagery in any conference venue, including talks - Insults or put downs - Sexist, racist, homophobic, transphobic, ableist, or exclusionary jokes - Excessive swearing - Unwelcome sexual attention or advances - Unwelcome physical contact - Sustained disruption of talks or other events - Other conduct that is inappropriate for a professional audience including people of many different backgrounds Participants asked to stop any inappropriate behavior are expected to comply immediately. If a participant engages in behavior that violates this code of conduct, the conference organizers may take any action they deem appropriate, including warning the offender or expulsion from the conference with no refund. Thank you for helping make this a welcoming, friendly event for all. ### Weapons Policy No weapons are allowed at conference venues, including but not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Attendees are further expected to comply with all state and local laws on this matter. ##Scope All PyCon US attendees are subject to the Code of Conduct. This includes PyCon US staff and volunteers, as well as attendees of the tutorials, workshops, summits, poster sessions, receptions, conference, sprints, and sponsored or unofficial events. Exhibitors in the expo hall, sponsor or vendor booths, or similar activities are also subject to the Code of Conduct. In particular, exhibitors should not use sexualized images, activities, or other material. Booth staff (including volunteers) should not use sexualized clothing/uniforms/costumes, or otherwise create a sexualized environment. ## Contact Information If you believe that someone is violating the code of conduct during a PyCon event, or have any other concerns, please contact a member of the event staff immediately. - **PyCon Incident Report Address** - <pycon-us-report@python.org> In case of a conflict of interest, you can individually contact: * Ewa Jodlowska * Python Software Foundation - Director of Operations * <ewa@python.org> * Ernest W. Durbin III * PyCon US - Conference Chair * <ernest@python.org> Conference staff will be happy to help participants contact hotel/venue security or local law enforcement, provide escorts, or otherwise assist any attendee to feel safe for the duration of the conference. We value your attendance. ## Procedure for Handling Incidents - [Attendee Procedure for incident handling](/2018/about/code-of-conduct/attendee-procedure/) - [Staff Procedure for incident handling](/2018/about/code-of-conduct/staff-procedure/) ## License This Code of Conduct was forked from the example policy from the [Geek Feminism wiki, created by the Ada Initiative and other volunteers](http://geekfeminism.wikia.com/wiki/Conference_anti-harassment/Policy), which is under a Creative Commons Zero license. Additional language was added by [Otter Tech](https://otter.technology/) from: - [Contributor Covenant version 1.4](https://www.contributor-covenant.org/version/1/4/code-of-conduct) (licensed [CC BY 4.0](https://github.com/ContributorCovenant/contributor_covenant/blob/master/LICENSE.md)) - [Django Project Code of Conduct](https://www.djangoproject.com/conduct/) (licensed [CC BY 3.0](http://creativecommons.org/licenses/by-sa/3.0/)) - [Rust Code of Conduct](https://www.rust-lang.org/en-US/conduct.html) - [Citizen Code of Conduct](http://citizencodeofconduct.org/) (licensed [CC BY SA 3.0](http://creativecommons.org/licenses/by-sa/3.0/)) - [Affect Conf Code of Conduct](https://affectconf.com/coc/) (licensed [CC BY 3.0](http://creativecommons.org/licenses/by-sa/3.0/)). [![Creative Commons License](http://i.creativecommons.org/l/by/3.0/88x31.png)](http://creativecommons.org/licenses/by/3.0/) The PyCon Code of Conduct is licensed under a [Creative Commons Attribution 3.0 Unported License](http://creativecommons.org/licenses/by/3.0/). [Revision 2f4d980](https://github.com/python/pycon-code-of-conduct/tree/2f4d980c8df6f1473d814c0af66f0243b842059f) of the PyCon Code of Conduct The PyCon 2018 conference in Cleveland, Ohio, USA, is a production of the Python Software Foundation . This site is built using Django and Symposion . Hosting is provided by Rackspace US, Inc . Logo and Branding by . Front-end development assistance by .
2026-01-13T08:49:16
https://www.python.org/psf/conduct/#weapons-policy
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://dev.to/mohammadidrees/applying-first-principles-questioning-to-a-real-company-interview-question-2c0j#3-failure
Applying First-Principles Questioning to a Real Company Interview Question - 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 Mohammad-Idrees Posted on Jan 13 Applying First-Principles Questioning to a Real Company Interview Question # career # interview # systemdesign Case Study: Designing a Chat System (Meta / WhatsApp–Style) This section answers a common follow-up interview request: “Okay, now apply this thinking to a real problem.” We will do exactly that — without jumping to tools or architectures first . The goal is not to “design WhatsApp,” but to demonstrate how interviewers expect you to think . The Interview Question (Realistic & Common) “Design a chat system like WhatsApp.” This is a real company interview question asked (in variants) at: Meta Uber Amazon Stripe Most candidates fail this question not because it’s hard, but because they start in the wrong place . What Most Candidates Do (Wrong Start) Typical opening: “We’ll use WebSockets” “We’ll use Kafka” “We’ll shard by user ID” This skips reasoning. A strong candidate pauses and applies the checklist. Applying the First-Principles Checklist Live We will apply the same five questions , in order, and show what problems naturally surface. 1. State “Where does state live? When is it durable?” Ask This Out Loud in the Interview What information must the chat system remember for it to function correctly? Identify Required State (No Design Yet) Users Conversations Messages Message delivery status Now ask: Which of this state must never be lost? Answer: Messages (core product) Conversation membership First-Principles Conclusion Messages must be persisted In-memory-only solutions are insufficient What the Interviewer Sees You identified correctness-critical state before touching architecture. 2. Time “How long does each step take?” Now we introduce time. Break the Chat Flow User sends message Message is stored Message is delivered to recipient(s) Ask: Which of these must be fast? Sending a message → must feel instant Delivery → may be delayed (offline users) Critical Question Does the sender wait for delivery confirmation? If yes: Latency depends on recipient availability If no: Sending and delivery are time-decoupled First-Principles Conclusion Message acceptance must be fast Delivery can happen later This naturally introduces asynchrony , without naming any tools. 3. Failure “What breaks independently?” Now assume failures — explicitly. Ask What happens if the system crashes after accepting a message but before delivery? Possible states: Message stored Recipient not notified yet Now ask: Can delivery be retried safely? This surfaces a key invariant: A message must not be delivered zero times or multiple times incorrectly. Failure Scenarios Discovered Duplicate delivery Message loss Inconsistent delivery status First-Principles Conclusion Message delivery must be idempotent Storage and delivery failures must be decoupled The interviewer now sees you understand distributed failure , not just happy paths. 4. Order “What defines correct sequence?” Now introduce multiple messages . Ask Does message order matter in a conversation? Answer: Yes — chat messages must appear in order Now ask the dangerous question: Does arrival order equal delivery order? In distributed systems: No guarantee Messages can: Be processed by different servers Experience different delays First-Principles Conclusion Ordering is part of correctness It must be explicitly modeled (e.g., sequence per conversation) This is a senior-level insight , derived from questioning alone. 5. Scale “What grows fastest under load?” Now — and only now — do we talk about scale. Ask As usage grows, what increases fastest? Likely answers: Number of messages Concurrent active connections Offline message backlog Now ask: What happens during spikes (e.g., group chats, viral events)? You discover: Hot conversations Uneven load Memory pressure from live connections First-Principles Conclusion The system must scale on messages , not users Load is not uniform What We Have Discovered (Before Any Design) Without choosing any tools, we now know: Messages must be durable Sending and delivery must be decoupled Failures must not cause duplicates or loss Ordering is a correctness requirement Message volume, not user count, dominates scale This is exactly what interviewers want to hear before you propose architecture. What Comes Next (And Why It’s Easy Now) Only after this reasoning does it make sense to talk about: Persistent storage Async delivery Streaming connections Partitioning strategies At this point, architecture choices are obvious , not arbitrary. Why This Approach Scores High in Interviews Interviewers are evaluating: How you reason under ambiguity Whether you surface hidden constraints Whether you understand failure modes They are not testing whether you know WhatsApp’s internals. This method shows: Structured thinking Calm problem decomposition Senior-level judgment Common Candidate Mistakes (Seen in This Question) Jumping to WebSockets without discussing durability Ignoring offline users Assuming message order “just works” Treating retries as harmless Talking about scale before correctness Every one of these mistakes is prevented by the checklist. Final Reinforcement: The Checklist (Again) Use this verbatim in interviews: Where does state live? When is it durable? Which steps are fast vs slow? What can fail independently? What defines correct order? What grows fastest under load? Final Mental Model Strong candidates design systems. Exceptional candidates design reasoning . 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 Mohammad-Idrees Follow Joined Mar 16, 2023 More from Mohammad-Idrees Contrast sync vs async failure classes using first principles # architecture # computerscience # systemdesign How to Question Any System Design Problem (With Live Interview Walkthrough) # architecture # career # interview # systemdesign Thinking in First Principles: How to Question an Async Queue–Based Design # architecture # interview # learning # systemdesign 💎 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:16
https://www.python.org/psf/conduct/#transparency-reports
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://www.python.org/psf/conduct/#procedure-for-handling-incidents
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://dev.to/ivanjurina/i-built-a-free-url-shortener-with-qr-codes-and-click-tracking-looking-for-feedback-201b#comments
I built a free URL shortener with QR codes and click tracking — looking for feedback - 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 Ivan Jurina Posted on Jan 12 I built a free URL shortener with QR codes and click tracking — looking for feedback # tooling # showdev # webdev # discuss Hey everyone, I'm a developer who got tired of the bloated dashboards and paywalls on most link shorteners, so I built my own. mnml.ink — does what it says: Shorten URLs Generate QR codes Track clicks & basic stats No sign-up required for basic use It's fast, free, and I tried to keep it as simple as possible. Would love honest feedback — what features would make this actually useful for your workflow? Anything obviously missing? https://mnml.ink/ 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 Ivan Jurina Follow Skateboarding and programming enthusiast Education Mendel University Work Developer Joined Apr 19, 2022 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev The FAANG is dead💀 # webdev # programming # career # faang 💎 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:16
https://dev.to/mohammadidrees/applying-first-principles-questioning-to-a-real-company-interview-question-2c0j#firstprinciples-conclusion
Applying First-Principles Questioning to a Real Company Interview Question - 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 Mohammad-Idrees Posted on Jan 13 Applying First-Principles Questioning to a Real Company Interview Question # career # interview # systemdesign Case Study: Designing a Chat System (Meta / WhatsApp–Style) This section answers a common follow-up interview request: “Okay, now apply this thinking to a real problem.” We will do exactly that — without jumping to tools or architectures first . The goal is not to “design WhatsApp,” but to demonstrate how interviewers expect you to think . The Interview Question (Realistic & Common) “Design a chat system like WhatsApp.” This is a real company interview question asked (in variants) at: Meta Uber Amazon Stripe Most candidates fail this question not because it’s hard, but because they start in the wrong place . What Most Candidates Do (Wrong Start) Typical opening: “We’ll use WebSockets” “We’ll use Kafka” “We’ll shard by user ID” This skips reasoning. A strong candidate pauses and applies the checklist. Applying the First-Principles Checklist Live We will apply the same five questions , in order, and show what problems naturally surface. 1. State “Where does state live? When is it durable?” Ask This Out Loud in the Interview What information must the chat system remember for it to function correctly? Identify Required State (No Design Yet) Users Conversations Messages Message delivery status Now ask: Which of this state must never be lost? Answer: Messages (core product) Conversation membership First-Principles Conclusion Messages must be persisted In-memory-only solutions are insufficient What the Interviewer Sees You identified correctness-critical state before touching architecture. 2. Time “How long does each step take?” Now we introduce time. Break the Chat Flow User sends message Message is stored Message is delivered to recipient(s) Ask: Which of these must be fast? Sending a message → must feel instant Delivery → may be delayed (offline users) Critical Question Does the sender wait for delivery confirmation? If yes: Latency depends on recipient availability If no: Sending and delivery are time-decoupled First-Principles Conclusion Message acceptance must be fast Delivery can happen later This naturally introduces asynchrony , without naming any tools. 3. Failure “What breaks independently?” Now assume failures — explicitly. Ask What happens if the system crashes after accepting a message but before delivery? Possible states: Message stored Recipient not notified yet Now ask: Can delivery be retried safely? This surfaces a key invariant: A message must not be delivered zero times or multiple times incorrectly. Failure Scenarios Discovered Duplicate delivery Message loss Inconsistent delivery status First-Principles Conclusion Message delivery must be idempotent Storage and delivery failures must be decoupled The interviewer now sees you understand distributed failure , not just happy paths. 4. Order “What defines correct sequence?” Now introduce multiple messages . Ask Does message order matter in a conversation? Answer: Yes — chat messages must appear in order Now ask the dangerous question: Does arrival order equal delivery order? In distributed systems: No guarantee Messages can: Be processed by different servers Experience different delays First-Principles Conclusion Ordering is part of correctness It must be explicitly modeled (e.g., sequence per conversation) This is a senior-level insight , derived from questioning alone. 5. Scale “What grows fastest under load?” Now — and only now — do we talk about scale. Ask As usage grows, what increases fastest? Likely answers: Number of messages Concurrent active connections Offline message backlog Now ask: What happens during spikes (e.g., group chats, viral events)? You discover: Hot conversations Uneven load Memory pressure from live connections First-Principles Conclusion The system must scale on messages , not users Load is not uniform What We Have Discovered (Before Any Design) Without choosing any tools, we now know: Messages must be durable Sending and delivery must be decoupled Failures must not cause duplicates or loss Ordering is a correctness requirement Message volume, not user count, dominates scale This is exactly what interviewers want to hear before you propose architecture. What Comes Next (And Why It’s Easy Now) Only after this reasoning does it make sense to talk about: Persistent storage Async delivery Streaming connections Partitioning strategies At this point, architecture choices are obvious , not arbitrary. Why This Approach Scores High in Interviews Interviewers are evaluating: How you reason under ambiguity Whether you surface hidden constraints Whether you understand failure modes They are not testing whether you know WhatsApp’s internals. This method shows: Structured thinking Calm problem decomposition Senior-level judgment Common Candidate Mistakes (Seen in This Question) Jumping to WebSockets without discussing durability Ignoring offline users Assuming message order “just works” Treating retries as harmless Talking about scale before correctness Every one of these mistakes is prevented by the checklist. Final Reinforcement: The Checklist (Again) Use this verbatim in interviews: Where does state live? When is it durable? Which steps are fast vs slow? What can fail independently? What defines correct order? What grows fastest under load? Final Mental Model Strong candidates design systems. Exceptional candidates design reasoning . 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 Mohammad-Idrees Follow Joined Mar 16, 2023 More from Mohammad-Idrees Contrast sync vs async failure classes using first principles # architecture # computerscience # systemdesign How to Question Any System Design Problem (With Live Interview Walkthrough) # architecture # career # interview # systemdesign Thinking in First Principles: How to Question an Async Queue–Based Design # architecture # interview # learning # systemdesign 💎 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:16
https://www.python.org/psf/conduct/#attributions
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://forem.com/t/arduino/page/9
Arduino Page 9 - 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 # arduino Follow Hide Create Post Older #arduino 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 Bluetooth Controlled Robot Rohith ND Rohith ND Rohith ND Follow Aug 7 '22 Bluetooth Controlled Robot # beginners # programming # tutorial # arduino 11  reactions Comments Add Comment 2 min read Black Line Follower with Arduino Rohith ND Rohith ND Rohith ND Follow Jul 30 '22 Black Line Follower with Arduino # beginners # programming # arduino # opensource 15  reactions Comments Add Comment 2 min read Analog Input using Arduino Rohith ND Rohith ND Rohith ND Follow Jul 20 '22 Analog Input using Arduino # discuss # arduino # beginners # tutorial 6  reactions Comments Add Comment 1 min read How 3D printer works Arno Solo Arno Solo Arno Solo Follow Jul 17 '22 How 3D printer works # cpp # arduino 4  reactions Comments Add Comment 6 min read How to use Luos with Arduino? Step 1 - Setup the IDE Nicolas Lorenzi Nicolas Lorenzi Nicolas Lorenzi Follow for Luos Jun 17 '22 How to use Luos with Arduino? Step 1 - Setup the IDE # arduino # opensource # microservices # luos 6  reactions Comments Add Comment 1 min read Advanced voice controlled robot Rohith ND Rohith ND Rohith ND Follow Jul 16 '22 Advanced voice controlled robot # beginners # arduino # tutorial 5  reactions Comments Add Comment 2 min read Advanced TV Remote controlled robot Rohith ND Rohith ND Rohith ND Follow Jul 7 '22 Advanced TV Remote controlled robot # arduino # beginners # tutorial 8  reactions Comments Add Comment 2 min read Audio Based language classification using Tiny ML tomandjerry36 tomandjerry36 tomandjerry36 Follow Jul 3 '22 Audio Based language classification using Tiny ML # machinelearning # tinyml # raspberrypipico # arduino 3  reactions Comments Add Comment 1 min read Arduino IDE with Luos Nicolas Lorenzi Nicolas Lorenzi Nicolas Lorenzi Follow for Luos Jun 1 '22 Arduino IDE with Luos # arduino # opensource # microservices # luos 3  reactions Comments Add Comment 1 min read Start your IoT journey with NodeMCU Vishnu Sivan Vishnu Sivan Vishnu Sivan Follow Jun 26 '22 Start your IoT journey with NodeMCU # iot # arduino # esp8266 4  reactions Comments Add Comment 7 min read Accident Avoider Robot using Ultrasonic sensor Rohith ND Rohith ND Rohith ND Follow Jun 23 '22 Accident Avoider Robot using Ultrasonic sensor # arduino # beginners 8  reactions Comments 1  comment 2 min read Building a “Follow Light” with Arduino: Part 2 Stefan Stöhr Stefan Stöhr Stefan Stöhr Follow for Studio M - Song Jun 10 '22 Building a “Follow Light” with Arduino: Part 2 # arduino # iot # microcontroller 6  reactions Comments Add Comment 1 min read 7 Step Learning Path for Embedded IoT Beyond Arduino Omar Hiari Omar Hiari Omar Hiari Follow May 30 '22 7 Step Learning Path for Embedded IoT Beyond Arduino # iot # embedded # arduino # beginners 11  reactions Comments 1  comment 12 min read Reading AVR Micro Controller Device Signatures using avrdude Command Line Program Monimoy Saha Monimoy Saha Monimoy Saha Follow May 27 '22 Reading AVR Micro Controller Device Signatures using avrdude Command Line Program # arduino # avrdude # programming # beginners 8  reactions Comments Add Comment 4 min read Getting Started With Embedded Development Using Rust and Arduino Rajesh Rajesh Rajesh Follow May 25 '22 Getting Started With Embedded Development Using Rust and Arduino # rust # arduino # embedded 26  reactions Comments 2  comments 2 min read Getting started with Arduino ( build a knight rider LED simulation) chamodperera chamodperera chamodperera Follow May 24 '22 Getting started with Arduino ( build a knight rider LED simulation) # arduino # beginners # tutorial # iot 9  reactions Comments Add Comment 3 min read Set up a wired serial communication between Arduino boards Yongchang He Yongchang He Yongchang He Follow May 2 '22 Set up a wired serial communication between Arduino boards # iot # cpp # arduino # serialport 12  reactions Comments Add Comment 2 min read Scripting LCD on Wio Terminal with ArduPy Piotr Maliński Piotr Maliński Piotr Maliński Follow May 5 '22 Scripting LCD on Wio Terminal with ArduPy # python # micropython # arduino # iot 8  reactions Comments 2  comments 1 min read Traffic Light Simulator - Arduino Ochwada Linda Ochwada Linda Ochwada Linda Follow Apr 23 '22 Traffic Light Simulator - Arduino # arduino # womenintech # geospatial # beginners 8  reactions Comments Add Comment 1 min read ESP32 Arduino Core 在 Monterey 12.3 編譯錯誤 codemee codemee codemee Follow Apr 23 '22 ESP32 Arduino Core 在 Monterey 12.3 編譯錯誤 # esp32 # arduino # macos # monterey 5  reactions Comments Add Comment 3 min read NeoPixels on the Arduino Nano RP2040 Nico Martin Nico Martin Nico Martin Follow Apr 18 '22 NeoPixels on the Arduino Nano RP2040 # neopixel # arduino # rp2040 17  reactions Comments Add Comment 3 min read Dekatanah febryandana febryandana febryandana Follow Apr 17 '22 Dekatanah # indonesia # iot # android # arduino 2  reactions Comments 1  comment 4 min read Why Arduino fails to receive ACK signal? Dimitrios Desyllas Dimitrios Desyllas Dimitrios Desyllas Follow Apr 12 '22 Why Arduino fails to receive ACK signal? # help # arduino # python # usb 6  reactions Comments Add Comment 2 min read 使用 VSCode + Arduino 延伸套模組開發 Arduino codemee codemee codemee Follow Apr 8 '22 使用 VSCode + Arduino 延伸套模組開發 Arduino # arduino # vscode 27  reactions Comments 1  comment 2 min read Single Axis Solar Tracking System using Arduino Sameer Aftab Sameer Aftab Sameer Aftab Follow Apr 5 '22 Single Axis Solar Tracking System using Arduino # beginners # arduino # tutorial # cpp 11  reactions Comments 2  comments 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — 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:16
https://dev.to/p/editor_guide#front-matter
Editor Guide - 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 Editor Guide 🤓 Things to Know We use a markdown editor that uses Jekyll front matter . Most of the time, you can write inline HTML directly into your posts. We support native Liquid tags and created some fun custom ones, too! Trying embedding a Tweet or GitHub issue in your post, using the complete URL: {% embed https://... %} . Links to unpublished posts are shareable for feedback/review. When you're ready to publish, set the published variable to true or click publish depending on the editor version, you're using Links to unpublished posts (drafts or scheduled posts) are shareable for feedback/review. These posts have a notice which reads "This URL is public but secret, so share at your own discretion." They are not visible in feeds or on your profile until published. description area in Twitter cards and open graph cards We have two editor versions . If you'd prefer to edit title and tags etc. as separate fields, switch to the "rich + markdown" option in Settings → Customization . Otherwise, continue: Front Matter Custom variables set for each post, located between the triple-dashed lines in your editor Here is a list of possibilities: title: the title of your article published: boolean that determines whether or not your article is published. tags: max of four tags, needs to be comma-separated canonical_url: link for the canonical version of the content cover_image: cover image for post, accepts a URL. The best size is 1000 x 420. series: post series name. ✍ Markdown Basics Below are some examples of commonly used markdown syntax. If you want to dive deeper, check out this cheat sheet. Bold & Italic Italics : *asterisks* or _underscores_ Bold : **double asterisks** or __double underscores__ Links I'm an inline link : [I'm an inline link](put-link-here) Anchored links (For things like a Table of Contents) ## Table Of Contents * [Chapter 1](#chapter-1) * [Chapter 2](#chapter-2) ### Chapter 1 <a name="chapter-1"></a> Inline Images When adding GIFs to posts and comments, please note that there is a limit of 200 megapixels per frame/page. ![Image description](put-link-to-image-here) You can even add a caption using the HTML figcaption tag! Headings Add a heading to your post with this syntax: # One '#' for a h1 heading ## Two '#'s for a h2 heading ... ###### Six '#'s for a h6 heading Author Notes/Comments Add some hidden notes/comments to your article with this syntax: <!-- This won't show up in the content! --> Accessibility People access online content in all kinds of different ways, and there are a few things you can do to make your posts more easily understood by a broad range of users. You can find out more about web accessibility at W3C's Introduction to Web Accessibility , but there are two main ways you can make your posts more accessible: providing alternative descriptions of any images you use, and adding appropriate headings. Providing alternative descriptions for images Some users might not be able to see or easily process images that you use in your posts. Providing an alternative description for an image helps make sure that everyone can understand your post, whether they can see the image or not. When you upload an image in the editor, you will see the following text to copy and paste into your post: ![Image description](/file-path/my-image.png) Replace the "Image description" in square brackets with a description of your image - for example: ![A pie chart showing 40% responded "Yes", 50% responded "No" and 10% responded "Not sure"](/file-path/my-image.png) By doing this, if someone reads your post using an assistive device like a screen reader (which turns written content into spoken audio) they will hear the description you entered. Providing headings Headings provide an outline of your post to readers, including people who can't see the screen well. Many assistive technologies (like screen readers) allow users to skip directly to a particular heading, helping them find and understand the content of your post with ease. Headings can be added in levels 1 - 6 . Avoid using a level one heading (i.e., '# Heading text'). When you create a post, your post title automatically becomes a level one heading and serves a special role on the page, much like the headline of a newspaper article. Similar to how a newspaper article only has one headline, it can be confusing if multiple level one headings exist on a page. In your post content, start with level two headings for each section (e.g. '## Section heading text'), and increase the heading level by one when you'd like to add a sub-section, for example: ## Fun facts about sloths ### Speed Sloths move at a maximum speed of 0.27 km/h! 🌊 Liquid Tags We support native Liquid tags in our editor, but have created our own custom tags as well. A list of supported custom embeds appears below. To create a custom embed, use the complete URL: {% embed https://... %} Supported URL Embeds DEV Community Comment DEV Community Link DEV Community Link DEV Community Listing DEV Community Organization DEV Community Podcast Episode DEV Community Tag DEV Community User Profile asciinema CodePen CodeSandbox DotNetFiddle GitHub Gist, Issue or Repository Glitch Instagram JSFiddle JSitor Loom Kotlin Medium Next Tech Reddit Replit Slideshare Speaker Deck SoundCloud Spotify StackBlitz Stackery Stack Exchange or Stack Overflow Twitch Twitter Twitter timeline Wikipedia Vimeo YouTube Supported Non-URL Embeds Call To Action (CTA) {% cta link %} description {% endcta %} Provide a link that a user will be redirected to. The description will contain the label/description for the call to action. Details You can embed a details HTML element by using details, spoiler, or collapsible. The summary will be what the dropdown title displays. The content will be the text hidden behind the dropdown. This is great for when you want to hide text (i.e. answers to questions) behind a user action/intent (i.e. a click). {% details summary %} content {% enddetails %} {% spoiler summary %} content {% endspoiler %} {% collapsible summary %} content {% endcollapsible %} KaTex Place your mathematical expression within a KaTeX liquid block, as follows: {% katex %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} To render KaTeX inline add the "inline" option: {% katex inline %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} RunKit Put executable code within a runkit liquid block, as follows: {% runkit // hidden setup JavaScript code goes in this preamble area const hiddenVar = 42 %} // visible, reader-editable JavaScript code goes here console.log(hiddenVar) {% endrunkit %} Parsing Liquid Tags as a Code Example To parse Liquid tags as code, simply wrap it with a single backtick or triple backticks. `{% mytag %}{{ site.SOMETHING }}{% endmytag %}` One specific edge case is with using the raw tag. To properly escape it, use this format: `{% raw %}{{site.SOMETHING }} {% ``endraw`` %}` Common Gotchas Lists are written just like any other Markdown editor. If you're adding an image in between numbered list, though, be sure to tab the image, otherwise it'll restart the number of the list. Here's an example of what to do: Here's the Markdown cheatsheet again for reference. Happy posting! 📝 💎 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:16
https://dev.to/t/tutorial/page/77
Tutorial Page 77 - 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 # tutorial Follow Hide Tutorial is a general purpose tag. We welcome all types of tutorial - code related or not! It's all about learning, and using tutorials to teach others! Create Post submission guidelines Tutorials should teach by example. This can include an interactive component or steps the reader can follow to understand. Older #tutorial posts 74 75 76 77 78 79 80 81 82 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu 🚀 How to Create My Startup? (A Developer-Friendly Guide) Kozosvyst Stas (StasX) Kozosvyst Stas (StasX) Kozosvyst Stas (StasX) Follow Nov 17 '25 🚀 How to Create My Startup? (A Developer-Friendly Guide) # developer # startup # softwaredevelopment # tutorial 7  reactions Comments Add Comment 2 min read Spring Boot LogX — Free Request Tracing & Smart Logging Boilerplate for Clean, Debuggable APIs boiler_agents boiler_agents boiler_agents Follow Nov 13 '25 Spring Boot LogX — Free Request Tracing & Smart Logging Boilerplate for Clean, Debuggable APIs # springboot # boilerplate # tutorial # opensource Comments Add Comment 3 min read Integration Failures and API Callout Issues in Salesforce Selavina B Selavina B Selavina B Follow Dec 16 '25 Integration Failures and API Callout Issues in Salesforce # security # api # architecture # tutorial 1  reaction Comments 2  comments 4 min read Implementing Multitenancy in Auth0 Using Organizations: A Complete Guide Akarshan Gandotra Akarshan Gandotra Akarshan Gandotra Follow Nov 12 '25 Implementing Multitenancy in Auth0 Using Organizations: A Complete Guide # saas # security # tutorial # architecture Comments Add Comment 6 min read 380. Insert Delete GetRandom O(1) | LeetCode | Top Interview 150 | Coding Questions Debesh P. Debesh P. Debesh P. Follow Dec 16 '25 380. Insert Delete GetRandom O(1) | LeetCode | Top Interview 150 | Coding Questions # learning # programming # productivity # tutorial 5  reactions Comments Add Comment 1 min read # CurlDotNet: Bringing curl's Power to .NET IronSoftware IronSoftware IronSoftware Follow Nov 16 '25 # CurlDotNet: Bringing curl's Power to .NET # csharp # dotnet # microsoft # tutorial Comments Add Comment 4 min read MacOS on debian QEMU KVM özkan pakdil özkan pakdil özkan pakdil Follow Nov 15 '25 MacOS on debian QEMU KVM # opensource # linux # tooling # tutorial Comments Add Comment 2 min read Market Making Programs: The Invisible Infrastructure Behind Successful Token Launches Dan Keller Dan Keller Dan Keller Follow Dec 16 '25 Market Making Programs: The Invisible Infrastructure Behind Successful Token Launches # webdev # programming # productivity # tutorial 2  reactions Comments Add Comment 2 min read Learning AI on AWS by Building Real Things Jitender Jain Jitender Jain Jitender Jain Follow Dec 16 '25 Learning AI on AWS by Building Real Things # ai # aws # learning # tutorial 2  reactions Comments Add Comment 3 min read JS中的对象、var let const 在JS里的区别、JS中的作用域 NikiMunger NikiMunger NikiMunger Follow Nov 11 '25 JS中的对象、var let const 在JS里的区别、JS中的作用域 # beginners # javascript # tutorial Comments Add Comment 2 min read faster whisper从多媒体语音材料中抽取出文本-3 drake drake drake Follow Nov 12 '25 faster whisper从多媒体语音材料中抽取出文本-3 # tutorial # python # automation # machinelearning Comments Add Comment 1 min read Styling and Attributes with the new Snap.svg (Basics - part 2) Orlin Vakarelov Orlin Vakarelov Orlin Vakarelov Follow Dec 15 '25 Styling and Attributes with the new Snap.svg (Basics - part 2) # tutorial # javascript # webdev # svg Comments Add Comment 12 min read Deconstructing a Production-Ready AI Agent: A Beginner's Guide - Part 1 Adam Laszlo Adam Laszlo Adam Laszlo Follow Nov 11 '25 Deconstructing a Production-Ready AI Agent: A Beginner's Guide - Part 1 # agents # beginners # ai # tutorial Comments Add Comment 5 min read Designing Blockchain #1: Introduction Dmytro Svynarenko Dmytro Svynarenko Dmytro Svynarenko Follow Nov 11 '25 Designing Blockchain #1: Introduction # rust # blockchain # tutorial # web3 Comments Add Comment 6 min read Version-Controlled omg.lol: Auto-Syncing Your IndieWeb with GitHub Actions Brennan K. Brown Brennan K. Brown Brennan K. Brown Follow Dec 16 '25 Version-Controlled omg.lol: Auto-Syncing Your IndieWeb with GitHub Actions # api # githubactions # webdev # tutorial 1  reaction Comments Add Comment 8 min read ⚡Part 3: Supercharge Your React App with NGINX Caching, Compression & Load Balancing Vishwark Vishwark Vishwark Follow Nov 12 '25 ⚡Part 3: Supercharge Your React App with NGINX Caching, Compression & Load Balancing # devops # performance # tutorial # react Comments Add Comment 4 min read Creating a clone of SSD Seong Bae Seong Bae Seong Bae Follow Nov 13 '25 Creating a clone of SSD # productivity # tooling # tutorial Comments Add Comment 1 min read 🔥Inside Google Jobs Series (Part 5): Search & Core Product Engineering jackma jackma jackma Follow Nov 11 '25 🔥Inside Google Jobs Series (Part 5): Search & Core Product Engineering # programming # career # architecture # tutorial Comments Add Comment 15 min read n8n: Credential - GitLab Account codebangkok codebangkok codebangkok Follow Dec 16 '25 n8n: Credential - GitLab Account # tooling # automation # tutorial # devops Comments Add Comment 1 min read Building an Enhanced PPO Trading Bot with Real-Time Data Sync and IBKR Integration Jemin Thumar Jemin Thumar Jemin Thumar Follow Nov 14 '25 Building an Enhanced PPO Trading Bot with Real-Time Data Sync and IBKR Integration # algorithms # api # tutorial # deeplearning 4  reactions Comments Add Comment 7 min read Designing Blockchain #2: Accounts and State Dmytro Svynarenko Dmytro Svynarenko Dmytro Svynarenko Follow Nov 11 '25 Designing Blockchain #2: Accounts and State # rust # blockchain # tutorial # web3 Comments Add Comment 8 min read Building a Virtual Private Cloud (VPC) from Scratch on Linux Olusanya Olajide Emmanuel Olusanya Olajide Emmanuel Olusanya Olajide Emmanuel Follow Nov 12 '25 Building a Virtual Private Cloud (VPC) from Scratch on Linux # networking # linux # tutorial # architecture Comments Add Comment 6 min read Build a YouTube Video Summarizer in 15 Minutes (Next.js + OpenAI) Olamide Olaniyan Olamide Olaniyan Olamide Olaniyan Follow Dec 15 '25 Build a YouTube Video Summarizer in 15 Minutes (Next.js + OpenAI) # nextjs # tutorial # ai # webdev 1  reaction Comments Add Comment 3 min read How to Build Your Own VPC Architecture Using Linux Network Namespaces Shebang Shebang Shebang Follow Nov 12 '25 How to Build Your Own VPC Architecture Using Linux Network Namespaces # networking # linux # tutorial # architecture Comments Add Comment 3 min read Building Your Own Virtual Private Cloud (VPC) on Linux – A Beginner’s Guide josiah favour josiah favour josiah favour Follow Nov 12 '25 Building Your Own Virtual Private Cloud (VPC) on Linux – A Beginner’s Guide # networking # linux # tutorial # beginners 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:16
https://dev.to/t/project/page/6
Project 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 # project Follow Hide Create Post Older #project 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 Hacktoberfest 2021: Project Maintenance Vivian Dai Vivian Dai Vivian Dai Follow Oct 28 '21 Hacktoberfest 2021: Project Maintenance # hacktoberfest # project # maintenance # github 6  reactions Comments Add Comment 2 min read How to build an audio app like Clubhouse for iOS Arpit Mishra Arpit Mishra Arpit Mishra Follow for 100ms Inc. Oct 25 '21 How to build an audio app like Clubhouse for iOS # ios # swift # project # tutorial 6  reactions Comments Add Comment 10 min read I made my first open source project Abdallah Mohammed Abdallah Mohammed Abdallah Mohammed Follow Sep 22 '21 I made my first open source project # svelte # electron # opensource # project 11  reactions Comments 3  comments 2 min read What are your best projects to date? Madza Madza Madza Follow Sep 28 '21 What are your best projects to date? # watercooler # coding # project 30  reactions Comments 35  comments 1 min read Top Django Projects Ideas cloudytech147 cloudytech147 cloudytech147 Follow Oct 1 '21 Top Django Projects Ideas # django # ideas # project # beginners 14  reactions Comments Add Comment 2 min read Python beginner Project: Calendar Builder Ihtesham Haider Ihtesham Haider Ihtesham Haider Follow Oct 1 '21 Python beginner Project: Calendar Builder # beginners # programming # python # project 10  reactions Comments Add Comment 3 min read Lessons I have learnt from Project Management Dylan Oh Dylan Oh Dylan Oh Follow Sep 19 '21 Lessons I have learnt from Project Management # management # project # lessons 23  reactions Comments 5  comments 2 min read How to create your first Android app using Android Studio? Gourav Khunger Gourav Khunger Gourav Khunger Follow for ByteSlash Sep 19 '21 How to create your first Android app using Android Studio? # android # appdevelopment # project # androidstudio 14  reactions Comments 2  comments 5 min read I Curated 1000s of APIs For Your Next Project ! Saumya Nayak Saumya Nayak Saumya Nayak Follow Sep 14 '21 I Curated 1000s of APIs For Your Next Project ! # productivity # code # programming # project 19  reactions Comments 1  comment 3 min read Angular library with demo project Yann L Yann L Yann L Follow Sep 7 '21 Angular library with demo project # angular # library # project # typescript 11  reactions Comments 3  comments 3 min read Introducing Feedlr. - the ultimate tool for feedback collection. Ashik Chapagain Ashik Chapagain Ashik Chapagain Follow Aug 30 '21 Introducing Feedlr. - the ultimate tool for feedback collection. # hackathon # project # nextjs # javascript 8  reactions Comments Add Comment 8 min read Semantic Versioning and Changelog Walter Nascimento Walter Nascimento Walter Nascimento Follow Jul 27 '21 Semantic Versioning and Changelog # changelog # project # management 3  reactions Comments Add Comment 2 min read How to create a fleet of AWS EC2s with Terraform? Augusto Valdivia Augusto Valdivia Augusto Valdivia Follow for AWS Community Builders Jul 18 '21 How to create a fleet of AWS EC2s with Terraform? # aws # project # terraform # beginners 18  reactions Comments 2  comments 3 min read Awesome README Walter Nascimento Walter Nascimento Walter Nascimento Follow Jul 1 '21 Awesome README # readme # githunt # project # awesome 9  reactions Comments Add Comment 4 min read How to create cross repository milestones in Github Hardik Sondagar Hardik Sondagar Hardik Sondagar Follow Jun 26 '21 How to create cross repository milestones in Github # github # sprint # milestone # project 16  reactions Comments 2  comments 2 min read 4 Websites You Can Publish Your Static Projects 🤩🤩 Musa Yazlık Musa Yazlık Musa Yazlık Follow Jun 18 '21 4 Websites You Can Publish Your Static Projects 🤩🤩 # static # popular # project # websites 7  reactions Comments Add Comment 2 min read Homelab: Cluster Architecture mikeyGlitz mikeyGlitz mikeyGlitz Follow Jun 14 '21 Homelab: Cluster Architecture # kubernetes # architecture # homelab # project 3  reactions Comments Add Comment 6 min read New project - pill tracker. Magda Rosłaniec Magda Rosłaniec Magda Rosłaniec Follow Jun 13 '21 New project - pill tracker. # react # project 4  reactions Comments 7  comments 2 min read Cost of Exit is a Cost of Entry. Steve Hallman Steve Hallman Steve Hallman Follow Jun 3 '21 Cost of Exit is a Cost of Entry. # agile # scrum # project 3  reactions Comments Add Comment 1 min read How to learn Programming in 2021 Rishabhraghwendra18 Rishabhraghwendra18 Rishabhraghwendra18 Follow May 27 '21 How to learn Programming in 2021 # programming # project # coding # programmingforbeginner 18  reactions Comments 6  comments 4 min read Read this before implementing S3 and CloudFront using Terraform. Augusto Valdivia Augusto Valdivia Augusto Valdivia Follow for AWS Community Builders May 25 '21 Read this before implementing S3 and CloudFront using Terraform. # aws # terraform # project # website 13  reactions Comments Add Comment 6 min read Objects are not valid as a React child - Covid Map project part 5 Magda Rosłaniec Magda Rosłaniec Magda Rosłaniec Follow May 9 '21 Objects are not valid as a React child - Covid Map project part 5 # react # project 5  reactions Comments Add Comment 2 min read How to fetch data from more than one API in one project. Covid Map project - day 3. Magda Rosłaniec Magda Rosłaniec Magda Rosłaniec Follow May 1 '21 How to fetch data from more than one API in one project. Covid Map project - day 3. # react # project # leaflet 21  reactions Comments Add Comment 4 min read Covid map - React project - day 2 Magda Rosłaniec Magda Rosłaniec Magda Rosłaniec Follow Apr 25 '21 Covid map - React project - day 2 # react # leaflet # project 8  reactions Comments Add Comment 3 min read Covid map - React project day 1. Magda Rosłaniec Magda Rosłaniec Magda Rosłaniec Follow Apr 24 '21 Covid map - React project day 1. # react # leaflet # project 11  reactions Comments 4  comments 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/whaaat_9819bdb68eccf5b8a/why-your-secret-sharing-tool-needs-post-quantum-cryptography-today-20j3#implementing-pqc-in-a-web-application
Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today - 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 Whaaat! Posted on Jan 12 Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today # security # cryptography # webdev # privacy The "Harvest Now, Decrypt Later" Threat Quantum computers capable of breaking RSA and ECC encryption don't exist yet. But here's the problem: adversaries are already collecting encrypted data today, planning to decrypt it once quantum computers arrive. For sensitive data that needs to remain confidential for years, this is a real threat. What is Post-Quantum Cryptography? Post-quantum cryptography (PQC) uses mathematical problems that are hard for both classical AND quantum computers to solve. In August 2024, NIST standardized three PQC algorithms: ML-KEM (Kyber) - Key encapsulation ML-DSA (Dilithium) - Digital signatures SLH-DSA (SPHINCS+) - Hash-based signatures Implementing PQC in a Web Application I recently added PQC support to NoTrust.now , a zero-knowledge secret sharing tool. Here's how: Key Exchange with ML-KEM-768 // Using crystals-kyber-js library import { MlKem768 } from ' crystals-kyber-js ' ; // Receiver generates keypair const [ publicKey , privateKey ] = await MlKem768 . generateKeyPair (); // Sender encapsulates a shared secret const [ ciphertext , sharedSecret ] = await MlKem768 . encapsulate ( publicKey ); // Receiver decapsulates to get the same shared secret const decryptedSecret = await MlKem768 . decapsulate ( ciphertext , privateKey ); Enter fullscreen mode Exit fullscreen mode Hybrid Approach For defense in depth, combine PQC with classical crypto: Generate ephemeral X25519 keypair (classical) Generate ephemeral ML-KEM-768 keypair (post-quantum) Combine both shared secrets: finalKey = HKDF(x25519Secret || kyberSecret) This ensures security even if one algorithm is broken. Try It Out You can test PQC secret sharing at NoTrust.now/createpqc . The encryption happens entirely in your browser - zero-knowledge architecture means the server never sees your plaintext. Resources NIST PQC Standards crystals-kyber-js Post-Quantum Cryptography for Developers What do you think about PQC adoption? Too early or just in time? Let me know in the comments. 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 Whaaat! Follow Joined Mar 27, 2025 Trending on DEV Community Hot SQLite Limitations and Internal Architecture # webdev # programming # database # architecture From CDN to Pixel: A React App's Journey # react # programming # webdev # performance How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview 💎 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:16
https://www.python.org/psf/conduct/#consequences
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://dev.to/mohammadidrees/applying-first-principles-questioning-to-a-real-company-interview-question-2c0j#1-state
Applying First-Principles Questioning to a Real Company Interview Question - 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 Mohammad-Idrees Posted on Jan 13 Applying First-Principles Questioning to a Real Company Interview Question # career # interview # systemdesign Case Study: Designing a Chat System (Meta / WhatsApp–Style) This section answers a common follow-up interview request: “Okay, now apply this thinking to a real problem.” We will do exactly that — without jumping to tools or architectures first . The goal is not to “design WhatsApp,” but to demonstrate how interviewers expect you to think . The Interview Question (Realistic & Common) “Design a chat system like WhatsApp.” This is a real company interview question asked (in variants) at: Meta Uber Amazon Stripe Most candidates fail this question not because it’s hard, but because they start in the wrong place . What Most Candidates Do (Wrong Start) Typical opening: “We’ll use WebSockets” “We’ll use Kafka” “We’ll shard by user ID” This skips reasoning. A strong candidate pauses and applies the checklist. Applying the First-Principles Checklist Live We will apply the same five questions , in order, and show what problems naturally surface. 1. State “Where does state live? When is it durable?” Ask This Out Loud in the Interview What information must the chat system remember for it to function correctly? Identify Required State (No Design Yet) Users Conversations Messages Message delivery status Now ask: Which of this state must never be lost? Answer: Messages (core product) Conversation membership First-Principles Conclusion Messages must be persisted In-memory-only solutions are insufficient What the Interviewer Sees You identified correctness-critical state before touching architecture. 2. Time “How long does each step take?” Now we introduce time. Break the Chat Flow User sends message Message is stored Message is delivered to recipient(s) Ask: Which of these must be fast? Sending a message → must feel instant Delivery → may be delayed (offline users) Critical Question Does the sender wait for delivery confirmation? If yes: Latency depends on recipient availability If no: Sending and delivery are time-decoupled First-Principles Conclusion Message acceptance must be fast Delivery can happen later This naturally introduces asynchrony , without naming any tools. 3. Failure “What breaks independently?” Now assume failures — explicitly. Ask What happens if the system crashes after accepting a message but before delivery? Possible states: Message stored Recipient not notified yet Now ask: Can delivery be retried safely? This surfaces a key invariant: A message must not be delivered zero times or multiple times incorrectly. Failure Scenarios Discovered Duplicate delivery Message loss Inconsistent delivery status First-Principles Conclusion Message delivery must be idempotent Storage and delivery failures must be decoupled The interviewer now sees you understand distributed failure , not just happy paths. 4. Order “What defines correct sequence?” Now introduce multiple messages . Ask Does message order matter in a conversation? Answer: Yes — chat messages must appear in order Now ask the dangerous question: Does arrival order equal delivery order? In distributed systems: No guarantee Messages can: Be processed by different servers Experience different delays First-Principles Conclusion Ordering is part of correctness It must be explicitly modeled (e.g., sequence per conversation) This is a senior-level insight , derived from questioning alone. 5. Scale “What grows fastest under load?” Now — and only now — do we talk about scale. Ask As usage grows, what increases fastest? Likely answers: Number of messages Concurrent active connections Offline message backlog Now ask: What happens during spikes (e.g., group chats, viral events)? You discover: Hot conversations Uneven load Memory pressure from live connections First-Principles Conclusion The system must scale on messages , not users Load is not uniform What We Have Discovered (Before Any Design) Without choosing any tools, we now know: Messages must be durable Sending and delivery must be decoupled Failures must not cause duplicates or loss Ordering is a correctness requirement Message volume, not user count, dominates scale This is exactly what interviewers want to hear before you propose architecture. What Comes Next (And Why It’s Easy Now) Only after this reasoning does it make sense to talk about: Persistent storage Async delivery Streaming connections Partitioning strategies At this point, architecture choices are obvious , not arbitrary. Why This Approach Scores High in Interviews Interviewers are evaluating: How you reason under ambiguity Whether you surface hidden constraints Whether you understand failure modes They are not testing whether you know WhatsApp’s internals. This method shows: Structured thinking Calm problem decomposition Senior-level judgment Common Candidate Mistakes (Seen in This Question) Jumping to WebSockets without discussing durability Ignoring offline users Assuming message order “just works” Treating retries as harmless Talking about scale before correctness Every one of these mistakes is prevented by the checklist. Final Reinforcement: The Checklist (Again) Use this verbatim in interviews: Where does state live? When is it durable? Which steps are fast vs slow? What can fail independently? What defines correct order? What grows fastest under load? Final Mental Model Strong candidates design systems. Exceptional candidates design reasoning . 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 Mohammad-Idrees Follow Joined Mar 16, 2023 More from Mohammad-Idrees Contrast sync vs async failure classes using first principles # architecture # computerscience # systemdesign How to Question Any System Design Problem (With Live Interview Walkthrough) # architecture # career # interview # systemdesign Thinking in First Principles: How to Question an Async Queue–Based Design # architecture # interview # learning # systemdesign 💎 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:16
https://dev.to/t/productivity/page/4#main-content
Productivity 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 Productivity Follow Hide Productivity includes tips on how to use tools and software, process optimization, useful references, experience, and mindstate optimization. Create Post submission guidelines Please check if your article contains information or discussion bases about productivity. From posts with the tag #productivity we expect tips on how to use tools and software, process optimization, useful references, experience, and mindstate optimization. Productivity is a very broad term with many aspects and topics. From the color design of the office to personal rituals, anything can contribute to increase / optimize your own productivity or that of a team. about #productivity Does my article fit the tag? It depends! Productivity is a very broad term with many aspects and topics. From the color design of the office to personal rituals, anything can contribute to increase / optimize your own productivity or that of a team. Older #productivity 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 Rube MCP Solves Context Overload When Using Hundreds of MCP Servers Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow for Composio Jan 12 How Rube MCP Solves Context Overload When Using Hundreds of MCP Servers # mcp # productivity # programming # ai 18  reactions Comments Add Comment 17 min read The Burnout Industrial Complex: How Companies Profit From Your Exhaustion Ghostinit0x Ghostinit0x Ghostinit0x Follow Jan 10 The Burnout Industrial Complex: How Companies Profit From Your Exhaustion # discuss # productivity # agile # scrum 1  reaction Comments 1  comment 4 min read How I got internet famous, you can too. Ariyo Aresa Ariyo Aresa Ariyo Aresa Follow Jan 10 How I got internet famous, you can too. # webdev # productivity # seo # marketing Comments Add Comment 3 min read Kanban vs Scrum: Why Flow Beats Theater for Real Delivery Ghostinit0x Ghostinit0x Ghostinit0x Follow Jan 10 Kanban vs Scrum: Why Flow Beats Theater for Real Delivery # discuss # scrum # programming # productivity 1  reaction Comments Add Comment 2 min read The M3 MacBook Pro Is a Rip-Off for Most People (But a Beast for One Niche) ii-x ii-x ii-x Follow Jan 10 The M3 MacBook Pro Is a Rip-Off for Most People (But a Beast for One Niche) # ai # tech # productivity Comments Add Comment 4 min read Upwork Alternatives 2026: Stop Paying for Connects & Get Hired Saqib Shah Saqib Shah Saqib Shah Follow Jan 10 Upwork Alternatives 2026: Stop Paying for Connects & Get Hired # freelancing # career # webdev # productivity Comments Add Comment 4 min read How I Speed Up My Asset Store Publishing Process GuardingPearSoftware GuardingPearSoftware GuardingPearSoftware Follow Jan 10 How I Speed Up My Asset Store Publishing Process # automation # gamedev # productivity # tooling Comments Add Comment 5 min read The "Prompt Doom Loop": Why your AI output gets worse the more you try to fix it Tejas Tejas Tejas Follow Jan 10 The "Prompt Doom Loop": Why your AI output gets worse the more you try to fix it # ai # promptengineering # productivity # devtools 10  reactions Comments Add Comment 3 min read 🚀 Stop drowning in Tabs: Meet Noi, the Open Source Browser Built for AI Siddhesh Surve Siddhesh Surve Siddhesh Surve Follow Jan 9 🚀 Stop drowning in Tabs: Meet Noi, the Open Source Browser Built for AI # ai # opensource # productivity # nocode Comments Add Comment 3 min read De "Coder" para "Vibe Engineer": A Nova Fronteira da Interação Humano-Computador Kauê Matos Kauê Matos Kauê Matos Follow Jan 10 De "Coder" para "Vibe Engineer": A Nova Fronteira da Interação Humano-Computador # programming # webdev # ai # productivity 1  reaction Comments Add Comment 4 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 The M3 MacBook Pro Is a Rip-Off for Most People (Here's What to Buy Instead) ii-x ii-x ii-x Follow Jan 10 The M3 MacBook Pro Is a Rip-Off for Most People (Here's What to Buy Instead) # ai # tech # productivity Comments Add Comment 3 min read I Built a Self-Evolving AI Coding System kyoungsookim kyoungsookim kyoungsookim Follow Jan 10 I Built a Self-Evolving AI Coding System # ai # claude # productivity # opensource Comments Add Comment 1 min read Architect's Compass: Building a Data-Driven Trade-off Engine with AWS Kiro Shyamli Khadse Shyamli Khadse Shyamli Khadse Follow Jan 10 Architect's Compass: Building a Data-Driven Trade-off Engine with AWS Kiro # aws # tooling # architecture # productivity Comments Add Comment 2 min read I spent 4 months building features nobody wanted. Here's how I fixed my process. Kumar Kislay Kumar Kislay Kumar Kislay Follow Jan 10 I spent 4 months building features nobody wanted. Here's how I fixed my process. # learning # productivity # startup Comments Add Comment 1 min read Multitasking Me and Claude chrismo chrismo chrismo Follow Jan 11 Multitasking Me and Claude # discuss # ai # productivity # programming Comments Add Comment 1 min read Backing Up My Brain Before the Army: How I Automated My Blog Workflow with Python & AI AaronWuBuilds AaronWuBuilds AaronWuBuilds Follow Jan 11 Backing Up My Brain Before the Army: How I Automated My Blog Workflow with Python & AI # ai # automation # productivity # python Comments Add Comment 4 min read 7 AI Meeting Notes Apps to Transform Productivity in 2026 Anas Kayssi Anas Kayssi Anas Kayssi Follow Jan 10 7 AI Meeting Notes Apps to Transform Productivity in 2026 # productivity # ai # remotework # techtools Comments Add Comment 5 min read HarisLab Connect: Manage Website Forms, Feedback, Newsletters & Subscribers Effortlessly 🚀 Muhammad Haris Muhammad Haris Muhammad Haris Follow Jan 10 HarisLab Connect: Manage Website Forms, Feedback, Newsletters & Subscribers Effortlessly 🚀 # webdev # productivity # marketing # saas 5  reactions Comments 1  comment 1 min read Building an Autonomous Legal Contract Auditor with Python Aniket Hingane Aniket Hingane Aniket Hingane Follow Jan 10 Building an Autonomous Legal Contract Auditor with Python # python # ai # programming # productivity Comments Add Comment 4 min read Can AI Really Build Your App From Just a Vibe? Max aka Mosheh Max aka Mosheh Max aka Mosheh Follow Jan 10 Can AI Really Build Your App From Just a Vibe? # ai # productivity # security Comments Add Comment 1 min read Sono vs. Estudo: O que fazer quando você precisa aprender e o corpo pede cama? AnaProgramando AnaProgramando AnaProgramando Follow Jan 9 Sono vs. Estudo: O que fazer quando você precisa aprender e o corpo pede cama? # learning # mentalhealth # productivity Comments Add Comment 3 min read Why Agile Estimation Is Theater (And What To Do Instead) Ghostinit0x Ghostinit0x Ghostinit0x Follow Jan 9 Why Agile Estimation Is Theater (And What To Do Instead) # discuss # agile # scrum # productivity 1  reaction Comments 1  comment 3 min read Tired of Accidentally Zipping Build Artifacts? Try "dnx zipsrc"! jsakamoto jsakamoto jsakamoto Follow Jan 9 Tired of Accidentally Zipping Build Artifacts? Try "dnx zipsrc"! # dotnet # productivity # cli # opensource Comments Add Comment 4 min read Tools Don’t Fix Broken Systems — Design Does Technmsrisai Technmsrisai Technmsrisai Follow Jan 9 Tools Don’t Fix Broken Systems — Design Does # systems # architecture # productivity # software 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:16
https://dev.to/behruamm/how-i-built-a-magic-move-animation-engine-for-excalidraw-from-scratch-published-4lmp#1-the-core-logic-diffing-states
How I built a "Magic Move" animation engine for Excalidraw from scratch published - 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 Behram Posted on Jan 12           How I built a "Magic Move" animation engine for Excalidraw from scratch published # webdev # react # animation # opensource I love Excalidraw for sketching system architectures. But sketches are static. When I want to show how a packet moves through a load balancer, or how a database shard splits, I have to wave my hands frantically or create 10 different slides. I wanted the ability to "Sketch Logic, Export Motion" . The Goal I didn't want a timeline editor (like After Effects). That's too much work for a simple diagram. I wanted "Keyless Animation" : Draw Frame 1 (The start state). Clone it to Frame 2 . Move elements to their new positions. The engine automatically figures out the transition. I built this engine using Next.js , Excalidraw , and Framer Motion . Here is a technical deep dive into how I implemented the logic. 1. The Core Logic: Diffing States The hardest part isn't the animation loop; it's the diffing . When we move from Frame A to Frame B , we identify elements by their stable IDs and categorize them into one of three buckets: Stable: The element exists in both frames (needs to morph/move). Entering: Exists in B but not A (needs to fade in). Exiting: Exists in A but not B (needs to fade out). I wrote a categorizeTransition utility that maps elements efficiently: // Simplified logic from src/utils/editor/transition-logic.ts export function categorizeTransition ( prevElements , currElements ) { const stable = []; const morphed = []; const entering = []; const exiting = []; const prevMap = new Map ( prevElements . map ( e => [ e . id , e ])); const currMap = new Map ( currElements . map ( e => [ e . id , e ])); // 1. Find Morphs (Stable) & Entering currElements . forEach ( curr => { if ( prevMap . has ( curr . id )) { const prev = prevMap . get ( curr . id ); // We separate "Stable" (identical) from "Morphed" (changed) // to optimize the render loop if ( areVisuallyIdentical ( prev , curr )) { stable . push ({ key : curr . id , element : curr }); } else { morphed . push ({ key : curr . id , start : prev , end : curr }); } } else { entering . push ({ key : curr . id , end : curr }); } }); // 2. Find Exiting prevElements . forEach ( prev => { if ( ! currMap . has ( prev . id )) { exiting . push ({ key : prev . id , start : prev }); } }); return { stable , morphed , entering , exiting }; } Enter fullscreen mode Exit fullscreen mode 2. Interpolating Properties For the "Morphed" elements, we need to calculate the intermediate state at any given progress (0.0 to 1.0). You can't just use simple linear interpolation for everything. Numbers (x, y, width): Linear works fine. Colors (strokeColor): You must convert Hex to RGBA, interpolate each channel, and convert back. Angles: You need "shortest path" interpolation. If an object is at 10 degrees and rotates to 350 degrees , linear interpolation goes the long way around. We want it to just rotate -20 degrees. // src/utils/smart-animation.ts const angleProgress = ( oldAngle , newAngle , progress ) => { let diff = newAngle - oldAngle ; // Normalize to -PI to +PI to find shortest direction while ( diff > Math . PI ) diff -= 2 * Math . PI ; while ( diff < - Math . PI ) diff += 2 * Math . PI ; return oldAngle + diff * progress ; }; Enter fullscreen mode Exit fullscreen mode 3. The Render Loop & Overlapping Phases Instead of CSS transitions (which are hard to sync for complex canvas repaints), I used a requestAnimationFrame loop in a React hook called useTransitionAnimation . A key "secret sauce" to making animations feel professional is overlap . If you play animations sequentially (Exit -> Move -> Enter), it feels robotic. I overlapped the phases so the scene feels alive: // Timeline Logic const exitEnd = hasExit ? 300 : 0 ; const morphStart = exitEnd ; const morphEnd = morphStart + 500 ; // [MAGIC TRICK] Start entering elements BEFORE the morph ends // This creates that "Apple Keynote" feel where things arrive // just as others are settling into place. const overlapDuration = 200 ; const enterStart = Math . max ( morphStart , morphEnd - overlapDuration ); Enter fullscreen mode Exit fullscreen mode 4. Making it feel "Physical" Linear movement ( progress = time / duration ) is boring. I implemented spring-based easing functions. Even though I'm manually calculating specific frames, I apply an easing curve to the progress value before feeding it into the interpolator. // Quartic Ease-Out Approximation for a "Heavy" feel const springEasing = ( t ) => { return 1 - Math . pow ( 1 - t , 4 ); }; Enter fullscreen mode Exit fullscreen mode This ensures that big architecture blocks "thud" into place with weight, rather than sliding around like ghosts. What's Next? I'm currently working on: Sub-step animations: Allowing you to click through bullet points within a single frame. Export to MP4: Recording the canvas stream directly to a video file. The project is live, and I built it to help developers communicate better. Try here: https://postara.io/ Free Stripe Promotion Code: postara Let me know what you think of the approach! 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   SinghDevHub SinghDevHub SinghDevHub Follow MLE @CRED ⌛ Sharing on System design, AI, LLMs, ML Email lovepreet.singh@alumni.iitgn.ac.in Location Bangalore, India Work MLE @ CRED Joined Nov 29, 2022 • Jan 13 Dropdown menu Copy link Hide loved it 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 Behram Follow Ex-Data Scientist documenting the reality of building AI agent SaaS as a solo founder in the UK. Raw technical logs, AI leverage, and the path to profitability. Location Birmingham,UK Joined Nov 7, 2024 Trending on DEV Community Hot Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview 💎 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:16
https://www.python.org/psf/conduct/#python-software-foundation-code-of-conduct
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://dev.to/ivanjurina/i-built-a-free-url-shortener-with-qr-codes-and-click-tracking-looking-for-feedback-201b
I built a free URL shortener with QR codes and click tracking — looking for feedback - 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 Ivan Jurina Posted on Jan 12 I built a free URL shortener with QR codes and click tracking — looking for feedback # tooling # showdev # webdev # discuss Hey everyone, I'm a developer who got tired of the bloated dashboards and paywalls on most link shorteners, so I built my own. mnml.ink — does what it says: Shorten URLs Generate QR codes Track clicks & basic stats No sign-up required for basic use It's fast, free, and I tried to keep it as simple as possible. Would love honest feedback — what features would make this actually useful for your workflow? Anything obviously missing? https://mnml.ink/ 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 Ivan Jurina Follow Skateboarding and programming enthusiast Education Mendel University Work Developer Joined Apr 19, 2022 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev The FAANG is dead💀 # webdev # programming # career # faang 💎 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:16
https://dev.to/t/qualityassurance
Qualityassurance - 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 # qualityassurance Follow Hide Create Post Older #qualityassurance posts 1 2 3 4 5 6 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu The State of Quality 2026: Where to Find the Best SDET & QA Roles Hien D. Nguyen Hien D. Nguyen Hien D. Nguyen Follow Jan 11 The State of Quality 2026: Where to Find the Best SDET & QA Roles # qualityassurance # softwaretesting # careerstrategy # techhiring Comments Add Comment 3 min read Regression testing workflow: the risk first checks that keep releases stable Kelina Cowell Kelina Cowell Kelina Cowell Follow Dec 29 '25 Regression testing workflow: the risk first checks that keep releases stable # gamedev # testing # qualityassurance # ux Comments Add Comment 6 min read Exploratory testing on mobile: the messy checks that find real bugs Kelina Cowell Kelina Cowell Kelina Cowell Follow Dec 22 '25 Exploratory testing on mobile: the messy checks that find real bugs # gamedev # ux # testing # qualityassurance Comments Add Comment 5 min read Functional testing: the boring basics that catch real bugs Kelina Cowell Kelina Cowell Kelina Cowell Follow Dec 21 '25 Functional testing: the boring basics that catch real bugs # gametesting # qualityassurance # gamedev # ux Comments Add Comment 5 min read Por Qué el 83% de Herramientas de Detección de Alucinaciones RAG Fallan en Producción Abdessamad Ammi Abdessamad Ammi Abdessamad Ammi Follow Dec 17 '25 Por Qué el 83% de Herramientas de Detección de Alucinaciones RAG Fallan en Producción # rag # machinelearning # llm # qualityassurance Comments Add Comment 3 min read Testing Legacy Systems with AI: Automated QA, Regression & Edge Cases Himani Himani Himani Follow Dec 3 '25 Testing Legacy Systems with AI: Automated QA, Regression & Edge Cases # legacysystems # ai # automation # qualityassurance Comments Add Comment 5 min read Why Manual Testing Isn’t “Old School” - It’s the Secret Sauce for Smart Automation Uziman Oyedele Uziman Oyedele Uziman Oyedele Follow Oct 28 '25 Why Manual Testing Isn’t “Old School” - It’s the Secret Sauce for Smart Automation # manualtesting # automationtesting # qualityassurance # testing Comments Add Comment 3 min read My Experience During the QA stage 1 Task Internship Journey with HNGi13 Miriam Miriam Miriam Follow Oct 24 '25 My Experience During the QA stage 1 Task Internship Journey with HNGi13 # hngi13 # techinternship # qualityassurance # hnginternship Comments Add Comment 2 min read Best AI Tools for QA Automation & Test Case Generation in 2025: A Complete Guide CapeStart CapeStart CapeStart Follow Oct 22 '25 Best AI Tools for QA Automation & Test Case Generation in 2025: A Complete Guide # aiinqa # ai # qualityassurance # testautomation Comments Add Comment 6 min read Intelligence-Driven QA: Building Trust in the Digital Age Qentelli Solutions Qentelli Solutions Qentelli Solutions Follow Oct 10 '25 Intelligence-Driven QA: Building Trust in the Digital Age # qualityassurance # intelligencedrivenqa # digitalara Comments Add Comment 6 min read From Manual Testing to AI Agents: A 90-Day Transformation Roadmap tanvi Mittal tanvi Mittal tanvi Mittal Follow for AI and QA Leaders Nov 8 '25 From Manual Testing to AI Agents: A 90-Day Transformation Roadmap # ai # testing # qualityassurance # automation 15  reactions Comments 3  comments 6 min read Mastering Attribute-Based Locators in Selenium with XPathy Volta Jebaprashanth Volta Jebaprashanth Volta Jebaprashanth Follow Sep 29 '25 Mastering Attribute-Based Locators in Selenium with XPathy # selenium # automation # xpath # qualityassurance Comments Add Comment 2 min read Resume Tips Hien D. Nguyen Hien D. Nguyen Hien D. Nguyen Follow Sep 29 '25 Resume Tips # resume # softwaretesting # interview # qualityassurance Comments Add Comment 2 min read Why QA Is Now About User Trust, Not Just Bug Fixes DCT Technology Pvt. Ltd. DCT Technology Pvt. Ltd. DCT Technology Pvt. Ltd. Follow Sep 23 '25 Why QA Is Now About User Trust, Not Just Bug Fixes # qualityassurance # webdev # ai # programming Comments Add Comment 3 min read 🤖 AI as Your QA Pair Buddy Daria Tsion Daria Tsion Daria Tsion Follow for AI and QA Leaders Oct 9 '25 🤖 AI as Your QA Pair Buddy # ai # qa # automation # qualityassurance 21  reactions Comments 3  comments 2 min read The $100 Million AI Mistake: Why Your ML Models Are Failing (And How to Fix Them) Sohail Mohammed Sohail Mohammed Sohail Mohammed Follow Aug 11 '25 The $100 Million AI Mistake: Why Your ML Models Are Failing (And How to Fix Them) # ai # datascience # machinelearning # qualityassurance Comments Add Comment 1 min read Mastering Interface Testing: Types, Tools, and Best Practices Explained Jamescarton Jamescarton Jamescarton Follow Aug 7 '25 Mastering Interface Testing: Types, Tools, and Best Practices Explained # softwaretesting # interfacetesting # qualityassurance # integrationtesting Comments Add Comment 5 min read Improving Manual Testing Quality Through Cross-Disciplinary Test Case Reviews Oyinade Phillips Oyinade Phillips Oyinade Phillips Follow Jul 24 '25 Improving Manual Testing Quality Through Cross-Disciplinary Test Case Reviews # manualtesting # qualityassurance # testcasedesign # agiletesting Comments Add Comment 3 min read Claude Code: Part 8 - Hooks for Automated Quality Checks luiz tanure luiz tanure luiz tanure Follow Aug 11 '25 Claude Code: Part 8 - Hooks for Automated Quality Checks # claudecode # hooks # automation # qualityassurance 1  reaction Comments 1  comment 3 min read How to Become a QA Automation Engineer in 2025: The Ultimate Step-by-Step Roadmap Codemify Codemify Codemify Follow Jul 25 '25 How to Become a QA Automation Engineer in 2025: The Ultimate Step-by-Step Roadmap # qaengeneering # automation # testing # qualityassurance 2  reactions Comments Add Comment 3 min read The Future of Software Testing: How AI Is Transforming QA Forever Lipika Chaliha Lipika Chaliha Lipika Chaliha Follow Jun 29 '25 The Future of Software Testing: How AI Is Transforming QA Forever # ai # softwaretesting # qualityassurance # testing Comments Add Comment 2 min read Establishing a Culture of Testing in Agile Engineering Teams DCT Technology Pvt. Ltd. DCT Technology Pvt. Ltd. DCT Technology Pvt. Ltd. Follow Jun 25 '25 Establishing a Culture of Testing in Agile Engineering Teams # agile # testing # qualityassurance # devops Comments Add Comment 3 min read What is Quality Assurance? A Beginner’s Guide to Building Better Products DI Solutions DI Solutions DI Solutions Follow Jun 25 '25 What is Quality Assurance? A Beginner’s Guide to Building Better Products # qualityassurance # webdev # customsoftwaresolution 1  reaction Comments Add Comment 3 min read Why Linking your Test Scripts with the Test Management Tool is a Game-Changer! S Chathuranga Jayasinghe S Chathuranga Jayasinghe S Chathuranga Jayasinghe Follow May 18 '25 Why Linking your Test Scripts with the Test Management Tool is a Game-Changer! # testautomation # testmanagement # qualityassurance # cypress Comments Add Comment 4 min read QA Essentials WallTech WallTech WallTech Follow Jun 2 '25 QA Essentials # qa # qualityassurance # beginners # testing 2  reactions Comments Add Comment 2 min read loading... trending guides/resources From Manual Testing to AI Agents: A 90-Day Transformation Roadmap The State of Quality 2026: Where to Find the Best SDET & QA Roles Functional testing: the boring basics that catch real bugs Regression testing workflow: the risk first checks that keep releases stable Por Qué el 83% de Herramientas de Detección de Alucinaciones RAG Fallan en Producción Testing Legacy Systems with AI: Automated QA, Regression & Edge Cases Exploratory testing on mobile: the messy checks that find real bugs 💎 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:16
https://dev.to/hoangleitvn/the-builds-that-last-manifesto-218c
The Builds That Last Manifesto - 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 Hoang Le Posted on Jan 11 The Builds That Last Manifesto # productivity # programming # architecture # career Originally published on Builds That Last . I've been building and leading engineering teams for 15 years. Over 50 projects. Startups, enterprises, legacy systems, greenfield builds. Same pattern every time. Teams ship fast. Then they slow down. Not because engineers got lazy. Because the foundation was never there. At my company, we maintain systems 20+ years old. No documentation. No standards. When we ask stakeholders about business logic, they say "read the code". My teams sometimes decompile binary files just to understand what's inside. Debug at runtime because that's the only way to see how things work. Previous teams deployed code to AWS without committing to source control. Gone. This is what engineering looks like for most of us. Not the AI demos. Not the apps shipped in a weekend. The gap between posts and reality You'll see posts about vibe coding, AI-augmented development, shipping apps in hours. I'm not saying AI isn't real. I use these tools every day. The productivity gains are real. But there's a gap between what people post and what I see in actual projects. The posts show demos that work. Reality is production systems that break. The posts celebrate shipping fast. Reality is teams spending months paying back technical debt. The demo works. The demo always works. It's what comes after that separates software that lasts from software that collapses. The iceberg problem What you see is 20% above water. The shiny demos. The fast shipping. Vibe coding, agentic AI, apps built in hours. What you don't see is the 80% below: → Maintenance → Technical debt → Engineers connecting systems never meant to work together → Data inconsistencies accumulated over years → Teams spending days understanding what the previous developer was thinking That 80% is where my teams spend most of our time. And it's where the real lessons are. The speed trap I see this pattern repeat. A team starts fast. AI tools, modern stack, motivated engineers. First version ships in weeks. Everyone celebrates. Then users show up. Edge cases appear. The payment flow breaks. Data sync fails silently. Features that worked in demo crash under real load. Suddenly the team that was "moving fast" spends months fixing things. Not building new features. Just paying back debt from shipping without foundation. Leadership gets frustrated. "Why is the team slow now?" The team isn't slow. They're doing work that should have been done upfront. Speed without foundation creates the illusion of progress. Then reality catches up. Maintenance costs more than building Here's something most people don't think about until it's too late. Maintaining software costs more than building it from scratch. Think about repairing a house. You don't just fix the broken part. You investigate the structure. Remove old materials. Work around things that can't be changed. Then build the new thing. Software is the same. When you inherit a system without documentation, without standards, every change becomes an archaeology project. You spend more time understanding than building. The time you "save" by skipping foundation gets paid back with interest during maintenance. The AI paradox AI makes code generation 10x faster. That's real. AI also increases cognitive load by 30-40%. When AI generates code, someone still needs to verify it's secure. Check for edge cases. Understand the logic before shipping. Maintain it when something breaks. AI doesn't eliminate this work. It changes who's responsible for catching problems. Anthropic's CEO said 90% of their internal code is now AI-generated. The follow-up: "We're not replacing engineers". The 10% humans handle? That's the leverage zone. Architecture decisions. Debugging complex problems. Understanding why something should work, not just what it should do. AI is a turbo, not a robot. Good foundation? AI makes you faster at building good software. Bad foundation? AI makes you faster at building bad software. What this means for engineers The fundamentals matter more than ever. Everyone has access to AI now. The differentiator isn't who prompts better. It's who understands what they're building deeply enough to know when AI helps and when it hurts. Own your code. "The AI wrote it" isn't an excuse when something breaks at 2am. You shipped it. You're responsible. Read the code. Understand the logic. Ship with confidence. The 80% below water is where you build real skills. Legacy systems, maintenance, debugging. Not glamorous. But it's where you learn how software actually behaves. Don't avoid it. Embrace it. What this means for leaders You're only seeing 20% of what your team deals with. The demos work. Sprint reports look fine. But your team might be drowning in the 80% you don't see. The legacy code. Missing documentation. Tribal knowledge that walks out when someone leaves. Buying tools is easy. Training is hard. Teams that succeed with AI invested in foundation first. Standards, process, documentation. Then added AI. Teams that struggle added tools to existing chaos. Now they have faster chaos. Remove friction before adding speed. When you want to go faster, the instinct is to add more. More tools, more people, more pressure. Usually, the answer is to remove things. Remove blockers. Remove unnecessary process. Remove friction slowing your team down. The bottom line Real speed comes from clarity, not from typing faster. In the AI era, shipping is easy. Building to last is what matters. Those legacy systems with no documentation? They taught me more than any greenfield project. Not because they were well-built. Because they showed what happens when foundation is missing. Every time I build something new, I think about the engineer maintaining it in 10 years. Will they understand our decisions? Can they change things confidently? Or will they be stuck doing archaeology? That's what foundation means. Building for the people who come after. What's your experience with the 80% below water? I write about foundation-first engineering at Builds That Last . 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 Hoang Le Follow Engineering leader. Founder @ INNOMIZE. Building cloud-native systems for startups. Writing about platform engineering and technical leadership at Builds that Last. Location Vietnam Education The Degree of Engineer Information Technology Work Co-Founder, CEO, CTO at INNOMIZE Joined Oct 26, 2019 Trending on DEV Community Hot If a problem can be solved without AI, does AI actually make it better? # ai # architecture # discuss Prompt Engineering Won’t Fix Your Architecture # discuss # career # ai # programming MAWA - El lenguaje simple en sintaxis como Python de bajo nivel. Parte 3, Condicionales. # programming # beginners # showdev # codenewbie 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/security#important-update-changes-to-our-bug-bounty-program
Reporting Vulnerabilities to dev.to - 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 Reporting Vulnerabilities to dev.to Important Update: Changes to Our Bug Bounty Program We regret to announce we will be suspending our bug bounty reward program effective immediately. Due to time constraints in managing this program ourselves, we are not in a position to keep the program in-house. We are exploring other options, but do not have a timeline for a re-launch. While we are no longer able to offer monetary rewards at this time, we still highly value the security community's input and encourage you to continue reporting any vulnerabilities you may discover. Please send your findings to security@dev.to , and we will diligently investigate all reports. We remain committed to acknowledging significant contributions through our security hall of fame. We hope to launch a new reward program in the future. Your understanding and continued support in maintaining the security of our systems are deeply appreciated. Security Guidelines and Etiquette Please read and follow these guidelines prior to sending in any reports. 1. Do not test vulnerabilities in public. We ask that you do not attempt any vulnerabilities, rate-limiting tests, exploits, or any other security/bug-related findings if it will impact another community member. This means you should not leave comments on someone else’s post, send them messages via Connect, or otherwise, impact their experience on the platform. Note that we are open source and have documentation available if you're interested in setting up a dev environment for the purposes of testing. 2. Do not report similar issues or variations of the same issue in different reports. Please report any similar issues in a single report. It's better for both parties to have this information in one place where we can evaluate it all together. Please note any and all areas where your vulnerability might be relevant. You will not be penalized or receive a lower reward for streamlining your report in one place vs. spreading it across different areas. 3. The following domains are not eligible for our bounty program as they are hosted by or built on external services: jobs.dev.to (Recruitee) status.dev.to (Atlassian) shop.dev.to (Shopify) docs.dev.to (Netlify) storybook.dev.to (Netlify) We've listed the service provider of each of these domains so that you might contact them if you wish to report the vulnerability you found. 4. DoS (Denial of Service) vulnerabilities should not be tested for more than a span of 5 minutes. Be courteous and reasonable when testing any endpoints on dev.to as this may interfere with our monitoring. If we discover that you are testing DoS disruptively for prolonged periods of time, we may restrict your award, block your IP address, or remove your eligibility to participate in the program. 5. Please be patient with us after sending in your report. We’d appreciate it if you avoid messaging us to ask about the status of your report. Our team will get back to you only if your contribution is significant enough to be included in our hall of fame. Hall of Fame Thanks to those who have helped us by finding, fixing, and disclosing security issues safely: Aman Mahendra Muhammad Muhaddis Sajibe Kanti Sahil Mehra Prial Islam Pritesh Mistry Jerbi Nessim Vis Patel Mohammad Abdullah Ismail Hossain Antony Garand Guilherme Scombatti Ahsan Khan Shintaro Kobori Footstep Security Chakradhar Chiru Mustafa Khan Benoit Côté-Jodoin Rahul PS Kaushik Roy Kishan Kumar Gids Goldberg Zee Shan Md. Nur A Alam Dipu Yeasir Arafat Shiv Bihari Pandey Nicolas Verdier Mathieu Paturel Arif Khan Sagar Yadav Sameer Phad Chirag Gupta Akash Sebastian Mustafa Diaa (c0braBaghdad1) Vikas Srivastava, India Md. Asif Hossain, Bangladesh Ali Kamalizade Omet Hasan Sergey Kislyakov Ajaysen R Govind Palakkal Kishore Krishna Pai Panchal Rohan Rahul Raju Thijs Alkemade Nanda Krishna Narender Saini Alan Jose Sumit Oneness Sagar Raja Faizan Nehal Siddiqui Michal Biesiada (mbiesiad) Aleena Avarachan Krypton ( @kkrypt0nn ) Jefferson Gonzales ( @gonzxph ) ALJI Mohamed ( @sim4n6 ) 💎 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:16
https://dev.to/help/community-resources#Recommended-reads-from-the-Community
Community Resources - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Community Resources Community Resources In this article Recommended reads from the Community Both the DEV Team and DEV community members often share guides and resources for using DEV under the tag #howtodevto . Please browse these posts and if you have any tips for using DEV, write a post and share it with us under the tag! Recommended reads from the Community Finally a clean and easy way to add Table of Contents to dev.to articles 🤩 Lucy Linder ・ Jan 2 '23 #howtodevto #writing #beginners #showdev How to write a high quality post on DEV Ella (she/her/elle) ・ Aug 20 '21 #writing #howtodevto Lesser Known Features of DEV — Using Comment Templates Michael Tharrington ・ Jan 4 '23 #meta #documentation #community #howtodevto 😁12 things you didn't know you could do with DEV Anmol Baranwal ・ Jan 30 '24 #writing #tutorial #beginners #howtodevto How to write a VERY HIGH quality post on DEV [13 top tips + a bonus 🤯!] GrahamTheDev ・ Aug 20 '21 #a11y #writing #beginners #howtodevto 💎 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:16
https://dev.to/behruamm/how-i-built-a-magic-move-animation-engine-for-excalidraw-from-scratch-published-4lmp#3-the-render-loop-amp-overlapping-phases
How I built a "Magic Move" animation engine for Excalidraw from scratch published - 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 Behram Posted on Jan 12           How I built a "Magic Move" animation engine for Excalidraw from scratch published # webdev # react # animation # opensource I love Excalidraw for sketching system architectures. But sketches are static. When I want to show how a packet moves through a load balancer, or how a database shard splits, I have to wave my hands frantically or create 10 different slides. I wanted the ability to "Sketch Logic, Export Motion" . The Goal I didn't want a timeline editor (like After Effects). That's too much work for a simple diagram. I wanted "Keyless Animation" : Draw Frame 1 (The start state). Clone it to Frame 2 . Move elements to their new positions. The engine automatically figures out the transition. I built this engine using Next.js , Excalidraw , and Framer Motion . Here is a technical deep dive into how I implemented the logic. 1. The Core Logic: Diffing States The hardest part isn't the animation loop; it's the diffing . When we move from Frame A to Frame B , we identify elements by their stable IDs and categorize them into one of three buckets: Stable: The element exists in both frames (needs to morph/move). Entering: Exists in B but not A (needs to fade in). Exiting: Exists in A but not B (needs to fade out). I wrote a categorizeTransition utility that maps elements efficiently: // Simplified logic from src/utils/editor/transition-logic.ts export function categorizeTransition ( prevElements , currElements ) { const stable = []; const morphed = []; const entering = []; const exiting = []; const prevMap = new Map ( prevElements . map ( e => [ e . id , e ])); const currMap = new Map ( currElements . map ( e => [ e . id , e ])); // 1. Find Morphs (Stable) & Entering currElements . forEach ( curr => { if ( prevMap . has ( curr . id )) { const prev = prevMap . get ( curr . id ); // We separate "Stable" (identical) from "Morphed" (changed) // to optimize the render loop if ( areVisuallyIdentical ( prev , curr )) { stable . push ({ key : curr . id , element : curr }); } else { morphed . push ({ key : curr . id , start : prev , end : curr }); } } else { entering . push ({ key : curr . id , end : curr }); } }); // 2. Find Exiting prevElements . forEach ( prev => { if ( ! currMap . has ( prev . id )) { exiting . push ({ key : prev . id , start : prev }); } }); return { stable , morphed , entering , exiting }; } Enter fullscreen mode Exit fullscreen mode 2. Interpolating Properties For the "Morphed" elements, we need to calculate the intermediate state at any given progress (0.0 to 1.0). You can't just use simple linear interpolation for everything. Numbers (x, y, width): Linear works fine. Colors (strokeColor): You must convert Hex to RGBA, interpolate each channel, and convert back. Angles: You need "shortest path" interpolation. If an object is at 10 degrees and rotates to 350 degrees , linear interpolation goes the long way around. We want it to just rotate -20 degrees. // src/utils/smart-animation.ts const angleProgress = ( oldAngle , newAngle , progress ) => { let diff = newAngle - oldAngle ; // Normalize to -PI to +PI to find shortest direction while ( diff > Math . PI ) diff -= 2 * Math . PI ; while ( diff < - Math . PI ) diff += 2 * Math . PI ; return oldAngle + diff * progress ; }; Enter fullscreen mode Exit fullscreen mode 3. The Render Loop & Overlapping Phases Instead of CSS transitions (which are hard to sync for complex canvas repaints), I used a requestAnimationFrame loop in a React hook called useTransitionAnimation . A key "secret sauce" to making animations feel professional is overlap . If you play animations sequentially (Exit -> Move -> Enter), it feels robotic. I overlapped the phases so the scene feels alive: // Timeline Logic const exitEnd = hasExit ? 300 : 0 ; const morphStart = exitEnd ; const morphEnd = morphStart + 500 ; // [MAGIC TRICK] Start entering elements BEFORE the morph ends // This creates that "Apple Keynote" feel where things arrive // just as others are settling into place. const overlapDuration = 200 ; const enterStart = Math . max ( morphStart , morphEnd - overlapDuration ); Enter fullscreen mode Exit fullscreen mode 4. Making it feel "Physical" Linear movement ( progress = time / duration ) is boring. I implemented spring-based easing functions. Even though I'm manually calculating specific frames, I apply an easing curve to the progress value before feeding it into the interpolator. // Quartic Ease-Out Approximation for a "Heavy" feel const springEasing = ( t ) => { return 1 - Math . pow ( 1 - t , 4 ); }; Enter fullscreen mode Exit fullscreen mode This ensures that big architecture blocks "thud" into place with weight, rather than sliding around like ghosts. What's Next? I'm currently working on: Sub-step animations: Allowing you to click through bullet points within a single frame. Export to MP4: Recording the canvas stream directly to a video file. The project is live, and I built it to help developers communicate better. Try here: https://postara.io/ Free Stripe Promotion Code: postara Let me know what you think of the approach! 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   SinghDevHub SinghDevHub SinghDevHub Follow MLE @CRED ⌛ Sharing on System design, AI, LLMs, ML Email lovepreet.singh@alumni.iitgn.ac.in Location Bangalore, India Work MLE @ CRED Joined Nov 29, 2022 • Jan 13 Dropdown menu Copy link Hide loved it 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 Behram Follow Ex-Data Scientist documenting the reality of building AI agent SaaS as a solo founder in the UK. Raw technical logs, AI leverage, and the path to profitability. Location Birmingham,UK Joined Nov 7, 2024 Trending on DEV Community Hot Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview 💎 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:16
https://dev.to/mohammadidrees/applying-first-principles-questioning-to-a-real-company-interview-question-2c0j#what-the-interviewer-sees
Applying First-Principles Questioning to a Real Company Interview Question - 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 Mohammad-Idrees Posted on Jan 13 Applying First-Principles Questioning to a Real Company Interview Question # career # interview # systemdesign Case Study: Designing a Chat System (Meta / WhatsApp–Style) This section answers a common follow-up interview request: “Okay, now apply this thinking to a real problem.” We will do exactly that — without jumping to tools or architectures first . The goal is not to “design WhatsApp,” but to demonstrate how interviewers expect you to think . The Interview Question (Realistic & Common) “Design a chat system like WhatsApp.” This is a real company interview question asked (in variants) at: Meta Uber Amazon Stripe Most candidates fail this question not because it’s hard, but because they start in the wrong place . What Most Candidates Do (Wrong Start) Typical opening: “We’ll use WebSockets” “We’ll use Kafka” “We’ll shard by user ID” This skips reasoning. A strong candidate pauses and applies the checklist. Applying the First-Principles Checklist Live We will apply the same five questions , in order, and show what problems naturally surface. 1. State “Where does state live? When is it durable?” Ask This Out Loud in the Interview What information must the chat system remember for it to function correctly? Identify Required State (No Design Yet) Users Conversations Messages Message delivery status Now ask: Which of this state must never be lost? Answer: Messages (core product) Conversation membership First-Principles Conclusion Messages must be persisted In-memory-only solutions are insufficient What the Interviewer Sees You identified correctness-critical state before touching architecture. 2. Time “How long does each step take?” Now we introduce time. Break the Chat Flow User sends message Message is stored Message is delivered to recipient(s) Ask: Which of these must be fast? Sending a message → must feel instant Delivery → may be delayed (offline users) Critical Question Does the sender wait for delivery confirmation? If yes: Latency depends on recipient availability If no: Sending and delivery are time-decoupled First-Principles Conclusion Message acceptance must be fast Delivery can happen later This naturally introduces asynchrony , without naming any tools. 3. Failure “What breaks independently?” Now assume failures — explicitly. Ask What happens if the system crashes after accepting a message but before delivery? Possible states: Message stored Recipient not notified yet Now ask: Can delivery be retried safely? This surfaces a key invariant: A message must not be delivered zero times or multiple times incorrectly. Failure Scenarios Discovered Duplicate delivery Message loss Inconsistent delivery status First-Principles Conclusion Message delivery must be idempotent Storage and delivery failures must be decoupled The interviewer now sees you understand distributed failure , not just happy paths. 4. Order “What defines correct sequence?” Now introduce multiple messages . Ask Does message order matter in a conversation? Answer: Yes — chat messages must appear in order Now ask the dangerous question: Does arrival order equal delivery order? In distributed systems: No guarantee Messages can: Be processed by different servers Experience different delays First-Principles Conclusion Ordering is part of correctness It must be explicitly modeled (e.g., sequence per conversation) This is a senior-level insight , derived from questioning alone. 5. Scale “What grows fastest under load?” Now — and only now — do we talk about scale. Ask As usage grows, what increases fastest? Likely answers: Number of messages Concurrent active connections Offline message backlog Now ask: What happens during spikes (e.g., group chats, viral events)? You discover: Hot conversations Uneven load Memory pressure from live connections First-Principles Conclusion The system must scale on messages , not users Load is not uniform What We Have Discovered (Before Any Design) Without choosing any tools, we now know: Messages must be durable Sending and delivery must be decoupled Failures must not cause duplicates or loss Ordering is a correctness requirement Message volume, not user count, dominates scale This is exactly what interviewers want to hear before you propose architecture. What Comes Next (And Why It’s Easy Now) Only after this reasoning does it make sense to talk about: Persistent storage Async delivery Streaming connections Partitioning strategies At this point, architecture choices are obvious , not arbitrary. Why This Approach Scores High in Interviews Interviewers are evaluating: How you reason under ambiguity Whether you surface hidden constraints Whether you understand failure modes They are not testing whether you know WhatsApp’s internals. This method shows: Structured thinking Calm problem decomposition Senior-level judgment Common Candidate Mistakes (Seen in This Question) Jumping to WebSockets without discussing durability Ignoring offline users Assuming message order “just works” Treating retries as harmless Talking about scale before correctness Every one of these mistakes is prevented by the checklist. Final Reinforcement: The Checklist (Again) Use this verbatim in interviews: Where does state live? When is it durable? Which steps are fast vs slow? What can fail independently? What defines correct order? What grows fastest under load? Final Mental Model Strong candidates design systems. Exceptional candidates design reasoning . 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 Mohammad-Idrees Follow Joined Mar 16, 2023 More from Mohammad-Idrees Contrast sync vs async failure classes using first principles # architecture # computerscience # systemdesign How to Question Any System Design Problem (With Live Interview Walkthrough) # architecture # career # interview # systemdesign Thinking in First Principles: How to Question an Async Queue–Based Design # architecture # interview # learning # systemdesign 💎 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:16
https://dev.to/yuiltripathee/so-i-tried-odoo-for-the-first-time-2o96
So I tried Odoo for the first time - 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 Yuil Tripathee Posted on Jun 6, 2024 So I tried Odoo for the first time # webdev # erp # beginners # odoo From web developer's viewpoint, I'm going to setup Odoo for the first time. It is going to installed on my local computer (Ubuntu 22.04) and the installation will be from community edition. Prerequisites Git, Python (3.10+), Pip and basics (IDEs and stuff) PostgreSQL database (can be community edition) Initial steps This is coming from Odoo's official documentation. Fork the GitHub repo for the community edition. Create a new postgres user. Odoo does not accept postgres default user. sudo -u postgres createuser -d -R -S $USER createdb $USER Enter fullscreen mode Exit fullscreen mode Running Odoo for the first time The two new databases created on PostgreSQL are: $USER whatever your username is and the other one called mydb . Run this command after you clone the Odoo repo and cd inside. python3 odoo-bin --addons-path = addons -d mydb Enter fullscreen mode Exit fullscreen mode After the server has started (the INFO log odoo.modules.loading: Modules loaded. is printed), open http://localhost:8069 in a web browser and log into the Odoo database with the base administrator account: use admin as the email and, again, admin as the password. Check the database schema I ran the ERD for database tool in pgAdmin to inspect the database design for the Odoo community base platform. From the start there are 114 tables linked in a mesh. So, I chose to dig into the database structure a bit further. Findings Odoo's database model is quite mature as of Version 17 and incorporable to wide contextual range. The database structure is monolith. Therefore, decoupling into possible micro-services would be a good prospect as some modules requires scaling different than the other. You can refer to Server Framework 101 guide in order to develop your own modules. References Odoo on-premise setup from source guide 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 Yuil Tripathee Follow Location Bangkok, TH Education King Mongkut's University of Technology Thonburi Work Student Joined Jun 8, 2020 More from Yuil Tripathee Docker setup in Linux: Setting up docker in Zorin 16.3 # docker # webdev # beginners # devops Network interfacing issues faced using WSL 2 (and fixes) # wsl2 # lan # bugfixing # webdev Web Dev setup in WSL2 Kali Linux 2022 Edition - Part 2: Coding Tools setup - Python, C++, Go, JS, PHP # linux # webdev # beginners # 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:16
https://dev.to/rgbos/the-next-shift-in-development-from-coding-to-ai-orchestration-54a2
The Next Shift in Development: From Coding to AI Orchestration - 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 Rashi Posted on Oct 2, 2025 The Next Shift in Development: From Coding to AI Orchestration # ai # career # softwaredevelopment The Changing Role of Developers The craft of software development has always evolved with the tools of the era. From assembly to higher-level languages, from waterfall to agile, from on-prem servers to the cloud — developers adapt. The next shift, however, isn’t just about new languages or platforms. It’s about how developers interact with AI as both a tool and a collaborator . We’re entering an era where developers spend less time typing raw code and more time guiding, validating, and governing the work AI generates. 1. AI Orchestration Becomes a Core Skill Instead of writing every line by hand, developers will orchestrate multiple AI systems . This means: Combining specialized AI models for tasks like code generation, testing, and deployment. Building workflows where AI outputs feed into each other. Managing context so AI has the right inputs at the right time. It’s less like writing a single function and more like conducting an orchestra — ensuring all the “instruments” play together smoothly. 2. Prompt Engineering as the New Debugging Prompts are the new interface. Just like developers once debugged code line by line, they’ll debug prompts to get reliable results. The difference is: Instead of fixing syntax errors, they’ll tweak language and context. Instead of compiler errors, they’ll interpret ambiguous or inconsistent AI output. Instead of a test suite, they’ll use structured evaluations of prompts across different scenarios. Knowing how to talk to AI effectively is quickly becoming as important as knowing a programming language. 3. Reviewing and Validating AI Output AI is powerful, but it’s not infallible. Developers will increasingly become validators : Checking whether AI-generated code is correct, secure, and maintainable. Identifying hallucinations or inaccuracies in AI-generated documentation or design suggestions. Embedding automated validation checks to catch mistakes before they slip into production. Think of it as a shift from code author to code reviewer at scale . 4. AI Governance: A Developer Responsibility Governance won’t be just for compliance officers. Developers themselves will help enforce responsible AI use : Ensuring models don’t leak sensitive data. Auditing decisions made by AI-assisted systems. Documenting and explaining why certain AI-driven choices were made. Building “guardrails” into applications so AI stays within safe and ethical boundaries. Governance will be a shared responsibility — and developers will play a frontline role. The Developer’s Future: Less Typing, More Thinking The traditional image of a developer hammering out thousands of lines of code is fading. Instead, the role is becoming more strategic, oversight-driven, and interdisciplinary . Developers will still code, of course — but increasingly, they’ll: Guide AI systems with clarity. Ensure quality and correctness of outputs. Integrate AI tools responsibly into products. This shift may feel unfamiliar, but it echoes every evolution before: from machine code to modern frameworks, from local servers to the cloud. Each step required developers to let go of some old tasks and embrace new ones. The difference this time? We’re not just adopting tools — we’re collaborating with intelligence. 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 Rashi Follow Software engineer specializing in scalable, user-focused applications. Skilled in full-stack development and cloud technologies, with a passion for elegant, efficient solutions. Joined Sep 13, 2025 More from Rashi The Danger of Letting AI Think for You # ai # discuss # productivity Beyond the Chatbot: The AI Tools Defining 2026 # agents # ai # llm Green Software Development: Building for Efficiency and Sustainability # architecture # performance # softwaredevelopment 💎 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:16
https://forem.com/new/owl#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:16
https://www.python.org/psf/conduct/#our-community
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://themeselection.com/
ThemeSelection - Best Admin Templates, Themes & UI Kits Scroll Top Primary Menu Templates Admin Templates Best Admin Dashboards & Themes Vuejs Templates Best Vue Themes & Dashboards Bootstrap Templates Best Bootstrap Themes & Dashboards Nuxt Templates Best Nuxt Themes & Dashboards Laravel Templates Best Laravel Templates Django Templates Best Django Themes & Dashboards React Templates Best React Themes & Dashboards .NET Templates Best ASP.NET Core Themes & Dashboards NextJS Templates Best Nextjs Themes & Dashboards SaaS Boilerplates Best SaaS Starter Kits Tailwind CSS Templates Best Tailwind Themes & Dashboards Shadcn Templates Best Shadcn Templates Vercel Templates Best Vercel Themes Material Design Dashboards Top Material Design Templates Download Free Admin Templates Free UI Kits Figma UI Kits Sketch UI Kits All Freebies Free Starter Kits Admin Templates Bootstrap Templates Laravel Templates React Templates NextJS Templates Tailwind CSS Templates Vuejs Templates Nuxt Templates Django Templates .NET Templates SaaS Boilerplates Free Admin Templates UI Kits Figma UI Kits Sketch UI Kits Free UI Kits Boilerplates Jetship Laravel Starter Kit Jetship Next.js Starter Kit Design System Sneat Design Materio Design Bundle Freebies Free Admin Templates Free Bootstrap Templates Free Vue Templates Free React Templates Free Laravel Templates Free Nextjs Templates Free Nuxt Templates Free Django Templates Free ASP.NET Templates Free UI Kits Free Figma UI Kits Free Starter Kits Free Scripts & Plugins Help Help Center Blog FAQ License Support Discord Community Hire Us 🧑‍💻 Contact Us Affiliation Program 💸 Affiliate Login Login / Register 🔥 Access to all our current and future products Fully Coded Admin Dashboard, SaaS Boilerplate & UI Kit 🎉 Kick-Start your next project with ease using our awesome products for faster web development. Join 1.6M+ creatives and elevate your projects! Dashboards Bootstrap React Next.js Vuejs Laravel Boilerplate UI Kit Django Tailwind Shadcn .NET Core Featured Products Winter Big Bundle Sale Get 90% OFF 🎉 $1,329  $149 5.00/5 1292 Live Preview Sneat Dashboard PRO - BS 5 Premium BS 5 Theme $59 4.93/5 1893 Live Preview Materio Vue 3 Admin - Pro Vuetify Vuejs 3 Admin Template $69 5/5 1225 Live Preview Jetship Next.js Starter Kit - PRO Next.js SaaS Starter Kit $149 5.00/5 Live Preview Jetship Laravel Starter Kit - PRO Laravel SaaS Starter Kit $149 5.00/5 Live Preview Materio MUI NextJS Admin - Pro MUI NextJS Admin Template $79 5/5 1137 Live Preview Sneat Dashboard PRO - Laravel 12 Premium Laravel 12 Admin $79 5/5 577 Live Preview Sneat MUI NextJS Admin - Pro NextJS Admin Dashboard $79 4.67/5 376 Live Preview Materio Vuejs Laravel Admin- Pro Vuejs Laravel Admin Template $79 5/5 279 Live Preview Sneat Vue 3 Admin - Pro Vuetify Vuejs 3 Admin Template $69 5/5 248 Live Preview Sneat ASP.NET MVC Admin - Pro ASP.NET Core MVC Admin Dashboard $79 5/5 152 Live Preview FlyonUI Tailwind Blocks & Templates Premium Tailwind Components $149  $99 5.00/5 Live Preview Winter Big Bundle Get up to 90% OFF 125k+ Developers using our products 25k (25%) 20+ Premium products in bundle 6 (40%) 300k+ Total downloads from themeselection 1.5M (80%) 4.8/5 Reviews from 10k+ developers 2000 (20%) Get  20+ premium products , valued at $1329, for just  $149  – save up to 90% Buy Now | Starting @ $149 Purchase once, use for lifetime UI Kits View All Sneat Figma Admin UI Kit - Pro Drag & Drop Dashboard Builder $49 5/5 149 Live Preview Materio Figma Admin UI Kit - Pro Drag & Drop Dashboard Builder $49 5.00/5 320 Live Preview Sneat- Sketch Admin UI Kit - Pro Bootstrap Sketch Dashboard UI Kit $49 5/5 83 Live Preview Trending Freebies View All Shadcn Studios Shadcn Blocks & Components FREE 5.00/5 Live Preview Flyon - Laravel Livewire Starter Kit Free Tailwind Laravel Starter kit FREE 5/5 509 Live Preview Sneat - Laravel Livewire Starter Kit Free Laravel Livewire Starter kIt FREE 5/5 550 Live Preview FlyonUI Tailwind Components Library Free Tailwind Components FREE 5.00/5 Live Preview Sneat NuxtJS 3 Admin - Free Vuetify NuxtJS 3 Admin Template FREE 5.00/5 2881 Live Preview Materio NuxtJS 3 Admin - Free Vuetify NuxtJS 3 Admin Template FREE 5/5 3589 Live Preview Trusted by Great Companies Active Community Of Users & Developers 253,085 Downloads 215,011 Active Users 53 Products 4.8/5 Average Ratings Featured In Supported by Real People We believe that outstanding products deserve equally outstanding support. Our team of real people is always ready to assist, ensuring your ideas turn into achievements.  Get Pro Support Ask us on Discord Bxl-github Bxl-discord-alt X-twitter Dribbble Facebook Instagram Linkedin Youtube Pinterest Company About Us Made with ThemeSelection 🛠️ Affiliate Program 💸 Discounts & Coupons Blog Popular categories Bootstrap Admin Template Laravel Admin Template React Admin Template NextJS admin Template VueJS admin Template Resources SaaS Boilerplate Tailwind CSS Components Tailwind CSS Blocks All UtilityCSS All Shadcn Resources Shadcn Components Bootstrap CheatSheet Vue Cheatsheet Figma Tailwind UI Components Help & Support Help Center FAQs Support Hire Us Contact Us Legal Licenses Terms & Conditions Affiliation Terms & Conditions Privacy Policy Sitemap © 2026 ThemeSelection , Made with ❤️  for a better web. Welcome to ThemeSelection 👋 Prefer to Login/register with: OR Forgot password? | Create New Account 🔐 By Signin or Signup to ThemeSelection.com using social accounts or login/register form, You are agreeing to our Terms & Conditions and Privacy Policy Register to ThemeSelection 🚀 Prefer to Login/Regiter with: OR Already Have Account? Sign in By Signin or Signup to ThemeSelection.com using social accounts or login/register form, You are agreeing to our Terms & Conditions and Privacy Policy Reset Your Password 🔐 Enter your username/email address, we will send you reset password link on it. 🔓 Return to Login Our website uses cookies from third party services to improve your browsing experience. Read more about this and how you can control cookies by clicking "Privacy Preferences". Privacy Preferences I Agree Close Privacy Preferences When you visit our website, it may store information through your browser from specific services, usually in form of cookies. Here you can change your privacy preferences. Please note that blocking some types of cookies may impact your experience on our website and the services we offer. Privacy Policy You have read and agreed to our privacy policy Required Save Preferences Privacy Policy Cookies Policy Popular search terms admin bootstrap react vuejs laravel django figma sketch nextjs
2026-01-13T08:49:16
https://dev.to/mohammadidrees/applying-first-principles-questioning-to-a-real-company-interview-question-2c0j#2-time
Applying First-Principles Questioning to a Real Company Interview Question - 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 Mohammad-Idrees Posted on Jan 13 Applying First-Principles Questioning to a Real Company Interview Question # career # interview # systemdesign Case Study: Designing a Chat System (Meta / WhatsApp–Style) This section answers a common follow-up interview request: “Okay, now apply this thinking to a real problem.” We will do exactly that — without jumping to tools or architectures first . The goal is not to “design WhatsApp,” but to demonstrate how interviewers expect you to think . The Interview Question (Realistic & Common) “Design a chat system like WhatsApp.” This is a real company interview question asked (in variants) at: Meta Uber Amazon Stripe Most candidates fail this question not because it’s hard, but because they start in the wrong place . What Most Candidates Do (Wrong Start) Typical opening: “We’ll use WebSockets” “We’ll use Kafka” “We’ll shard by user ID” This skips reasoning. A strong candidate pauses and applies the checklist. Applying the First-Principles Checklist Live We will apply the same five questions , in order, and show what problems naturally surface. 1. State “Where does state live? When is it durable?” Ask This Out Loud in the Interview What information must the chat system remember for it to function correctly? Identify Required State (No Design Yet) Users Conversations Messages Message delivery status Now ask: Which of this state must never be lost? Answer: Messages (core product) Conversation membership First-Principles Conclusion Messages must be persisted In-memory-only solutions are insufficient What the Interviewer Sees You identified correctness-critical state before touching architecture. 2. Time “How long does each step take?” Now we introduce time. Break the Chat Flow User sends message Message is stored Message is delivered to recipient(s) Ask: Which of these must be fast? Sending a message → must feel instant Delivery → may be delayed (offline users) Critical Question Does the sender wait for delivery confirmation? If yes: Latency depends on recipient availability If no: Sending and delivery are time-decoupled First-Principles Conclusion Message acceptance must be fast Delivery can happen later This naturally introduces asynchrony , without naming any tools. 3. Failure “What breaks independently?” Now assume failures — explicitly. Ask What happens if the system crashes after accepting a message but before delivery? Possible states: Message stored Recipient not notified yet Now ask: Can delivery be retried safely? This surfaces a key invariant: A message must not be delivered zero times or multiple times incorrectly. Failure Scenarios Discovered Duplicate delivery Message loss Inconsistent delivery status First-Principles Conclusion Message delivery must be idempotent Storage and delivery failures must be decoupled The interviewer now sees you understand distributed failure , not just happy paths. 4. Order “What defines correct sequence?” Now introduce multiple messages . Ask Does message order matter in a conversation? Answer: Yes — chat messages must appear in order Now ask the dangerous question: Does arrival order equal delivery order? In distributed systems: No guarantee Messages can: Be processed by different servers Experience different delays First-Principles Conclusion Ordering is part of correctness It must be explicitly modeled (e.g., sequence per conversation) This is a senior-level insight , derived from questioning alone. 5. Scale “What grows fastest under load?” Now — and only now — do we talk about scale. Ask As usage grows, what increases fastest? Likely answers: Number of messages Concurrent active connections Offline message backlog Now ask: What happens during spikes (e.g., group chats, viral events)? You discover: Hot conversations Uneven load Memory pressure from live connections First-Principles Conclusion The system must scale on messages , not users Load is not uniform What We Have Discovered (Before Any Design) Without choosing any tools, we now know: Messages must be durable Sending and delivery must be decoupled Failures must not cause duplicates or loss Ordering is a correctness requirement Message volume, not user count, dominates scale This is exactly what interviewers want to hear before you propose architecture. What Comes Next (And Why It’s Easy Now) Only after this reasoning does it make sense to talk about: Persistent storage Async delivery Streaming connections Partitioning strategies At this point, architecture choices are obvious , not arbitrary. Why This Approach Scores High in Interviews Interviewers are evaluating: How you reason under ambiguity Whether you surface hidden constraints Whether you understand failure modes They are not testing whether you know WhatsApp’s internals. This method shows: Structured thinking Calm problem decomposition Senior-level judgment Common Candidate Mistakes (Seen in This Question) Jumping to WebSockets without discussing durability Ignoring offline users Assuming message order “just works” Treating retries as harmless Talking about scale before correctness Every one of these mistakes is prevented by the checklist. Final Reinforcement: The Checklist (Again) Use this verbatim in interviews: Where does state live? When is it durable? Which steps are fast vs slow? What can fail independently? What defines correct order? What grows fastest under load? Final Mental Model Strong candidates design systems. Exceptional candidates design reasoning . 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 Mohammad-Idrees Follow Joined Mar 16, 2023 More from Mohammad-Idrees Contrast sync vs async failure classes using first principles # architecture # computerscience # systemdesign How to Question Any System Design Problem (With Live Interview Walkthrough) # architecture # career # interview # systemdesign Thinking in First Principles: How to Question an Async Queue–Based Design # architecture # interview # learning # systemdesign 💎 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:16
https://dev.to/t/productivity/page/72
Productivity Page 72 - 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 Productivity Follow Hide Productivity includes tips on how to use tools and software, process optimization, useful references, experience, and mindstate optimization. Create Post submission guidelines Please check if your article contains information or discussion bases about productivity. From posts with the tag #productivity we expect tips on how to use tools and software, process optimization, useful references, experience, and mindstate optimization. Productivity is a very broad term with many aspects and topics. From the color design of the office to personal rituals, anything can contribute to increase / optimize your own productivity or that of a team. about #productivity Does my article fit the tag? It depends! Productivity is a very broad term with many aspects and topics. From the color design of the office to personal rituals, anything can contribute to increase / optimize your own productivity or that of a team. Older #productivity posts 69 70 71 72 73 74 75 76 77 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Gerador de CNPJ Válido Online Grátis- Alternativa Profissional ao 4devs CNPJ Fellipp Mota Fellipp Mota Fellipp Mota Follow Nov 8 '25 Gerador de CNPJ Válido Online Grátis- Alternativa Profissional ao 4devs CNPJ # webdev # testing # productivity # braziliandevs Comments Add Comment 2 min read What I Learned Building a Knowledge Graph for AI Agents Trent Brew Trent Brew Trent Brew Follow Nov 7 '25 What I Learned Building a Knowledge Graph for AI Agents # programming # ai # productivity # vscode Comments Add Comment 3 min read Integrating GenAI Agents into Your Website: A Step-by-Step Guide Nick Peterson Nick Peterson Nick Peterson Follow Dec 11 '25 Integrating GenAI Agents into Your Website: A Step-by-Step Guide # ai # webdev # programming # productivity 1  reaction Comments 2  comments 4 min read FinOps in 2026: The £3.8 M We Saved by Treating Cloud Like a Trading Floor Meena Nukala Meena Nukala Meena Nukala Follow Dec 11 '25 FinOps in 2026: The £3.8 M We Saved by Treating Cloud Like a Trading Floor # finops # fintech # devops # productivity 5  reactions Comments Add Comment 2 min read # Zero-Downtime Blue-Green Deployments at Scale: What I Learned Migrating 500+ Microservices Meena Nukala Meena Nukala Meena Nukala Follow Dec 11 '25 # Zero-Downtime Blue-Green Deployments at Scale: What I Learned Migrating 500+ Microservices # devops # productivity # microservices # opensource 5  reactions Comments Add Comment 3 min read How Keeping a Work Log Changed How I Work (and Grow as an Engineer) albert nahas albert nahas albert nahas Follow Nov 7 '25 How Keeping a Work Log Changed How I Work (and Grow as an Engineer) # career # tooling # cli # productivity Comments Add Comment 2 min read My Ultimate VS Code Setup for 2025 (Extensions, Fonts, and Themes) Maame Afua A. P. Fordjour Maame Afua A. P. Fordjour Maame Afua A. P. Fordjour Follow Dec 12 '25 My Ultimate VS Code Setup for 2025 (Extensions, Fonts, and Themes) # vscode # productivity # webdev # tooling 5  reactions Comments Add Comment 3 min read From Concept to Cloud: The Ultimate AWS Architecture for High-Traffic Platforms Manish Kumar Manish Kumar Manish Kumar Follow Dec 11 '25 From Concept to Cloud: The Ultimate AWS Architecture for High-Traffic Platforms # aws # architecture # productivity # devops Comments Add Comment 37 min read The Hidden Costs of Accessibility Audits: A Project Manager’s Guide Laura Wissiak, CPACC Laura Wissiak, CPACC Laura Wissiak, CPACC Follow for A11y News Dec 5 '25 The Hidden Costs of Accessibility Audits: A Project Manager’s Guide # webdev # a11y # productivity # beginners Comments Add Comment 4 min read ✌️5 AI Document Parsing Tools That Actually Work 🚀🔥 Shrijal Acharya Shrijal Acharya Shrijal Acharya Follow Dec 12 '25 ✌️5 AI Document Parsing Tools That Actually Work 🚀🔥 # ai # opensource # rag # productivity 130  reactions Comments 10  comments 11 min read The Prompting Trick That Fixed My AI Image Generation Nadine Nadine Nadine Follow Dec 11 '25 The Prompting Trick That Fixed My AI Image Generation # ai # llm # productivity 9  reactions Comments Add Comment 7 min read Stop uploading your sensitive data: I built a privacy-first Developer Suite (JSON, PDF, Base64) Muhammad Haris Muhammad Haris Muhammad Haris Follow Dec 12 '25 Stop uploading your sensitive data: I built a privacy-first Developer Suite (JSON, PDF, Base64) # showdev # webdev # productivity # privacy 2  reactions Comments Add Comment 2 min read Mastering Python Monorepos: A Practical Guide Chandrashekhar Kachawa Chandrashekhar Kachawa Chandrashekhar Kachawa Follow Dec 12 '25 Mastering Python Monorepos: A Practical Guide # productivity # python # monorepo # programming Comments 2  comments 3 min read 𝐌𝐨𝐧𝐨𝐥𝐢𝐭𝐡 𝐯𝐬 𝐌𝐢𝐜𝐫𝐨𝐬𝐞𝐫𝐯𝐢𝐜𝐞𝐬 — 𝐂𝐡𝐨𝐨𝐬𝐢𝐧𝐠 𝐭𝐡𝐞 𝐑𝐢𝐠𝐡𝐭 𝐀𝐫𝐜𝐡𝐢𝐭𝐞𝐜𝐭𝐮𝐫𝐞 𝐟𝐨𝐫 𝐘𝐨𝐮𝐫 𝐒𝐲𝐬𝐭𝐞𝐦 Zamirul Kabir Zamirul Kabir Zamirul Kabir Follow Dec 1 '25 𝐌𝐨𝐧𝐨𝐥𝐢𝐭𝐡 𝐯𝐬 𝐌𝐢𝐜𝐫𝐨𝐬𝐞𝐫𝐯𝐢𝐜𝐞𝐬 — 𝐂𝐡𝐨𝐨𝐬𝐢𝐧𝐠 𝐭𝐡𝐞 𝐑𝐢𝐠𝐡𝐭 𝐀𝐫𝐜𝐡𝐢𝐭𝐞𝐜𝐭𝐮𝐫𝐞 𝐟𝐨𝐫 𝐘𝐨𝐮𝐫 𝐒𝐲𝐬𝐭𝐞𝐦 # webdev # programming # productivity # architecture Comments Add Comment 2 min read Two Shades of Mentoring: Cold & Warm. Which oneTruly Works? Peggie Mishra Peggie Mishra Peggie Mishra Follow Nov 7 '25 Two Shades of Mentoring: Cold & Warm. Which oneTruly Works? # leadership # mentorship # growth # productivity Comments Add Comment 2 min read Building a Custom AI Code Reviewer for GitHub Enterprise with Bedrock and Go Alexandre Amado de Castro Alexandre Amado de Castro Alexandre Amado de Castro Follow Dec 9 '25 Building a Custom AI Code Reviewer for GitHub Enterprise with Bedrock and Go # ai # codereview # go # productivity Comments Add Comment 15 min read Building Code Genie: A Local-First AI Coding Assistant That Respects Your Privacy Sherin Joseph Roy Sherin Joseph Roy Sherin Joseph Roy Follow Nov 12 '25 Building Code Genie: A Local-First AI Coding Assistant That Respects Your Privacy # ai # opensource # productivity # python 5  reactions Comments Add Comment 3 min read Day 6: Rebuilding Plans and Core Revelations Somay Somay Somay Follow Dec 11 '25 Day 6: Rebuilding Plans and Core Revelations # ai # programming # productivity # beginners 8  reactions Comments Add Comment 2 min read Making Neovim Your Own: A Practical Guide for VSCode Users Carlos Orue Carlos Orue Carlos Orue Follow Nov 12 '25 Making Neovim Your Own: A Practical Guide for VSCode Users # neovim # vim # vscode # productivity 1  reaction Comments Add Comment 1 min read 122. Best Time to Buy and Sell Stock II | LeetCode | Top Interview 150 | Coding Questions Debesh P. Debesh P. Debesh P. Follow Dec 11 '25 122. Best Time to Buy and Sell Stock II | LeetCode | Top Interview 150 | Coding Questions # leetcode # programming # productivity # learning 5  reactions Comments Add Comment 1 min read Transforming Engineering Culture in a 300-Person Company Gaurav Gaurav Gaurav Follow Nov 6 '25 Transforming Engineering Culture in a 300-Person Company # softwareengineering # leadership # devops # productivity Comments Add Comment 2 min read 121. Best Time to Buy and Sell Stock | LeetCode | Top Interview 150 | Coding Questions Debesh P. Debesh P. Debesh P. Follow Dec 11 '25 121. Best Time to Buy and Sell Stock | LeetCode | Top Interview 150 | Coding Questions # leetcode # programming # productivity # beginners 5  reactions Comments Add Comment 1 min read Número por Extenso: Conversor Online Grátis Fellipp Mota Fellipp Mota Fellipp Mota Follow Nov 8 '25 Número por Extenso: Conversor Online Grátis # braziliandevs # webdev # productivity # cheque Comments Add Comment 2 min read How do you stay updated with tech trends? Emma Schmidt Emma Schmidt Emma Schmidt Follow Nov 7 '25 How do you stay updated with tech trends? # discuss # career # learning # productivity 1  reaction Comments Add Comment 1 min read The Top 30 Viral Nano Banana Moments That Broke X in 2025 ANIRUDDHA ADAK ANIRUDDHA ADAK ANIRUDDHA ADAK Follow Nov 8 '25 The Top 30 Viral Nano Banana Moments That Broke X in 2025 # ai # programming # career # productivity 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:16
https://dev.to/t/rust
Rust - 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 Rust Follow Hide This tag is for posts related to the Rust programming language, including its libraries. Create Post submission guidelines All articles and discussions should be about the Rust programming language and related frameworks and technologies. Questions are encouraged! Including the #help tag will make them easier to find. about #rust Rust is a multi-paradigm programming language designed for performance and safety, especially safe concurrency. Older #rust posts 1 2 3 4 5 6 7 8 9 … 75 … 232 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I built a WASM execution firewall for AI agents — here’s why Xnfinite Xnfinite Xnfinite Follow Jan 10 I built a WASM execution firewall for AI agents — here’s why # discuss # typescript # rust # ai Comments Add Comment 2 min read Announcing Kreuzberg v4 TI TI TI Follow Jan 12 Announcing Kreuzberg v4 # opensource # python # rust # ai Comments Add Comment 3 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 Anya Volkov: Implementando ZK-SNARKs para Privacidade Financeira com Rust Anya Volkov Anya Volkov Anya Volkov Follow Jan 12 Anya Volkov: Implementando ZK-SNARKs para Privacidade Financeira com Rust # anyavolkov # rust # zksnarks # devops Comments Add Comment 1 min read Bridging Rust and PHP with whyNot: A Learner’s Journey Milton Vafana Milton Vafana Milton Vafana Follow Jan 11 Bridging Rust and PHP with whyNot: A Learner’s Journey # rust # php # interoperability # learning 1  reaction Comments Add Comment 4 min read Unsafe Rust: When and Why Aviral Srivastava Aviral Srivastava Aviral Srivastava Follow Jan 11 Unsafe Rust: When and Why # learning # performance # rust Comments Add Comment 8 min read Rustnite: Turning Rust Learning Into a Battle Royale Milton Vafana Milton Vafana Milton Vafana Follow Jan 11 Rustnite: Turning Rust Learning Into a Battle Royale # rust # learning # programming # webapp 1  reaction Comments Add Comment 2 min read Rust Ownership & Design Mistakes That Break Blockchain Programs Progress Ochuko Eyaadah Progress Ochuko Eyaadah Progress Ochuko Eyaadah Follow Jan 10 Rust Ownership & Design Mistakes That Break Blockchain Programs # blockchain # security # devsecurity # rust 3  reactions Comments Add Comment 4 min read So You're a Ruby/Python Dev Learning Rust's Option Type Dev TNG Dev TNG Dev TNG Follow Jan 9 So You're a Ruby/Python Dev Learning Rust's Option Type # learning # ruby # rust # python Comments Add Comment 4 min read Heineken: Why classic Java is right and YOU ARE WRONG rkeeves rkeeves rkeeves Follow Jan 9 Heineken: Why classic Java is right and YOU ARE WRONG # algorithms # java # rust Comments Add Comment 13 min read FreePascal/Lazarus and Rust Integration Davide Del Papa Davide Del Papa Davide Del Papa Follow Jan 5 FreePascal/Lazarus and Rust Integration # rust # lazarus # pascal # ffi 1  reaction Comments Add Comment 7 min read Stop Writing Glue Code: One Rust Core for Python & Node.js 🦀 KOLOG B Josias Yannick KOLOG B Josias Yannick KOLOG B Josias Yannick Follow Jan 8 Stop Writing Glue Code: One Rust Core for Python & Node.js 🦀 # rust # python # javascript # opensource Comments Add Comment 3 min read Rust Series01 - Ownership is what you need to know Kevin Sheeran Kevin Sheeran Kevin Sheeran Follow Jan 10 Rust Series01 - Ownership is what you need to know # programming # rust # web3 # blockchain Comments Add Comment 1 min read Rust: Transparent Wrappers with Deref Coercion Anton Dolganin Anton Dolganin Anton Dolganin Follow Jan 8 Rust: Transparent Wrappers with Deref Coercion # rust # deref # newtype Comments Add Comment 1 min read 7 Essential Rust Libraries for Building High-Performance Backends James Miller James Miller James Miller Follow Jan 8 7 Essential Rust Libraries for Building High-Performance Backends # rust # programming # webdev # beginners 1  reaction Comments Add Comment 6 min read How I Reduced Friction in My Studies Using AI, Rust, and Obsidian. Gabriel Santos Gabriel Santos Gabriel Santos Follow Jan 9 How I Reduced Friction in My Studies Using AI, Rust, and Obsidian. # ai # rust # obsidian # notes 1  reaction Comments 2  comments 2 min read DLMan :: the download manager I always wanted Shayan Shayan Shayan Follow Jan 8 DLMan :: the download manager I always wanted # programming # opensource # rust # tauri Comments Add Comment 2 min read Rust Macros System Aviral Srivastava Aviral Srivastava Aviral Srivastava Follow Jan 12 Rust Macros System # automation # productivity # rust # tutorial 1  reaction Comments 1  comment 9 min read Debugging MCP Tool Calls Sucks: Reticle Is “Wireshark for MCP” LabtTerminal LabtTerminal LabtTerminal Follow Jan 6 Debugging MCP Tool Calls Sucks: Reticle Is “Wireshark for MCP” # mcp # ai # devtools # rust Comments Add Comment 5 min read ClovaLink — Enterprise File Storage without the price tag Don Don Don Follow Jan 6 ClovaLink — Enterprise File Storage without the price tag # opensource # rust # enterprise # devops 10  reactions Comments Add Comment 1 min read Why Rust? Cyrus Tse Cyrus Tse Cyrus Tse Follow Jan 7 Why Rust? # performance # rust # security 1  reaction Comments Add Comment 3 min read I created a LRU caching server in Rust imduchuyyy 🐬 imduchuyyy 🐬 imduchuyyy 🐬 Follow Jan 6 I created a LRU caching server in Rust # rust # redis # lru Comments Add Comment 3 min read I built a "Vibe-Based" Notepad with Tauri v2 (It weighs 4MB) Aditya Pandey Aditya Pandey Aditya Pandey Follow Jan 5 I built a "Vibe-Based" Notepad with Tauri v2 (It weighs 4MB) # showdev # opensource # productivity # rust Comments Add Comment 2 min read Search-Scrape: A privacy-first, Rust-native search & scraping MCP for AI assistants Thanon Aphithanawat (Hero) Thanon Aphithanawat (Hero) Thanon Aphithanawat (Hero) Follow Jan 6 Search-Scrape: A privacy-first, Rust-native search & scraping MCP for AI assistants # programming # mcp # rust # ai Comments Add Comment 5 min read I Built a CLI to Capture Website Screenshots From The Terminal Erik Erik Erik Follow Jan 6 I Built a CLI to Capture Website Screenshots From The Terminal # showdev # rust # webdev # productivity 5  reactions Comments 1  comment 3 min read loading... trending guides/resources Is Unsafe the Original Sin? A Deep Dive into the First CVE After Rust Entered the Linux Kernel Will WebAssembly Kill JavaScript? Let’s Find Out (+ Live Demo) 🚀 Rust Lifetimes Explained Rust CRUD Rest API, using Axum, sqlx, Postgres, Docker and Docker Compose Redox OS: Is the Future of Operating Systems Written in Rust? GPUI Component: Because Desktop Apps Shouldn't Make You Cry Advent of Code 2025 Day 2: Gift Shop 🎁 Ziglang is so cool: Why I'm Going All-In on Zig Building Sentence Transformers in Rust: A Practical Guide with Burn, ONNX Runtime, and Candle Game development with SpecKit, Rust and Bevy Deploy Rust Agent to AWS AgentCore Runtime with GitHub actions What is HFT (High Frequency Trading) and how can we implement it in Rust. Agentgateway Review: A Feature-Rich New AI Gateway Advent of Code 2025 - Day 1: The Combination Lock Go vs. Rust for TUI Development: A Deep Dive into Bubbletea and Ratatui Tetris for Logistics: solving the 3D Bin Packing Problem with Rust 🦀 How We Built The First Open-Source Rust Core Agentic AI Framework Meetily vs Otter.ai: Privacy-First Alternative for 2025 Building a Python @trace Decorator in Rust MoonBit: A Modern Language for WebAssembly/JS/Native 💎 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:16
https://dev.to/t/privacy/page/2#main-content
Privacy 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 # privacy Follow Hide Create Post Older #privacy posts 1 2 3 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu 🌈 Looking for Guidance: I’m Building an HRT Journey Tracker Suite, but I’m Stuck codebunny20 codebunny20 codebunny20 Follow Jan 10 🌈 Looking for Guidance: I’m Building an HRT Journey Tracker Suite, but I’m Stuck # discuss # architecture # help # privacy Comments 2  comments 2 min read Tuya Geräte in Home Assistant: 100% Lokal & ohne China-Cloud (Local Key auslesen) Tim Alex Tim Alex Tim Alex Follow Jan 5 Tuya Geräte in Home Assistant: 100% Lokal & ohne China-Cloud (Local Key auslesen) # homeassistant # privacy # iot # tutorial Comments Add Comment 3 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 Privacy vs. Convenience: The Hidden Cost of Always-On Tracking 🔍📱 Willie Harris Willie Harris Willie Harris Follow Jan 3 Privacy vs. Convenience: The Hidden Cost of Always-On Tracking 🔍📱 # privacy # development # technology Comments Add Comment 5 min read Zero-Knowledge Security: Protecting Patient Privacy Through Client-Side Encryption wellallyTech wellallyTech wellallyTech Follow Jan 3 Zero-Knowledge Security: Protecting Patient Privacy Through Client-Side Encryption # privacy # security # react # encryption Comments Add Comment 3 min read I built an open-source, privacy-first PDF toolkit (80+ tools) to replace Adobe. Here is the stack. Tony Larry Tony Larry Tony Larry Follow Jan 8 I built an open-source, privacy-first PDF toolkit (80+ tools) to replace Adobe. Here is the stack. # webassembly # nextjs # opensource # privacy 2  reactions Comments 2  comments 2 min read Malicious Chrome Extensions Steal AI Chats: How to Protect Your Conversations in 2026 Manu Manu Manu Follow Jan 3 Malicious Chrome Extensions Steal AI Chats: How to Protect Your Conversations in 2026 # ai # cybersecurity # privacy # security 1  reaction Comments Add Comment 4 min read AiCybr: 60+ Privacy-Focused Tools in One Place OB OB OB Follow Jan 2 AiCybr: 60+ Privacy-Focused Tools in One Place # privacy # productivity # security # resources Comments Add Comment 3 min read Textly - 30+ Free Online Text Tools (No Sign Up, Private) Amin Islam Amin Islam Amin Islam Follow Jan 4 Textly - 30+ Free Online Text Tools (No Sign Up, Private) # showdev # privacy # productivity # tooling Comments Add Comment 1 min read PriviMetrics: Privacy-First, Lightweight Analytics for Shared Hosting WebOrbiton WebOrbiton WebOrbiton Follow Jan 3 PriviMetrics: Privacy-First, Lightweight Analytics for Shared Hosting # showdev # analytics # performance # privacy Comments Add Comment 1 min read Privacy-First Screen Recording: No Installation, No Cloud, No Compromise techno kraft techno kraft techno kraft Follow Jan 3 Privacy-First Screen Recording: No Installation, No Cloud, No Compromise # showdev # webdev # privacy # tooling 1  reaction Comments Add Comment 2 min read 2025 Was for Playing. 2026 Is for Paying. 📉📈 Naved Shaikh Naved Shaikh Naved Shaikh Follow Jan 2 2025 Was for Playing. 2026 Is for Paying. 📉📈 # ai # futurechallenge # agents # privacy 5  reactions Comments Add Comment 1 min read Building Parallax: A Trust & Transparency Utility for Ubuntu Touch Prasanth Prasanth Prasanth Follow Jan 2 Building Parallax: A Trust & Transparency Utility for Ubuntu Touch # opensource # privacy # ubuntu # mobile Comments Add Comment 3 min read Protecting a document is not the same as proving it exists BACOUL BACOUL BACOUL Follow Dec 31 '25 Protecting a document is not the same as proving it exists # security # privacy # webdev # ai Comments Add Comment 2 min read How I Built a Client-Side Image Resizer (Lightning Fast) using Vanilla JS NIKHIL KUMAR NIKHIL KUMAR NIKHIL KUMAR Follow Jan 2 How I Built a Client-Side Image Resizer (Lightning Fast) using Vanilla JS # showdev # webdev # privacy # javascript Comments Add Comment 1 min read Day 11: New Year, New Security (Password Generator) Michael Amachree Michael Amachree Michael Amachree Follow Dec 31 '25 Day 11: New Year, New Security (Password Generator) # security # svelte # privacy # webdev Comments Add Comment 1 min read I built a client-side Image to PDF converter (No Server Uploads) bhagwan das bhagwan das bhagwan das Follow Dec 31 '25 I built a client-side Image to PDF converter (No Server Uploads) # showdev # webdev # python # privacy Comments Add Comment 2 min read I built an open-source tier list maker because I was tired of ads and forced sign-ups Ahmed Abdellahi Abdat Ahmed Abdellahi Abdat Ahmed Abdellahi Abdat Follow Dec 29 '25 I built an open-source tier list maker because I was tired of ads and forced sign-ups # showdev # privacy # nextjs # opensource Comments Add Comment 1 min read A New Year Gift for You and Your Loved Ones: Free, Private, Local, Instant 3D Experiences techno kraft techno kraft techno kraft Follow Dec 30 '25 A New Year Gift for You and Your Loved Ones: Free, Private, Local, Instant 3D Experiences # showdev # tooling # privacy # offers 1  reaction Comments Add Comment 2 min read I built 28 financial calculators with zero tracking Stefan Neculai Stefan Neculai Stefan Neculai Follow Dec 30 '25 I built 28 financial calculators with zero tracking # showdev # javascript # privacy # webdev 2  reactions Comments Add Comment 1 min read We built a Windows app that blocks trackers and encrypts your traffic automatically Nyx Systems Nyx Systems Nyx Systems Follow Jan 2 We built a Windows app that blocks trackers and encrypts your traffic automatically # security # privacy # rust # opensource Comments Add Comment 1 min read The Developer's Guide to Actually Private Apps: No Cloud, No Analytics, No Tracking Karol Burdziński Karol Burdziński Karol Burdziński Follow Dec 28 '25 The Developer's Guide to Actually Private Apps: No Cloud, No Analytics, No Tracking # security # privacy # mobile # flutter 1  reaction Comments Add Comment 19 min read Why I Built a 100% Private File Converter Using WebAssembly (No Server Uploads) Azeem Mustafa Azeem Mustafa Azeem Mustafa Follow Dec 28 '25 Why I Built a 100% Private File Converter Using WebAssembly (No Server Uploads) # webdev # javascript # privacy # webassembly Comments Add Comment 2 min read SecureBitChat Desktop Is Here Volodymyr Volodymyr Volodymyr Follow Dec 29 '25 SecureBitChat Desktop Is Here # showdev # privacy # rust # opensource Comments Add Comment 2 min read I’m tired of calling glued-together scripts “workflow automation” Felix Schultz Felix Schultz Felix Schultz Follow Dec 27 '25 I’m tired of calling glued-together scripts “workflow automation” # rust # tooling # privacy # ai 1  reaction 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:16
https://www.python.org/psf/conduct/#psf-events
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://dev.to/t/news/page/186
News Page 186 - 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 News Follow Hide Expect to see announcements of new and updated products, services, and features for languages & frameworks. You also will find high-level news relevant to the tech and software development industry covered here. Create Post submission guidelines When to use this tag : new service or product launched service, product, framework, library or language itself got updated (brief summary must be included as well as the source) covering broader tech industry/development news When NOT to use this tag : general news from media to promote people political posts to talk about personal goals (for example "I started to meditate every morning to increase my productivity" is nothing for this tag). about #news Use this tag to announce new products, services, or tools recently launched or updated. Notable changes in frameworks, libraries, or languages are ideal to cover. General tech industry news with a software development slant is also acceptable. This tag is not to be used for promotion of people, personal goals, or news unrelated to software development. Older #news posts 183 184 185 186 187 188 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu BxJS Weekly Episode 63 - javascript news podcast 45:23 Tim Ermilov Tim Ermilov Tim Ermilov Follow May 19 '19 BxJS Weekly Episode 63 - javascript news podcast # news # javascript # node # podcast 47  reactions Comments Add Comment 4 min read BxJS Weekly Episode 62 - javascript news podcast Tim Ermilov Tim Ermilov Tim Ermilov Follow May 12 '19 BxJS Weekly Episode 62 - javascript news podcast # news # javascript # node # podcast 9  reactions Comments Add Comment 4 min read BxJS Weekly Episode 61 - javascript news podcast Tim Ermilov Tim Ermilov Tim Ermilov Follow May 5 '19 BxJS Weekly Episode 61 - javascript news podcast # news # javascript # node # podcast 17  reactions Comments 1  comment 5 min read 5 Strategies That Will Really Grow Your Instagram Audience Martin Smith Martin Smith Martin Smith Follow May 1 '19 5 Strategies That Will Really Grow Your Instagram Audience # news # instagram # strategies # hashtags 3  reactions Comments Add Comment 3 min read BxJS Weekly Episode 60 - javascript news podcast 52:20 Tim Ermilov Tim Ermilov Tim Ermilov Follow Apr 28 '19 BxJS Weekly Episode 60 - javascript news podcast # news # javascript # node # podcast 21  reactions Comments Add Comment 4 min read New Podcast: Maintainable Erica Tafavoti Erica Tafavoti Erica Tafavoti Follow Apr 24 '19 New Podcast: Maintainable # news # podcast # testing # webdev 4  reactions Comments Add Comment 1 min read BxJS Weekly Episode 58 - javascript news podcast 1:02:29 Tim Ermilov Tim Ermilov Tim Ermilov Follow Apr 14 '19 BxJS Weekly Episode 58 - javascript news podcast # news # javascript # node # podcast 37  reactions Comments Add Comment 4 min read BxJS Weekly Episode 57 - javascript news podcast Tim Ermilov Tim Ermilov Tim Ermilov Follow Apr 7 '19 BxJS Weekly Episode 57 - javascript news podcast # news # javascript # node # podcast 7  reactions Comments Add Comment 4 min read EISK - Introducing New ASP.NET Core Starter Template Ashraf Alam Ashraf Alam Ashraf Alam Follow for EISK Apr 3 '19 EISK - Introducing New ASP.NET Core Starter Template # news # opensource # aspnet # dotnet 9  reactions Comments Add Comment 1 min read BxJS Weekly Episode 56 - javascript news podcast 50:12 Tim Ermilov Tim Ermilov Tim Ermilov Follow Mar 31 '19 BxJS Weekly Episode 56 - javascript news podcast # news # javascript # node # podcast 33  reactions Comments Add Comment 4 min read BxJS Weekly Episode 55 - javascript news podcast 50:20 Tim Ermilov Tim Ermilov Tim Ermilov Follow Mar 24 '19 BxJS Weekly Episode 55 - javascript news podcast # news # javascript # node # podcast 33  reactions Comments Add Comment 4 min read BxJS Weekly Episode 54 - javascript news podcast 46:12 Tim Ermilov Tim Ermilov Tim Ermilov Follow Mar 17 '19 BxJS Weekly Episode 54 - javascript news podcast # news # javascript # node # podcast 20  reactions Comments Add Comment 4 min read BxJS Weekly Episode 53 - javascript news podcast 46:43 Tim Ermilov Tim Ermilov Tim Ermilov Follow Mar 10 '19 BxJS Weekly Episode 53 - javascript news podcast # news # javascript # node # podcast 45  reactions Comments Add Comment 4 min read BxJS Weekly Episode 52 - javascript news podcast 56:22 Tim Ermilov Tim Ermilov Tim Ermilov Follow Mar 3 '19 BxJS Weekly Episode 52 - javascript news podcast # news # javascript # node # podcast 14  reactions Comments Add Comment 4 min read BxJS Weekly Episode 50 - javascript news podcast 56:40 Tim Ermilov Tim Ermilov Tim Ermilov Follow Feb 17 '19 BxJS Weekly Episode 50 - javascript news podcast # news # javascript # node # podcast 37  reactions Comments 2  comments 4 min read Cloudflare announced workers.dev Glenn Carremans Glenn Carremans Glenn Carremans Follow Feb 19 '19 Cloudflare announced workers.dev # discuss # news # cloudflare # serverless 8  reactions Comments Add Comment 1 min read Building a Serverless News Articles Monitor Renato Byrro Renato Byrro Renato Byrro Follow Feb 11 '19 Building a Serverless News Articles Monitor # news # scraper # serverless # awslambda 9  reactions Comments Add Comment 3 min read BxJS Weekly Episode 49 - javascript news podcast 56:10 Tim Ermilov Tim Ermilov Tim Ermilov Follow Feb 10 '19 BxJS Weekly Episode 49 - javascript news podcast # news # javascript # node # podcast 5  reactions Comments Add Comment 1 min read BxJS Weekly Episode 48 - javascript news podcast 47:50 Tim Ermilov Tim Ermilov Tim Ermilov Follow Feb 3 '19 BxJS Weekly Episode 48 - javascript news podcast # news # javascript # node # podcast 11  reactions Comments Add Comment 1 min read BxJS Weekly Episode 47 - javascript news podcast 1:02:52 Tim Ermilov Tim Ermilov Tim Ermilov Follow Jan 27 '19 BxJS Weekly Episode 47 - javascript news podcast # news # javascript # node # podcast 9  reactions Comments Add Comment 1 min read BxJS Weekly Episode 46 - javascript news podcast 1:01:29 Tim Ermilov Tim Ermilov Tim Ermilov Follow Jan 20 '19 BxJS Weekly Episode 46 - javascript news podcast # news # javascript # node # podcast 11  reactions Comments Add Comment 1 min read BxJS Weekly Episode 45 - javascript news podcast 51:04 Tim Ermilov Tim Ermilov Tim Ermilov Follow Jan 13 '19 BxJS Weekly Episode 45 - javascript news podcast # news # javascript # node # podcast 13  reactions Comments Add Comment 1 min read BxJS Weekly Episode 43 - javascript news podcast 28:22 Tim Ermilov Tim Ermilov Tim Ermilov Follow Dec 30 '18 BxJS Weekly Episode 43 - javascript news podcast # news # javascript # node # podcast 9  reactions Comments Add Comment 1 min read BxJS Weekly Episode 42 - javascript news podcast 45:34 Tim Ermilov Tim Ermilov Tim Ermilov Follow Dec 24 '18 BxJS Weekly Episode 42 - javascript news podcast # news # javascript # node # podcast 16  reactions Comments Add Comment 1 min read BxJS Weekly Episode 41 - javascript news podcast 55:59 Tim Ermilov Tim Ermilov Tim Ermilov Follow Dec 16 '18 BxJS Weekly Episode 41 - javascript news podcast # news # javascript # node # podcast 11  reactions 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:16
https://dev.to/joe-re/i-built-a-desktop-app-to-supercharge-my-tmux-claude-code-workflow-521m#how-it-works
I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow - 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 joe-re Posted on Jan 12           I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow # claudecode # tauri # productivity # tmux Background Until recently, I was primarily using Cursor for AI-assisted coding. The editor-centric AI integration worked really well with my development style—it made the feedback loop smooth when AI-generated code didn't match my intentions, whether I needed to manually fix it or provide additional instructions. But everything changed when Opus 4.5 was released in late November last year. Opus 4.5 delivers outputs that match my expectations far better than any previous model. Claude Code's CUI-first design also feels natural to my workflow. Now, Claude Code has become the center of my development process. I've locked in Opus 4.5 as my daily driver. I typically run multiple Claude Code sessions simultaneously—across different projects or multiple branches using git worktree. Managing notifications and checking outputs across these sessions is critical. I was using OS notifications to check in whenever changes happened, but I kept missing them. I wanted something better. So I built an app to streamline my workflow. What I Built eyes-on-claude-code It's a cross-platform desktop application built with Tauri . I've only tested it on macOS (my daily environment), but the codebase is designed to support Linux as well. My Environment & Workflow This app is primarily designed to optimize my own workflow, so the features reflect my environment and habits. I develop using Ghostty + tmux . My typical workflow looks like this: Draft ideas and design in Markdown Give instructions to Claude Code (using Plan mode for larger tasks) Review the diff of generated code, then provide additional instructions or continue Features Multi-Session Monitoring Dashboard The dashboard monitors Claude Code sessions by receiving events through hooks configured in the global settings.json . Since I keep this running during development, I designed it with a minimal, non-intrusive UI. Always-on-top mode (optional) ensures the window doesn't get buried under other apps—so you never miss a notification. Transparency settings let you configure opacity separately for active and inactive states. When inactive, you can make it nearly invisible so it doesn't get in the way. It's there in the top-right corner, barely visible. Status Display & Sound Notifications Sessions are displayed with one of four states: State Meaning Display Active Claude is working 🟢 WaitingPermission Waiting for permission approval 🔐 WaitingInput Waiting for user input (idle) ⏳ Completed Response complete ✅ Sound effects play on state changes (can be toggled off): Waiting (Permission/Input) : Alert tone (two low beeps) Completed : Completion chime (ascending two-note sound) I'm planning to add volume control and custom commands in the future—like using say to speak or playing music on completion 🎵 Git-Based Diff Viewer I usually review AI-generated changes using difit . I wanted to integrate that same flow into this app, so you can launch difit directly on changed files. Huge thanks to the difit team for building such a great tool! tmux Integration When developing, I use tmux panes and tabs to manage multiple windows. My typical setup is Claude Code on the left half, and server/commands on the right. When working across multiple projects or branches via git worktree, it's frustrating to hunt for which tmux tab has Claude Code running. So I added a tmux mirror view that lets you quickly check results and give simple instructions without switching tabs. How It Works The app uses Claude Code hooks to determine session status based on which hooks fire. Event Flow I didn't want to introduce complexity with an intermediate server for inter-process communication. So I went with a simple approach: hooks write to log files, and the app watches those files. Hooks write logs to a temporary directory ( .local/eocc/logs ), which the app monitors. Since Claude Code runs in a terminal, hooks can access terminal environment paths. This lets me grab tmux and npx paths from within hooks and pass them to the app. Mapping Hooks to Status Claude Code provides these hook events: https://code.claude.com/docs/hooks-guide Here's how I map them to session states: Event Usage Session State session_start (startup/resume) Start a session Active session_end End a session Remove session notification (permission_prompt) Waiting for approval WaitingPermission notification (idle_prompt) Waiting for input WaitingInput stop Response completed Completed post_tool_use After tool execution Active user_prompt_submit Prompt submitted Active Conclusion I've only been using Claude Code as my primary tool for about two months, and I expect my workflow will keep evolving. Thanks to AI, I can quickly build and adapt tools like this—which is exactly what makes this era so exciting. If your workflow is similar to mine, give it a try! I'd love to hear your feedback. GitHub : https://github.com/joe-re/eyes-on-claude-code 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 joe-re Follow Software Engineer in Japan Work PeopleX Inc. Joined Jan 2, 2018 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev 💎 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:16
https://dev.to/behruamm/how-i-built-a-magic-move-animation-engine-for-excalidraw-from-scratch-published-4lmp#comment-33he8
How I built a "Magic Move" animation engine for Excalidraw from scratch published - 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 Behram Posted on Jan 12           How I built a "Magic Move" animation engine for Excalidraw from scratch published # webdev # react # animation # opensource I love Excalidraw for sketching system architectures. But sketches are static. When I want to show how a packet moves through a load balancer, or how a database shard splits, I have to wave my hands frantically or create 10 different slides. I wanted the ability to "Sketch Logic, Export Motion" . The Goal I didn't want a timeline editor (like After Effects). That's too much work for a simple diagram. I wanted "Keyless Animation" : Draw Frame 1 (The start state). Clone it to Frame 2 . Move elements to their new positions. The engine automatically figures out the transition. I built this engine using Next.js , Excalidraw , and Framer Motion . Here is a technical deep dive into how I implemented the logic. 1. The Core Logic: Diffing States The hardest part isn't the animation loop; it's the diffing . When we move from Frame A to Frame B , we identify elements by their stable IDs and categorize them into one of three buckets: Stable: The element exists in both frames (needs to morph/move). Entering: Exists in B but not A (needs to fade in). Exiting: Exists in A but not B (needs to fade out). I wrote a categorizeTransition utility that maps elements efficiently: // Simplified logic from src/utils/editor/transition-logic.ts export function categorizeTransition ( prevElements , currElements ) { const stable = []; const morphed = []; const entering = []; const exiting = []; const prevMap = new Map ( prevElements . map ( e => [ e . id , e ])); const currMap = new Map ( currElements . map ( e => [ e . id , e ])); // 1. Find Morphs (Stable) & Entering currElements . forEach ( curr => { if ( prevMap . has ( curr . id )) { const prev = prevMap . get ( curr . id ); // We separate "Stable" (identical) from "Morphed" (changed) // to optimize the render loop if ( areVisuallyIdentical ( prev , curr )) { stable . push ({ key : curr . id , element : curr }); } else { morphed . push ({ key : curr . id , start : prev , end : curr }); } } else { entering . push ({ key : curr . id , end : curr }); } }); // 2. Find Exiting prevElements . forEach ( prev => { if ( ! currMap . has ( prev . id )) { exiting . push ({ key : prev . id , start : prev }); } }); return { stable , morphed , entering , exiting }; } Enter fullscreen mode Exit fullscreen mode 2. Interpolating Properties For the "Morphed" elements, we need to calculate the intermediate state at any given progress (0.0 to 1.0). You can't just use simple linear interpolation for everything. Numbers (x, y, width): Linear works fine. Colors (strokeColor): You must convert Hex to RGBA, interpolate each channel, and convert back. Angles: You need "shortest path" interpolation. If an object is at 10 degrees and rotates to 350 degrees , linear interpolation goes the long way around. We want it to just rotate -20 degrees. // src/utils/smart-animation.ts const angleProgress = ( oldAngle , newAngle , progress ) => { let diff = newAngle - oldAngle ; // Normalize to -PI to +PI to find shortest direction while ( diff > Math . PI ) diff -= 2 * Math . PI ; while ( diff < - Math . PI ) diff += 2 * Math . PI ; return oldAngle + diff * progress ; }; Enter fullscreen mode Exit fullscreen mode 3. The Render Loop & Overlapping Phases Instead of CSS transitions (which are hard to sync for complex canvas repaints), I used a requestAnimationFrame loop in a React hook called useTransitionAnimation . A key "secret sauce" to making animations feel professional is overlap . If you play animations sequentially (Exit -> Move -> Enter), it feels robotic. I overlapped the phases so the scene feels alive: // Timeline Logic const exitEnd = hasExit ? 300 : 0 ; const morphStart = exitEnd ; const morphEnd = morphStart + 500 ; // [MAGIC TRICK] Start entering elements BEFORE the morph ends // This creates that "Apple Keynote" feel where things arrive // just as others are settling into place. const overlapDuration = 200 ; const enterStart = Math . max ( morphStart , morphEnd - overlapDuration ); Enter fullscreen mode Exit fullscreen mode 4. Making it feel "Physical" Linear movement ( progress = time / duration ) is boring. I implemented spring-based easing functions. Even though I'm manually calculating specific frames, I apply an easing curve to the progress value before feeding it into the interpolator. // Quartic Ease-Out Approximation for a "Heavy" feel const springEasing = ( t ) => { return 1 - Math . pow ( 1 - t , 4 ); }; Enter fullscreen mode Exit fullscreen mode This ensures that big architecture blocks "thud" into place with weight, rather than sliding around like ghosts. What's Next? I'm currently working on: Sub-step animations: Allowing you to click through bullet points within a single frame. Export to MP4: Recording the canvas stream directly to a video file. The project is live, and I built it to help developers communicate better. Try here: https://postara.io/ Free Stripe Promotion Code: postara Let me know what you think of the approach! 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   SinghDevHub SinghDevHub SinghDevHub Follow MLE @CRED ⌛ Sharing on System design, AI, LLMs, ML Email lovepreet.singh@alumni.iitgn.ac.in Location Bangalore, India Work MLE @ CRED Joined Nov 29, 2022 • Jan 13 Dropdown menu Copy link Hide loved it 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 Behram Follow Ex-Data Scientist documenting the reality of building AI agent SaaS as a solo founder in the UK. Raw technical logs, AI leverage, and the path to profitability. Location Birmingham,UK Joined Nov 7, 2024 Trending on DEV Community Hot Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview 💎 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:16
https://dev.to/arsene_muyenlee_b6090d8d/im-a-developer-who-cant-market-so-i-built-an-ai-to-do-it-for-me-4fle
I'm a Developer Who Can't Market - So I Built an AI to Do It For Me - 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 Arsene Muyen Lee Posted on Jan 13 I'm a Developer Who Can't Market - So I Built an AI to Do It For Me # ai # productivity # showdev # opensource TL;DR : I'm a technical founder with zero marketing experience. Social media was killing my productivity. So I hooked up Claude Code + Playwright browser automation to manage marketing for me. Here's my journey from suffering to automation. The Problem: Technical Founder, Marketing Nightmare I've spent 20+ years writing code. I can architect systems, debug race conditions, and ship features. But marketing? I'm completely lost. I'm building ProofMi , an app that helps artists prove their photos are real (not AI-generated). The product is straightforward. Getting people to know about it? Absolute torture. My marketing "strategy" looked like this: Open Twitter, stare at blank compose box Type something, delete it, type again Finally post something awkward Open Reddit, realize I need a different tone Rewrite everything Open LinkedIn, professional-ify the language (whatever that means) Repeat for TikTok, Instagram... Forget what I posted where Miss all the comments Feel guilty about not "engaging" Burnout I'm a developer. I should be building features, not wrestling with social media tabs. The Breaking Point: Playwright MCP I was already using Claude Code for development. One day I needed to test something in a browser and discovered the Playwright MCP - Claude Code could literally control a browser. Me: "Navigate to this page and fill out the form" Claude: *opens browser, fills fields, clicks submit* Enter fullscreen mode Exit fullscreen mode That's when it hit me: What if Claude Code could manage my social media through browser automation? Not just posting - the whole workflow. Opening platforms, writing posts, copying links, even setting up API credentials. All the tedious clicking I hated. The Technical Journey Attempt 1: Pure Browser Automation My first thought was simple - just have Claude automate browser clicks: Me: "Go to Twitter and post about my new feature" Claude: *navigates to twitter.com* Claude: *clicks compose* Claude: *types post* Claude: *clicks post* Enter fullscreen mode Exit fullscreen mode It worked! But it was slow and brittle. Every time Twitter changed their UI, everything broke. Attempt 2: Postiz + MCP Then I found Postiz - an open-source social media scheduler (like Hootsuite, but free). The beautiful part? It has a built-in MCP server. MCP (Model Context Protocol) is how Claude Code talks to external services. Instead of clicking through browser UIs, Claude could call Postiz's API directly: http://localhost:3000/mcp/{your-api-key} Enter fullscreen mode Exit fullscreen mode Now Claude can: postiz_list_integrations - See connected accounts postiz_create_post - Schedule posts postiz_list_posts - View scheduled content postiz_delete_post - Remove scheduled posts Much cleaner than browser clicks. The Recursive Part: Setting Up APIs with AI But wait - to connect Postiz to Twitter, I needed Twitter API credentials. That meant: Creating a developer account Making a project and app Configuring OAuth settings Setting callback URLs Lots of clicking. Lots of forms. So I asked Claude to do it using Playwright browser automation: Me: "Set up the Twitter Developer API for me" Claude: *navigates to developer.x.com* Claude: *fills out developer application* Claude: *creates project* Claude: *configures OAuth* Claude: *saves API keys to my credentials file* Claude: "Done. Keys are saved." Enter fullscreen mode Exit fullscreen mode The AI was setting up API keys so it could post to social media. Turtles all the way down. My Workflow Now Before (suffering): 1. Context switch from coding 2. Open 5 browser tabs 3. Write 5 different versions of the same message 4. Post manually to each platform 5. Track in a spreadsheet I never update 6. Miss comments for days 7. Feel constant guilt 8. Zero consistency Enter fullscreen mode Exit fullscreen mode After (automated): Me: "Post about the new verification feature. Twitter should be casual, Reddit should ask for feedback" Claude: "Done. Here are the links: - Twitter: https://x.com/proofmiapp/status/... - Reddit: https://reddit.com/r/indiedev/..." Enter fullscreen mode Exit fullscreen mode Same reach. Zero suffering. The Setup (If You Want to Try) 1. Run Postiz Locally git clone https://github.com/gitroomhq/postiz-app cd postiz-app docker-compose -f docker-compose.dev.yaml up -d pnpm install pnpm run prisma-db-push pnpm run dev Enter fullscreen mode Exit fullscreen mode PostgreSQL, Redis, Temporal - all running. Frontend on 4200, backend on 3000. 2. Get Your Postiz API Key Go to Settings > API in the Postiz UI, create an API key. 3. Add MCP to Claude Code In ~/.claude.json : { "mcpServers" : { "postiz" : { "type" : "url" , "url" : "http://localhost:3000/mcp/YOUR_API_KEY" } } } Enter fullscreen mode Exit fullscreen mode 4. Connect Your Social Accounts Use Postiz's UI to connect Twitter, Reddit, LinkedIn, etc. Or ask Claude to do it with Playwright browser automation. What I Learned 1. Browser Automation is Underrated Playwright MCP is incredibly powerful for one-time setup tasks. Instead of manually clicking through OAuth flows, Claude can do it all. It's like having an intern who never gets tired of forms. 2. MCP Changes Everything The Model Context Protocol turns Claude Code from a coding assistant into a general automation platform. Any service with an MCP server becomes a natural language interface. 3. Open Source Wins Postiz being open source meant: Run locally (no SaaS fees) Inspect how their MCP works Potentially contribute back No data leaving my machine 4. Marketing Can Be Systematic I always thought marketing required "creativity" I didn't have. Turns out, most of it is just: Consistent posting Platform-appropriate formatting Tracking what works All of which can be automated or assisted by AI. The Meta Irony I'm using AI to: Market an app that detects AI fraud Set up API keys for AI tools Write posts about using AI Even write this article The snake is eating its tail and I love it. What's Next Engagement automation - "Reply to comments on yesterday's posts" Scheduled campaigns - "Post this series over the next week" Analytics - "Which posts performed best?" Content suggestions - "What should I post about today based on what's trending?" Try It Yourself The full stack: Postiz - Open source social scheduler Claude Code - AI coding assistant with MCP support Playwright MCP - Browser automation for setup tasks If you're a developer who hates marketing as much as I do, this approach might save your sanity. What repetitive task are you still doing manually that could be delegated to AI? Building ProofMi - prove your photos are real at proofmi.xyz 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 Arsene Muyen Lee Follow Joined Jan 4, 2026 More from Arsene Muyen Lee Tired of Being Called an AI Artist? Here's How to Prove Your Work is Real # ai # creativity # discuss # showdev What 963 Commits Taught Me About the 'Vibe to Prod' Gap # programming # devops # ai # 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:16
https://mailchimp.com/legal/
Mailchimp's Legal Policies | Mailchimp Skip to main content Join Mailchimp with a free 14-day trial or save 15% off on 10,000+ contacts. Start today. Solutions and Services Solutions and Services See what’s new Email marketing Send personalized emails that convert Websites Create your branded web presence Social media marketing Amplify the conversation across multiple channels Templates Customize pre-designed layouts Marketing automation Deliver the right message at the right time Reporting and analytics Track sales & campaign performance Audience management Target and segment customers AI marketing tools Say hello to your AI growth assistant Content creation tools Build content that captivates and converts Lead generation platform Grow your audience with high-quality leads See all features See all our product offerings in one place For your industry E-commerce and retail Mobile and web apps Start-ups Agencies and freelancers Developers Professional Services Hire an Expert Personalized onboarding Customer success Integrations Integrations See 300+ Integrations Most Popular Most Popular Shopify WooCommerce Canva Zapier Square Wix Squarespace Stripe Salesforce LinkedIn Wordpress Facebook Your Tech Stack E-commerce Analytics Booking & Scheduling Loyalty Subscription management Customer service Forms & Surveys Developer tools Content For Developers Getting started Developer guides API docs Webhooks Resources Resources See all resources Learn with Mailchimp E-commerce Digital content Marketing automations Audience management Websites Email marketing Social media Mailchimp Presents Podcasts Series Films For Developers Marketing API Transactional API Release notes Transactional email Help Center Case Studies Events Professional Services Hire an Expert Personalized onboarding Customer success Switch to Mailchimp Pricing Search This page is now available in other languages. EN EN English ES Español FR Français BR Português DE Deutsch IT Italiano Sales: +1 (800) 315-5939 Start Free Trial Log In Start Free Trial Hi, %s Account Audience Campaigns Account Log Out Mailchimp Home Log In Main Menu Close Main Menu Main Menu Solutions and Services Back Close Main Menu Solutions and Services Email marketing Send personalized emails that convert Websites Create your branded web presence Social media marketing Amplify the conversation across multiple channels Templates Customize pre-designed layouts Marketing automation Deliver the right message at the right time Reporting and analytics Track sales & campaign performance Audience management Target and segment customers AI marketing tools Say hello to your AI growth assistant Content creation tools Build content that captivates and converts Lead generation platform Grow your audience with high-quality leads See all features See all our product offerings in one place See what’s new For your industry Back Close Main Menu For your industry E-commerce and retail Mobile and web apps Start-ups Agencies and freelancers Developers Professional Services Back Close Main Menu Professional Services Hire an Expert Personalized onboarding Customer success Integrations Back Close Main Menu Integrations Most Popular Back Close Main Menu Most Popular Shopify WooCommerce Canva Zapier Square Wix Squarespace Stripe Salesforce LinkedIn Wordpress Facebook Your Tech Stack Back Close Main Menu Your Tech Stack E-commerce Analytics Booking & Scheduling Loyalty Subscription management Customer service Forms & Surveys Developer tools Content See 300+ Integrations For Developers Back Close Main Menu For Developers Getting started Developer guides API docs Webhooks Resources Back Close Main Menu Resources Learn with Mailchimp Back Close Main Menu Learn with Mailchimp E-commerce Digital content Marketing automations Audience management Websites Email marketing Social media Mailchimp Presents Back Close Main Menu Mailchimp Presents Podcasts Series Films For Developers Back Close Main Menu For Developers Marketing API Transactional API Release notes Transactional email See all resources Help Center Case Studies Events Professional Services Back Close Main Menu Professional Services Hire an Expert Personalized onboarding Customer success Switch to Mailchimp Pricing Search This page is now available in other languages. English EN English ES Español FR Français BR Português DE Deutsch IT Italiano Contact Sales: +1 (800) 315-5939 Hi, %s Back Close Main Menu Account Audience Campaigns Account Log Out Mailchimp Home Log In Start Free Trial Log In Log In Start Free Trial Legal Thanks for taking the time to learn about Mailchimp's legal policies. It's important stuff. This is where you'll find information about how we protect your privacy, what you can and can't do with Mailchimp, and how we handle user accounts. Standard Terms of Use The main agreement you're making in order to use Mailchimp Additional Terms Some Mailchimp products are subject to additional usage terms and restrictions Acceptable Use A set of rules about the types of content you can create or distribute through Mailchimp Global Privacy Statement What we do (and don't do!) with the information you give us API Use Policy Rules for developers who use our API Copyright and Trademark Policy What to do if you think a Mailchimp user infringed your IP rights Cookie Statement How we use cookies and similar technologies Data Processing Addendum Our agreement that governs data processing activities for personal data Service of Process Our guidelines for Service of Process Mailchimp & Co. Our agreement that governs participation in Mailchimp & Co. Related Links: What Are the Most Used Email Service Providers? Make Money Online P.S. Meaning: What It Is and How to Use It Products Why Mailchimp? Product Updates Email Marketing Websites Transactional Email How We Compare GDPR Compliance Security Status Mobile App Resources Marketing Library Free Marketing Tools Marketing Glossary Integrations Directory Community Agencies & Freelancers Developers Events Company Our Story Newsroom Give Where You Live Careers Accessibility Help Contact Us Hire an Expert Help Center Talk to Sales Films, podcasts, and original series that celebrate the entrepreneurial spirit. Check it out This page is now available in other languages. English Español Français Português Deutsch Italiano ©2001-2025 All Rights Reserved. Mailchimp® is a registered trademark of The Rocket Science Group. Apple and the Apple logo are trademarks of Apple Inc. Mac App Store is a service mark of Apple Inc. Google Play and the Google Play logo are trademarks of Google Inc. Privacy | Terms | Legal | Cookie Preferences
2026-01-13T08:49:16
https://www.forem.com/#main-content
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 Forem is a community of 3,676,891 amazing members We're a blogging-forward open source social network where we learn from one another Create account Log in Home About Contact Other Code of Conduct Privacy Policy Terms of Use Popular Tags #webdev #programming #ai #javascript #beginners #tutorial #python #productivity #devops #react #opensource #discuss #career #aws #machinelearning #architecture #blockchain #security #learning #news #web3 #rust #cloud #api #automation #java #node #typescript #database #kubernetes Forem Your community HQ Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. Posts Relevant Latest Top Meme Monday Ben Halpern Ben Halpern Ben Halpern Follow Jan 12 Meme Monday # discuss # watercooler # jokes 19  reactions Comments 18  comments 1 min read I tried to capture system audio in the browser. Here's what I learned. Flo Flo Flo Follow Jan 12 I tried to capture system audio in the browser. Here's what I learned. # api # javascript # learning # webdev 5  reactions Comments Add Comment 2 min read Is an AI Model Software? – A Low‑Level Technical View Ben Santora Ben Santora Ben Santora Follow Jan 12 Is an AI Model Software? – A Low‑Level Technical View # discuss # ai # architecture # software 9  reactions Comments Add Comment 4 min read You can't trust Images anymore pri pri pri Follow Jan 12 You can't trust Images anymore # showdev # computervision 11  reactions Comments Add Comment 4 min read SLMs, LLMs and a Devious Logic Puzzle Test Ben Santora Ben Santora Ben Santora Follow Jan 12 SLMs, LLMs and a Devious Logic Puzzle Test # llm # performance # testing 5  reactions Comments Add Comment 5 min read I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow joe-re joe-re joe-re Follow Jan 12 I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow # claudecode # tauri # productivity # tmux 1  reaction Comments Add Comment 4 min read How I built a "Magic Move" animation engine for Excalidraw from scratch published Behram Behram Behram Follow Jan 12 How I built a "Magic Move" animation engine for Excalidraw from scratch published # react # animation # webdev # opensource 9  reactions Comments 3  comments 3 min read I Debug Code Like I Debug Life (Spoiler: Both Throw Exceptions) Alyssa Alyssa Alyssa Follow Jan 13 I Debug Code Like I Debug Life (Spoiler: Both Throw Exceptions) # discuss # career # programming # beginners 18  reactions Comments 8  comments 2 min read 🌈 Looking for help if possible: I’m Stuck on My TrackMyHRT App (Medication + Symptom Tracker) codebunny20 codebunny20 codebunny20 Follow Jan 12 🌈 Looking for help if possible: I’m Stuck on My TrackMyHRT App (Medication + Symptom Tracker) # discuss # programming # python # opensource 14  reactions Comments 6  comments 2 min read How to Build a Voice AI Agent for HVAC Customer Support: My Experience CallStack Tech CallStack Tech CallStack Tech Follow Jan 13 How to Build a Voice AI Agent for HVAC Customer Support: My Experience # ai # voicetech # machinelearning # webdev Comments Add Comment 14 min read How I built a high-performance Social API with Bun & ElysiaJS on a $5 VPS (handling 3.6k reqs/min) nicomedina nicomedina nicomedina Follow Jan 13 How I built a high-performance Social API with Bun & ElysiaJS on a $5 VPS (handling 3.6k reqs/min) # bunjs # api # javascript # programming 1  reaction Comments 1  comment 2 min read 🐌 “My Spring Boot API Became Slow… Until I Learned Pagination & Sorting” Shashwath S H Shashwath S H Shashwath S H Follow Jan 13 🐌 “My Spring Boot API Became Slow… Until I Learned Pagination & Sorting” # springboot # backend # java # sorting 1  reaction Comments Add Comment 2 min read 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 Why Version Control Exists: The Pendrive Problem Subhrangsu Bera Subhrangsu Bera Subhrangsu Bera Follow Jan 12 Why Version Control Exists: The Pendrive Problem # vcs # git # github Comments Add Comment 4 min read Why Cloudflare is Right to Stand Against Italy's Piracy Shield Polliog Polliog Polliog Follow Jan 12 Why Cloudflare is Right to Stand Against Italy's Piracy Shield # discuss # cloud # dns # webdev 11  reactions Comments 1  comment 6 min read Odoo Core and the Cost of Reinventing Everything Boga Boga Boga Follow Jan 12 Odoo Core and the Cost of Reinventing Everything # python # odoo # qweb # owl Comments Add Comment 3 min read Music Monday - Winter Music ❄️ Mikey Dorje Mikey Dorje Mikey Dorje Follow for Music Forem Team Jan 12 Music Monday - Winter Music ❄️ # musicmonday # community # playlist # newmusic 12  reactions Comments 3  comments 1 min read 🩺 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 loading... DEV Community A space to discuss and keep up software development and manage your software career I Debug Code Like I Debug Life (Spoiler: Both Throw Exceptions) 8 comments Prompt Engineering Won’t Fix Your Architecture 101 comments I Replaced Redis with PostgreSQL (And It's Faster) 8 comments Meme Monday 18 comments Welcome Thread - v359 159 comments Future News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. A file-based agent memory framework 1 comment Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) 1 comment DUMB DEV Community Memes and software development shitposting Gemini told me it had 20 years in coding experience and spent 2 hours debugging a for-loop 1 comment Music Forem From composing and gigging to gear, hot music takes, and everything in between. Music Monday - Winter Music ❄️ 3 comments Gamers Forem An inclusive community for gaming enthusiasts Sneak peek on a game im developing 1 comment 💎 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:16
https://dev.to/joe-re/i-built-a-desktop-app-to-supercharge-my-tmux-claude-code-workflow-521m#gitbased-diff-viewer
I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow - 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 joe-re Posted on Jan 12           I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow # claudecode # tauri # productivity # tmux Background Until recently, I was primarily using Cursor for AI-assisted coding. The editor-centric AI integration worked really well with my development style—it made the feedback loop smooth when AI-generated code didn't match my intentions, whether I needed to manually fix it or provide additional instructions. But everything changed when Opus 4.5 was released in late November last year. Opus 4.5 delivers outputs that match my expectations far better than any previous model. Claude Code's CUI-first design also feels natural to my workflow. Now, Claude Code has become the center of my development process. I've locked in Opus 4.5 as my daily driver. I typically run multiple Claude Code sessions simultaneously—across different projects or multiple branches using git worktree. Managing notifications and checking outputs across these sessions is critical. I was using OS notifications to check in whenever changes happened, but I kept missing them. I wanted something better. So I built an app to streamline my workflow. What I Built eyes-on-claude-code It's a cross-platform desktop application built with Tauri . I've only tested it on macOS (my daily environment), but the codebase is designed to support Linux as well. My Environment & Workflow This app is primarily designed to optimize my own workflow, so the features reflect my environment and habits. I develop using Ghostty + tmux . My typical workflow looks like this: Draft ideas and design in Markdown Give instructions to Claude Code (using Plan mode for larger tasks) Review the diff of generated code, then provide additional instructions or continue Features Multi-Session Monitoring Dashboard The dashboard monitors Claude Code sessions by receiving events through hooks configured in the global settings.json . Since I keep this running during development, I designed it with a minimal, non-intrusive UI. Always-on-top mode (optional) ensures the window doesn't get buried under other apps—so you never miss a notification. Transparency settings let you configure opacity separately for active and inactive states. When inactive, you can make it nearly invisible so it doesn't get in the way. It's there in the top-right corner, barely visible. Status Display & Sound Notifications Sessions are displayed with one of four states: State Meaning Display Active Claude is working 🟢 WaitingPermission Waiting for permission approval 🔐 WaitingInput Waiting for user input (idle) ⏳ Completed Response complete ✅ Sound effects play on state changes (can be toggled off): Waiting (Permission/Input) : Alert tone (two low beeps) Completed : Completion chime (ascending two-note sound) I'm planning to add volume control and custom commands in the future—like using say to speak or playing music on completion 🎵 Git-Based Diff Viewer I usually review AI-generated changes using difit . I wanted to integrate that same flow into this app, so you can launch difit directly on changed files. Huge thanks to the difit team for building such a great tool! tmux Integration When developing, I use tmux panes and tabs to manage multiple windows. My typical setup is Claude Code on the left half, and server/commands on the right. When working across multiple projects or branches via git worktree, it's frustrating to hunt for which tmux tab has Claude Code running. So I added a tmux mirror view that lets you quickly check results and give simple instructions without switching tabs. How It Works The app uses Claude Code hooks to determine session status based on which hooks fire. Event Flow I didn't want to introduce complexity with an intermediate server for inter-process communication. So I went with a simple approach: hooks write to log files, and the app watches those files. Hooks write logs to a temporary directory ( .local/eocc/logs ), which the app monitors. Since Claude Code runs in a terminal, hooks can access terminal environment paths. This lets me grab tmux and npx paths from within hooks and pass them to the app. Mapping Hooks to Status Claude Code provides these hook events: https://code.claude.com/docs/hooks-guide Here's how I map them to session states: Event Usage Session State session_start (startup/resume) Start a session Active session_end End a session Remove session notification (permission_prompt) Waiting for approval WaitingPermission notification (idle_prompt) Waiting for input WaitingInput stop Response completed Completed post_tool_use After tool execution Active user_prompt_submit Prompt submitted Active Conclusion I've only been using Claude Code as my primary tool for about two months, and I expect my workflow will keep evolving. Thanks to AI, I can quickly build and adapt tools like this—which is exactly what makes this era so exciting. If your workflow is similar to mine, give it a try! I'd love to hear your feedback. GitHub : https://github.com/joe-re/eyes-on-claude-code 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 joe-re Follow Software Engineer in Japan Work PeopleX Inc. Joined Jan 2, 2018 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev 💎 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:16
https://dev.to/help/reacting-commenting-engaging#Discussions-discuss
Reacting, Commenting and Engaging - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Reacting, Commenting and Engaging Reacting, Commenting and Engaging In this article Reactions Comments Active Engagement The DEV Community Newsletter & DEV Digest Writing Challenges & Content Campaigns (see also: Badges) Discussionsdiscuss Common Questions Q: How does comment threading work? Connect with the community, and discover advanced strategies for boosting engagement. Reactions Reactions allow you to express how you feel about articles on DEV and show your appreciation for the authors. You will find the reaction buttons at the top left corner of an article. Here's what (we think) they mean: ❤️ Love it. Default reaction showing appreciation for the article or author. 🦄 Exceptional. Indicates that the article is exceptionally good or unique, deserving of admiration beyond standard appreciation. 🤯 Wow! Expresses astonishment or amazement at the content of the article. 🙌 Well Done. Indicates support or encouragement, or showing solidarity with the author's or their perspective. 🔥Hot Take. Represents enthusiasm or agreement about the content, suggesting that it's trending or generating a lot of interest; acknowledges a strong point made in the article. Comments Subscribe to Comments: Keep up-to-date with new comments on posts by activating post subscriptions. Simply locate the subscribe button above the comment box on any post you want to keep track of and click to subscribe. Hide Comments on Your Posts: If you want to hide a comment that was added to one of your posts, simply click the dropdown connected to the comment and select the "Hide" option. For more information, refer to our original changelog post on the feature. Active Engagement Participate in discussions, events, and initiatives to connect with the DEV community. The DEV Community Newsletter & DEV Digest The DEV Community Newsletter is a weekly email that presents our carefully selected Top 7 posts of the week, trending discussions on DEV, noteworthy updates, announcements for community campaigns and writing challenges, and platform enhancements, among other updates. DEV Digest is a periodic compilation of top posts---a curated selection based on the tags you follow. You can customize your email notification preferences in your account settings. Writing Challenges & Content Campaigns (see also: Badges) Writing Challenges DEV offers a range of challenges tailored to enhance your writing prowess. By joining these challenges, you unlock the chance to earn coveted badges to adorn your profile, including: Writing Debut: Celebrates your inaugural DEV post contribution. Writing Streak Badges: Recognize your commitment to consistent posting, awarded for maintaining a weekly posting streak for 4, 8, and 16 consecutive weeks. Top 7: One of our most esteemed badges, granted to authors featured in the weekly "must-reads" Top 7 Posts of the Week. Additionally, there are numerous language badges, bestowed weekly upon the Top Author in each respective language category. Community Campaigns & Hackathons DEV also organizes several Community Campaigns & Hackathons annually, representing a diverse array of events, celebrations, and activations throughout the year. These include: WeCoded: Formerly known as SheCoded, a celebration of gender equity in software development. Coding in Costume: An October costume contest adding a fun twist to coding. DEVImpact: An inclusive celebration highlighting top authors, emerging voices, prominent tags, moderator contributions, new features, and community expansion. DEVResolutions: A platform for community members to share their goals, achievements, and provide mutual support and encouragement. These campaigns -- and more! -- inspire members to write on specific themes or use designated tags, offering opportunities for featuring, promotion, and rewards. Discussions #discuss Create articles tagged with #discuss when you want to ask open-ended questions, technical questions, start polls, or create discussions.You could earn the "Top Discussion of the Week" badge. Common Questions Q: How does comment threading work? A: Comments are threaded with a maximum depth, and then they become flat. You can respond to flattened-out threads by replying to the last comment in the overall thread. 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/p/editor_guide#markdown-bold-and-italic
Editor Guide - 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 Editor Guide 🤓 Things to Know We use a markdown editor that uses Jekyll front matter . Most of the time, you can write inline HTML directly into your posts. We support native Liquid tags and created some fun custom ones, too! Trying embedding a Tweet or GitHub issue in your post, using the complete URL: {% embed https://... %} . Links to unpublished posts are shareable for feedback/review. When you're ready to publish, set the published variable to true or click publish depending on the editor version, you're using Links to unpublished posts (drafts or scheduled posts) are shareable for feedback/review. These posts have a notice which reads "This URL is public but secret, so share at your own discretion." They are not visible in feeds or on your profile until published. description area in Twitter cards and open graph cards We have two editor versions . If you'd prefer to edit title and tags etc. as separate fields, switch to the "rich + markdown" option in Settings → Customization . Otherwise, continue: Front Matter Custom variables set for each post, located between the triple-dashed lines in your editor Here is a list of possibilities: title: the title of your article published: boolean that determines whether or not your article is published. tags: max of four tags, needs to be comma-separated canonical_url: link for the canonical version of the content cover_image: cover image for post, accepts a URL. The best size is 1000 x 420. series: post series name. ✍ Markdown Basics Below are some examples of commonly used markdown syntax. If you want to dive deeper, check out this cheat sheet. Bold & Italic Italics : *asterisks* or _underscores_ Bold : **double asterisks** or __double underscores__ Links I'm an inline link : [I'm an inline link](put-link-here) Anchored links (For things like a Table of Contents) ## Table Of Contents * [Chapter 1](#chapter-1) * [Chapter 2](#chapter-2) ### Chapter 1 <a name="chapter-1"></a> Inline Images When adding GIFs to posts and comments, please note that there is a limit of 200 megapixels per frame/page. ![Image description](put-link-to-image-here) You can even add a caption using the HTML figcaption tag! Headings Add a heading to your post with this syntax: # One '#' for a h1 heading ## Two '#'s for a h2 heading ... ###### Six '#'s for a h6 heading Author Notes/Comments Add some hidden notes/comments to your article with this syntax: <!-- This won't show up in the content! --> Accessibility People access online content in all kinds of different ways, and there are a few things you can do to make your posts more easily understood by a broad range of users. You can find out more about web accessibility at W3C's Introduction to Web Accessibility , but there are two main ways you can make your posts more accessible: providing alternative descriptions of any images you use, and adding appropriate headings. Providing alternative descriptions for images Some users might not be able to see or easily process images that you use in your posts. Providing an alternative description for an image helps make sure that everyone can understand your post, whether they can see the image or not. When you upload an image in the editor, you will see the following text to copy and paste into your post: ![Image description](/file-path/my-image.png) Replace the "Image description" in square brackets with a description of your image - for example: ![A pie chart showing 40% responded "Yes", 50% responded "No" and 10% responded "Not sure"](/file-path/my-image.png) By doing this, if someone reads your post using an assistive device like a screen reader (which turns written content into spoken audio) they will hear the description you entered. Providing headings Headings provide an outline of your post to readers, including people who can't see the screen well. Many assistive technologies (like screen readers) allow users to skip directly to a particular heading, helping them find and understand the content of your post with ease. Headings can be added in levels 1 - 6 . Avoid using a level one heading (i.e., '# Heading text'). When you create a post, your post title automatically becomes a level one heading and serves a special role on the page, much like the headline of a newspaper article. Similar to how a newspaper article only has one headline, it can be confusing if multiple level one headings exist on a page. In your post content, start with level two headings for each section (e.g. '## Section heading text'), and increase the heading level by one when you'd like to add a sub-section, for example: ## Fun facts about sloths ### Speed Sloths move at a maximum speed of 0.27 km/h! 🌊 Liquid Tags We support native Liquid tags in our editor, but have created our own custom tags as well. A list of supported custom embeds appears below. To create a custom embed, use the complete URL: {% embed https://... %} Supported URL Embeds DEV Community Comment DEV Community Link DEV Community Link DEV Community Listing DEV Community Organization DEV Community Podcast Episode DEV Community Tag DEV Community User Profile asciinema CodePen CodeSandbox DotNetFiddle GitHub Gist, Issue or Repository Glitch Instagram JSFiddle JSitor Loom Kotlin Medium Next Tech Reddit Replit Slideshare Speaker Deck SoundCloud Spotify StackBlitz Stackery Stack Exchange or Stack Overflow Twitch Twitter Twitter timeline Wikipedia Vimeo YouTube Supported Non-URL Embeds Call To Action (CTA) {% cta link %} description {% endcta %} Provide a link that a user will be redirected to. The description will contain the label/description for the call to action. Details You can embed a details HTML element by using details, spoiler, or collapsible. The summary will be what the dropdown title displays. The content will be the text hidden behind the dropdown. This is great for when you want to hide text (i.e. answers to questions) behind a user action/intent (i.e. a click). {% details summary %} content {% enddetails %} {% spoiler summary %} content {% endspoiler %} {% collapsible summary %} content {% endcollapsible %} KaTex Place your mathematical expression within a KaTeX liquid block, as follows: {% katex %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} To render KaTeX inline add the "inline" option: {% katex inline %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} RunKit Put executable code within a runkit liquid block, as follows: {% runkit // hidden setup JavaScript code goes in this preamble area const hiddenVar = 42 %} // visible, reader-editable JavaScript code goes here console.log(hiddenVar) {% endrunkit %} Parsing Liquid Tags as a Code Example To parse Liquid tags as code, simply wrap it with a single backtick or triple backticks. `{% mytag %}{{ site.SOMETHING }}{% endmytag %}` One specific edge case is with using the raw tag. To properly escape it, use this format: `{% raw %}{{site.SOMETHING }} {% ``endraw`` %}` Common Gotchas Lists are written just like any other Markdown editor. If you're adding an image in between numbered list, though, be sure to tab the image, otherwise it'll restart the number of the list. Here's an example of what to do: Here's the Markdown cheatsheet again for reference. Happy posting! 📝 💎 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:16
https://dev.to/p/editor_guide#main-content
Editor Guide - 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 Editor Guide 🤓 Things to Know We use a markdown editor that uses Jekyll front matter . Most of the time, you can write inline HTML directly into your posts. We support native Liquid tags and created some fun custom ones, too! Trying embedding a Tweet or GitHub issue in your post, using the complete URL: {% embed https://... %} . Links to unpublished posts are shareable for feedback/review. When you're ready to publish, set the published variable to true or click publish depending on the editor version, you're using Links to unpublished posts (drafts or scheduled posts) are shareable for feedback/review. These posts have a notice which reads "This URL is public but secret, so share at your own discretion." They are not visible in feeds or on your profile until published. description area in Twitter cards and open graph cards We have two editor versions . If you'd prefer to edit title and tags etc. as separate fields, switch to the "rich + markdown" option in Settings → Customization . Otherwise, continue: Front Matter Custom variables set for each post, located between the triple-dashed lines in your editor Here is a list of possibilities: title: the title of your article published: boolean that determines whether or not your article is published. tags: max of four tags, needs to be comma-separated canonical_url: link for the canonical version of the content cover_image: cover image for post, accepts a URL. The best size is 1000 x 420. series: post series name. ✍ Markdown Basics Below are some examples of commonly used markdown syntax. If you want to dive deeper, check out this cheat sheet. Bold & Italic Italics : *asterisks* or _underscores_ Bold : **double asterisks** or __double underscores__ Links I'm an inline link : [I'm an inline link](put-link-here) Anchored links (For things like a Table of Contents) ## Table Of Contents * [Chapter 1](#chapter-1) * [Chapter 2](#chapter-2) ### Chapter 1 <a name="chapter-1"></a> Inline Images When adding GIFs to posts and comments, please note that there is a limit of 200 megapixels per frame/page. ![Image description](put-link-to-image-here) You can even add a caption using the HTML figcaption tag! Headings Add a heading to your post with this syntax: # One '#' for a h1 heading ## Two '#'s for a h2 heading ... ###### Six '#'s for a h6 heading Author Notes/Comments Add some hidden notes/comments to your article with this syntax: <!-- This won't show up in the content! --> Accessibility People access online content in all kinds of different ways, and there are a few things you can do to make your posts more easily understood by a broad range of users. You can find out more about web accessibility at W3C's Introduction to Web Accessibility , but there are two main ways you can make your posts more accessible: providing alternative descriptions of any images you use, and adding appropriate headings. Providing alternative descriptions for images Some users might not be able to see or easily process images that you use in your posts. Providing an alternative description for an image helps make sure that everyone can understand your post, whether they can see the image or not. When you upload an image in the editor, you will see the following text to copy and paste into your post: ![Image description](/file-path/my-image.png) Replace the "Image description" in square brackets with a description of your image - for example: ![A pie chart showing 40% responded "Yes", 50% responded "No" and 10% responded "Not sure"](/file-path/my-image.png) By doing this, if someone reads your post using an assistive device like a screen reader (which turns written content into spoken audio) they will hear the description you entered. Providing headings Headings provide an outline of your post to readers, including people who can't see the screen well. Many assistive technologies (like screen readers) allow users to skip directly to a particular heading, helping them find and understand the content of your post with ease. Headings can be added in levels 1 - 6 . Avoid using a level one heading (i.e., '# Heading text'). When you create a post, your post title automatically becomes a level one heading and serves a special role on the page, much like the headline of a newspaper article. Similar to how a newspaper article only has one headline, it can be confusing if multiple level one headings exist on a page. In your post content, start with level two headings for each section (e.g. '## Section heading text'), and increase the heading level by one when you'd like to add a sub-section, for example: ## Fun facts about sloths ### Speed Sloths move at a maximum speed of 0.27 km/h! 🌊 Liquid Tags We support native Liquid tags in our editor, but have created our own custom tags as well. A list of supported custom embeds appears below. To create a custom embed, use the complete URL: {% embed https://... %} Supported URL Embeds DEV Community Comment DEV Community Link DEV Community Link DEV Community Listing DEV Community Organization DEV Community Podcast Episode DEV Community Tag DEV Community User Profile asciinema CodePen CodeSandbox DotNetFiddle GitHub Gist, Issue or Repository Glitch Instagram JSFiddle JSitor Loom Kotlin Medium Next Tech Reddit Replit Slideshare Speaker Deck SoundCloud Spotify StackBlitz Stackery Stack Exchange or Stack Overflow Twitch Twitter Twitter timeline Wikipedia Vimeo YouTube Supported Non-URL Embeds Call To Action (CTA) {% cta link %} description {% endcta %} Provide a link that a user will be redirected to. The description will contain the label/description for the call to action. Details You can embed a details HTML element by using details, spoiler, or collapsible. The summary will be what the dropdown title displays. The content will be the text hidden behind the dropdown. This is great for when you want to hide text (i.e. answers to questions) behind a user action/intent (i.e. a click). {% details summary %} content {% enddetails %} {% spoiler summary %} content {% endspoiler %} {% collapsible summary %} content {% endcollapsible %} KaTex Place your mathematical expression within a KaTeX liquid block, as follows: {% katex %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} To render KaTeX inline add the "inline" option: {% katex inline %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} RunKit Put executable code within a runkit liquid block, as follows: {% runkit // hidden setup JavaScript code goes in this preamble area const hiddenVar = 42 %} // visible, reader-editable JavaScript code goes here console.log(hiddenVar) {% endrunkit %} Parsing Liquid Tags as a Code Example To parse Liquid tags as code, simply wrap it with a single backtick or triple backticks. `{% mytag %}{{ site.SOMETHING }}{% endmytag %}` One specific edge case is with using the raw tag. To properly escape it, use this format: `{% raw %}{{site.SOMETHING }} {% ``endraw`` %}` Common Gotchas Lists are written just like any other Markdown editor. If you're adding an image in between numbered list, though, be sure to tab the image, otherwise it'll restart the number of the list. Here's an example of what to do: Here's the Markdown cheatsheet again for reference. Happy posting! 📝 💎 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:16
https://dev.to/sadebare
Shittu Sulaimon (Barry) - 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 Shittu Sulaimon (Barry) 404 bio not found Joined Joined on  Mar 8, 2024 github website More info about @sadebare 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 Post 4 posts published Comment 2 comments written Tag 3 tags followed You Pay 6x More When Your EKS Cluster Goes Out of Support Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Follow Dec 29 '25 You Pay 6x More When Your EKS Cluster Goes Out of Support # aws # kubernetes # cloud # finops 2  reactions Comments 1  comment 2 min read Want to connect with Shittu Sulaimon (Barry)? Create an account to connect with Shittu Sulaimon (Barry). You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in EKS Disaster Recovery, Simplified: Native Backups with AWS Backup Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Follow Dec 21 '25 EKS Disaster Recovery, Simplified: Native Backups with AWS Backup # news # kubernetes # aws # devops Comments Add Comment 3 min read Chaos Engineering in Kubernetes: 5 Real World Experiments to Try Today Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Follow May 8 '25 Chaos Engineering in Kubernetes: 5 Real World Experiments to Try Today 4  reactions Comments 1  comment 6 min read AWS EKS AutoMode: Simplifying Kubernetes Management Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Shittu Sulaimon (Barry) Follow Dec 21 '24 AWS EKS AutoMode: Simplifying Kubernetes Management 5  reactions 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 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:16
https://dev.to/t/ci
Ci - 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 # ci Follow Hide Continuous integration setups Create Post Older #ci 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 Bastion Host & GitHub Actions on Hostim.dev Pavel Pavel Pavel Follow Jan 8 Bastion Host & GitHub Actions on Hostim.dev # docker # githubactions # cicd # ci Comments Add Comment 2 min read Your Yarn Lockfile Is Trying to Protect You — Let It Hamza Awais Hamza Awais Hamza Awais Follow Dec 24 '25 Your Yarn Lockfile Is Trying to Protect You — Let It # yarn # ci # devops # javascript Comments Add Comment 2 min read A Complete Guide To Ci Testing: Benefits, Tools & Workflow Sophie Lane Sophie Lane Sophie Lane Follow Dec 24 '25 A Complete Guide To Ci Testing: Benefits, Tools & Workflow # testing # ci Comments Add Comment 10 min read Jenkins CI/CD 완벽 가이드 - 설치부터 배포까지 dss99911 dss99911 dss99911 Follow Dec 31 '25 Jenkins CI/CD 완벽 가이드 - 설치부터 배포까지 # infra # devops # jenkins # ci Comments Add Comment 2 min read A Real-World Comparison of Testing Management Tools: GitHub Actions vs GitLab CI/CDs Hashira Belén Vargas Candia Hashira Belén Vargas Candia Hashira Belén Vargas Candia Follow Dec 4 '25 A Real-World Comparison of Testing Management Tools: GitHub Actions vs GitLab CI/CDs # devops # ci # continuousdelivery # automation 4  reactions Comments Add Comment 3 min read 🚀 22s to 4s: How AI Fixed Our Vitest Performance 56kode 56kode 56kode Follow Nov 26 '25 🚀 22s to 4s: How AI Fixed Our Vitest Performance # testing # react # ci # vitest Comments Add Comment 2 min read Setting Up Continuous Integration Workflow and Running Tests in Another Repository. Cynthia Fotso Cynthia Fotso Cynthia Fotso Follow Nov 15 '25 Setting Up Continuous Integration Workflow and Running Tests in Another Repository. # ci # githubactions 1  reaction Comments Add Comment 2 min read Setting up CI and automated testing Sheng-Lin Yang Sheng-Lin Yang Sheng-Lin Yang Follow Nov 14 '25 Setting up CI and automated testing # opensource # ci # cli # osd600lab8 Comments Add Comment 2 min read Formatting PHP Code with PHP CS Fixer Ash Allen Ash Allen Ash Allen Follow Dec 18 '25 Formatting PHP Code with PHP CS Fixer # webdev # php # tooling # ci 4  reactions Comments Add Comment 7 min read Merge Requests Are a Cargo Cult - It’s Time to Stop Pretending They Improve Quality Leon Pennings Leon Pennings Leon Pennings Follow Dec 4 '25 Merge Requests Are a Cargo Cult - It’s Time to Stop Pretending They Improve Quality # softwareengineering # ci # softwarequality # stopdoingstartthinking 2  reactions Comments 6  comments 5 min read From Continuous Inspection Back to Continuous Integration: Amplify Your Development Teams Leon Pennings Leon Pennings Leon Pennings Follow Dec 3 '25 From Continuous Inspection Back to Continuous Integration: Amplify Your Development Teams # softwareengineering # ci # softwarequality # softwaredevelopment Comments Add Comment 5 min read 100 Days of DevOps: Day 78 Wycliffe A. Onyango Wycliffe A. Onyango Wycliffe A. Onyango Follow Oct 28 '25 100 Days of DevOps: Day 78 # devops # jenkins # ci # cicd Comments Add Comment 3 min read Generate CHANGELOG.md Automatically 🤖 nyaomaru nyaomaru nyaomaru Follow Nov 30 '25 Generate CHANGELOG.md Automatically 🤖 # ai # typescript # ci # opensource 9  reactions Comments Add Comment 3 min read 100 Days of DevOps: Day 75 Wycliffe A. Onyango Wycliffe A. Onyango Wycliffe A. Onyango Follow Oct 22 '25 100 Days of DevOps: Day 75 # devops # jenkins # cicd # ci Comments Add Comment 2 min read 100 Days of DevOps: Day 74 Wycliffe A. Onyango Wycliffe A. Onyango Wycliffe A. Onyango Follow Oct 21 '25 100 Days of DevOps: Day 74 # jenkins # devops # cicd # ci 1  reaction Comments Add Comment 3 min read 100 Days of DevOps: Day 79 Wycliffe A. Onyango Wycliffe A. Onyango Wycliffe A. Onyango Follow Nov 24 '25 100 Days of DevOps: Day 79 # devops # jenkins # cicd # ci Comments Add Comment 3 min read 100 Days of DevOps: Day 73 Wycliffe A. Onyango Wycliffe A. Onyango Wycliffe A. Onyango Follow Oct 20 '25 100 Days of DevOps: Day 73 # devops # jenkins # cicd # ci 1  reaction Comments Add Comment 2 min read Flip Your CI Like a Switch: Instantly Toggle Flags with GitHub Actions Variables CodeNameGrant CodeNameGrant CodeNameGrant Follow Oct 16 '25 Flip Your CI Like a Switch: Instantly Toggle Flags with GitHub Actions Variables # githubactions # ci # automation # productivity Comments Add Comment 1 min read How to Run Playwright in CI Pipeline rico rico rico Follow Nov 18 '25 How to Run Playwright in CI Pipeline # playwright # ci # tutorial # webdev Comments 2  comments 4 min read How We Catch UI Bugs Early with Visual Regression Testing Tommaso Ruscica Tommaso Ruscica Tommaso Ruscica Follow for Subito Nov 12 '25 How We Catch UI Bugs Early with Visual Regression Testing # playwright # testing # ci # automation 11  reactions Comments 7  comments 6 min read From Request-Response to Intent-Response: The Backend Shift Ahead DCT Technology Pvt. Ltd. DCT Technology Pvt. Ltd. DCT Technology Pvt. Ltd. Follow Oct 9 '25 From Request-Response to Intent-Response: The Backend Shift Ahead # backenddevelopment # ci # webdev # programming 1  reaction Comments Add Comment 3 min read Continuous integration with containers and inceptions Andre Faria Andre Faria Andre Faria Follow Nov 10 '25 Continuous integration with containers and inceptions # ci # containers # devops Comments Add Comment 5 min read Python. Project Structure (IX) Raül Martínez i Peris Raül Martínez i Peris Raül Martínez i Peris Follow Oct 5 '25 Python. Project Structure (IX) # python # ci # cd # docker Comments Add Comment 4 min read 100 Days of DevOps: Day 77 Wycliffe A. Onyango Wycliffe A. Onyango Wycliffe A. Onyango Follow Oct 24 '25 100 Days of DevOps: Day 77 # devops # jenkins # cicd # ci 1  reaction Comments Add Comment 2 min read Python. Project Structure (VIII) Raül Martínez i Peris Raül Martínez i Peris Raül Martínez i Peris Follow Oct 4 '25 Python. Project Structure (VIII) # python # ci # cd # docker Comments Add Comment 7 min read loading... trending guides/resources Formatting PHP Code with PHP CS Fixer 🚀 22s to 4s: How AI Fixed Our Vitest Performance How We Catch UI Bugs Early with Visual Regression Testing How to Run Playwright in CI Pipeline Your Yarn Lockfile Is Trying to Protect You — Let It Merge Requests Are a Cargo Cult - It’s Time to Stop Pretending They Improve Quality Setting Up Continuous Integration Workflow and Running Tests in Another Repository. Continuous integration with containers and inceptions 100 Days of DevOps: Day 79 Generate CHANGELOG.md Automatically 🤖 A Complete Guide To Ci Testing: Benefits, Tools & Workflow Jenkins CI/CD 완벽 가이드 - 설치부터 배포까지 Bastion Host & GitHub Actions on Hostim.dev Setting up CI and automated testing A Real-World Comparison of Testing Management Tools: GitHub Actions vs GitLab CI/CDs From Continuous Inspection Back to Continuous Integration: Amplify Your Development Teams 💎 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:16
https://www.python.org/psf/conduct/#inappropriate-behavior
Python Software Foundation Code of Conduct - Python Software Foundation Policies Skip to content Python Software Foundation Policies Python Software Foundation Code of Conduct GitHub Python Software Foundation Policies GitHub PSF Privacy Notice pypi.org pypi.org Terms of Service Acceptable Use Policy Privacy Notice Code of Conduct Superseded Superseded Terms of Use python.org python.org CVE Numbering Authority Contributing Copyright Policy Legal Statements Privacy Notice Code of Conduct Code of Conduct Python Software Foundation Code of Conduct Python Software Foundation Code of Conduct Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Best practices guide for a Code of Conduct for events Python Software Foundation Code of Conduct Working Group Enforcement Procedures Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Releasing a Good Conference Transparency Report us.pycon.org us.pycon.org Privacy Notice Code of Conduct Code of Conduct PyCon US Code of Conduct PyCon US Code of Conduct Enforcement Procedures PyCon US Procedures for Reporting Code of Conduct Incidents Reference Reference SSDF Request Response Table of contents Our Community Our Standards Inappropriate Behavior Weapons Policy Consequences Scope PSF Events PSF Online Spaces Contact Information Procedure for Handling Incidents License Transparency Reports Attributions Python Software Foundation Code of Conduct The Python community is made up of members from around the globe with a diverse set of skills, personalities, and experiences. It is through these differences that our community experiences great successes and continued growth. When you're working with members of the community, this Code of Conduct will help steer your interactions and keep Python a positive, successful, and growing community. Our Community Members of the Python community are open, considerate, and respectful . Behaviours that reinforce these values contribute to a positive environment, and include: Being open. Members of the community are open to collaboration, whether it's on PEPs, patches, problems, or otherwise. Focusing on what is best for the community. We're respectful of the processes set forth in the community, and we work within them. Acknowledging time and effort. We're respectful of the volunteer efforts that permeate the Python community. We're thoughtful when addressing the efforts of others, keeping in mind that often times the labor was completed simply for the good of the community. Being respectful of differing viewpoints and experiences. We're receptive to constructive comments and criticism, as the experiences and skill sets of other members contribute to the whole of our efforts. Showing empathy towards other community members. We're attentive in our communications, whether in person or online, and we're tactful when approaching differing views. Being considerate. Members of the community are considerate of their peers -- other Python users. Being respectful. We're respectful of others, their positions, their skills, their commitments, and their efforts. Gracefully accepting constructive criticism. When we disagree, we are courteous in raising our issues. Using welcoming and inclusive language. We're accepting of all who wish to take part in our activities, fostering an environment where anyone can participate and everyone can make a difference. Our Standards Every member of our community has the right to have their identity respected. The Python community is dedicated to providing a positive experience for everyone, regardless of age, gender identity and expression, sexual orientation, disability, physical appearance, body size, ethnicity, nationality, race, or religion (or lack thereof), education, or socio-economic status. Inappropriate Behavior Examples of unacceptable behavior by participants include: Harassment of any participants in any form Deliberate intimidation, stalking, or following Logging or taking screenshots of online activity for harassment purposes Publishing others' private information, such as a physical or electronic address, without explicit permission Violent threats or language directed against another person Incitement of violence or harassment towards any individual, including encouraging a person to commit suicide or to engage in self-harm Creating additional online accounts in order to harass another person or circumvent a ban Sexual language and imagery in online communities or in any conference venue, including talks Insults, put downs, or jokes that are based upon stereotypes, that are exclusionary, or that hold others up for ridicule Excessive swearing Unwelcome sexual attention or advances Unwelcome physical contact, including simulated physical contact (eg, textual descriptions like "hug" or "backrub") without consent or after a request to stop Pattern of inappropriate social contact, such as requesting/assuming inappropriate levels of intimacy with others Sustained disruption of online community discussions, in-person presentations, or other in-person events Continued one-on-one communication after requests to cease Other conduct that is inappropriate for a professional audience including people of many different backgrounds Community members asked to stop any inappropriate behavior are expected to comply immediately. Weapons Policy No weapons are allowed at Python Software Foundation events. Weapons include but are not limited to explosives (including fireworks), guns, and large knives such as those used for hunting or display, as well as any other item used for the purpose of causing injury or harm to others. Anyone seen in possession of one of these items will be asked to leave immediately, and will only be allowed to return without the weapon. Consequences If a participant engages in behavior that violates this code of conduct, the Python community Code of Conduct team may take any action they deem appropriate, including warning the offender or expulsion from the community and community events with no refund of event tickets. The full list of consequences for inappropriate behavior is listed in the Enforcement Procedures . Thank you for helping make this a welcoming, friendly community for everyone. Scope PSF Events This Code of Conduct applies to the following people at events hosted by the Python Software Foundation, and events hosted by projects under the PSF's fiscal sponsorship : staff Python Software Foundation board members speakers panelists tutorial or workshop leaders poster presenters people invited to meetings or summits exhibitors organizers volunteers all attendees The Code of Conduct applies in official venue event spaces, including: exhibit hall or vendor tabling area panel and presentation rooms hackathon or sprint rooms tutorial or workshop rooms poster session rooms summit or meeting rooms staff areas con suite meal areas party suites walkways, hallways, elevators, and stairs that connect any of the above spaces The Code of Conduct applies to interactions with official event accounts on social media spaces and phone applications, including: comments made on official conference phone apps comments made on event video hosting services comments made on the official event hashtag or panel hashtags Event organizers will enforce this code throughout the event. Each event is required to provide a Code of Conduct committee that receives, evaluates, and acts on incident reports. Each event is required to provide contact information for the committee to attendees. The event Code of Conduct committee may (but is not required to) ask for advice from the Python Software Foundation Code of Conduct work group. The Python Software Foundation Code of Conduct work group can be reached by emailing conduct-wg@python.org . PSF Online Spaces This Code of Conduct applies to the following online spaces: Mailing lists, including docs , core-mentorship and all other mailing lists hosted on python.org Core developers' Python Discord server The PSF Discord and Slack servers Python Software Foundation hosted Discourse server discuss.python.org Code repositories, issue trackers, and pull requests made against any Python Software Foundation-controlled GitHub organization Any other online space administered by the Python Software Foundation This Code of Conduct applies to the following people in official Python Software Foundation online spaces: PSF Members, including Fellows admins of the online space maintainers reviewers contributors all community members Each online space listed above is required to provide the following information to the Python Software Foundation Code of Conduct work group: contact information for any administrators/moderators Each online space listed above is encouraged to provide the following information to community members: a welcome message with a link to this Code of Conduct and the contact information for making an incident report conduct-wg@python.org The Python Software Foundation Code of Conduct work group will receive and evaluate incident reports from the online communities listed above. The Python Software Foundation Code of Conduct work group will work with online community administrators/moderators to suggest actions to take in response to a report. In cases where the administrators/moderators disagree on the suggested resolution for a report, the Python Software Foundation Code of Conduct work group may choose to notify the Python Software Foundation board. Contact Information If you believe that someone is violating the code of conduct, or have any other concerns, please contact a member of the Python Software Foundation Code of Conduct work group immediately. They can be reached by emailing conduct-wg@python.org Procedure for Handling Incidents Python Software Foundation Community Member Procedure For Reporting Code of Conduct Incidents Python Software Foundation Code of Conduct Working Group Enforcement Procedures License This Code of Conduct is licensed under the Creative Commons Attribution-ShareAlike 3.0 Unported License . Transparency Reports 2024 Transparency Report Attributions This Code of Conduct was forked from the example policy from the Geek Feminism wiki, created by the Ada Initiative and other volunteers , which is under a Creative Commons Zero license . Additional new language and modifications were created by Sage Sharp of Otter Tech . Language was incorporated from the following Codes of Conduct: Affect Conf Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Citizen Code of Conduct , licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License . Contributor Covenant version 1.4 , licensed Creative Commons Attribution 4.0 License . Django Project Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . LGBTQ in Tech Slack Code of Conduct , licensed under a Creative Commons Zero License . PyCon 2018 Code of Conduct , licensed under a Creative Commons Attribution 3.0 Unported License . Rust Code of Conduct November 24, 2025 Made with Material for MkDocs
2026-01-13T08:49:16
https://dev.to/t/project
Project - 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 # project Follow Hide Create Post Older #project 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 Ben Webb - Sydney - project Management Ben Webb Ben Webb Ben Webb Follow Jan 4 Ben Webb - Sydney - project Management # sydney # project Comments Add Comment 1 min read Digital Wellness: Building a Proactive Chatbot for Stress Support wellallyTech wellallyTech wellallyTech Follow Dec 24 '25 Digital Wellness: Building a Proactive Chatbot for Stress Support # ai # python # project # healthtech Comments Add Comment 2 min read Campus Connect: A Complete Digital Workflow System for Universities Using React, Node.js & MongoDB Shaurya Rana Shaurya Rana Shaurya Rana Follow Dec 4 '25 Campus Connect: A Complete Digital Workflow System for Universities Using React, Node.js & MongoDB # webdev # softwareengineering # project Comments Add Comment 3 min read Why Experienced Project Managers Stop Believing in “Best Practice” Ben Webb Ben Webb Ben Webb Follow Jan 1 Why Experienced Project Managers Stop Believing in “Best Practice” # project # leadership Comments Add Comment 1 min read 🛡️ Suraksha Mirage: Building a Real-Time Cybersecurity Honeypot Dashboard Supriya Supriya Supriya Follow Nov 6 '25 🛡️ Suraksha Mirage: Building a Real-Time Cybersecurity Honeypot Dashboard # cybersecurity # typescript # hackathon # project Comments Add Comment 2 min read SwiftUI #1: Proyecto plantilla GoyesDev GoyesDev GoyesDev Follow Dec 4 '25 SwiftUI #1: Proyecto plantilla # swiftui # template # project # ios Comments Add Comment 6 min read How to Avoid Burnout: Strategic PM for Team Resilience Hardik Bhawsar Hardik Bhawsar Hardik Bhawsar Follow Oct 28 '25 How to Avoid Burnout: Strategic PM for Team Resilience # projectmanagement # pm # avoidburnout # project Comments Add Comment 5 min read My Project [Python + Streamlit Roadmap] Sabin Sim Sabin Sim Sabin Sim Follow Nov 27 '25 My Project [Python + Streamlit Roadmap] # python # beginners # learning # project 1  reaction Comments 4  comments 2 min read Ditch the Clutter: Meet Leantime, the Neuro-Inclusive Open Source Project Manager GitHubOpenSource GitHubOpenSource GitHubOpenSource Follow Oct 22 '25 Ditch the Clutter: Meet Leantime, the Neuro-Inclusive Open Source Project Manager # project # open # agile # productivity Comments Add Comment 3 min read Common LLM Mistakes in Project Management and How to Fix Them Sahil Agarwal Sahil Agarwal Sahil Agarwal Follow Nov 4 '25 Common LLM Mistakes in Project Management and How to Fix Them # llm # startup # project # pm 2  reactions Comments Add Comment 12 min read The State of AI Adoption in Project Management Rylko Roman Rylko Roman Rylko Roman Follow Oct 22 '25 The State of AI Adoption in Project Management # webdev # ai # programming # project 1  reaction Comments Add Comment 6 min read Your New Command Line Co-Pilot: Mastering the Clipboard with Rust Suraj Fale Suraj Fale Suraj Fale Follow Nov 11 '25 Your New Command Line Co-Pilot: Mastering the Clipboard with Rust # rust # opensource # github # project Comments Add Comment 5 min read How to Pick the Right Web Frameworks for Your Next Project DevsMonkey DevsMonkey DevsMonkey Follow Oct 2 '25 How to Pick the Right Web Frameworks for Your Next Project # backend # frontend # webdev # project Comments Add Comment 3 min read Leantime: The Open-Source Project Management Powerhouse You Need! GitHubOpenSource GitHubOpenSource GitHubOpenSource Follow Sep 15 '25 Leantime: The Open-Source Project Management Powerhouse You Need! # project # opensource # kanban # agile 1  reaction Comments Add Comment 3 min read When Support Meets Engineering: A Story About Freshdesk and Jira Renata Renata Renata Follow Sep 12 '25 When Support Meets Engineering: A Story About Freshdesk and Jira # jira # freshdesk # integration # project Comments Add Comment 3 min read 🔐Security-Proofing My Full Stack App Against XSS Attacks (Cross-Site Scripting) Hassam Fathe Muhammad Hassam Fathe Muhammad Hassam Fathe Muhammad Follow Sep 24 '25 🔐Security-Proofing My Full Stack App Against XSS Attacks (Cross-Site Scripting) # security # xss # webdev # project 6  reactions Comments 2  comments 2 min read 🚀 Deploying a Gallery App with Docker, Jenkins, and EC2.. Muhammad Ishaq Muhammad Ishaq Muhammad Ishaq Follow Sep 24 '25 🚀 Deploying a Gallery App with Docker, Jenkins, and EC2.. # devops # docker # project # cicd Comments Add Comment 3 min read VinotesApp: A Simple and Practical Online Sticky Notes Ketut Dana Ketut Dana Ketut Dana Follow Aug 12 '25 VinotesApp: A Simple and Practical Online Sticky Notes # php # laravel # project # notes 2  reactions Comments Add Comment 2 min read 🚀 Upgrading & Utilising My Model (ML/AI Integration Series) Hassam Fathe Muhammad Hassam Fathe Muhammad Hassam Fathe Muhammad Follow Sep 13 '25 🚀 Upgrading & Utilising My Model (ML/AI Integration Series) # networking # vlan # ccn # project 1  reaction Comments Add Comment 2 min read My Solution of VLAN Internet Access in College Network Setup Hassam Fathe Muhammad Hassam Fathe Muhammad Hassam Fathe Muhammad Follow Sep 11 '25 My Solution of VLAN Internet Access in College Network Setup # networking # vlan # ccn # project 2  reactions Comments Add Comment 3 min read Turning Intuition Into Evidence: The Power of Data in Project Management Chima Nnamadim Chima Nnamadim Chima Nnamadim Follow Aug 20 '25 Turning Intuition Into Evidence: The Power of Data in Project Management # projectmanagement # product # productdevelopment # project Comments Add Comment 1 min read How to Organize Projects in Marketing Agencies That Handle Multiple Clients Hardik Bhawsar Hardik Bhawsar Hardik Bhawsar Follow Aug 19 '25 How to Organize Projects in Marketing Agencies That Handle Multiple Clients # projectmanagement # project # marketing # clienthandling Comments Add Comment 5 min read #1 - GameOverNight: 🗂️ Project Structure of GameOverNight DevThuong DevThuong DevThuong Follow Jul 5 '25 #1 - GameOverNight: 🗂️ Project Structure of GameOverNight # webdev # project # architecture # node Comments Add Comment 2 min read Beyond processes Mathieu Ferment Mathieu Ferment Mathieu Ferment Follow Jun 28 '25 Beyond processes # project # tips 1  reaction Comments Add Comment 5 min read Plane: The Open-Source Project Management Tool That Will Change Your Workflow! GitHubOpenSource GitHubOpenSource GitHubOpenSource Follow May 15 '25 Plane: The Open-Source Project Management Tool That Will Change Your Workflow! # project # opensource # task # collaboration 1  reaction Comments Add Comment 3 min read loading... trending guides/resources Campus Connect: A Complete Digital Workflow System for Universities Using React, Node.js & MongoDB Ben Webb - Sydney - project Management 🛡️ Suraksha Mirage: Building a Real-Time Cybersecurity Honeypot Dashboard Your New Command Line Co-Pilot: Mastering the Clipboard with Rust SwiftUI #1: Proyecto plantilla Common LLM Mistakes in Project Management and How to Fix Them Digital Wellness: Building a Proactive Chatbot for Stress Support My Project [Python + Streamlit Roadmap] Why Experienced Project Managers Stop Believing in “Best Practice” 💎 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:16
https://dev.to/composiodev/how-rube-mcp-solves-context-overload-when-using-hundreds-of-mcp-servers-2l9e#comments
How Rube MCP Solves Context Overload When Using Hundreds of MCP Servers - 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 Anmol Baranwal for Composio Posted on Jan 12 • Originally published at composio.dev           How Rube MCP Solves Context Overload When Using Hundreds of MCP Servers # ai # mcp # programming # productivity Over the past year, I have used ChatGPT for everything from drafting emails to debugging code and it’s wildly useful. But I kept finding myself doing the tedious glue work. That repeated work never felt like a good use of time so I started looking for something that closes the loop. I recently found Rube MCP , a Model Context Protocol (MCP) server that connects ChatGPT and other AI assistants to 500+ apps (such as Gmail, Slack, Notion, GitHub, Supabase, Stripe, Reddit). For the last few weeks, I have been testing it out & trying to understand how it think and works. This post covers everything I picked up. What is covered? What is MCP? (Brief Intro) What is Rube MCP & how does it help? How Rube Thinks: Meta Tools, Planning & Execution How does it work under the hood? Connecting Rube to ChatGPT Three practical examples with demos. What’s Still Missing. We will be covering a lot so let's get started. What is MCP? MCP (Model Context Protocol) is Anthropic's attempt at standardizing how applications provide context and tools to LLMs. Think of it like HTTP for AI models - a standardized protocol for AI models to “plug in” to data sources and tools. Instead of writing custom integrations (GitHub, Slack, databases, file systems), MCP lets a host dynamically discover available tools ( tools/list ), invoke them ( tools/call ) and get back structured results. This mimics function-calling APIs but works across platforms and services. If you are interested in reading more, here are a couple of good reads: The guide to MCP I never had What is the Model Context Protocol (MCP)? by the Builder.io team credit: ByteByteGo   Now that you understand MCP, here’s where Rube MCP comes in. What is Rube MCP & why it matters? MCP provides a standardized “tool directory” so AI can discover and call services using JSON-RPC, without each model having to memorize all the API details. Rube is a universal MCP server built by Composio. It acts as a bridge between AI assistants and a large ecosystem of tools. It implements the MCP standard for you, serving as middleware: the AI assistants talk to Rube via MCP and Rube talks to all your apps via pre-built connectors. You get a single MCP endpoint (like https://rube.app/mcp ) to plug into your AI client, while Composio manages everything (adapters, authentication, versioning and connector updates) behind the scenes. You can learn more at rube.app . Once you sign up on the website, you can check recent chats, connect/remove apps at any time and find/enable any supported app in the marketplace. You can integrate Rube with: ChatGPT (Developer Mode or Custom GPT) Agent Builder (OpenAI) Claude Desktop Claude Code Cursor/VS Code Any generic MCP-compatible client via HTTP / SSE transport (you point it to https://rube.app/mcp ) You can also do it for systems like N8N, custom apps or automation platforms using Auth Headers (signed tokens or API keys) with HTTP requests. We will be covering how to set it up later but you can find the detailed instructions on the website.   Where it helps Sure, AI Assistants can write beautiful code, explain complex concepts and even help you debug, but when it comes to actually doing anything in your workflow, they are not really useful. Rube solves this major problem. Instead of the model guessing which API to use or dealing with OAuth, Rube translates your plain-English request into the correct API calls. For example, Rube can parse: “Send a welcome email to the latest sign-up” into Gmail API calls “Create a Linear ticket titled ‘Bug in checkout flow” into the right Linear endpoint Because Rube standardizes these integrations, you don’t have to update prompts every time an API changes. In the dashboard, you will also find a library of recipes. They are basically a list of shortcuts that turn your complex tasks into instant automations. You can view the workflow in detail, run directly, even fork it to modify based on your needs. If you are wondering how automation would actually work, you can try asking Rube itself. In my case, it would be as following.   Security & Privacy Rube is designed with privacy-first principles. Credentials flow directly between you and the app (via OAuth 2.1). Rube (Composio) never sees your raw passwords. All tokens are end-to-end encrypted. You choose which apps to connect and which permissions each has. You can remove an app at any time from the Rube dashboard. For teams, Rube supports shared connections : which means one person can connect Gmail for the team and everyone’s ChatGPT can use it (without re-authenticating). How Rube Thinks: Meta Tools, Planning & Execution Rube thinks through your requests using built-in meta tools. The smart layer (planning, workbench) handle the hard parts automatically. These meta tools run on top of Rube's MCP protocol. ✅ RUBE_SEARCH_TOOLS  is a meta tool that inspects your task description and returns the best tools, toolkits and connection status to use for that task. For example, to check Medium emails in Gmail and write summaries into a Notion page, you can call: RUBE_SEARCH_TOOLS( { session: { id: "vast" }, use_case: "Fetch unread Gmail messages from last 30 days that mention Medium Daily Digest or are from [noreply@medium.com](mailto:noreply@medium.com), then add rows to a Notion database page titled Medium Blogs with columns for Title, Summary and Priority" , known_fields: "sender:noreply@medium.com, query_keyword:Medium Daily Digest, days:30, notion_page_title:Medium Blogs" } ) Enter fullscreen mode Exit fullscreen mode A successful response for this task looks like (trimmed to the most important fields): { "data" : { "main_tool_slugs" : [ "NOTION_SEARCH_NOTION_PAGE" , "NOTION_CREATE_NOTION_PAGE" , "NOTION_ADD_MULTIPLE_PAGE_CONTENT" ], "related_tool_slugs" : [ "NOTION_FETCH_DATA" , "NOTION_GET_ABOUT_ME" , "NOTION_UPDATE_PAGE" , "NOTION_APPEND_BLOCK_CHILDREN" , "NOTION_QUERY_DATABASE" ], "toolkits" : [ { "toolkit" : "NOTION" , "description" : "NOTION toolkit" } ], "connection_statuses" : [ { "toolkit" : "notion" , "active_connection" : true , "message" : "Connection is active and ready to use" } ], "memory" : { "all" : [ "Medium Blogs page has ID 287a763a-b038-802e-b22f-f8d853f591a0" , "User is fetching unread emails from last 30 days from noreply@medium.com or with subject containing Medium Daily Digest" ] }, "query_type" : "search" , "reasoning" : "NOTION is required to create the new page titled \" Medium Blogs \" and to add formatted text blocks. GMAIL is needed to retrieve the email titles, summaries, and priority information that will populate those text blocks." , "session" : { "id" : "vast" }, "time_info" : { "current_time" : "2025-10-10T16:15:36.452Z" } }, "successful" : true } Enter fullscreen mode Exit fullscreen mode   ✅ RUBE_CREATE_PLAN  is a planning meta tool that takes your task description and returns a structured, multi‑step workflow: tools to call, ordering, parallelization, edge‑case handling and user‑confirmation rules. For the same Gmail→Notion workflow, you can call: RUBE_CREATE_PLAN( { session: { id: "vast" }, use_case: "Fetch unread Gmail messages from last 30 days that mention Medium Daily Digest or are from noreply@medium.com, summarize them with an LLM, and insert one row per email into the Medium Blogs Notion database with Title, Summary and Priority columns." , difficulty: "medium" , known_fields: "sender:noreply@medium.com, query_keyword:Medium Daily Digest, days:30, notion_database:Medium Blogs" } ) Enter fullscreen mode Exit fullscreen mode A successful response for this task looks like (trimmed to the most important fields): { "data" : { "workflow_instructions" : { "plan" : { "workflow_steps" : [ { "step_id" : "S1" , "tool" : "GMAIL_FETCH_EMAILS" , "intent" : "Fetch IDs of unread Gmail messages from the last 30 days that are either from noreply@medium.com or mention 'Medium Daily Digest' in subject/body." , "parallelizable" : true , "output" : "List of message IDs with minimal metadata." , "notes" : "Paginate with nextPageToken until all results are fetched." }, { "step_id" : "S2" , "tool" : "GMAIL_FETCH_MESSAGE_BY_MESSAGE_ID" , "intent" : "..." , "parallelizable" : true , "output" : "..." , "notes" : "..." }, { "step_id" : "S3" , "tool" : "COMPOSIO_REMOTE_WORKBENCH" , "intent" : "..." , "parallelizable" : true , "output" : "..." }, { "step_id" : "S4" , "tool" : "NOTION_SEARCH_NOTION_PAGE" , "intent" : "..." , "parallelizable" : false , "output" : "..." }, { "step_id" : "S5" , "tool" : "NOTION_FETCH_DATABASE" , "intent" : "..." , "parallelizable" : false , "output" : "..." }, { "step_id" : "S6" , "tool" : "USER_CONFIRMATION" , "intent" : "..." , "parallelizable" : false , "output" : "..." }, { "step_id" : "S7" , "tool" : "COMPOSIO_MULTI_EXECUTE_TOOL" , "intent" : "..." , "parallelizable" : true , "output" : "..." } ], "complexity_assessment" : { "overall_classification" : "Complex multi-step workflow" , "data_volume" : "..." , "time_sensitivity" : "..." }, "decision_matrix" : { "tool_order_priority" : [ "GMAIL_FETCH_EMAILS (S1)" , "GMAIL_FETCH_MESSAGE_BY_MESSAGE_ID (S2)" , "COMPOSIO_REMOTE_WORKBENCH (S3)" , "NOTION_SEARCH_NOTION_PAGE (S4)" , "NOTION_FETCH_DATABASE (S5)" , "USER_CONFIRMATION (S6)" , "COMPOSIO_MULTI_EXECUTE_TOOL (S7)" ], "edge_case_strategies" : [ "If S1 yields no IDs, skip S2–S7 and return an empty result." , "If the Notion database cannot be found, prompt the user for an alternate target." , "If the user denies confirmation in S6, stop before any Notion inserts." ] }, "failure_handling" : { "gmail_fetch_failure" : [ "..." ], "notion_discovery_failure" : [ "..." ], "insertion_failure" : [ "..." ] }, "user_confirmation" : { "requirement" : true , "prompt_template" : "..." , "post_confirmation_action" : "..." }, "output_format" : { "final_delivery" : "..." , "links_and_references" : "..." } }, "critical_instructions" : "Use pagination correctly, respect time-awareness, and always get explicit user approval before irreversible actions." , "time_info" : { "current_date" : "..." , "current_time_epoch_in_seconds" : 1760112500 } }, "session" : { "id" : "vast" , "instructions" : "..." } }, "successful" : true } Enter fullscreen mode Exit fullscreen mode If you are using Rube through any other assistant like ChatGPT, you will still be able to inspect all the calls. ✅ RUBE_MULTI_EXECUTE_TOOL  is a high‑level orchestrator that runs multiple tools in parallel, using the plan from  RUBE_CREATE_PLAN  to batch calls like Gmail fetches or Notion inserts into a single step. RUBE_MULTI_EXECUTE_TOOL( { session_id: "vast" , tools: [ /* up to 20 prepared tool calls , e.g. NOTION_INSERT_ROW_DATABASE for each email */ ], sync_response_to_workbench: true } ) Enter fullscreen mode Exit fullscreen mode Here  tools  is the list of concrete tool invocations generated from the plan and  sync_response_to_workbench: true  streams the results into the Remote Workbench so the agent can post‑process outputs or handle failures across the whole batch. If you have been following the examples, the final “execution engine” in S7 of the last plan used this step. After the emails are summarized and the user confirms,  COMPOSIO_MULTI_EXECUTE_TOOL fires many  NOTION_INSERT_ROW_DATABASE  (and similar) calls concurrently so each Medium email becomes a Notion row without the agent manually looping over tools. { "step_id" : "S7" , "tool" : "COMPOSIO_MULTI_EXECUTE_TOOL" , "intent" : "After user confirmation, insert rows into Notion for all summarized emails by leveraging the discovered database schema, in parallel batches." , "parallelizable" : true , "output" : "Created Notion rows and returned row identifiers/links." , "notes" : "Use NOTION_INSERT_ROW_DATABASE per email. If there are many emails, batch in parallel calls (up to tool limits). Reference: Notion insert API usage [Notion API — Create a page in a database](https://developers.notion.com/docs/working-with-dilters#create-a-page-in-a-database)." } Enter fullscreen mode Exit fullscreen mode   ✅ RUBE_REMOTE_WORKBENCH  is a cloud sandbox for running arbitrary Python between tool calls, perfect for parsing raw API responses, batching LLM calls and preparing data for Notion or other apps (such as parsing email HTML → format for Notion). For this workflow, it was first called like this: RUBE_REMOTE_WORKBENCH( { session_id: "vast" , current_step: "PROCESSING_EMAILS" , next_step: "GENERATING_SUMMARIES" , file_path: "/home/user/.composio/output/multi_execute/multi_execute_response_1760112513002_akfm55.json" , code_to_execute: "import json \n # Load the Gmail response file \n data = json.load(open('/home/user/.composio/output/multi_execute/multi_execute_response_1760112513002_akfm55.json')) \n # Extract Medium emails, print counts and a few subjects for debugging..." } ) Enter fullscreen mode Exit fullscreen mode Inside the sandbox, the script loads the multi‑execute Gmail response JSON from disk, filters out the Medium emails and prints diagnostics to  stdout  such as “Found 30 Medium emails”, “Extracted 30 emails”, plus the first three subjects. Basically to confirm that upstream Gmail calls worked and giving the agent something human‑readable to reason about. The corresponding (trimmed) result looks like: { "data" : { "stdout" : "Found 30 Medium emails \n Extracted 30 emails \n\n First 3 email subjects: \n 1. ... \n 2. ... \n 3. ... \n " , "stderr" : "" , "results_file_path" : null , "session" : { "id" : "vast" } }, "successful" : true } Enter fullscreen mode Exit fullscreen mode The agent then reuses the same workbench in later steps (with different  current_step / next_step  and  code_to_execute ) to batch LLM calls and write cleaned summaries to a file that the Notion tools consume. But the calling pattern are always the same. The next section goes deep on how it works under the hood, which is the MCP transport layer (JSON-RPC, connectors). How Rube MCP Works (Under the Hood) At a high level, Rube is an MCP server that implements the MCP spec on the server side. Your AI client communicates with Rube over HTTP/JSON-RPC. Whenever you ask the AI to “send a message” or “create a ticket,” here’s what happens behind the scenes: ✅ 1. AI Client → Rube MCP Server It first requests a tool catalog, a machine-readable list of everything Rube can do. When you trigger a command, the client sends a tool call (a JSON-RPC request) to Rube with parameters like: { "method" : "send_email" , "params" : { "to" : "user@example.com" } } Enter fullscreen mode Exit fullscreen mode Rube returns structured JSON responses. The ChatGPT and other AI interfaces have built-in support for this MCP format, so they handle the conversation around it.   ✅ 2. Rube MCP Server → Composio Platform Rube runs on Composio’s infrastructure, which manages a massive library of pre-built tools (connectors). When Rube receives a tool call from your AI client (say send_slack_message ), it looks up the right connector and hands off the request to Composio. It then routes it to the appropriate adapter. Think of Rube as a universal translator: it takes structured MCP requests from your AI and turns them into actionable API calls using Composio’s connector ecosystem.   ✅ 3. Connector / Adapter Layer Each app has its own connector or adapter that knows how to talk to that app’s API. The adapter knows how to handle: API routes and parameters Pagination, rate limits, and retries Response formatting and error handling return structured JSON back to Rube This design makes Rube easily extensible: when Composio adds a new connector, it becomes instantly available in Rube without any code changes.   ✅ 4. OAuth Flow When you first connect an app, Rube triggers an OAuth flow. For example, saying “send an email” will prompt you to sign in to Gmail and grant access. Composio then encrypts and stores your tokens securely, which you can always view, revoke or reauthorize in the dashboard.   ✅ 5. Response & Chaining Once the connector completes the API call, it returns a structured JSON response back to Rube, which then sends it to your AI client. The AI can use that data in the next step like summarizing results, creating follow-up actions or chaining multiple tools together in one flow. A simple example can be: Hey Rube -- check our shared Sales inbox for unread messages from the last 48h. Summarize each in 2 bullets, draft polite replies for high-priority pricing requests and post a summary to #sales-updates on Slack . So that’s the magic under the hood. Let’s set it up with ChatGPT and see it in action. Connecting Rube to ChatGPT There are a few ways to start using Rube: the simplest is to chat directly from the dashboard. But since we will be using ChatGPT for the demo later, let’s start there. You can use Rube inside ChatGPT in two ways: 1) Custom Rube Custom GPT : Just open the Custom GPT, connect your apps and start running Rube-powered actions directly in chat. No setup needed. 2) Developer Mode : for advanced users who want to manually add Rube as an MCP server. You will need a ChatGPT Pro plan for this but it only takes a few minutes to set up. Let’s walk through it step-by-step: Start by opening ChatGPT Settings and navigating to Apps & Connectors, then click on Advanced Settings. Next, enable Developer Mode to access advanced connector features. Once enabled, copy the MCP URL ( https://rube.app/mcp ). You will now see a Create option on the top-right under Connectors. Click Create, enter the details, including the MCP URL you copied and save. You will have to sign up for Rube to complete the OAuth flow. After this, Rube will be fully connected and ready to use inside ChatGPT. I will also show how you can plug Rube into other assistants like Claude and Cursor in case you use those too.   Rube with Cursor You can also connect Rube with Cursor using this link. It will take you straight to the settings, with the MCP URL already filled in so you can get started right away.   Rube with Claude Code (CLI) Start by running the following command in your terminal: claude mcp add --transport http rube -s user "https://rube.app/mcp" Enter fullscreen mode Exit fullscreen mode This registers Rube as an MCP server in Claude Code. Next, open Claude Code and run the /mcp command to list available MCP servers. You should see Rube in the list. Claude Code will then prompt you to authenticate. A browser window will open where you can complete the OAuth login. Once authentication is finished, you can use Rube inside Claude Code.   Rube with Claude Desktop If you are on the Pro plan, you can simply use the Add Custom Connector option in Claude Desktop and paste the MCP URL. For free plan users, you can set it up via the terminal by running: npx @composio/mcp@latest setup "https://rube.app/mcp" "rube" --client claude Enter fullscreen mode Exit fullscreen mode This will register Rube as an MCP server and you will be ready to start using it with Claude Desktop. If you want to connect to any other platforms that need an Authorization header, you can generate a signed token from the official website. Practical examples Seeing Rube in action is always better than just reading about it. Here, we will go through five real-world workflows. The first one will show the full flow, so you can see how Rube saves time and links multiple apps together. Before you start, make sure your apps are enabled in the marketplace from the dashboard. You can easily disconnect and modify scopes depending on your use case.   ✅ 1. Gmail to Notion Workflow Let’s start with a simple but incredibly useful example: turning important emails into Notion tasks automatically. Every day, Medium sends a “Daily Digest” email (usually from noreply@medium.com ) full of trending stories and recommendations. Rube can automatically fetch the unread Daily Digest emails, pick the most relevant stories and organize them neatly in Notion so you get a clean reading list ready to go. Here is the prompt: Hey Rube -- check my Gmail inbox for unread messages from the last 30 days that mention “Medium Daily Digest” or are from noreply@medium.com. Extract all story titles and links. Summarize each story in 2 lines, assign a priority (High, Medium, Low) based on potential impact, and add them as new rows in my Notion page titled “Medium Blogs” with columns: Title, Summary, Priority and URL. Enter fullscreen mode Exit fullscreen mode As you can see, this isn’t a simple task. I intentionally made it quite challenging since it: has to find unread emails extract links from messy, HTML-heavy content generate meaningful summaries and decide what’s actually “relevant” or “high impact” The overall flow looks like this: Finding unread emails → Filtering only “Medium Daily Digest” ones → Parsing stories and summaries from HTML → Prioritizing by relevance or impact → Creating a structured format in Notion Here are the snapshots of the flow. Rube automatically calls the right tools and you can see everything that happens before approving the actions. You will also see the full breakdown of tool calls and step-by-step progress: And the best part: it solved everything automatically and completed the task cleanly. Here is the output notion page after all the entries were added. The links are accurate and clickable. I tried this through multiple ways (ChatGPT with Developer mode, Rube Custom ChatGPT, Rube dashboard Chat) and they all worked equally well. Here are a couple of snapshots from the dashboard chat:   ✅ 2. GitHub → Slack (Developer Notifications) Let’s say your dev team wants to stay synced after every code change, without having to manually update each other. Here is the prompt: Hey Rube -- monitor my GitHub repo “acme/auth-service” for new pull requests or merges. When a PR is merged, post a message in Slack channel #dev-updates with the PR title, author, link. Enter fullscreen mode Exit fullscreen mode   ✅ 3. Customer Support → GitHub Support teams often have to bridge the gap between customer tickets and dev work. Rube can quietly handle most of that coordination for you. Checks for new or updated Zendesk tickets Looks up each customer’s record in Salesforce Finds tickets that mention technical bugs Creates matching GitHub issues for the dev team Here is the prompt: Hey Rube -- check for new Zendesk tickets, pull the customer's order history from Salesforce and create github issues for any technical problems mentioned Enter fullscreen mode Exit fullscreen mode A simple message but it connects three different systems end-to-end.   ✅ 4. Research → Notion (Idea Board) Let’s say you want to brainstorm ideas and need to see what people are talking about online. Rube can search Hacker News and Reddit, pick out the most relevant posts, summarize them quickly and add everything neatly to your Notion page. This way, your research board stays up-to-date without you having to comb through dozens of links yourself. Here is the prompt: Hey Rube -- search Hacker News and Reddit for "MCP server" mentions in the last 14 days Extract the top 10 posts, summarize each in 3 bullet points and add them to my Notion page "MCP Research Board" with: Source, Title, Summary, Link. Enter fullscreen mode Exit fullscreen mode   ✅ 5. Gmail → Draft Replies Let's say you have got a bunch of emails to respond to, but you don’t want to spend hours drafting them. Rube can check your inbox for recent “Sales” emails, summarize each one and draft polite replies for the high-priority threads. You can instruct to save them as drafts to review before sending. Here is the prompt: Hey Rube -- check my Gmail inbox for unread messages from the last 48 hours labeled "Sales" Summarize each email in 2 bullet points and for high-priority messages asking for pricing or proposals draft a polite reply and save it as a Gmail draft under the label "Rube-Drafts" Enter fullscreen mode Exit fullscreen mode Think about what this means for productivity. Tasks that once required switching between 5+ apps can now happen in a single conversation with Rube. What’s Still Missing While I was trying Rube, I realized there are some practical limitations and gaps to keep in mind: 1) While Rube can chain actions across apps, very complex sequences (like if this, do that; else do something else ) can still confuse the AI. You may need to break tasks into smaller steps, manually supervise or guide the assistant more explicitly. 2) Rube supports 500+ apps but not every niche tool is integrated yet. And not everyone will switch apps because they always have a preference. 3) Rube can’t execute tasks locally since it relies on cloud connectivity and Composio’s servers. 4) There is no 100% guarantee that AI will never misinterpret ambiguous instructions or generate unintended actions. So always review critical commands, especially when automating emails, payments or database updates. I personally don't feel there is any learning curve, since you can start using it with a single click. This is the closest I have seen to a real “AI that gets things done”. If you have ever wished ChatGPT could just take care of the boring stuff, Rube is as close as it gets right now. Have a great day! Until next time :) You can check my work at anmolbaranwal.com . Thank you for reading! 🥰 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 Composio Follow Making AI Agents Actually Useful More from Composio Function Calling With Google Gemini 3 - Google ADK & Google Genai # googleaichallenge # gemini # resources # ai Ministral 3 3B Local Setup Guide with MCP Tool Calling 🔥 # ai # mcp # productivity # tutorial Agentforce Actions Guide (2026): Native Flows vs. MuleSoft vs. External Services # tooling # agents # ai # salesforce 💎 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:16
https://forem.com/t-kikuc
Tetsuya KIKUCHI - 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 Follow User actions Tetsuya KIKUCHI maintaining PipeCD (a CNCF Sandbox Project) / AWS Community Builder (Containers) Location Japan Joined Joined on  Dec 23, 2024 Personal website https://dev.pipecd.dev github website twitter website More info about @t-kikuc 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 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Organizations AWS Community Builders GitHub Repositories t-kikuc My profile Skills/Languages DevOps, CI/CD, Amazon ECS, Currently hacking on PipeCD Post 7 posts published Comment 3 comments written Tag 4 tags followed Pin Pinned Introduction to Gitless GitOps: A New OCI-Centric and Secure Architecture Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow Apr 17 '25 Introduction to Gitless GitOps: A New OCI-Centric and Secure Architecture # gitops # flux # argocd # pipecd 4  reactions Comments 1  comment 6 min read ECS Native Blue/Green is Here! With Strong Hooks and Dark Canary Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow for AWS Community Builders Jul 20 '25 ECS Native Blue/Green is Here! With Strong Hooks and Dark Canary # aws # ecs # devops # bluegreen 4  reactions Comments 3  comments 9 min read Want to connect with Tetsuya KIKUCHI? Create an account to connect with Tetsuya KIKUCHI. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Comparing 5 Methods of ECS Interservice Communication Including VPC Lattice Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow for AWS Community Builders Apr 22 '25 Comparing 5 Methods of ECS Interservice Communication Including VPC Lattice # aws # ecs # servicemesh # vpclattice 12  reactions Comments 4  comments 8 min read ECS External Deployment & TaskSet - Complete Guide Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow Mar 19 '25 ECS External Deployment & TaskSet - Complete Guide # aws # ecs # pipecd Comments 1  comment 11 min read ecstop: My CLI Tool to Stop ECS Resources Easily Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow Jan 5 '25 ecstop: My CLI Tool to Stop ECS Resources Easily # aws # ecs # go # opensource Comments Add Comment 4 min read Copy changed files to another branch in Git Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow Dec 27 '24 Copy changed files to another branch in Git # git Comments Add Comment 1 min read Hello, test post Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow Dec 27 '24 Hello, test post # emptystring 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 — 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:16
https://dev.to/t/android
Android - 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 # android Follow Hide Brought to you by the good folks at Google... Create Post Older #android posts 1 2 3 4 5 6 7 8 9 … 75 … 236 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Evolution of the Android Open Source Project: A Deep Dive David Díaz David Díaz David Díaz Follow Jan 12 Evolution of the Android Open Source Project: A Deep Dive # android # opensource # security # development Comments Add Comment 4 min read No Kotlin? No Problem. How I shipped Android Apps using React & Capacitor Krystian Krystian Krystian Follow Jan 12 No Kotlin? No Problem. How I shipped Android Apps using React & Capacitor # webdev # android # mobile # react Comments Add Comment 2 min read Managing Zebra Printers and Android Devices Remotely: A Practical Guide Gauri Bhosale Gauri Bhosale Gauri Bhosale Follow Jan 12 Managing Zebra Printers and Android Devices Remotely: A Practical Guide # zebra # android # mobile # security Comments Add Comment 4 min read Why Streaming AI Responses Feels Faster Than It Is (Android + SSE) Shubham Verma Shubham Verma Shubham Verma Follow Jan 12 Why Streaming AI Responses Feels Faster Than It Is (Android + SSE) # android # ai # ux # kotlin Comments Add Comment 3 min read Exploring Supabase for Android: A Modern Alternative to Firebase supriya shah supriya shah supriya shah Follow Jan 12 Exploring Supabase for Android: A Modern Alternative to Firebase # android # mobile # supabase # firebase Comments Add Comment 3 min read [TIL][Android] Common Android Studio Project Opening Issues Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][Android] Common Android Studio Project Opening Issues # help # beginners # android # kotlin Comments Add Comment 2 min read Notes from the Made by Google Conference Evan Lin Evan Lin Evan Lin Follow Jan 11 Notes from the Made by Google Conference # news # google # rag # android Comments Add Comment 2 min read Understanding Device Tree in Android SBC Development Danie Brooks Danie Brooks Danie Brooks Follow Jan 11 Understanding Device Tree in Android SBC Development # dts # kerne # linux # android Comments Add Comment 5 min read 😲 Your Face is the Playlist: Building an Emotion-Aware Android App Jatin Sisodia Jatin Sisodia Jatin Sisodia Follow Jan 11 😲 Your Face is the Playlist: Building an Emotion-Aware Android App # programming # android # machinelearning # coding Comments Add Comment 3 min read Release Week From Hell: Clean code + automation for shipping Flutter apps Anindya Obi Anindya Obi Anindya Obi Follow Jan 9 Release Week From Hell: Clean code + automation for shipping Flutter apps # flutter # dart # android # ios Comments Add Comment 3 min read [TIL][BOOX] New Toy - BOOX Nova Air C 7.8" e-reader: First Impressions and Potential Issues Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][BOOX] New Toy - BOOX Nova Air C 7.8" e-reader: First Impressions and Potential Issues # android # devjournal # learning Comments Add Comment 2 min read Jan 9, 2026 | The Tongyi Weekly: Your weekly dose of cutting-edge AI from Tongyi Lab Tongyi Lab Tongyi Lab Tongyi Lab Follow Jan 9 Jan 9, 2026 | The Tongyi Weekly: Your weekly dose of cutting-edge AI from Tongyi Lab # news # ai # android # ios Comments Add Comment 6 min read 📘 Paywall SDK – Tài liệu sử dụng TỪ A Z (kèm JSON mẫu) ViO Tech ViO Tech ViO Tech Follow Jan 9 📘 Paywall SDK – Tài liệu sử dụng TỪ A Z (kèm JSON mẫu) # android # architecture # kotlin # tutorial Comments Add Comment 4 min read Effortless Android Logging with Timber and Kotlin supriya shah supriya shah supriya shah Follow Jan 8 Effortless Android Logging with Timber and Kotlin # android # kotlin # timber # mobile Comments Add Comment 3 min read What I Learned While Evaluating Emulator Projects on Android Caroline Harper Caroline Harper Caroline Harper Follow Jan 8 What I Learned While Evaluating Emulator Projects on Android # emulation # android # opensource # software Comments Add Comment 1 min read (Idea + Sensors + Compose + Lottie)*AI Agents = Beautiful UI ViksaaSkool ViksaaSkool ViksaaSkool Follow Jan 6 (Idea + Sensors + Compose + Lottie)*AI Agents = Beautiful UI # android # compose # ai # ui Comments Add Comment 5 min read Create your own Android ViewModel from scratch Khush Panchal Khush Panchal Khush Panchal Follow Jan 11 Create your own Android ViewModel from scratch # androiddev # android # viewmodel Comments Add Comment 5 min read Clean Architecture Made Simple: A Koin DI Walkthrough for Android supriya shah supriya shah supriya shah Follow Jan 7 Clean Architecture Made Simple: A Koin DI Walkthrough for Android # android # kotlin # development # mobile Comments Add Comment 3 min read Mastering GraphQL with Ktor: A Modern Networking Guide for Android supriya shah supriya shah supriya shah Follow Jan 7 Mastering GraphQL with Ktor: A Modern Networking Guide for Android # android # graphql # kotlin # mobile Comments Add Comment 3 min read 9 Best Resources to Learn Android Development From My Personal Journey Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 6 9 Best Resources to Learn Android Development From My Personal Journey # webdev # programming # android Comments Add Comment 3 min read Comment j’ai créé et préparé pour le Store une application mobile avec React Native Expo et Supabase Mhd Almouchafaou Mhd Almouchafaou Mhd Almouchafaou Follow Jan 5 Comment j’ai créé et préparé pour le Store une application mobile avec React Native Expo et Supabase # webdev # react # android # ux Comments Add Comment 3 min read Using Hilt (guide for beginners) Aleksei Laptev Aleksei Laptev Aleksei Laptev Follow Jan 7 Using Hilt (guide for beginners) # android # hilt Comments Add Comment 6 min read Why Is My Android Auto Not Connecting To My Car Tech Fixes Tech Fixes Tech Fixes Follow Jan 7 Why Is My Android Auto Not Connecting To My Car # android # tutorial # beginners # productivity Comments Add Comment 3 min read Communicating Between Android and an MCU in Embedded Systems Kevin zhang Kevin zhang Kevin zhang Follow Jan 5 Communicating Between Android and an MCU in Embedded Systems # mcu # android # uart # usb Comments Add Comment 5 min read How to Build an Android MRZ Scanner with Dynamsoft MRZ SDK Xiao Ling Xiao Ling Xiao Ling Follow Jan 7 How to Build an Android MRZ Scanner with Dynamsoft MRZ SDK # android # programming # mrz # mobile Comments Add Comment 7 min read loading... trending guides/resources iOS Developers: You Have 2 Months to Comply With Texas Law or Lose Access to Millions of Users 🔓 Decrypt MIUI .sa & .sav Files Using APK Certificate Hex + Python – Full Guide by TheDevOpsRite Flutter Development Setup for WSL2 + Windows Android Studio (Complete Guide) Upgrading React-Native from Android SDK 34 35: Real Issues, Real Fixes, and What No One Tells You Retain API in Jetpack Compose Building a Fully-Featured Custom WebView App in Android: Complete Guide 안드로이드 개발자가 빠르게 적용할 수 있는 Flutter 프로젝트 구성 OpenSTF is Dead: The Best Alternative for Mobile Device Labs in 2025 Going ahead with Clean Architecture in Android. Example with complex navigation. Debloat Samsung A50 Where Do I "Host" My Mobile App? Dagger 2.0 vs Hilt in Android: A Comprehensive Overview Efficient Android Screen Recording Using MediaRecorder + MediaProjection Using MockK library in Jetpack Compose Preview Integrating Health Connect in Android + React Native Apps A Deep Dive into Nested ScrollView Behavior in React Native: Root Causes and Practical Solutions 🔥 How to Generate a JKS Keystore Without Android Studio (Complete Guide) Seamless Map Integration in React Native: A Complete Guide What Happens When You Kill the Kotlin Daemon Before R8? Interfacing with Wasm from Kotlin 💎 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:16
https://dev.to/viclafouch/promise-allsettled-vs-promise-all-in-javascript-4mle#supported-browsers
🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Victor de la Fouchardière Posted on Aug 16, 2020           🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 # node # webdev # javascript # beginners Hello ! 🧑‍🌾 Promises are available since ES2015 to simplify the handling of asynchronous operations. Let's discover 2 Promises and their differences: Promise.allSettled(iterable) Promise.all(iterable) Both of them take an iterable and return an array containing the fulfilled Promises. ❓ So, what is the difference between them ? Promise.all() 🧠 The Promise. all() method takes an iterable of promises as an input, and returns a single Promise that resolves to an array of the results of the input promises. All resolved As you can see, we are passing an array to Promise.all. And when all three promises get resolved, Promise.all resolves and the output is consoled. Now, let's see if one promise is not resolved , and so, if this one is reject. What was the output ? 🛑 1 failed Promise.all is rejected if at least one of the elements are rejected . For example, we pass 2 promises that resolve and one promise that rejects immediately, then Promise.all will reject immediately. Promise.allSettled() 🦷 Since ES2020 you can use Promise.allSettled . It returns a promise that always resolves after all of the given promises have either fulfilled or rejected, with an array of objects that each describes the outcome of each promise. For each outcome object, a status string is present : fulfilled ✅ rejected ❌ The value (or reason) reflects what value each promise was fulfilled (or rejected) with. Have a close look at following properties ( status , value , reason ) of resulting array. Differences 👬 Promise.all will reject as soon as one of the Promises in the array rejects. Promise.allSettled will never reject, it will resolve once all Promises in the array have either rejected or resolved. Supported Browsers 🚸 The browsers supported by JavaScript Promise.allSettled() and Promise.all() methods are listed below: Google Chrome Microsoft Edge Mozilla Firefox Apple Safari Opera Cheers 🍻 🍻 🍻 If you enjoyed this article you can follow me on Twitter or here on dev.to where I regularly post bite size tips relating to HTML, CSS and JavaScript. 📦 GitHub Profile: The RIGHT Way to Show your latest DEV articles + BONUS 🎁 Victor de la Fouchardière ・ Aug 5 '20 #github #markdown #showdev #productivity 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 Victor de la Fouchardière ・ Jul 29 '20 #react #javascript #tutorial #showdev Top comments (14) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   Pankaj Patel Pankaj Patel Pankaj Patel Follow Programmer, Blogger, Photographer and little bit of everything Location Lyon, France Work Lead Frontend Engineer at @abtasty Joined Mar 5, 2019 • Aug 17 '20 Dropdown menu Copy link Hide This is a really handy, allSettled has more verbose output Thanks for sharing @viclafouch . Like comment: Like comment: 4  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Arman Khan Arman Khan Arman Khan Follow Fullstack web developer Email armankhan9244@gmail.com Location Surat, India Education Self-taught Work full stack developer at Zypac InfoTech Joined Jul 22, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Loved the article Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Thank you @iarmankhan ;) Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Suyeb Bagdadi Suyeb Bagdadi Suyeb Bagdadi Follow Joined Aug 26, 2022 • Aug 26 '22 • Edited on Aug 26 • Edited Dropdown menu Copy link Hide You can as well do the following to stop Promise.all from rejecting if there is an exception thrown.`` ` let storage = { updated: 0, published: 0, error: 0, }; let p1 = async (name) => { let status = { success: true, error: false, }; return status; }; let p2 = async (name) => { throw new Error('on purpose'); }; let success = () => { storage.updated += 1; }; let logError = (error) => { console.log(error.message); storage.error += 1; }; Promise.all([ p1('shobe 1').then(success).catch(logError), p2('shobe 2').then(success).catch(logError), p1('shobe 1').then(success).catch(logError), ]).then(() => { console.log('done'); }); ` Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Justin Hunter Justin Hunter Justin Hunter Follow VP of Product at Pinata, co-founder of Orbiter - the easiest way to host static websites and apps. Location Dallas Work Software Engineer at Pinata Joined Apr 10, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Whoa! I had no idea this existed. Thanks for the helpful write-up! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide A pleasure @polluterofminds ;) Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Dayzen Dayzen Dayzen Follow Location Korea Seoul Work Backend Engineer at Smile Ventures Joined Apr 18, 2020 • Aug 17 '20 Dropdown menu Copy link Hide Thanks for sharing this post! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide I'd love some elaboration on why allSettled was made/why it's better Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide github.com/tc39/proposal-promise-a... Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Mohd Aliyan Mohd Aliyan Mohd Aliyan Follow I am a software Engineer looking for each day of learning. Joined Oct 6, 2021 • Oct 6 '21 Dropdown menu Copy link Hide Very well explained. Thank you so much Victor. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Yogendra Yogendra Yogendra Follow Location Bengaluru, India Work Web Developer at LayerIV Joined Sep 25, 2020 • Jan 31 '21 Dropdown menu Copy link Hide How can I use Promise.allSettled() with my webpack-react app? Is there any plugin being used for it? Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Vladislav Guleaev Vladislav Guleaev Vladislav Guleaev Follow Fullstack Javascript Developer from Munich, Germany. Location Munich, Germany Education Computer Science - Bachelor Degree Work Software Developer at CHECK24 Joined Apr 8, 2019 • Jun 8 '21 Dropdown menu Copy link Hide short and nice! Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Shakhruz Shakhruz Shakhruz Follow JavaScript enthusiast Location Tashkent, Uzbekistan Work Junior Full-Stack developer at Cruz Joined Dec 27, 2020 • Jan 5 '21 Dropdown menu Copy link Hide Helpful bro, thnx !!! Like comment: Like comment: Like Comment button Reply View full discussion (14 comments) Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 More from Victor de la Fouchardière 👑 Create a secure Chat Application with React Hooks, Firebase and Seald 🔐 # react # javascript # showdev # firebase 🍿 Publish your own ESLint / Prettier config for React Projects on NPM 📦 # javascript # react # npm # eslint 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 # react # javascript # tutorial # showdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/t/testing/page/5#main-content
Testing 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 Testing Follow Hide Find those bugs before your users do! 🐛 Create Post Older #testing 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 Getting Started with DeviceLab (5-Min Setup) Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Getting Started with DeviceLab (5-Min Setup) # mobile # testing # automation # android Comments Add Comment 2 min read A Complete Guide To Ci Testing: Benefits, Tools & Workflow Sophie Lane Sophie Lane Sophie Lane Follow Dec 24 '25 A Complete Guide To Ci Testing: Benefits, Tools & Workflow # testing # ci Comments Add Comment 10 min read Don't Unwrap in Production: A Formal Verification Guide Prasanna Gautam Prasanna Gautam Prasanna Gautam Follow Dec 26 '25 Don't Unwrap in Production: A Formal Verification Guide # rust # testing # computerscience # tutorial Comments Add Comment 11 min read Why I Built My Own Web Application Monitoring System Afroz Sheikh Afroz Sheikh Afroz Sheikh Follow Dec 28 '25 Why I Built My Own Web Application Monitoring System # opensource # testing # webdev # developer Comments Add Comment 1 min read Sub-50ms Latency: The Physics of Fast Mobile Automation Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 Sub-50ms Latency: The Physics of Fast Mobile Automation # testing # performance # mobile # cicd 4  reactions Comments Add Comment 8 min read Testing Across the Stack: UI Storage Encryption Offline Resilience CrisisCore-Systems CrisisCore-Systems CrisisCore-Systems Follow Dec 23 '25 Testing Across the Stack: UI Storage Encryption Offline Resilience # testing # a11y # healthcare # react Comments Add Comment 11 min read Mutation Testing with Stryker Lucas Pereira de Souza Lucas Pereira de Souza Lucas Pereira de Souza Follow Dec 23 '25 Mutation Testing with Stryker # node # testing # typescript Comments Add Comment 6 min read Mutation Testing com Stryker Lucas Pereira de Souza Lucas Pereira de Souza Lucas Pereira de Souza Follow Dec 23 '25 Mutation Testing com Stryker # testing # typescript # node # tutorial Comments Add Comment 7 min read Unit testing : How to Mock Public Methods in C# with NSubstitute Naimul Karim Naimul Karim Naimul Karim Follow Jan 6 Unit testing : How to Mock Public Methods in C# with NSubstitute # csharp # dotnet # testing Comments Add Comment 1 min read Migrate BrowserStack to DeviceLab: Appium Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Migrate BrowserStack to DeviceLab: Appium # appium # testing # mobile # automation Comments Add Comment 7 min read BrowserStack Alternative: Your Own Devices Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 BrowserStack Alternative: Your Own Devices # testing # mobile # devops # automation Comments Add Comment 7 min read The Definitive Guide to Building a Cross-Browser Testing Matrix for 2026 Matt Calder Matt Calder Matt Calder Follow Dec 23 '25 The Definitive Guide to Building a Cross-Browser Testing Matrix for 2026 # webdev # testing # software # programming Comments Add Comment 5 min read Migrate BrowserStack to DeviceLab: Maestro Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Migrate BrowserStack to DeviceLab: Maestro # maestro # testing # mobile # devops Comments Add Comment 6 min read How I Decide What NOT to Automate Nishanth Kr Nishanth Kr Nishanth Kr Follow Jan 7 How I Decide What NOT to Automate # automation # cicd # devops # testing 1  reaction Comments Add Comment 4 min read AI Copilots for Developers: Beyond Code Completion OutworkTech OutworkTech OutworkTech Follow Dec 23 '25 AI Copilots for Developers: Beyond Code Completion # ai # developer # productivity # testing Comments Add Comment 3 min read Testing shadcn/ui components with TWD Kevin Julián Martínez Escobar Kevin Julián Martínez Escobar Kevin Julián Martínez Escobar Follow Dec 23 '25 Testing shadcn/ui components with TWD # react # testing # twd Comments Add Comment 2 min read Why a Modern Master Test Plan is Your Team’s Secret Weapon Nishanth Kr Nishanth Kr Nishanth Kr Follow Jan 7 Why a Modern Master Test Plan is Your Team’s Secret Weapon # management # productivity # testing 1  reaction Comments Add Comment 3 min read HIPAA Mobile QA Checklist: Your Testing Pipeline is a Compliance Risk Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 HIPAA Mobile QA Checklist: Your Testing Pipeline is a Compliance Risk # security # healthcare # testing # compliance 1  reaction Comments Add Comment 5 min read Renting Test Devices is Financially Irresponsible. Here's the Math. Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 Renting Test Devices is Financially Irresponsible. Here's the Math. # testing # mobile # devops # startup 1  reaction Comments Add Comment 5 min read System Testing vs Integration Testing: What's the Difference Ankit Kumar Sinha Ankit Kumar Sinha Ankit Kumar Sinha Follow Dec 24 '25 System Testing vs Integration Testing: What's the Difference # beginners # softwaredevelopment # testing Comments Add Comment 5 min read Announcing pytest-mockllm v0.2.1: "True Fidelity" Dhiraj Das Dhiraj Das Dhiraj Das Follow Dec 23 '25 Announcing pytest-mockllm v0.2.1: "True Fidelity" # python # automation # testing 5  reactions Comments Add Comment 3 min read Exploratory testing on mobile: the messy checks that find real bugs Kelina Cowell Kelina Cowell Kelina Cowell Follow Dec 22 '25 Exploratory testing on mobile: the messy checks that find real bugs # gamedev # ux # testing # qualityassurance Comments Add Comment 5 min read Help me, and other developers, discover how to create more efficient automated testing environments mobtone mobtone mobtone Follow Dec 22 '25 Help me, and other developers, discover how to create more efficient automated testing environments # tooling # testing # devops # cicd Comments Add Comment 1 min read Improving a Tutorial That Failed During Testing Favoured Anuanatata Favoured Anuanatata Favoured Anuanatata Follow Dec 22 '25 Improving a Tutorial That Failed During Testing # testing # documentation # opensource # tutorial Comments Add Comment 1 min read Responsive Web Design: Breakpoints, Layouts & Real Testing Guide prateekshaweb prateekshaweb prateekshaweb Follow Dec 22 '25 Responsive Web Design: Breakpoints, Layouts & Real Testing Guide # ux # frontend # testing # css 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:16
https://dev.to/thenjdevopsguy/kubernetes-ingress-vs-service-mesh-2ee2#main-content
Kubernetes Ingress vs Service Mesh - 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 Michael Levan Posted on Jun 15, 2022 • Edited on Aug 6, 2025           Kubernetes Ingress vs Service Mesh # kubernetes # devops # cloud # git Networking in Kubernetes is no easy task. Whether you’re on the application side or the operations side, you need to think about networking. Whether it’s connectivity between clusters, control planes, and worker nodes, or connectivity between Kubernetes Services and Pods, it all becomes a task that needs a large amount of focus and effort. In this blog post, you’ll learn about what a service mesh is, what ingress is, and why you need both. What’s A Service Mesh When you deploy applications inside of Kubernetes, there are two primary ways that the apps are talking to each other: Service-to-Service communication Pod-to-Pod communication Pod-to-Pod communication isn’t exactly recommended because Pods are ephemeral, which means they aren’t permanent. They are designed to go down at any time and only if they’re part of a StatefulSet would they keep any type of unique identifier. However, Pods still need to be able to communicate with each other because microservices need to talk. Backends need to talk to frontends, middleware needs to talk to backends and frontends, etc… The next primary communication is Services. Services are the preferred method because a Service isn’t ephemeral and only gets deleted if specified by an engineer. Pods are able to connect to Services with Selectors (sometimes called Tags), so if a Pod goes down but the Selector in the Kubernetes Manifest that deployed the Pod doesn’t change, the new Pod will be connected to the Service. In short, a Service sits in front of Pods almost like a load balancer would (not to be confused with the LoadBalancer service type). Here’s the problem: all of this traffic is unencrypted by default. Pod-to-Pod communication, or as some people like to call it, East-West Traffic, and Service-to-Service is completely unencrypted. That means if for any reason an environment is compromised or you have some segregation concerns, there’s nothing out of the box that you can do. A Service Mesh handles a lot of that for you. A Service Mesh: Encrypts traffic between Services Helps with network latency troubleshooting Securely connects Kubernetes Services Observability for tracing and alerting The key piece here, aside from the encryption between services (using mTLS) is the network observability and routing implementations. As a small example, the following routing rule forwards traffic to /rooms via a delegate VirtualService object/kind named roompage . apiVersion: networking.istio.io/v1 kind: VirtualService metadata: name: hotebooking spec: hosts: - "hotelbooking.com" gateways: - hbgateway http: - match: - uri: prefix: "/rooms" delegate: name: roompage namespace: rooms Enter fullscreen mode Exit fullscreen mode You have full control over the "what and how" in terms of routing. What’s Ingress Outside of the need for secure communication between microservices, you need a way to interact with frontend apps. The typical way is with a load balancer that’s connected to a Service. You can also use a NodePort, but in the cloud world, you’ll mostly see load balancers being used. Here’s the problem; cloud load balancers are expensive literally and figuratively. You have to pay money for each cloud load balancer that you have. Having a few applications may not be a big deal, but what about if you have 50 or 100? Not to mention that you have to manage all of those cloud load balancers. If a Kubernetes Service disconnects from the load balancer for whatever reason, it’s your job to go in and fix it. With Kubernetes Ingress Controllers, the management and cost nightmare is abstracted from you. An Ingress Controller allows you to have: One load balancer Multiple applications (Kubernetes Services) pointing to it You can create one load balancer and have every Kubernetes Service point to it that's within the specific web application from a routing perspective. Then, you can access each Kubernetes Service on a different path. For example, below is an Ingress Spec that points to a Kubernetes Service called nginxservice and outputs it on the path called /nginxappa apiVersion : networking . k8s . io / v1 kind : Ingress metadata : name : ingress - nginxservice - a spec : ingressClassName : nginx - servicea rules : - host : localhost http : paths : - path : / nginxappa pathType : Prefix backend : service : name : nginxservice port : number : 8080 Enter fullscreen mode Exit fullscreen mode Ingress Controllers are like an Nginx Reverse Proxy. Do You Need Both? My take on it is that you need both. Here’s why: They’re both doing two different jobs. I always like to use the hammer analogy. If I need to hammer a nail, I can use the handle to slam the nail in and eventually it’ll work, but why would I do that if I can use the proper end of the hammer? An Ingress Controller is used to: Make load balancing apps easier A Service Mesh is used to: Secure communication between apps Help out with Kubernetes networking Now, here’s the kicker; there are tools that do both. For example, Istio Ingress is an Ingress Controller, but also has the capability of secure gateways using mTLS. If you’re using one of those tools, great. Just make sure that it handles both communication and security for you in the way that you’re expecting. The recommendation still is to use the proper tool for the job. Both Service Mesh and Ingress are incredibly important, especially as your microservice environment grows. Popular Ingress Controllers and Service Mesh Platforms Below is a list of Ingress Controllers and Service Mesh that are popular in today’s cloud-native world. For Service Mesh: https://istio.io/latest/about/service-mesh/ For Ingress Controllers: https://kubernetes.github.io/ingress-nginx/ https://doc.traefik.io/traefik/providers/kubernetes-ingress/ https://github.com/Kong/kubernetes-ingress-controller#readme https://istio.io/latest/docs/tasks/traffic-management/ingress/ If you want to check out how to get started with the Istio, check out my blog post on it here . 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   trylvis trylvis trylvis Follow Work Infra / Ops / DevOps Engineer Joined Jun 16, 2022 • Jun 16 '22 Dropdown menu Copy link Hide Nice summary! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Michael Levan Michael Levan Michael Levan Follow Building High-Performing Agentic Environments | CNCF Ambassador | Microsoft MVP (Azure) | AWS Community Builder | Published Author & Public Speaker Location North New Jersey Joined Feb 8, 2020 • Jun 17 '22 Dropdown menu Copy link Hide Thank you! I'm happy that you enjoyed it. Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Jan Jurák Jan Jurák Jan Jurák Follow Joined Apr 20, 2021 • Jan 4 '25 Dropdown menu Copy link Hide thank you for introduction into Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   heroes1412 heroes1412 heroes1412 Follow Joined Oct 7, 2022 • Oct 7 '22 Dropdown menu Copy link Hide Your article is very good and easy to understand. But how about API Gateway, i see ingress controller can handle API gateway task. what diffenrent? Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Michael Levan Michael Levan Michael Levan Follow Building High-Performing Agentic Environments | CNCF Ambassador | Microsoft MVP (Azure) | AWS Community Builder | Published Author & Public Speaker Location North New Jersey Joined Feb 8, 2020 • Oct 7 '22 Dropdown menu Copy link Hide I would say the biggest two differences are 1) Ingress Controllers are a Kubernetes Controller in itself, so it's handled in a declarative fashion 2) (correct me if I'm wrong here about API Gateways please) API Gateways are typically an intermediary to route traffic between services. Sort of like a "middle ground". Where-as the ingress controllers are more about handling frontend app traffic. Like comment: Like comment: 4  likes Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Michael Levan Follow Building High-Performing Agentic Environments | CNCF Ambassador | Microsoft MVP (Azure) | AWS Community Builder | Published Author & Public Speaker Location North New Jersey Joined Feb 8, 2020 More from Michael Levan Running Any AI Agent on Kubernetes: Step-by-Step # ai # programming # kubernetes # cloud Context-Aware Networking & Runtimes: Agentic End-To-End # ai # kubernetes # programming # cloud Security Holes in MCP Servers and How To Plug Them # programming # ai # kubernetes # docker 💎 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:16
https://dev.to/p/editor_guide#liquidtags
Editor Guide - 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 Editor Guide 🤓 Things to Know We use a markdown editor that uses Jekyll front matter . Most of the time, you can write inline HTML directly into your posts. We support native Liquid tags and created some fun custom ones, too! Trying embedding a Tweet or GitHub issue in your post, using the complete URL: {% embed https://... %} . Links to unpublished posts are shareable for feedback/review. When you're ready to publish, set the published variable to true or click publish depending on the editor version, you're using Links to unpublished posts (drafts or scheduled posts) are shareable for feedback/review. These posts have a notice which reads "This URL is public but secret, so share at your own discretion." They are not visible in feeds or on your profile until published. description area in Twitter cards and open graph cards We have two editor versions . If you'd prefer to edit title and tags etc. as separate fields, switch to the "rich + markdown" option in Settings → Customization . Otherwise, continue: Front Matter Custom variables set for each post, located between the triple-dashed lines in your editor Here is a list of possibilities: title: the title of your article published: boolean that determines whether or not your article is published. tags: max of four tags, needs to be comma-separated canonical_url: link for the canonical version of the content cover_image: cover image for post, accepts a URL. The best size is 1000 x 420. series: post series name. ✍ Markdown Basics Below are some examples of commonly used markdown syntax. If you want to dive deeper, check out this cheat sheet. Bold & Italic Italics : *asterisks* or _underscores_ Bold : **double asterisks** or __double underscores__ Links I'm an inline link : [I'm an inline link](put-link-here) Anchored links (For things like a Table of Contents) ## Table Of Contents * [Chapter 1](#chapter-1) * [Chapter 2](#chapter-2) ### Chapter 1 <a name="chapter-1"></a> Inline Images When adding GIFs to posts and comments, please note that there is a limit of 200 megapixels per frame/page. ![Image description](put-link-to-image-here) You can even add a caption using the HTML figcaption tag! Headings Add a heading to your post with this syntax: # One '#' for a h1 heading ## Two '#'s for a h2 heading ... ###### Six '#'s for a h6 heading Author Notes/Comments Add some hidden notes/comments to your article with this syntax: <!-- This won't show up in the content! --> Accessibility People access online content in all kinds of different ways, and there are a few things you can do to make your posts more easily understood by a broad range of users. You can find out more about web accessibility at W3C's Introduction to Web Accessibility , but there are two main ways you can make your posts more accessible: providing alternative descriptions of any images you use, and adding appropriate headings. Providing alternative descriptions for images Some users might not be able to see or easily process images that you use in your posts. Providing an alternative description for an image helps make sure that everyone can understand your post, whether they can see the image or not. When you upload an image in the editor, you will see the following text to copy and paste into your post: ![Image description](/file-path/my-image.png) Replace the "Image description" in square brackets with a description of your image - for example: ![A pie chart showing 40% responded "Yes", 50% responded "No" and 10% responded "Not sure"](/file-path/my-image.png) By doing this, if someone reads your post using an assistive device like a screen reader (which turns written content into spoken audio) they will hear the description you entered. Providing headings Headings provide an outline of your post to readers, including people who can't see the screen well. Many assistive technologies (like screen readers) allow users to skip directly to a particular heading, helping them find and understand the content of your post with ease. Headings can be added in levels 1 - 6 . Avoid using a level one heading (i.e., '# Heading text'). When you create a post, your post title automatically becomes a level one heading and serves a special role on the page, much like the headline of a newspaper article. Similar to how a newspaper article only has one headline, it can be confusing if multiple level one headings exist on a page. In your post content, start with level two headings for each section (e.g. '## Section heading text'), and increase the heading level by one when you'd like to add a sub-section, for example: ## Fun facts about sloths ### Speed Sloths move at a maximum speed of 0.27 km/h! 🌊 Liquid Tags We support native Liquid tags in our editor, but have created our own custom tags as well. A list of supported custom embeds appears below. To create a custom embed, use the complete URL: {% embed https://... %} Supported URL Embeds DEV Community Comment DEV Community Link DEV Community Link DEV Community Listing DEV Community Organization DEV Community Podcast Episode DEV Community Tag DEV Community User Profile asciinema CodePen CodeSandbox DotNetFiddle GitHub Gist, Issue or Repository Glitch Instagram JSFiddle JSitor Loom Kotlin Medium Next Tech Reddit Replit Slideshare Speaker Deck SoundCloud Spotify StackBlitz Stackery Stack Exchange or Stack Overflow Twitch Twitter Twitter timeline Wikipedia Vimeo YouTube Supported Non-URL Embeds Call To Action (CTA) {% cta link %} description {% endcta %} Provide a link that a user will be redirected to. The description will contain the label/description for the call to action. Details You can embed a details HTML element by using details, spoiler, or collapsible. The summary will be what the dropdown title displays. The content will be the text hidden behind the dropdown. This is great for when you want to hide text (i.e. answers to questions) behind a user action/intent (i.e. a click). {% details summary %} content {% enddetails %} {% spoiler summary %} content {% endspoiler %} {% collapsible summary %} content {% endcollapsible %} KaTex Place your mathematical expression within a KaTeX liquid block, as follows: {% katex %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} To render KaTeX inline add the "inline" option: {% katex inline %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} RunKit Put executable code within a runkit liquid block, as follows: {% runkit // hidden setup JavaScript code goes in this preamble area const hiddenVar = 42 %} // visible, reader-editable JavaScript code goes here console.log(hiddenVar) {% endrunkit %} Parsing Liquid Tags as a Code Example To parse Liquid tags as code, simply wrap it with a single backtick or triple backticks. `{% mytag %}{{ site.SOMETHING }}{% endmytag %}` One specific edge case is with using the raw tag. To properly escape it, use this format: `{% raw %}{{site.SOMETHING }} {% ``endraw`` %}` Common Gotchas Lists are written just like any other Markdown editor. If you're adding an image in between numbered list, though, be sure to tab the image, otherwise it'll restart the number of the list. Here's an example of what to do: Here's the Markdown cheatsheet again for reference. Happy posting! 📝 💎 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:16
https://forem.com/enter?signup_subforem=39#main-content
Welcome! - 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 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:16
https://dev.to/t/webdev/page/6#main-content
Web Development 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 Web Development Follow Hide Because the internet... Create Post submission guidelines Be nice. Be respectful. Assume best intentions. Be kind, rewind. Older #webdev 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 I built a free URL shortener with QR codes and click tracking — looking for feedback Ivan Jurina Ivan Jurina Ivan Jurina Follow Jan 12 I built a free URL shortener with QR codes and click tracking — looking for feedback # discuss # showdev # tooling # webdev Comments Add Comment 1 min read I Built 97 Free Online Tools (and Games) While Learning to Ship Consistently Axonix Tools Axonix Tools Axonix Tools Follow Jan 12 I Built 97 Free Online Tools (and Games) While Learning to Ship Consistently # showdev # learning # productivity # webdev 3  reactions Comments 1  comment 2 min read From ChatGPT to Gemini: How We Built a GDPR-Compliant CV Parser for Odoo DERICK TEMFACK DERICK TEMFACK DERICK TEMFACK Follow Jan 11 From ChatGPT to Gemini: How We Built a GDPR-Compliant CV Parser for Odoo # python # webdev # ai # productivity Comments Add Comment 5 min read An Introduction to Docker: Stop asking your stakeholders to install Postgres! 🚀 Francisco Luna Francisco Luna Francisco Luna Follow Jan 11 An Introduction to Docker: Stop asking your stakeholders to install Postgres! 🚀 # webdev # devops # productivity # learning 1  reaction Comments Add Comment 5 min read My Dashboard: как я превратил старые Android-устройства в кроссплатформенные дашборды с помощью AI и типобезопасного fullstack ILshat Khamitov ILshat Khamitov ILshat Khamitov Follow Jan 11 My Dashboard: как я превратил старые Android-устройства в кроссплатформенные дашборды с помощью AI и типобезопасного fullstack # webdev # javascript # programming # ai Comments Add Comment 1 min read Kubernetes Namespace Isolation: Why It's Not a Security Feature (And What Actually Is) inboryn inboryn inboryn Follow Jan 12 Kubernetes Namespace Isolation: Why It's Not a Security Feature (And What Actually Is) # kubernetes # devops # webdev Comments Add Comment 2 min read Integrating HubSpot with Salesforce using Webhooks for Real-Time Data Synchronization CallStack Tech CallStack Tech CallStack Tech Follow Jan 12 Integrating HubSpot with Salesforce using Webhooks for Real-Time Data Synchronization # api # webdev # tutorial # programming 1  reaction Comments Add Comment 13 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 I Built a Free All-in-One Tools Website — Here’s What I Learned the Hard Way Bhavin Sheth Bhavin Sheth Bhavin Sheth Follow Jan 12 I Built a Free All-in-One Tools Website — Here’s What I Learned the Hard Way # webdev # productivity # buildinpublic # sass 2  reactions Comments Add Comment 2 min read Getting Started with MUI X Data Grid in React: Building Your First Data Table Michael Turner Michael Turner Michael Turner Follow Jan 12 Getting Started with MUI X Data Grid in React: Building Your First Data Table # webdev # programming # javascript # beginners Comments Add Comment 6 min read I Built a Mock API Platform in 2.5 Months (Django + React + Redis + PostgreSQL) Marcus Marcus Marcus Follow Jan 11 I Built a Mock API Platform in 2.5 Months (Django + React + Redis + PostgreSQL) # showdev # django # webdev # startup Comments Add Comment 2 min read A Five-Minute UI Feature That Became an XSS Time Bomb Parth G Parth G Parth G Follow Jan 12 A Five-Minute UI Feature That Became an XSS Time Bomb # frontend # javascript # security # webdev 3  reactions Comments 1  comment 5 min read How to protect server functions with auth middleware in TanStack Start Hiroto Shioi Hiroto Shioi Hiroto Shioi Follow Jan 12 How to protect server functions with auth middleware in TanStack Start # webdev # typescript # fullstack # security 1  reaction Comments Add Comment 3 min read Starting My Learning Journey in Tech Hassan Olamide Hassan Olamide Hassan Olamide Follow Jan 12 Starting My Learning Journey in Tech # beginners # devjournal # learning # webdev 1  reaction Comments Add Comment 1 min read Demystifying Real-time Admin Previews: JavaScript & PHP for Dynamic Chat Widget Configuration Shahibur Rahman Shahibur Rahman Shahibur Rahman Follow Jan 12 Demystifying Real-time Admin Previews: JavaScript & PHP for Dynamic Chat Widget Configuration # javascript # jquery # webdev # wordpress 2  reactions Comments Add Comment 6 min read Google's Universal Commerce Protocol: What Developers Need to Know Okkar Kyaw Okkar Kyaw Okkar Kyaw Follow Jan 12 Google's Universal Commerce Protocol: What Developers Need to Know # webdev # ai # gemini Comments Add Comment 4 min read What's new in Webpixels v3 Alexis Enache Alexis Enache Alexis Enache Follow Jan 12 What's new in Webpixels v3 # webdev # programming # ai # productivity Comments Add Comment 3 min read EC2 (single instance with db and redis and all) vs EC2 + RDS + MemoryDB, ECS/EKS (docker-based approach): when and why Saif Ullah Usmani Saif Ullah Usmani Saif Ullah Usmani Follow Jan 11 EC2 (single instance with db and redis and all) vs EC2 + RDS + MemoryDB, ECS/EKS (docker-based approach): when and why # webdev # programming # devops # javascript Comments Add Comment 3 min read EU Digital Omnibus: New Requirements for Websites and Online Services Mehwish Malik Mehwish Malik Mehwish Malik Follow Jan 12 EU Digital Omnibus: New Requirements for Websites and Online Services # webdev # ai # beginners # productivity 17  reactions Comments Add Comment 3 min read Create Your First MCP Server in 5 Minutes with create-mcp-server Ali Ibrahim Ali Ibrahim Ali Ibrahim Follow Jan 11 Create Your First MCP Server in 5 Minutes with create-mcp-server # webdev # javascript # ai # programming 1  reaction Comments Add Comment 10 min read Code Coverage Best Practices for Agentic Development Ariel Frischer Ariel Frischer Ariel Frischer Follow Jan 11 Code Coverage Best Practices for Agentic Development # webdev # programming # ai # productivity Comments Add Comment 3 min read 3 Ways to Run AI in the Browser with Next.js (No API Keys Required) Niroshan Dh Niroshan Dh Niroshan Dh Follow Jan 12 3 Ways to Run AI in the Browser with Next.js (No API Keys Required) # javascript # webdev # ai # machinelearning Comments Add Comment 3 min read How to Build Custom Pipelines for Voice AI Integration: A Developer's Journey CallStack Tech CallStack Tech CallStack Tech Follow Jan 11 How to Build Custom Pipelines for Voice AI Integration: A Developer's Journey # ai # voicetech # machinelearning # webdev 1  reaction Comments Add Comment 13 min read 🧩 Runtime Snapshots #11 — The Design Loop: From 'Make It Like That Site' to Pixel-Perfect Code Alechko Alechko Alechko Follow Jan 11 🧩 Runtime Snapshots #11 — The Design Loop: From 'Make It Like That Site' to Pixel-Perfect Code # e2llm # cicd # webdev # automation 1  reaction Comments Add Comment 4 min read Who is Krishna Mohan Kumar? | Full Stack Developer & B.Tech CSE Student Krishna Mohan Kumar Krishna Mohan Kumar Krishna Mohan Kumar Follow Jan 12 Who is Krishna Mohan Kumar? | Full Stack Developer & B.Tech CSE Student # webdev # beginners # portfolio # google 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:16
https://www.python.org/psf/#site-map
Python Software Foundation Notice: While JavaScript is not essential for this website, your interaction with the content will be limited. Please turn JavaScript on for the full experience. Skip to content ▼ Close Python PSF Docs PyPI Jobs Community ▲ The Python Network Donate ≡ Menu Search This Site GO A A Smaller Larger Reset Socialize LinkedIn Mastodon Chat on IRC Twitter About Mission Statement Board of Directors & Officers PSF Staff Annual Impact Report Fiscal Sponsorees Public Records Legal & Policies PSF FAQ Developers in Residence Sponsorship PSF Sponsors Apply to Sponsor Sponsorship Prospectus 2025-26 Membership Sign up as a Member of the PSF! Membership FAQ PSF Elections Nominate a Fellow & Fellows Roster Donate End of year fundraiser 2025: Python is for Everyone Donate to the PSF Become a Supporting Member of the PSF PSF Matching Donations Volunteer Volunteer for the PSF PSF Work Groups Volunteer for PyCon US Grants Grants program Grants Program FAQ PyCon US News & Community Subscribe to the Newsletter PSF Blog Python Community Code of Conduct Community Awards Discourse The Python Software Foundation is the charitable organization behind the Python programming language. We support the Python Community through... Grants In 2024, the PSF awarded $655,000 USD to 257 groups or individuals in 61 countries around the world. Infrastructure We support and maintain python.org , The Python Package Index , Python Documentation , and many other services the Python Community relies on. PyCon US We produce and underwrite the PyCon US Conference , the largest annual gathering for the Python community. Support from sponsors, attendees, PyLadies, and CPython enabled us to award more than $384,000 USD in travel grants to 254 attendees for PyCon US 2025. Mastodon Become a Member Help the PSF promote, protect, and advance the Python programming language and community! Membership FAQ Donate Assist the foundation's goals with a donation. The PSF is a recognized 501(c)(3) non-profit organization. How to Contribute Volunteer Learn how you can help the PSF and the greater Python community! How to Volunteer Sponsors Without our sponsors we wouldn't be able to help the Python community grow and prosper. Sponsorship Possibilities PSF Grants Program The Python Software Foundation welcomes grant proposals for projects related to the development of Python, Python-related technology, and educational resources. Proposal Guidelines, FAQ and Examples PSF News PSF News: $500K+ Raised for Python for Everyone, PyCon US, & More! PSF News Special Edition: Python is For Everyone & PyCon US 2026 Sovereign Tech Agency and PSF Security Partnership PSF Code of Conduct Working Group Shares First Transparency Report Python is for Everyone: Grab PyCharm Pro for 30% off—plus a special bonus! Python is for everyone: Join in the PSF year-end fundraiser & membership drive! Connecting the Dots: Understanding the PSF’s Current Financial Outlook Improving security and integrity of Python package archives Open Infrastructure is Not Free: PyPI, the Python Software Foundation, and Sustainability A new PSF Board- Another year of PSF Board Office Hour sessions! ▲ Back to Top About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner's Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Contributing Developer's Guide Issue Tracker python-dev list Core Mentorship Report a Security Issue ▲ Back to Top Help & General Contact Diversity Initiatives Submit Website Bug Status Copyright ©2001-2026.   Python Software Foundation   Legal Statements   Privacy Notice Powered by PSF Community Infrastructure -->
2026-01-13T08:49:16
https://dev.to/t/tutorial/page/79
Tutorial Page 79 - 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 # tutorial Follow Hide Tutorial is a general purpose tag. We welcome all types of tutorial - code related or not! It's all about learning, and using tutorials to teach others! Create Post submission guidelines Tutorials should teach by example. This can include an interactive component or steps the reader can follow to understand. Older #tutorial posts 76 77 78 79 80 81 82 83 84 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Importar CSV/Excel e limpar dados com Pandas Isaac Maciel Isaac Maciel Isaac Maciel Follow Dec 3 '25 Importar CSV/Excel e limpar dados com Pandas # python # datascience # tutorial # beginners Comments Add Comment 1 min read Understanding AI Agents: A Comprehensive Guide Vikas Solegaonkar Vikas Solegaonkar Vikas Solegaonkar Follow Nov 12 '25 Understanding AI Agents: A Comprehensive Guide # agents # tutorial # programming # ai 1  reaction Comments Add Comment 4 min read From Zero to Pipeline: An OpenTelemetry Collector Guide Ayooluwa Isaiah Ayooluwa Isaiah Ayooluwa Isaiah Follow for Dash0 Nov 11 '25 From Zero to Pipeline: An OpenTelemetry Collector Guide # opensource # opentelemetry # tutorial # devops Comments Add Comment 21 min read Git & GitHub for DevOps - The Complete Hands-On Guide (Week 4) Ashish Ashish Ashish Follow Dec 14 '25 Git & GitHub for DevOps - The Complete Hands-On Guide (Week 4) # git # devops # github # tutorial Comments Add Comment 9 min read Pointers in Go Are Simple — Until You Misunderstand What They Actually Point To Pavel Sanikovich Pavel Sanikovich Pavel Sanikovich Follow Dec 14 '25 Pointers in Go Are Simple — Until You Misunderstand What They Actually Point To # go # beginners # programming # tutorial 2  reactions Comments Add Comment 4 min read Day 3: SQL Aruna Aruna Aruna Follow Dec 14 '25 Day 3: SQL # database # beginners # sql # tutorial 3  reactions Comments 1  comment 1 min read REST API Design: A Comprehensive Guide Yukti Sahu Yukti Sahu Yukti Sahu Follow Dec 4 '25 REST API Design: A Comprehensive Guide # development # tutorial # beginners # javascript 1  reaction Comments Add Comment 5 min read # 🛰️ Azure Networking Series — Creating a Subnet, NSG, and Securing an FTP Server Environment Ganiyat Olagoke Adebayo Ganiyat Olagoke Adebayo Ganiyat Olagoke Adebayo Follow Dec 4 '25 # 🛰️ Azure Networking Series — Creating a Subnet, NSG, and Securing an FTP Server Environment # networking # tutorial # security # azure 1  reaction Comments Add Comment 3 min read n8n: Credential - Figma Account codebangkok codebangkok codebangkok Follow Dec 15 '25 n8n: Credential - Figma Account # tooling # api # automation # tutorial Comments Add Comment 1 min read Mastering React Testing with React Testing Library Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 12 '25 Mastering React Testing with React Testing Library # testing # javascript # tutorial # react Comments Add Comment 2 min read 45. Jump Game II | LeetCode | Top Interview 150 | Coding Questions Debesh P. Debesh P. Debesh P. Follow Dec 14 '25 45. Jump Game II | LeetCode | Top Interview 150 | Coding Questions # leetcode # programming # productivity # tutorial 5  reactions Comments Add Comment 1 min read Building Flipr: a URL shortener, one commit at a time Ely Ely Ely Follow Nov 9 '25 Building Flipr: a URL shortener, one commit at a time # typescript # kubernetes # architecture # tutorial Comments Add Comment 9 min read How to Use Laravel Boost with Gemini CLI William Meier William Meier William Meier Follow Nov 9 '25 How to Use Laravel Boost with Gemini CLI # gemini # laravel # tutorial # ai Comments Add Comment 2 min read **_**_**_ **_Using Caddy as a Reverse Proxy with Automatic HTTP_**S_**_**_** MaxTezza MaxTezza MaxTezza Follow Nov 11 '25 **_**_**_ **_Using Caddy as a Reverse Proxy with Automatic HTTP_**S_**_**_** # devops # security # tutorial Comments Add Comment 4 min read Creating an AI Discord Bot with Ollama Ethan Ethan Ethan Follow Dec 14 '25 Creating an AI Discord Bot with Ollama # python # ai # beginners # tutorial 7  reactions Comments Add Comment 8 min read I Tried Thousands of ChatGPT Prompts, and These 4 Saved Me Hours (No BS) Nitin Sharma Nitin Sharma Nitin Sharma Follow Nov 11 '25 I Tried Thousands of ChatGPT Prompts, and These 4 Saved Me Hours (No BS) # ai # productivity # beginners # tutorial 15  reactions Comments Add Comment 4 min read The Definitive Guide to Updating Node.js Dependencies in 2025 (Without Losing Your Mind) Sarvesh Patil Sarvesh Patil Sarvesh Patil Follow Dec 14 '25 The Definitive Guide to Updating Node.js Dependencies in 2025 (Without Losing Your Mind) # node # javascript # webdev # tutorial Comments Add Comment 3 min read How to Pick the Perfect Icons for Your PWA: The Ultimate Guide Homayoun Mohammadi Homayoun Mohammadi Homayoun Mohammadi Follow Dec 14 '25 How to Pick the Perfect Icons for Your PWA: The Ultimate Guide # tutorial # mobile 16  reactions Comments 4  comments 6 min read Day 2:SQL Aruna Aruna Aruna Follow Dec 14 '25 Day 2:SQL # database # beginners # sql # tutorial 1  reaction Comments Add Comment 1 min read From SEO Playbooks to GEO Architectures AB AB AB Follow Nov 11 '25 From SEO Playbooks to GEO Architectures # ai # saas # llm # tutorial 3  reactions Comments Add Comment 13 min read Testing While Developing (Part 2): Selectors, Assertions, and User Events Kevin Julián Martínez Escobar Kevin Julián Martínez Escobar Kevin Julián Martínez Escobar Follow Nov 10 '25 Testing While Developing (Part 2): Selectors, Assertions, and User Events # react # tutorial # testing # twd Comments Add Comment 4 min read Monads in Haskell Bek Brace Bek Brace Bek Brace Follow Nov 9 '25 Monads in Haskell # haskell # webdev # productivity # tutorial 1  reaction Comments Add Comment 2 min read Coding Challenge Practice - Question 51 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Nov 10 '25 Coding Challenge Practice - Question 51 # algorithms # tutorial # interview # javascript Comments Add Comment 1 min read Guide To Leverage The Built-in Barcode Scanners on Android PDAs with Flutter Michael Chiew Michael Chiew Michael Chiew Follow Nov 10 '25 Guide To Leverage The Built-in Barcode Scanners on Android PDAs with Flutter # mobile # android # flutter # tutorial Comments Add Comment 2 min read When “It Runs” Is No Longer Enough Sonia Al-Ra'ini Sonia Al-Ra'ini Sonia Al-Ra'ini Follow Dec 13 '25 When “It Runs” Is No Longer Enough # programming # tutorial # architecture # performance 4  reactions Comments 2  comments 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:16
https://dev.to/t/solana
Solana - 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 # solana Follow Hide Topics related to the Solana blockchain and its development. Create Post Older #solana 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 Bags.fm: The Solana Launchpad That's Changing Creator Monetization Sivaram Sivaram Sivaram Follow Jan 12 Bags.fm: The Solana Launchpad That's Changing Creator Monetization # discuss # solana # cryptocurrency # webdev 5  reactions Comments Add Comment 5 min read Solana Devnet: Everything You Need to Know JUMPBIT JUMPBIT JUMPBIT Follow Jan 10 Solana Devnet: Everything You Need to Know # solana # devnet # faucet # solanafaucet 5  reactions Comments Add Comment 3 min read Why Your Solana Wallet is "Leaking" SOL (And How to Fix It) Mintora Mintora Mintora Follow Jan 6 Why Your Solana Wallet is "Leaking" SOL (And How to Fix It) # solana # web3 Comments Add Comment 2 min read Securing Solana AI Agents: A Developer Guide L_X_1 L_X_1 L_X_1 Follow Jan 5 Securing Solana AI Agents: A Developer Guide # solana # tutorial Comments Add Comment 4 min read rom BIP39 to a Solana address — in a native desktop app (C++) dreamyoak dreamyoak dreamyoak Follow Dec 28 '25 rom BIP39 to a Solana address — in a native desktop app (C++) # webdev # solana # buildinpublic # crypto Comments Add Comment 2 min read Shadow Signals: How Counterfactual Learning Recovers Missed Alpha Ronny Nyabuto Ronny Nyabuto Ronny Nyabuto Follow Dec 23 '25 Shadow Signals: How Counterfactual Learning Recovers Missed Alpha # alpha # cryptocurrency # solana # agents Comments Add Comment 2 min read Building a Prediction Market on Solana with Anchor: Complete Rust Smart Contract Guide Sivaram Sivaram Sivaram Follow Jan 8 Building a Prediction Market on Solana with Anchor: Complete Rust Smart Contract Guide # solana # web3 # smartcontract # predictionmarket 6  reactions Comments 1  comment 11 min read J.P. Morgan issues commercial paper on Solana blockchain The_Bitcoiner The_Bitcoiner The_Bitcoiner Follow Dec 12 '25 J.P. Morgan issues commercial paper on Solana blockchain # solana # jpmorgan # realworldassets # tokenization Comments Add Comment 1 min read Is Solana Really Running Out of Memory? SolTap SolTap SolTap Follow Dec 1 '25 Is Solana Really Running Out of Memory? # solana # web3 # datastructures # development 1  reaction Comments Add Comment 4 min read 8 Blockchain Networks Developers Prefer for Real Throughput and Scalability in 2025 Chickie Abby Chickie Abby Chickie Abby Follow Nov 24 '25 8 Blockchain Networks Developers Prefer for Real Throughput and Scalability in 2025 # cryptocurrency # solana # bitcoin Comments Add Comment 2 min read LUMOS in 5 Minutes: Your First Solana Schema RECTOR SOL RECTOR SOL RECTOR SOL Follow for LUMOS Dec 17 '25 LUMOS in 5 Minutes: Your First Solana Schema # solana # rust # typescript # tutorial Comments Add Comment 2 min read Use LUMOS Without Installing Rust - npm Package Guide RECTOR SOL RECTOR SOL RECTOR SOL Follow for LUMOS Dec 17 '25 Use LUMOS Without Installing Rust - npm Package Guide # solana # typescript # javascript # npm Comments Add Comment 2 min read Migrating from Manual Borsh to LUMOS: A Step-by-Step Guide RECTOR SOL RECTOR SOL RECTOR SOL Follow for LUMOS Dec 17 '25 Migrating from Manual Borsh to LUMOS: A Step-by-Step Guide # solana # rust # typescript # tutorial Comments Add Comment 2 min read Type-Safe Rust ↔ TypeScript Communication for Solana RECTOR SOL RECTOR SOL RECTOR SOL Follow for LUMOS Dec 17 '25 Type-Safe Rust ↔ TypeScript Communication for Solana # solana # rust # typescript # webdev 1  reaction Comments Add Comment 2 min read LUMOS vs Codama: Understanding Solana's Schema Generation Tools RECTOR SOL RECTOR SOL RECTOR SOL Follow for LUMOS Dec 17 '25 LUMOS vs Codama: Understanding Solana's Schema Generation Tools # solana # rust # typescript # webdev Comments Add Comment 3 min read LUMOS + Anchor: The Perfect Combo for Solana Development RECTOR SOL RECTOR SOL RECTOR SOL Follow for LUMOS Dec 17 '25 LUMOS + Anchor: The Perfect Combo for Solana Development # solana # anchor # rust # typescript Comments Add Comment 2 min read Deploying Solana Anchor Programs Easily with Rocket Anchor Zak R. Zak R. Zak R. Follow Nov 10 '25 Deploying Solana Anchor Programs Easily with Rocket Anchor # solana # web3 # smartcontract # blockchain Comments Add Comment 3 min read My first flash loan protocol: A Solana adventure Ola Adesoye Ola Adesoye Ola Adesoye Follow Nov 22 '25 My first flash loan protocol: A Solana adventure # web3 # rust # solana # blockchain 1  reaction Comments 1  comment 12 min read Introducing Solana Instruction MCP — A Game-Changing Tool for Solana Developers 0xLivian 0xLivian 0xLivian Follow Oct 24 '25 Introducing Solana Instruction MCP — A Game-Changing Tool for Solana Developers # ai # solana # mcp Comments Add Comment 2 min read A Step-by-Step Guide to Connecting sol-mcp with Your AI IDE xabozhu xabozhu xabozhu Follow Oct 24 '25 A Step-by-Step Guide to Connecting sol-mcp with Your AI IDE # ai # mcp # solana # onchain 1  reaction Comments Add Comment 4 min read 🚀 Introducing Solana Instruction MCP — A Game-Changing Tool for Solana Developers 晓道 晓道 晓道 Follow Oct 24 '25 🚀 Introducing Solana Instruction MCP — A Game-Changing Tool for Solana Developers # mcp # solana # anchor Comments Add Comment 2 min read Solana Networking Unpacked: From TCP to QUIC, Quinn, and Transaction Flow Vijay Thopate Vijay Thopate Vijay Thopate Follow Nov 27 '25 Solana Networking Unpacked: From TCP to QUIC, Quinn, and Transaction Flow # solana # quic # web3 # turbine 1  reaction Comments 2  comments 8 min read How I Added On-Chain Rewards and NFTs to Solana Quiz: Practical Insights, Pitfalls, and Tips Dima Zaichenko Dima Zaichenko Dima Zaichenko Follow Nov 18 '25 How I Added On-Chain Rewards and NFTs to Solana Quiz: Practical Insights, Pitfalls, and Tips # solana # web3 # openai # rust 1  reaction Comments 1  comment 5 min read Obfuscating Solana Transaction Trails with Custom Entropy (Rust) c1oudM0 c1oudM0 c1oudM0 Follow Oct 9 '25 Obfuscating Solana Transaction Trails with Custom Entropy (Rust) # rust # solana # blockchain # opensource Comments Add Comment 1 min read Why Cogoma: Go Implementation of Codama IDL Ecosystem 晓道 晓道 晓道 Follow Oct 12 '25 Why Cogoma: Go Implementation of Codama IDL Ecosystem # solana # codama # idl Comments Add Comment 7 min read loading... trending guides/resources My first flash loan protocol: A Solana adventure Solana Networking Unpacked: From TCP to QUIC, Quinn, and Transaction Flow Is Solana Really Running Out of Memory? Use LUMOS Without Installing Rust - npm Package Guide Deploying Solana Anchor Programs Easily with Rocket Anchor LUMOS vs Codama: Understanding Solana's Schema Generation Tools rom BIP39 to a Solana address — in a native desktop app (C++) J.P. Morgan issues commercial paper on Solana blockchain Securing Solana AI Agents: A Developer Guide Shadow Signals: How Counterfactual Learning Recovers Missed Alpha Building a Prediction Market on Solana with Anchor: Complete Rust Smart Contract Guide LUMOS in 5 Minutes: Your First Solana Schema Migrating from Manual Borsh to LUMOS: A Step-by-Step Guide Type-Safe Rust ↔ TypeScript Communication for Solana LUMOS + Anchor: The Perfect Combo for Solana Development Solana Devnet: Everything You Need to Know 8 Blockchain Networks Developers Prefer for Real Throughput and Scalability in 2025 How I Added On-Chain Rewards and NFTs to Solana Quiz: Practical Insights, Pitfalls, and Tips 💎 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:16
https://dev.to/joe-re/i-built-a-desktop-app-to-supercharge-my-tmux-claude-code-workflow-521m#my-environment-amp-workflow
I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow - 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 joe-re Posted on Jan 12           I Built a Desktop App to Supercharge My TMUX + Claude Code Workflow # claudecode # tauri # productivity # tmux Background Until recently, I was primarily using Cursor for AI-assisted coding. The editor-centric AI integration worked really well with my development style—it made the feedback loop smooth when AI-generated code didn't match my intentions, whether I needed to manually fix it or provide additional instructions. But everything changed when Opus 4.5 was released in late November last year. Opus 4.5 delivers outputs that match my expectations far better than any previous model. Claude Code's CUI-first design also feels natural to my workflow. Now, Claude Code has become the center of my development process. I've locked in Opus 4.5 as my daily driver. I typically run multiple Claude Code sessions simultaneously—across different projects or multiple branches using git worktree. Managing notifications and checking outputs across these sessions is critical. I was using OS notifications to check in whenever changes happened, but I kept missing them. I wanted something better. So I built an app to streamline my workflow. What I Built eyes-on-claude-code It's a cross-platform desktop application built with Tauri . I've only tested it on macOS (my daily environment), but the codebase is designed to support Linux as well. My Environment & Workflow This app is primarily designed to optimize my own workflow, so the features reflect my environment and habits. I develop using Ghostty + tmux . My typical workflow looks like this: Draft ideas and design in Markdown Give instructions to Claude Code (using Plan mode for larger tasks) Review the diff of generated code, then provide additional instructions or continue Features Multi-Session Monitoring Dashboard The dashboard monitors Claude Code sessions by receiving events through hooks configured in the global settings.json . Since I keep this running during development, I designed it with a minimal, non-intrusive UI. Always-on-top mode (optional) ensures the window doesn't get buried under other apps—so you never miss a notification. Transparency settings let you configure opacity separately for active and inactive states. When inactive, you can make it nearly invisible so it doesn't get in the way. It's there in the top-right corner, barely visible. Status Display & Sound Notifications Sessions are displayed with one of four states: State Meaning Display Active Claude is working 🟢 WaitingPermission Waiting for permission approval 🔐 WaitingInput Waiting for user input (idle) ⏳ Completed Response complete ✅ Sound effects play on state changes (can be toggled off): Waiting (Permission/Input) : Alert tone (two low beeps) Completed : Completion chime (ascending two-note sound) I'm planning to add volume control and custom commands in the future—like using say to speak or playing music on completion 🎵 Git-Based Diff Viewer I usually review AI-generated changes using difit . I wanted to integrate that same flow into this app, so you can launch difit directly on changed files. Huge thanks to the difit team for building such a great tool! tmux Integration When developing, I use tmux panes and tabs to manage multiple windows. My typical setup is Claude Code on the left half, and server/commands on the right. When working across multiple projects or branches via git worktree, it's frustrating to hunt for which tmux tab has Claude Code running. So I added a tmux mirror view that lets you quickly check results and give simple instructions without switching tabs. How It Works The app uses Claude Code hooks to determine session status based on which hooks fire. Event Flow I didn't want to introduce complexity with an intermediate server for inter-process communication. So I went with a simple approach: hooks write to log files, and the app watches those files. Hooks write logs to a temporary directory ( .local/eocc/logs ), which the app monitors. Since Claude Code runs in a terminal, hooks can access terminal environment paths. This lets me grab tmux and npx paths from within hooks and pass them to the app. Mapping Hooks to Status Claude Code provides these hook events: https://code.claude.com/docs/hooks-guide Here's how I map them to session states: Event Usage Session State session_start (startup/resume) Start a session Active session_end End a session Remove session notification (permission_prompt) Waiting for approval WaitingPermission notification (idle_prompt) Waiting for input WaitingInput stop Response completed Completed post_tool_use After tool execution Active user_prompt_submit Prompt submitted Active Conclusion I've only been using Claude Code as my primary tool for about two months, and I expect my workflow will keep evolving. Thanks to AI, I can quickly build and adapt tools like this—which is exactly what makes this era so exciting. If your workflow is similar to mine, give it a try! I'd love to hear your feedback. GitHub : https://github.com/joe-re/eyes-on-claude-code 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 joe-re Follow Software Engineer in Japan Work PeopleX Inc. Joined Jan 2, 2018 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev 💎 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:16
https://dev.to/whaaat_9819bdb68eccf5b8a/why-your-secret-sharing-tool-needs-post-quantum-cryptography-today-20j3#what-is-postquantum-cryptography
Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today - 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 Whaaat! Posted on Jan 12 Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today # security # cryptography # webdev # privacy The "Harvest Now, Decrypt Later" Threat Quantum computers capable of breaking RSA and ECC encryption don't exist yet. But here's the problem: adversaries are already collecting encrypted data today, planning to decrypt it once quantum computers arrive. For sensitive data that needs to remain confidential for years, this is a real threat. What is Post-Quantum Cryptography? Post-quantum cryptography (PQC) uses mathematical problems that are hard for both classical AND quantum computers to solve. In August 2024, NIST standardized three PQC algorithms: ML-KEM (Kyber) - Key encapsulation ML-DSA (Dilithium) - Digital signatures SLH-DSA (SPHINCS+) - Hash-based signatures Implementing PQC in a Web Application I recently added PQC support to NoTrust.now , a zero-knowledge secret sharing tool. Here's how: Key Exchange with ML-KEM-768 // Using crystals-kyber-js library import { MlKem768 } from ' crystals-kyber-js ' ; // Receiver generates keypair const [ publicKey , privateKey ] = await MlKem768 . generateKeyPair (); // Sender encapsulates a shared secret const [ ciphertext , sharedSecret ] = await MlKem768 . encapsulate ( publicKey ); // Receiver decapsulates to get the same shared secret const decryptedSecret = await MlKem768 . decapsulate ( ciphertext , privateKey ); Enter fullscreen mode Exit fullscreen mode Hybrid Approach For defense in depth, combine PQC with classical crypto: Generate ephemeral X25519 keypair (classical) Generate ephemeral ML-KEM-768 keypair (post-quantum) Combine both shared secrets: finalKey = HKDF(x25519Secret || kyberSecret) This ensures security even if one algorithm is broken. Try It Out You can test PQC secret sharing at NoTrust.now/createpqc . The encryption happens entirely in your browser - zero-knowledge architecture means the server never sees your plaintext. Resources NIST PQC Standards crystals-kyber-js Post-Quantum Cryptography for Developers What do you think about PQC adoption? Too early or just in time? Let me know in the comments. 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 Whaaat! Follow Joined Mar 27, 2025 Trending on DEV Community Hot SQLite Limitations and Internal Architecture # webdev # programming # database # architecture From CDN to Pixel: A React App's Journey # react # programming # webdev # performance How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview 💎 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:16
https://dev.to/t/testing/page/7#main-content
Testing 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 Testing Follow Hide Find those bugs before your users do! 🐛 Create Post Older #testing 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 How to Get Feedback on Your SaaS Valentin Valentin Valentin Follow Dec 18 '25 How to Get Feedback on Your SaaS # webdev # productivity # saas # testing Comments Add Comment 3 min read AWS Device Farm: Test Your Apps on Real Devices at Scale DIKSHA P 24CB010 DIKSHA P 24CB010 DIKSHA P 24CB010 Follow Dec 18 '25 AWS Device Farm: Test Your Apps on Real Devices at Scale # mobile # testing # devops # aws Comments Add Comment 2 min read Testing in Umami codebase - Part 1.4 Ramu Narasinga Ramu Narasinga Ramu Narasinga Follow Dec 19 '25 Testing in Umami codebase - Part 1.4 # umami # opensource # testing # architecture Comments Add Comment 2 min read DTAP - super simple testing protocol for infrastructure audit Alexey Melezhik Alexey Melezhik Alexey Melezhik Follow Jan 8 DTAP - super simple testing protocol for infrastructure audit # testing # inspec # infrastructure # devops Comments 1  comment 3 min read Stop Writing 'Happy Path' Tests: How to Generate Bulletproof Unit Tests with AI Hui Hui Hui Follow Dec 17 '25 Stop Writing 'Happy Path' Tests: How to Generate Bulletproof Unit Tests with AI # testing # qa # automation # productivity Comments Add Comment 4 min read Testing de SPAs con Vitest Browser Mode: Velocidad de Unit Tests con Confianza E2E IagoLast IagoLast IagoLast Follow Dec 21 '25 Testing de SPAs con Vitest Browser Mode: Velocidad de Unit Tests con Confianza E2E # frontend # tooling # testing # typescript Comments Add Comment 7 min read Testing in Umami codebase - Part 1.3 Ramu Narasinga Ramu Narasinga Ramu Narasinga Follow Dec 18 '25 Testing in Umami codebase - Part 1.3 # umami # opensource # testing # architecture Comments Add Comment 3 min read # Mobil Test Otomasyonunda ThreadLocal ile Context Yönetimi: N Adet Cihazda Paralel Test Execution Umit Sinanoglu Umit Sinanoglu Umit Sinanoglu Follow Dec 17 '25 # Mobil Test Otomasyonunda ThreadLocal ile Context Yönetimi: N Adet Cihazda Paralel Test Execution # mobile # testing # automation # tutorial Comments Add Comment 12 min read Effectively Managing AI Agents for Testing John Vester John Vester John Vester Follow Dec 18 '25 Effectively Managing AI Agents for Testing # ai # agentaichallenge # programming # testing 1  reaction Comments Add Comment 7 min read A new PHP8+ Unit Testing Framework called MicroUnit Mitar Nikolic Mitar Nikolic Mitar Nikolic Follow Dec 17 '25 A new PHP8+ Unit Testing Framework called MicroUnit # webdev # php # testing # opensource 1  reaction Comments Add Comment 2 min read Using GPT as a Code Auditor (Not a Code Generator) yuer yuer yuer Follow Dec 17 '25 Using GPT as a Code Auditor (Not a Code Generator) # ai # security # testing Comments Add Comment 2 min read Privacy-Preserving Analytics: Proving You Can Measure Without Identity CrisisCore-Systems CrisisCore-Systems CrisisCore-Systems Follow Dec 16 '25 Privacy-Preserving Analytics: Proving You Can Measure Without Identity # testing # a11y # healthcare # react Comments Add Comment 11 min read 6 Common Mistakes Teams Make in Negative Testing Arjun Sharma Arjun Sharma Arjun Sharma Follow Dec 30 '25 6 Common Mistakes Teams Make in Negative Testing # webdev # qasource # testing # negativetesting Comments 1  comment 4 min read Testing in Umami codebase - Part 1.2 Ramu Narasinga Ramu Narasinga Ramu Narasinga Follow Dec 17 '25 Testing in Umami codebase - Part 1.2 # umami # opensource # testing # architecture Comments Add Comment 2 min read Bugs across the world's languages. Let's check LanguageTool Anna Voronina Anna Voronina Anna Voronina Follow Dec 16 '25 Bugs across the world's languages. Let's check LanguageTool # java # testing # opensource # languagetool Comments Add Comment 10 min read 20 Adımda Daha Kaliteli Otomasyon Senaryoları Yazım Rehberi 🚀 Doğucan ARSLAN Doğucan ARSLAN Doğucan ARSLAN Follow Dec 16 '25 20 Adımda Daha Kaliteli Otomasyon Senaryoları Yazım Rehberi 🚀 # testing # automation # qa # beginners Comments Add Comment 1 min read The Gap Between Compliance-Driven Pentesting and Real Security James Miller James Miller James Miller Follow Dec 29 '25 The Gap Between Compliance-Driven Pentesting and Real Security # webtesting # security # cybersecurity # testing 2  reactions Comments Add Comment 5 min read Low-Code LLM Evaluation Framework with n8n: Automated Testing Guide Omer Dahan Omer Dahan Omer Dahan Follow Dec 16 '25 Low-Code LLM Evaluation Framework with n8n: Automated Testing Guide # testing # llm # automation # tutorial Comments Add Comment 6 min read API testing needs a reset. Dhruba Patra Dhruba Patra Dhruba Patra Follow Dec 31 '25 API testing needs a reset. # showdev # testing # tooling # api 2  reactions Comments Add Comment 1 min read Testing in Umami codebase - Part 1.1 Ramu Narasinga Ramu Narasinga Ramu Narasinga Follow Dec 16 '25 Testing in Umami codebase - Part 1.1 # umami # opensource # testing # architecture Comments Add Comment 4 min read Tests vs Business Value John Mitchell John Mitchell John Mitchell Follow Dec 17 '25 Tests vs Business Value # discuss # softwareengineering # testing Comments Add Comment 1 min read Playwright: Web Scraping & Testing Rost Rost Rost Follow Dec 29 '25 Playwright: Web Scraping & Testing # python # javascript # node # testing 1  reaction Comments Add Comment 11 min read Error Test Article Damien J. Burks Damien J. Burks Damien J. Burks Follow Dec 17 '25 Error Test Article # testing # errors Comments Add Comment 1 min read Pattern Test Damien J. Burks Damien J. Burks Damien J. Burks Follow Dec 17 '25 Pattern Test # testing # pattern Comments Add Comment 1 min read Test Blog Post Damien J. Burks Damien J. Burks Damien J. Burks Follow Dec 17 '25 Test Blog Post # python # testing 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:16
https://forem.com/new/bluegreen
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:16
https://dev.to/shashwatmittal
Shashwat Mittal - 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 Shashwat Mittal 404 bio not found Joined Joined on  Jul 29, 2022 Personal website https://www.linkedin.com/in/shashwat-mittal/ twitter website Work Senior Product Manager - Tokenization at RippleX More info about @shashwatmittal Badges 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 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 Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close Organizations RippleX Developers Post 3 posts published Comment 0 comments written Tag 4 tags followed TokenEscrowV1: Fixing MPT Escrow Accounting Shashwat Mittal Shashwat Mittal Shashwat Mittal Follow for RippleX Developers Dec 17 '25 TokenEscrowV1: Fixing MPT Escrow Accounting # news # blockchain # web3 Comments Add Comment 2 min read Token Escrow Security Audit Findings Shashwat Mittal Shashwat Mittal Shashwat Mittal Follow for RippleX Developers Jun 24 '25 Token Escrow Security Audit Findings # xrpl # rwa # tokenization # escrow 1  reaction Comments 1  comment 1 min read Security Audit for Multi-Purpose Tokens (MPT) on the XRP Ledger Completed with Softstack GmbH Shashwat Mittal Shashwat Mittal Shashwat Mittal Follow for RippleX Developers Dec 19 '24 Security Audit for Multi-Purpose Tokens (MPT) on the XRP Ledger Completed with Softstack GmbH 7  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:16
https://twitter.com/intent/tweet?text=%22I%20Built%20a%20Desktop%20App%20to%20Supercharge%20My%20TMUX%20%2B%20Claude%20Code%20Workflow%22%20by%20%40joe_re%20%23DEVCommunity%20https%3A%2F%2Fdev.to%2Fjoe-re%2Fi-built-a-desktop-app-to-supercharge-my-tmux-claude-code-workflow-521m
JavaScript is not available. We’ve detected that JavaScript is disabled in this browser. Please enable JavaScript or switch to a supported browser to continue using x.com. You can see a list of supported browsers in our Help Center. Help Center Terms of Service Privacy Policy Cookie Policy Imprint Ads info © 2026 X Corp. Something went wrong, but don’t fret — let’s give it another shot. Try again Some privacy related extensions may cause issues on x.com. Please disable them and try again.
2026-01-13T08:49:16
https://forem.com/new/webllm
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:16
https://dev.to/viclafouch/promise-allsettled-vs-promise-all-in-javascript-4mle#main-content
🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Victor de la Fouchardière Posted on Aug 16, 2020           🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 # node # webdev # javascript # beginners Hello ! 🧑‍🌾 Promises are available since ES2015 to simplify the handling of asynchronous operations. Let's discover 2 Promises and their differences: Promise.allSettled(iterable) Promise.all(iterable) Both of them take an iterable and return an array containing the fulfilled Promises. ❓ So, what is the difference between them ? Promise.all() 🧠 The Promise. all() method takes an iterable of promises as an input, and returns a single Promise that resolves to an array of the results of the input promises. All resolved As you can see, we are passing an array to Promise.all. And when all three promises get resolved, Promise.all resolves and the output is consoled. Now, let's see if one promise is not resolved , and so, if this one is reject. What was the output ? 🛑 1 failed Promise.all is rejected if at least one of the elements are rejected . For example, we pass 2 promises that resolve and one promise that rejects immediately, then Promise.all will reject immediately. Promise.allSettled() 🦷 Since ES2020 you can use Promise.allSettled . It returns a promise that always resolves after all of the given promises have either fulfilled or rejected, with an array of objects that each describes the outcome of each promise. For each outcome object, a status string is present : fulfilled ✅ rejected ❌ The value (or reason) reflects what value each promise was fulfilled (or rejected) with. Have a close look at following properties ( status , value , reason ) of resulting array. Differences 👬 Promise.all will reject as soon as one of the Promises in the array rejects. Promise.allSettled will never reject, it will resolve once all Promises in the array have either rejected or resolved. Supported Browsers 🚸 The browsers supported by JavaScript Promise.allSettled() and Promise.all() methods are listed below: Google Chrome Microsoft Edge Mozilla Firefox Apple Safari Opera Cheers 🍻 🍻 🍻 If you enjoyed this article you can follow me on Twitter or here on dev.to where I regularly post bite size tips relating to HTML, CSS and JavaScript. 📦 GitHub Profile: The RIGHT Way to Show your latest DEV articles + BONUS 🎁 Victor de la Fouchardière ・ Aug 5 '20 #github #markdown #showdev #productivity 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 Victor de la Fouchardière ・ Jul 29 '20 #react #javascript #tutorial #showdev Top comments (14) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   Pankaj Patel Pankaj Patel Pankaj Patel Follow Programmer, Blogger, Photographer and little bit of everything Location Lyon, France Work Lead Frontend Engineer at @abtasty Joined Mar 5, 2019 • Aug 17 '20 Dropdown menu Copy link Hide This is a really handy, allSettled has more verbose output Thanks for sharing @viclafouch . Like comment: Like comment: 4  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Arman Khan Arman Khan Arman Khan Follow Fullstack web developer Email armankhan9244@gmail.com Location Surat, India Education Self-taught Work full stack developer at Zypac InfoTech Joined Jul 22, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Loved the article Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Thank you @iarmankhan ;) Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Suyeb Bagdadi Suyeb Bagdadi Suyeb Bagdadi Follow Joined Aug 26, 2022 • Aug 26 '22 • Edited on Aug 26 • Edited Dropdown menu Copy link Hide You can as well do the following to stop Promise.all from rejecting if there is an exception thrown.`` ` let storage = { updated: 0, published: 0, error: 0, }; let p1 = async (name) => { let status = { success: true, error: false, }; return status; }; let p2 = async (name) => { throw new Error('on purpose'); }; let success = () => { storage.updated += 1; }; let logError = (error) => { console.log(error.message); storage.error += 1; }; Promise.all([ p1('shobe 1').then(success).catch(logError), p2('shobe 2').then(success).catch(logError), p1('shobe 1').then(success).catch(logError), ]).then(() => { console.log('done'); }); ` Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Justin Hunter Justin Hunter Justin Hunter Follow VP of Product at Pinata, co-founder of Orbiter - the easiest way to host static websites and apps. Location Dallas Work Software Engineer at Pinata Joined Apr 10, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Whoa! I had no idea this existed. Thanks for the helpful write-up! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide A pleasure @polluterofminds ;) Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Dayzen Dayzen Dayzen Follow Location Korea Seoul Work Backend Engineer at Smile Ventures Joined Apr 18, 2020 • Aug 17 '20 Dropdown menu Copy link Hide Thanks for sharing this post! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide I'd love some elaboration on why allSettled was made/why it's better Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide github.com/tc39/proposal-promise-a... Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Mohd Aliyan Mohd Aliyan Mohd Aliyan Follow I am a software Engineer looking for each day of learning. Joined Oct 6, 2021 • Oct 6 '21 Dropdown menu Copy link Hide Very well explained. Thank you so much Victor. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Yogendra Yogendra Yogendra Follow Location Bengaluru, India Work Web Developer at LayerIV Joined Sep 25, 2020 • Jan 31 '21 Dropdown menu Copy link Hide How can I use Promise.allSettled() with my webpack-react app? Is there any plugin being used for it? Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Vladislav Guleaev Vladislav Guleaev Vladislav Guleaev Follow Fullstack Javascript Developer from Munich, Germany. Location Munich, Germany Education Computer Science - Bachelor Degree Work Software Developer at CHECK24 Joined Apr 8, 2019 • Jun 8 '21 Dropdown menu Copy link Hide short and nice! Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Shakhruz Shakhruz Shakhruz Follow JavaScript enthusiast Location Tashkent, Uzbekistan Work Junior Full-Stack developer at Cruz Joined Dec 27, 2020 • Jan 5 '21 Dropdown menu Copy link Hide Helpful bro, thnx !!! Like comment: Like comment: Like Comment button Reply View full discussion (14 comments) Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 More from Victor de la Fouchardière 👑 Create a secure Chat Application with React Hooks, Firebase and Seald 🔐 # react # javascript # showdev # firebase 🍿 Publish your own ESLint / Prettier config for React Projects on NPM 📦 # javascript # react # npm # eslint 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 # react # javascript # tutorial # showdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://www.forem.com/code-of-conduct
Code of Conduct - 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 Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 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:16
https://dev.to/mauricio_reisdoefer_159bf/brazilian-python-lib-29gf
Brazilian - Python Lib - 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 Mauricio Reisdoefer Posted on Nov 19, 2025           Brazilian - Python Lib # python # opensource # contributorswanted Brazilian is a Python library focused on providing a simple and powerful way to work with common Brazilian data. It is currently in its early stages, contributors and feedback are welcome. GitHub: (link below) https://github.com/MauricioReisdoefer/brazilian 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 Mauricio Reisdoefer Follow Joined Nov 19, 2025 Trending on DEV Community Hot 🌠Beginner-Friendly Guide 'Smallest Subtree with all the Deepest Nodes' – LeetCode 865 (C++, Python, JavaScript) # programming # cpp # python # javascript 🧗‍♂️Beginner-Friendly Guide 'Max Dot Product of Two Subsequences' – LeetCode 1458 (C++, Python, JavaScript) # programming # cpp # python # javascript The First Week at a Startup Taught Me More Than I Expected # startup # beginners # career # learning 💎 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:16
https://x.com/privacy/previous
Previous Privacy Policies X logo icon Previous Privacy Policies Please Note: These documents are NOT current. Please read the  current Privacy Policy . Version 21: November 15, 2024 Version 20: September 29, 2023 Version 19: May 18, 2023 Version 18: June 10, 2022 Version 17: August 19, 2021 Version 16: June 18, 2020 Version 15: January 01, 2020 Version 14: May 25, 2018 Version 13: June 18, 2017 Version 12: September 30, 2016 Version 11: January 27, 2016 Version 10: April 17, 2015 Version 9: September 08, 2014 Version 8: October 21, 2013 Version 7: July 03, 2013 Version 6: May 17, 2012 Version 5: June 23, 2011 Version 4: November 16, 2010 Version 3: June 08, 2010 Version 2: November 18, 2009 Version 1: May 14, 2007 X platform X.com Status Accessibility Embed a post Privacy Center Transparency Center Download the X app Try Grok.com X Corp. About the company Company news Brand toolkit Jobs and internships Investors Help Help Center Using X X for creators Ads Help Center Managing your account Email Preference Center Rules and policies Contact us Developer resources Developer home Documentation Forums Communities Developer blog Engineering blog Developer terms Business resources Advertise X for business Resources and guides X for marketers Marketing insights Brand inspiration X Ads Academy © 2026 X Corp. Cookies Privacy Terms and conditions Language Did someone say … cookies? X and its partners use cookies to provide you with a better, safer and faster service and to support our business. Some cookies are necessary to use our services, improve our services, and make sure they work properly. Show more about your choices . Accept all cookies Refuse non-essential cookies
2026-01-13T08:49:16
https://dev.to/lucaspereiradesouzat/decimal-futuro-tipo-numerico-do-javascript-2n9
Decimal: futuro tipo numérico do JavaScript - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lucas Pereira de Souza Posted on Dec 29, 2025 Decimal: futuro tipo numérico do JavaScript # javascript # news # programming ## Decimal: A Necessidade de Precisão em JavaScript e o Futuro com TC39 A computação, em sua essência, lida com números. No entanto, a forma como representamos e manipulamos esses números pode ter implicações profundas, especialmente em domínios onde a precisão é crucial, como em aplicações financeiras, científicas ou de engenharia. O JavaScript, historicamente, tem enfrentado desafios nessa área com sua representação nativa de números de ponto flutuante, abrindo a porta para a necessidade de tipos de dados mais precisos como o Decimal . O Problema com Ponto Flutuante em JavaScript O JavaScript utiliza o padrão IEEE 754 para representar números de ponto flutuante de dupla precisão (64 bits). Embora eficiente para a maioria dos casos de uso, essa representação pode levar a imprecisões sutis em certas operações. A razão fundamental reside na forma como números decimais são convertidos para binário. Muitos números decimais que parecem simples em base 10 (como 0.1 ou 0.2) não possuem uma representação binária finita exata. Isso resulta em pequenas discrepâncias que podem se acumular e causar erros inesperados. Considere um exemplo clássico: // Exemplo em JavaScript puro let result = 0.1 + 0.2 ; console . log ( result ); // Saída: 0.30000000000000004 Enter fullscreen mode Exit fullscreen mode Essa saída, 0.30000000000000004 , em vez do esperado 0.3 , demonstra o problema inerente à representação de ponto flutuante. Em aplicações financeiras, onde centavos importam, esse tipo de imprecisão é inaceitável. A Ascensão do Decimal e o Status da TC39 Para mitigar esses problemas, bibliotecas de Decimal surgiram como soluções populares. Essas bibliotecas implementam números decimais usando representações internas que garantem a precisão exata, geralmente armazenando os números como strings ou arrays de dígitos. No entanto, a necessidade de uma solução nativa e padronizada levou a propostas para inclusão de um tipo Decimal na especificação ECMAScript (a base do JavaScript). A proposta para um tipo Decimal alcançou o estágio 2 (Working Draft) do processo de padronização da TC39 (Technical Committee 39), o comitê responsável pela evolução do ECMAScript. Isso significa que a proposta está sendo ativamente desenvolvida e revisada, com o objetivo de se tornar um recurso padrão da linguagem. O status atual da proposta indica um caminho promissor para a adição nativa de um tipo Decimal , o que simplificaria o desenvolvimento e eliminaria a dependência de bibliotecas externas para muitos casos de uso. Comparando Decimal com BigInt É importante não confundir Decimal com BigInt . Enquanto ambos abordam limitações dos números primitivos do JavaScript, eles servem a propósitos diferentes: Decimal : Foca na precisão exata para números com casas decimais , resolvendo os problemas de ponto flutuante em operações que envolvem frações e cálculos monetários. Ele lida com a representação precisa de números que podem não ter uma representação binária finita exata. BigInt : Introduzido na especificação ECMAScript 2020, o BigInt é um tipo numérico primitivo que pode representar inteiros arbitráriamente grandes , superando o limite do Number.MAX_SAFE_INTEGER . Ele é ideal para trabalhar com números inteiros que excedem a capacidade dos números de ponto flutuante padrão. Vamos ilustrar com exemplos em TypeScript, demonstrando boas práticas: // Exemplo de uso de uma biblioteca Decimal (simulada para fins educacionais) // Em um cenário real, você usaria uma biblioteca como 'decimal.js' ou 'big.js' /** * Representa um número decimal com precisão exata. * Em uma implementação real, isso seria uma classe que encapsula a lógica. */ class PreciseDecimal { private value : string ; // Armazena o número como string para precisão constructor ( num : number | string ) { // Em uma implementação real, haveria validação e conversão robusta. this . value = String ( num ); } add ( other : PreciseDecimal ): PreciseDecimal { // Lógica complexa de adição decimal aqui. // Para este exemplo, apenas simulamos o resultado correto. const num1 = parseFloat ( this . value ); const num2 = parseFloat ( other . value ); // Note que esta simulação ainda usa parseFloat internamente para demonstração, // uma implementação real não faria isso para a operação principal. return new PreciseDecimal (( num1 + num2 ). toFixed ( 10 )); // toFixed para simular resultado preciso } // Outros métodos como subtract, multiply, divide, etc. toString (): string { return this . value ; } } // Utilizando a classe simulada PreciseDecimal const amount1 = new PreciseDecimal ( 0.1 ); const amount2 = new PreciseDecimal ( 0.2 ); const preciseSum = amount1 . add ( amount2 ); console . log ( `Soma decimal precisa: ${ preciseSum . toString ()} ` ); // Saída esperada: 0.3 (ou similar, dependendo da precisão configurada) // Exemplo com BigInt // Trabalhando com inteiros muito grandes const veryLargeNumber1 : bigint = BigInt ( \ " 900719925474099100 \" ); // Excedendo MAX_SAFE_INTEGER const veryLargeNumber2: bigint = BigInt( \" 100 " ); const bigIntSum : bigint = veryLargeNumber1 + veryLargeNumber2 ; console . log ( `Soma BigInt: ${ bigIntSum } ` ); // Saída: 900719925474099200 Enter fullscreen mode Exit fullscreen mode Conclusão A precisão é um pilar fundamental em muitas aplicações. Enquanto o JavaScript evolui, a necessidade de lidar com números decimais de forma precisa se torna cada vez mais premente. A proposta de um tipo Decimal na TC39 representa um passo significativo em direção a um ecossistema JavaScript mais robusto e confiável. Compreender a diferença entre Decimal e BigInt é crucial para escolher a ferramenta certa para o trabalho: Decimal para precisão com casas decimais e BigInt para inteiros de grande magnitude. À medida que o padrão evolui, podemos esperar que o desenvolvimento de aplicações de alta precisão em JavaScript se torne mais direto e menos propenso a erros sutis. 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 Lucas Pereira de Souza Follow Sou Desenvolvedor Full-Stack, graduado em Análise de Sistemas, com ampla experiência em tecnologias modernas e um forte alinhamento com a filosofia de Código Aberto, tão valorizada pela comunidade Joined Apr 14, 2023 More from Lucas Pereira de Souza Integration tests in Node.js with Mocha/Chai # api # javascript # node # testing Testes de integração em Node.js com Mocha/Chai # api # javascript # node # testing Closures and Scopes in JavaScript # javascript # node # tutorial # typescript 💎 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:16
https://dev.to/thekarlesi/how-to-handle-stripe-and-paystack-webhooks-in-nextjs-the-app-router-way-5bgi#2-the-middleware-trap
How to Handle Stripe and Paystack Webhooks in Next.js (The App Router 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 Esimit Karlgusta Posted on Jan 13           How to Handle Stripe and Paystack Webhooks in Next.js (The App Router Way) # api # nextjs # security # tutorial The #1 reason developers struggle with SaaS payments is Webhook Signature Verification. You set everything up, the test payment goes through, but your server returns a 400 Bad Request or a Signature Verification Failed error. In the Next.js App Router, the problem usually stems from how the request body is parsed. Stripe and Paystack require the raw request body to verify the signature, but Next.js often tries to be helpful by parsing it as JSON before you can get to it. Here is the "Golden Pattern" for handling this in 2026. 1. The Route Handler Setup Create a file at app/api/webhooks/route.ts . You must export a config object (if using older versions) or use the req.text() method in the App Router to prevent automatic parsing. import { NextResponse } from " next/server " ; import crypto from " crypto " ; export async function POST ( req : Request ) { // 1. Get the raw body as text const body = await req . text (); // 2. Grab the signature from headers const signature = req . headers . get ( " x-paystack-signature " ) || req . headers . get ( " stripe-signature " ); if ( ! signature ) { return NextResponse . json ({ error : " No signature " }, { status : 400 }); } // 3. Verify the signature (Example for Paystack) const hash = crypto . createHmac ( " sha512 " , process . env . PAYSTACK_SECRET_KEY ! ) . update ( body ) . digest ( " hex " ); if ( hash !== signature ) { return NextResponse . json ({ error : " Invalid signature " }, { status : 401 }); } // 4. Now parse the body and handle the event const event = JSON . parse ( body ); if ( event . event === " charge.success " ) { // Handle successful payment in your database console . log ( " Payment successful for: " , event . data . customer . email ); } return NextResponse . json ({ received : true }, { status : 200 }); } Enter fullscreen mode Exit fullscreen mode 2. The Middleware Trap If you have global middleware protecting your routes, ensure your webhook path is excluded. Otherwise, the payment provider will hit your login page instead of your API. 3. Why this matters for your SaaS If your webhooks fail, your users won't get their "Pro" access, and your churn will skyrocket. Handling this correctly is the difference between a side project and a real business. I have spent a lot of time documenting these "Gotchas" while building my MERN stack projects. If you want to see a full implementation of this including Stripe, Paystack, and database logic, check out my deep dive here: How to add Stripe or Paystack payments to your SaaS . Digging Deeper If you are tired of debugging the same boilerplate over and over, you might find my SassyPack overview helpful. I built it specifically to solve these "Day 1" technical headaches for other founders. 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 Esimit Karlgusta Follow Full Stack Developer Location Earth, for now :) Education BSc. IT Work Full Stack Developer Joined Mar 31, 2020 More from Esimit Karlgusta Secure Authentication in Next.js: Building a Production-Ready Login System # webdev # programming # nextjs # beginners Stop Coding Login Screens: A Senior Developer’s Guide to Building SaaS That Actually Ships # webdev # programming # beginners # tutorial Zero to SaaS vs ShipFast, Which One Actually Helps You Build a Real SaaS? # nextjs # beginners # webdev # programming 💎 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:16
https://forem.com/t/arduino/page/2
Arduino Page 2 - 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 # arduino Follow Hide Create Post Older #arduino 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 🔐 Control a Solenoid Lock with Arduino Mega (Using a Relay & Push Button) Mohamed Ahmed Mohamed Ahmed Mohamed Ahmed Follow Nov 19 '25 🔐 Control a Solenoid Lock with Arduino Mega (Using a Relay & Push Button) # arduino # beginners # iot # programming 5  reactions Comments 1  comment 3 min read Testing embedded projects: automate builds and simulate execution with Github Actions and Wokwi simulator Kate Kate Kate Follow Nov 21 '25 Testing embedded projects: automate builds and simulate execution with Github Actions and Wokwi simulator # arduino # embedded # wokwi # githubactions 1  reaction Comments Add Comment 2 min read Build a Smart Object Detection Alarm with Arduino & HC-SR04 Sensor – Full Tutorial Elmer Urbina Meneses Elmer Urbina Meneses Elmer Urbina Meneses Follow Nov 13 '25 Build a Smart Object Detection Alarm with Arduino & HC-SR04 Sensor – Full Tutorial # arduino # ai # security # distributedsystems Comments Add Comment 2 min read Drive 16 (or More) LEDs with Two 74HC595 Shift Registers Using Only 3 Arduino Pins ai pics ai pics ai pics Follow Oct 10 '25 Drive 16 (or More) LEDs with Two 74HC595 Shift Registers Using Only 3 Arduino Pins # programming # arduino Comments Add Comment 7 min read Open source project ESP32 Bus Pirate - A Hardware Hacking Tool That Speaks Every Protocol Geo Geo Geo Follow Sep 25 '25 Open source project ESP32 Bus Pirate - A Hardware Hacking Tool That Speaks Every Protocol # esp32 # arduino # cpp # learning Comments Add Comment 2 min read What is the mojar differences between Arduino Uno and ESP32 boards? Hedy Hedy Hedy Follow Sep 24 '25 What is the mojar differences between Arduino Uno and ESP32 boards? # arduinouno # esp32 # atmega328p # arduino 1  reaction Comments Add Comment 3 min read Configuring WiFi on ESP32-C3 DevKitM-1 / Rust-1 John Ajera John Ajera John Ajera Follow Sep 19 '25 Configuring WiFi on ESP32-C3 DevKitM-1 / Rust-1 # esp32 # arduino # iot # wifi Comments Add Comment 4 min read Arduino IDE Configuration for ESP32-C3 DevKitM-1 / Rust-1 John Ajera John Ajera John Ajera Follow Sep 19 '25 Arduino IDE Configuration for ESP32-C3 DevKitM-1 / Rust-1 # esp32 # arduino # iot # rust Comments Add Comment 1 min read Top 10 Melhores Livros para Aprender Eletrônica Digital e Arduino Marcos Oliveira Marcos Oliveira Marcos Oliveira Follow Sep 23 '25 Top 10 Melhores Livros para Aprender Eletrônica Digital e Arduino # arduino # programming 2  reactions Comments Add Comment 5 min read Getting RGB LED Working on ESP32-C3 DevKitM-1 / Rust-1 John Ajera John Ajera John Ajera Follow Sep 19 '25 Getting RGB LED Working on ESP32-C3 DevKitM-1 / Rust-1 # esp32 # arduino # iot # rgb Comments Add Comment 2 min read Understanding the Arduino IDE build process Kate Kate Kate Follow Oct 21 '25 Understanding the Arduino IDE build process # arduino # build # programming # embedded 1  reaction Comments Add Comment 2 min read How to connect ultrasonic sensor to Arduino Uno32? Hedy Hedy Hedy Follow Sep 17 '25 How to connect ultrasonic sensor to Arduino Uno32? # arduino # arduinouno # ultrasonicsensor # hcsr04 1  reaction Comments Add Comment 3 min read How to attach Arduino to 12v button? Hedy Hedy Hedy Follow Sep 12 '25 How to attach Arduino to 12v button? # arduino # optocoupler # transistor # 2n2222 1  reaction Comments Add Comment 3 min read How to write Arduino Uno code with Python? pikoTutorial pikoTutorial pikoTutorial Follow Oct 14 '25 How to write Arduino Uno code with Python? # python # arduino # cpp # embedded 1  reaction Comments Add Comment 10 min read 🚀 Uploading Your Code with Arduino IDE Mohamed Ahmed Mohamed Ahmed Mohamed Ahmed Follow Oct 5 '25 🚀 Uploading Your Code with Arduino IDE # iot # esp32 # arduino # embedded Comments Add Comment 2 min read ESP32 Thermal Printer Tutorial – Print Receipt, Barcode, and QR code David Thomas David Thomas David Thomas Follow Sep 16 '25 ESP32 Thermal Printer Tutorial – Print Receipt, Barcode, and QR code # tutorial # diy # iot # arduino 1  reaction Comments Add Comment 2 min read Wemos D1 Mini w/ Waveshare e-Paper 2.13 HAT R R R Follow Sep 16 '25 Wemos D1 Mini w/ Waveshare e-Paper 2.13 HAT # arduino # esp8266 # cpp # vscode Comments Add Comment 3 min read How to configure ESP32 environment with Arduino? Hedy Hedy Hedy Follow Aug 12 '25 How to configure ESP32 environment with Arduino? # arduino # esp32 # arduinoide # vscode Comments Add Comment 2 min read How to build a robot car using an L298N motor driver, DC motors, and Arduino? Hedy Hedy Hedy Follow Aug 13 '25 How to build a robot car using an L298N motor driver, DC motors, and Arduino? # robotcar # l298n # dcmotors # arduino 1  reaction Comments Add Comment 3 min read # Integrating Computer Vision into Smart Fence Control Software (A Practical, Developer-Friendly Guide) Emily Johnson Emily Johnson Emily Johnson Follow Aug 11 '25 # Integrating Computer Vision into Smart Fence Control Software (A Practical, Developer-Friendly Guide) # webdev # javascript # arduino # iot Comments Add Comment 4 min read How to control an LED’s brightness using a potentiometer Hedy Hedy Hedy Follow Aug 7 '25 How to control an LED’s brightness using a potentiometer # potentiometer # arduino # led # l298n Comments Add Comment 2 min read Replace delay() Denys Shabelnyk Denys Shabelnyk Denys Shabelnyk Follow Aug 6 '25 Replace delay() # arduino Comments Add Comment 1 min read Time functions in Arduino Uno Denys Shabelnyk Denys Shabelnyk Denys Shabelnyk Follow Jul 30 '25 Time functions in Arduino Uno # arduino Comments Add Comment 1 min read EEPROM 28C64 API Performance with Arduino Goose Goose Goose Follow Aug 30 '25 EEPROM 28C64 API Performance with Arduino # arduino # eeprom # eeprom28c64 2  reactions Comments Add Comment 7 min read EEPROM Read and Write Operations with Arduino Goose Goose Goose Follow Aug 27 '25 EEPROM Read and Write Operations with Arduino # arduino # eeprom # eeprom28c64 1  reaction Comments 2  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 — 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:16
https://www.w3.org/2003/08/owlfaq#:~:text=the%20noted%20ontologist,it%20wasn%27t%20Wednesday...%22
World Wide Web Consortium Issues Web Ontology Language Candidate Recommendations | 2003 | Press releases | W3C Skip to content We have a new logo! Learn more . 日本語ホームページ Japanese website 简体中文首页 Chinese website Visit the W3C homepage Standards & groups Standards & groups Understand the various specifications, their maturity levels on the web standards track, their adoption, and the groups that develop them. Explore web standards About W3C web standards W3C standards & drafts Types of documents W3C publishes W3C groups Translations of W3C standards & drafts Reviews & public feedback Promote web standards Liaisons Technical Architecture Group (TAG) Get involved Get involved W3C works at the nexus of core technology, industry needs, and societal needs. Find ways to get involved Browse our work by industry Become a Member Member home (restricted) Support us Mailing lists Participant guidebook Positive work environment Invited Experts Resources Resources Master web fundamentals, use our developer tools, or contribute code. Learn from W3C resources Developers Validators & tools Accessibility fundamentals Internationalization (i18n) Translations of W3C standards & drafts Code of conduct Reports News & events News & events Recent content across news, blogs, press releases, media; upcoming events. Explore news & events News Blog Press releases Press & media Events Annual W3C Conference (TPAC) Code of conduct Support us Support us Make a huge difference to our operations as a public-interest non-profit, and help us to achieve our vision. Ways you can support us About About Understand our values and principles, learn our history, look into our policies, meet our people. Find out more about us Our mission Support us Leadership Staff Careers Media kit Diversity Evangelists Corporation Policies & legal information Contact us Help Search My account Home Press releases 2003 World Wide Web Consortium Issues Web Ontology Language Candidate Recommendations World Wide Web Consortium Issues Web Ontology Language Candidate Recommendations Read this page in: français 日本語 Author(s) and publish date Published: 19 August 2003 Emerging Ontology Standard, OWL, strengthens Semantic Web Foundations Frequently Asked Questions   http://www.w3.org/ -- 19 August 2003 -- Today, the World Wide Web Consortium (W3C) issued Web Ontology Language (OWL) as a W3C Candidate Recommendation. Candidate Recommendation is an explicit call for implementations, indicating that the document has been reviewed by all other W3C Working Groups, that the specification is stable, and appropriate for implementation. OWL is a language for defining structured, Web-based ontologies which enable richer integration and interoperability of data across application boundaries. Early adopters of these standards include bioinformatics and medical communities, corporate enterprise and governments. OWL enables a range of descriptive applications including managing web portals, collections management, content-based searches, enabling intelligent agents, web services and ubiquitous computing. "OWL is an important step for making data on the Web more machine processable and reusable across applications, " said Tim Berners-Lee, W3C Director. "We're encouraged to see OWL already being used as an open standard for deploying large scale ontologies on the Web." OWL is specified in 6 documents: The OWL Overview ; OWL Semantics and Abstract Syntax ; OWL Use Cases and Requirements ; OWL Test Cases , OWL Guide , and the OWL Reference . Read the FAQ for more details on OWL. OWL Delivers Ontologies that Work on the Web OWL is a Web Ontology language. Where earlier languages have been used to develop tools and ontologies for specific user communities (particularly in the sciences and in company-specific e-commerce applications), they were not defined to be compatible with the architecture of the World Wide Web in general, and the Semantic Web in particular. OWL rectifies this by using both URIs for naming and the linking provided by RDF to add the following capabilities to ontologies: Ability to be distributed across many systems Scalable to Web needs Compatible with Web standards for accessibility and internationalization. Open and extensible OWL provides a language for defining structured, Web-based ontologies which delivers richer integration and interoperability of data among descriptive communities. OWL builds on RDF Model and Schema and adds more vocabulary for describing properties and classes: among others, relations between classes (e.g. disjointness), cardinality (e.g. "exactly one"), equality, richer typing of properties, characteristics of properties (e.g. symmetry), and enumerated classes. Already there are multiple implementations and demonstrations of OWL, which are available to the public. The OWL Documents Produced by W3C The W3C Web Ontology Working Group has produced six OWL documents. Each is aimed at different segments of those wishing to learn, use, implement or understand the OWL language. Documents include - a presentation of the use cases and requirements that motivated OWL - an overview document which briefly explains the features of OWL and how they can be used - a comprehensive Guide that walks through the features of OWL with many examples of the use of OWL features - a reference document that provides the details of every OWL feature - a test case document , and test suite , providing over a hundred tests that can be used for making sure that OWL implementations are consistent with the language design - a document presenting the semantics of OWL and details of the mapping from OWL to RDF. The Candidate Recommendation phase for the OWL documents is estimated to last at least four weeks, at which time the Working Group will evaluate new implementations and comments on the drafts. OWL's Place in the Architecture of the Semantic Web: XML, RDF, and Ontologies Much has been written about the Semantic Web, as if it is a replacement technology for the Web we know today. In fact, the Semantic Web is made through incremental changes, by bringing machine-readable descriptions to the data and documents already on the Web. With both descriptions and ways to connect, compare, and contrast them, it's possible to build applications, tools, search engines, agents - all with no apparent change to Web pages. W3C's Semantic Web Activity builds on work done in other W3C Activities, such as the XML Activity. Its focus is to develop standard technologies, on top of XML, that support the growth of the Semantic Web. At the foundation, XML provides a set of rules for creating vocabularies that can bring structure to both documents and data on the Web. XML gives clear rules for syntax; XML Schemas then serve as a method for composing XML vocabularies. XML is a powerful, flexible surface syntax for structured documents, but imposes no semantic constraints on the meaning of these documents. RDF - the Resource Description Framework - is a standard a way for simple descriptions to be made. What XML is for syntax, RDF is for semantics - a clear set of rules for providing simple descriptive information. RDF Schema then provides a way for those descriptions to be combined into a single vocabulary. What's needed next is a way to develop subject - or domain - specific vocabularies. That is the role of an ontology. An ontology defines the terms used to describe and represent an area of knowledge. Ontologies are used by people, databases, and applications that need to share subject-specific (domain) information - like medicine, tool manufacturing, real estate, automobile repair, financial management, etc. Ontologies include computer-usable definitions of basic concepts in the domain and the relationships among them. They encode knowledge in a domain and also knowledge that spans domains. In this way, they make that knowledge reusable. Industrial and Academic Leaders Move OWL Forward The W3C Web Ontology Working Group carries a complement of industrial and academic expertise, lending the depth of research and product implementation experience necessary for building a robust ontology language system. Participants include representatives from Agfa-Gevaert N. V; Daimler Chrysler Research and Technology; DARPA; Defense Information Systems Agency (DISA); EDS; Fujitsu; Forschungszentrum Informatik (FZI); Hewlett Packard Company; Ibrow; IBM; INRIA; Ivis Group; Lucent; University of Maryland; Mondeca; Motorola; National Institute of of Standards and Technology (NIST); Network Inference, Nokia; Philips, University of Southampton; Stanford University; Sun Microsystems; Unicorn Solutions along with invited experts from German Research Center for Artificial Intelligence (DFKI) Gmbh; the Interoperability Technology Association for Information Processing, Japan (INTAP); and the University of West Florida. OWL brings together research from a number of groups that have been developing languages in which to express ontological expressions on the web . OWL has its origins in two major research efforts: a draft language known as the DARPA Agent Markup Language Ontology notations ( DAML-ONT ) and Ontology Interface Layer ( OIL ) developed by European researchers with the support of the European Commission. Since then, an ad hoc group of researchers formed the Joint US/EU committee on Agent Markup Languages and released a new version of this language which merges DAML with the OIL. The documents released today reflect the collaborative work of international researchers with industrial participants working together the World Wide Web Consortium. About the World Wide Web Consortium [W3C] The W3C was created to lead the Web to its full potential by developing common protocols that promote its evolution and ensure its interoperability. It is an international industry consortium jointly run by the MIT Laboratory for Computer Science (MIT LCS) in the USA, the European Research Consortium for Informatics and Mathematics (ERCIM) headquartered in France and Keio University in Japan. Services provided by the Consortium include: a repository of information about the World Wide Web for developers and users, and various prototype and sample applications to demonstrate use of new technology. To date, nearly 400 organizations are Members of the Consortium. For more information see http://www.w3.org/   Contact Janet Daly, < janet@w3.org >, +1.617.253.5884 or +1.617.253.2613 Frequently Asked Questions on W3C's Web Ontology Language (OWL) Status: this FAQ is no longer maintained. For a new, up-to-date FAQ, see the Semantic Web FAQ . Q. What is an ontology? A. Although the concept of ontology has been around for a very long time in philosophy, in recent years it has become identified with computers as a machine readable vocabulary that is specified with enough precision to allow differing terms to be precisely related. More precisely, from the OWL Requirements Document : An ontology defines the terms used to describe and represent an area of knowledge. Ontologies are used by people, databases, and applications that need to share domain information (a domain is just a specific subject area or area of knowledge, like medicine, tool manufacturing, real estate, automobile repair, financial management, etc.). Ontologies include computer-usable definitions of basic concepts in the domain and the relationships among them [...]. They encode knowledge in a domain and also knowledge that spans domains. In this way, they make that knowledge reusable.   Q. How is OWL different from earlier ontology languages? A. OWL is a Web Ontology language. Where earlier languages have been used to develop tools and ontologies for specific user communities (particularly in the sciences and in company-specific e-commerce applications), they were not defined to be compatible with the architecture of the World Wide Web in general, and the Semantic Web in particular. OWL rectifies this by providing a language which uses the linking provided by RDF to add the following capabilities to ontologies: Ability to be distributed across many systems Scalable to Web needs Compatible with Web standards for accessibility and internationalization. Open and extensible   Q. What can Web Ontologies be used for? A. The Web Ontology Working Group identified major use cases of ontologies on the Web and described these in the Use Cases and Requirements document . A survey of implemented applications (using earlier web ontology languages) was made with about 25 actually deployed systems identified. The WG categorized these into six main areas, as follows:   Web Portals Categorization rules used to enhance search Multimedia Collections Content-based searches for non-text media Corporate Web Site Management Automated Taxonomical Organization of data and documents Mapping Between Corporate Sectors (mergers!) Design Documentation Explication of "derived" assemblies (e.g. the wing span of an aircraft) Explicit Management of Constraints Intelligent Agents Expressing User Preferences and/or Interests Content Mapping between Web sites Web Services and Ubiquitous Computing Web Service Discovery and Composition Rights Management and Access Control   Q. Who is implementing OWL tools and applications? A. A large number of organizations have been exploring the use of OWL, with many tools currently available. The Working Group is maintaining a list of implementations and demonstrations . In addition, both the US government (via DARPA and NSF) and the European Union (via the 5th and 6th generation frameworks of the IST program) have invested in web ontology language development. Most of the systems currently using DAML, OIL and DAML+OIL (the predecessor languages that OWL was based on) are now migrating to OWL. In addition, a number of ontology language tools, such as the widely used Protege system , now provide OWL support.   Q. Are there OWL ontologies available already? A. There are a large number of ontologies available on the Web in OWL. There is an ontology library at DAML ontology library , which contains about 250 examples written in OWL or DAML+OIL (a converter from DAML+OIL to OWL is available on the web). In addition, several large ontologies have been released in OWL. These include a cancer ontology in OWL developed by the US National Cancer Institute's Center for Bioinformatics, which contains about 17,000 cancer related terms and their definitions, and an OWL version of the well-known GALEN medical ontology , developed at the University of Manchester.   Q. What does OWL add that RDF-schema doesn't? A. Owl extends RDFS to allow for the expression of complex relationships between different RDFS classes and of more precise constraints on specific classes and properties. Example of these include: - the means to limit the properties of classes with respect to number and type, - the means to infer that items with various properties are members of a particular class - the means to determine if all members of a class will have a particular property, or if only some of them might - the means to distinguish one-to-one from many-to-one or one-to-many relationships, allowing the "foreign keys" of a database to be represented in an ontology - the means to express relationships between classes defined in different documents across the web, - the means to construct new classes out of the unions, intersections and complements of other classes, and - the means to constrain range and domain to specific class/property combinations. The OWL Guide provides examples of all of these in the area of describing food and wine.   Q. What documents are in the OWL document set? A. The Working Group has produced six documents each aimed at different segments of those wishing to learn, use, implement or understand the OWL language. Our documents include - a presentation of the use cases and requirements that motivated OWL - an overview document which briefly explains the features of OWL and how they can be used - a comprehensive Guide that provides a walk-through of the features of OWL with many examples of the use of OWL features - a reference document that provides the details of every OWL feature - a test case document , and test suite , providing over a hundred tests that can be used for making sure that OWL implementations are consistent with the language design - a document presenting the semantics of OWL and details of the mapping from OWL to RDF (This document presents the model theoretical details of every feature of OWL so that those implementing complete OWL reasoners can guarantee algorithmic compliance with all aspects of the language design). Q. What is new about ontologies on the Semantic Web? How do they differ from expert systems and the other artificial intelligence (AI) technologies promoted in the 1980s? A. The relation between the Semantic Web, and OWL in particular, to work in AI is somewhat parallel to the relation between the Web and the hypertext community -- based on some of the same motivations, but with a very different architecture that drastically changes the ways in which the technology can be deployed. In a widely cited article from Scientific American , Berners-Lee, Hendler and Lassila wrote: For the semantic web to function, computers must have access to structured collections of information and sets of inference rules that they can use to conduct automated reasoning. Artificial-intelligence researchers have studied such systems since long before the Web was developed. Knowledge representation, as this technology is often called, is currently in a state comparable to that of hypertext before the advent of the Web: it is clearly a good idea, and some very nice demonstrations exist, but it has not yet changed the world. It contains the seeds of important applications, but to realize its full potential it must be linked into a single global system. The OWL language is a major step towards developing that potential. Q. What does the acronym "OWL" stand for? A. Actually, OWL is not a real acronym. The language started out as the "Web Ontology Language" but the Working Group disliked the acronym "WOL." We decided to call it OWL. The Working Group became more comfortable with this decision when one of the members pointed out the following justification for this decision from the noted ontologist A.A. Milne who, in his influential book "Winnie the Pooh" stated of the wise character OWL: "He could spell his own name WOL, and he could spell Tuesday so that you knew it wasn't Wednesday..." Jim Hendler, co-chair of the W3C Web Ontology Working Group , and the W3C Communications Team Related RSS feed Subscribe to our press release feed Home Contact Help Support us Legal & Policies Corporation System Status W3C on Mastodon W3C on GitHub Copyright © 2026 World Wide Web Consortium . W3C ® liability , trademark and permissive license rules apply.
2026-01-13T08:49:16
https://dev.to/t/cryptography
Cryptography - 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 # cryptography Follow Hide Discussions on encryption, hashing, ciphers, and cryptographic protocols. Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today Whaaat! Whaaat! Whaaat! Follow Jan 12 Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today # security # cryptography # webdev # privacy Comments Add Comment 2 min read Securing Your Environment Variables: A Proof-of-Concept Approach Muhammed Shafin P Muhammed Shafin P Muhammed Shafin P Follow Jan 12 Securing Your Environment Variables: A Proof-of-Concept Approach # hejhdiss # cryptography # python3 5  reactions Comments Add Comment 4 min read Metaclass Polymorphic Crypto: Enhanced Proof of Concept Muhammed Shafin P Muhammed Shafin P Muhammed Shafin P Follow Jan 8 Metaclass Polymorphic Crypto: Enhanced Proof of Concept # hejhdiss # python3 # cryptography 5  reactions Comments Add Comment 5 min read Multiplication in Galois fields with the xtimes function Moritz Höppner Moritz Höppner Moritz Höppner Follow Jan 4 Multiplication in Galois fields with the xtimes function # cryptography # math Comments Add Comment 8 min read Cryptographic Time Travel: Securely Locking Data Until the Future with tlock GitHubOpenSource GitHubOpenSource GitHubOpenSource Follow Dec 31 '25 Cryptographic Time Travel: Securely Locking Data Until the Future with tlock # drand # timelock # cryptography # go Comments Add Comment 3 min read 암호화 기초 - 대칭키, HMAC, 그리고 메시지 인증 dss99911 dss99911 dss99911 Follow Dec 31 '25 암호화 기초 - 대칭키, HMAC, 그리고 메시지 인증 # infra # security # encryption # cryptography Comments Add Comment 2 min read Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 30 '25 Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide # python # fintech # cryptography Comments Add Comment 8 min read Building Cryptographically Enforced Time-Locked Vaults on Cloudflare's Edge Teycir Ben Soltane Teycir Ben Soltane Teycir Ben Soltane Follow Dec 27 '25 Building Cryptographically Enforced Time-Locked Vaults on Cloudflare's Edge # cryptography # nextjs # cloudflare # opensource Comments Add Comment 7 min read (Part 5) Sealing Secrets: How to Survive a Reboot (And Why It's Dangerous) 💾 Max Jiang Max Jiang Max Jiang Follow Dec 31 '25 (Part 5) Sealing Secrets: How to Survive a Reboot (And Why It's Dangerous) 💾 # security # persistence # cryptography # backend 1  reaction Comments 1  comment 3 min read Protecting Sensitive Data Using Envelope Encryption İbrahim Gündüz İbrahim Gündüz İbrahim Gündüz Follow Dec 30 '25 Protecting Sensitive Data Using Envelope Encryption # security # cryptography # java Comments Add Comment 6 min read Building Cryptographic Audit Trails for SEC Rule 17a-4: A Technical Deep Dive VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 24 '25 Building Cryptographic Audit Trails for SEC Rule 17a-4: A Technical Deep Dive # security # fintech # python # cryptography Comments Add Comment 9 min read The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 25 '25 The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway # ai # cryptography # blockchain Comments Add Comment 8 min read Announcing securebit_core: A Platform-Agnostic Cryptographic Kernel for Secure P2P Communication Volodymyr Volodymyr Volodymyr Follow Dec 23 '25 Announcing securebit_core: A Platform-Agnostic Cryptographic Kernel for Secure P2P Communication # cryptography # webrtc # p2p Comments Add Comment 3 min read RSA Algorithm Anirudh Kannan Anirudh Kannan Anirudh Kannan Follow Dec 23 '25 RSA Algorithm # cryptography Comments Add Comment 5 min read Building a Tamper-Evident Audit Log with SHA-256 Hash Chains (Zero Dependencies) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 28 '25 Building a Tamper-Evident Audit Log with SHA-256 Hash Chains (Zero Dependencies) # javascript # cryptography # security Comments Add Comment 7 min read Week 2: Multiplicative Inverses in Finite Fields: When Division Still Works in a Closed World Olusola Caleb Olusola Caleb Olusola Caleb Follow Jan 9 Week 2: Multiplicative Inverses in Finite Fields: When Division Still Works in a Closed World # blockchain # cryptography # bitcoin # go Comments Add Comment 4 min read A Metaclass Architecture for Encryption: Keys as Algorithm Generators Muhammed Shafin P Muhammed Shafin P Muhammed Shafin P Follow Jan 7 A Metaclass Architecture for Encryption: Keys as Algorithm Generators # cryptography # hejhdiss # ccbysa 5  reactions Comments 1  comment 6 min read DES Encryption Explained Simply Pavithra Sai Pavithra Sai Pavithra Sai Follow Jan 6 DES Encryption Explained Simply # des # encryption # decryption # cryptography 4  reactions Comments Add Comment 2 min read Beyond the Wire: Encrypting Messages Where the Message Never Exists Sui Gn Sui Gn Sui Gn Follow Dec 16 '25 Beyond the Wire: Encrypting Messages Where the Message Never Exists # cryptography # quantum # security Comments Add Comment 3 min read Quantum Ready: How Trinity Protocol Survives the Post Quantum Era Chronos Vault Chronos Vault Chronos Vault Follow Jan 2 Quantum Ready: How Trinity Protocol Survives the Post Quantum Era # quantumcomputing # cryptography # blockchain # security Comments Add Comment 6 min read AIDE Automation Framework From Integrity Checks to Self-Verification Richard Chamberlain Richard Chamberlain Richard Chamberlain Follow Dec 7 '25 AIDE Automation Framework From Integrity Checks to Self-Verification # fileintegrity # cryptography # security # ledger 1  reaction Comments Add Comment 4 min read Quantum Security's Blind Spot: When Eavesdroppers Fly Under the Radar by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 6 '25 Quantum Security's Blind Spot: When Eavesdroppers Fly Under the Radar by Arvind Sundararajan # quantumcomputing # security # cryptography # devops Comments Add Comment 2 min read CipherMuse: The Haunted Fusion of AI, Encryption & Steganography🎃 Gokul D Gokul D Gokul D Follow Dec 5 '25 CipherMuse: The Haunted Fusion of AI, Encryption & Steganography🎃 # kiro # steganography # ai # cryptography Comments Add Comment 2 min read Quantum Shadows: Can Eavesdroppers Erase Unbreakable Encryption? Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 5 '25 Quantum Shadows: Can Eavesdroppers Erase Unbreakable Encryption? # quantumcomputing # security # cryptography # quantum Comments Add Comment 2 min read Dari Matematika Murni ke Enkripsi: Bagaimana G. H. Hardy Secara Tak Sengaja Menggerakkan Kriptografi Modern Nugroho Ardi Sutrisno Nugroho Ardi Sutrisno Nugroho Ardi Sutrisno Follow Dec 4 '25 Dari Matematika Murni ke Enkripsi: Bagaimana G. H. Hardy Secara Tak Sengaja Menggerakkan Kriptografi Modern # cryptography # math # history Comments Add Comment 2 min read loading... trending guides/resources Protecting Sensitive Data Using Envelope Encryption AES Algorithm for beginners Announcing securebit_core: A Platform-Agnostic Cryptographic Kernel for Secure P2P Communication Mastering Cryptography: A Senior's Guide to Design, Attack, and Defend How to implement GHASH Cryptography in 2025: The Quantum Leap and the AI Arms Race Choosing Between ML-KEM and ML-DSA for Your Post-Quantum Migration [Part 2] Cryptography for developers Building a Secure Password Generator with Web Crypto API: No Servers, Pure Browser Power Dari Matematika Murni ke Enkripsi: Bagaimana G. H. Hardy Secara Tak Sengaja Menggerakkan Kriptogr... Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today Quantum Security's Blind Spot: When Eavesdroppers Fly Under the Radar by Arvind Sundararajan Crypto-Shredding: How Immutable Audit Logs and GDPR Coexist Building a Production-Ready Blind Signature eCash System in Rust Beyond the Wire: Encrypting Messages Where the Message Never Exists Quantum Shadows: Can Eavesdroppers Erase Unbreakable Encryption? Building Cryptographically Enforced Time-Locked Vaults on Cloudflare's Edge Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide Quantum Certifications: Are We Being Fooled? by Arvind Sundararajan Finite Fields: The Hidden Math Powering Blockchains 💎 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:16
https://dev.to/zio-mitch/il-bug-della-dignita-cronaca-di-unillusione-ereditaria-54fd#comments
Il Bug della Dignità: Cronaca di un’illusione ereditaria - 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 Michele Carino Posted on Dec 30, 2025 Il Bug della Dignità: Cronaca di un’illusione ereditaria # discuss # career # mentalhealth Una riflessione sulla cultura, la perdita e la promessa infranta della meritocrazia. Sono un informatico con vent’anni di esperienza, un uomo cresciuto in una casa dove i libri erano così tanti da fare da isolante tra le camere. Mamma professoressa di matematica, papà ingegnere elettrotecnico. I libri erano il simbolo della nostra promessa: l’idea che la cultura ci avrebbe portato in alto, ci avrebbe emancipato e ci avrebbe garantito il rispetto del mondo. Ho costruito la mia identità su questo pilastro, convinto che la logica e lo studio fossero il mio passaporto per la libertà. Invece, per vent'anni anni, ho assistito al fallimento di quel patto. Ho visto 'figli di papà' fare impresa senza la minima capacità razionale, occupando spazi per puro diritto di nascita mentre io, nonostante le competenze, dovevo lottare ogni giorno per sbarcare il lunario. Ho visto il mio nucleo familiare frantumarsi e mia madre spegnersi, tradita da una demenza fronto-temporale e abbandonata da uno Stato che ha preferito divorare la sua pensione per la retta di una casa di cura piuttosto che onorare la sua vita. In questi mesi, è scomparsa da poco, ho dovuto buttare i suoi libri, piangendo su ogni volume che finiva nel sacco, sentendo che stavo smaltendo i resti di un’illusione. Oggi, però, sono entrato in una biblioteca. E inaspettatamente, tra quegli scaffali, mi sono sentito di nuovo a casa. Sono tornato bambino, avvolto da quell'odore di carta che un tempo mi proteggeva. Lavorare da lì, circondato da quel silenzio antico, ha spento il rumore del mondo esterno. Per la prima volta dopo tanto tempo, ho ritrovato la serenità di fare e progettare per il puro gusto di farlo. Senza chiedermi il perché, senza il peso dell'ingiustizia, senza l'ombra dei privilegiati che mi calpestano. Nella mia pancia c'è ancora la rabbia dei miei genitori, ma oggi, tra questi libri, ho ripreso in mano il mio codice. Ho smesso di cercare una logica nel tradimento del sistema e ho ricominciato a costruire, semplicemente perché questo è ciò che sono. Oltre le macerie, oltre l'abbandono, la mia mente è ancora la mia casa. Vorrei poter piangere tutte le lacrime dovute al rivederci così dove non ci aspettavamo di essere nonostante tutto eppure so che l'unica soluzione è la resa, l'accettazione, il far finta idi niente per evitare di continuare a infliggersi dolore. E mi chiedo se una famiglia davvero evoluta sia quella che sprona i figli a fare soldi e realizzarsi economicamente o quella che vuole che essi siano studiosi e alfieri del progresso umano mettendo in secondo piano l'avere. 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 Michele Carino Follow 318 Temporarily a Teapot The server is temporarily unable to brew coffee because it is, for the moment, a teapot. The condition is expected to be resolved after a short period of time. Location Salsomaggiore Terme, Parma, Italy Education Liceo Scientifico Statale G. Vailati, Genzano di Roma + a bit of University @Roma II Torvergata Pronouns Software/Enthusiast Work Software architect in a enterprise that develops business management software. Joined Dec 8, 2025 More from Michele Carino Human dignity bug: chronicles of an inherited delusion # career # discuss # mentalhealth Volevo smettere di fare lo sviluppatore software e iniziare a fare l'imbianchino... # programming # career # development # italian 💎 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:16
https://dev.to/datalaria/proyecto-weather-service-parte-2-construyendo-el-frontend-interactivo-con-github-pages-o-netlify-3oc0#la-l%C3%B3gica-del-dashboard-dando-vida-a-los-datos-en-raw-indexhtml-endraw-
Proyecto Weather Service (Parte 2): Construyendo el Frontend Interactivo con GitHub Pages o Netlify y JavaScript - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Daniel for Datalaria Posted on Jan 13 • Originally published at datalaria.com Proyecto Weather Service (Parte 2): Construyendo el Frontend Interactivo con GitHub Pages o Netlify y JavaScript # frontend # javascript # spanish # tutorial En la primera parte de esta serie , sentamos las bases de nuestro servicio meteorológico global. Construimos un script de Python para obtener datos del clima de OpenWeatherMap, los almacenamos eficientemente en ficheros CSV separados por ciudad y automatizamos todo el proceso de recolección utilizando GitHub Actions. Nuestro "robot" está diligentemente recopilando datos 24/7. Pero, ¿de qué sirven los datos si no puedes verlos? Hoy, cambiamos nuestro enfoque al frontend : la construcción de un dashboard interactivo y fácil de usar que permita a cualquiera explorar los datos meteorológicos que hemos recopilado. Aprovecharemos el poder del alojamiento de sitios estáticos con GitHub Pages o Netlify , utilizaremos JavaScript "vainilla" para darle vida y nos apoyaremos en algunas excelentes librerías para el manejo y la visualización de datos. ¡Hagamos que nuestros datos brillen! Alojamiento Web Gratuito: GitHub Pages vs. Netlify El primer obstáculo para cualquier proyecto web es el alojamiento. Los servidores tradicionales pueden ser costosos y complejos de gestionar. Siguiendo nuestra filosofía "serverless y gratis", tanto GitHub Pages como Netlify son soluciones perfectas para alojar sitios web estáticos directamente desde tu repositorio de GitHub. Opción 1: GitHub Pages Permite alojar sitios web estáticos directamente desde tu repositorio de GitHub. La activación es trivial: Ve a Settings > Pages en tu repositorio. Selecciona tu rama main (o la rama que contenga tu contenido web) como fuente. Elige la carpeta /root (o una carpeta /docs si lo prefieres) como la ubicación de tus archivos web. Haz clic en Save . Y así, tu archivo index.html (y cualquier recurso vinculado) se vuelve accesible públicamente en una URL como https://tu-usuario.github.io/tu-nombre-de-repositorio/ . ¡Sencillo, efectivo y gratuito! 🚀 Opción 2: Netlify (¡la elección final para este proyecto!) Para este proyecto, finalmente he optado por Netlify por su flexibilidad, la facilidad para gestionar dominios personalizados y su integración con el despliegue continuo. Además, me permite alojar el proyecto directamente bajo mi dominio de Datalaria ( https://datalaria.com/apps/weather/ ). Pasos para desplegar en Netlify: Conectar tu Repositorio : Inicia sesión en Netlify. Haz clic en "Add new site" y luego en "Import an existing project". Conecta tu cuenta de GitHub y selecciona el repositorio de tu proyecto Weather Service. Configuración de Despliegue : Owner : Tu cuenta de GitHub. Branch to deploy : main (o la rama donde tengas tu código frontend). Base directory : Deja esto vacío si tu index.html y assets están en la raíz del repositorio, o especifica una subcarpeta si es el caso (ej., /frontend ). Build command : Déjalo vacío, ya que nuestro frontend es puramente estático sin necesidad de un paso de build (sin frameworks como React/Vue). Publish directory : . (o la subcarpeta que contenga tus archivos estáticos, ej., /frontend ). Desplegar Sitio : Haz clic en "Deploy site". Netlify tomará tu repositorio, lo desplegará y te proporcionará una URL aleatoria. Dominio Personalizado (Opcional pero recomendado) : Para usar un dominio como datalaria.com/apps/weather/ : Ve a Site settings > Domain management > Domains > Add a custom domain . Sigue los pasos para añadir tu dominio y configurarlo con los DNS de tu proveedor (añadiendo registros CNAME o A ). Para la ruta específica ( /apps/weather/ ), necesitarás configurar una "subcarpeta" o "base URL" en tu aplicación si no está directamente en la raíz del dominio. En este caso, nuestro index.html está diseñado para ser servido desde una subruta. Netlify gestiona esto de forma transparente una vez que el sitio está desplegado y tu dominio configurado. ¡Así de sencillo! Cada git push a tu rama configurada activará un nuevo despliegue en Netlify, manteniendo tu dashboard siempre actualizado. La Pila Tecnológica del Frontend: HTML, CSS y JavaScript (con una pequeña ayuda) Para este dashboard, opté por un enfoque ligero: HTML puro para la estructura, un poco de CSS para los estilos y JavaScript "vainilla" (sin frameworks complejos) para la interactividad. Para manejar tareas específicas, incorporé dos librerías fantásticas: PapaParse.js : El mejor parser de CSV del lado del cliente para el navegador. Es el puente entre nuestros archivos CSV en bruto y las estructuras de datos de JavaScript que necesitamos para la visualización. Chart.js : Una potente y flexible librería de gráficos JavaScript que facilita enormemente la creación de gráficos bonitos, responsivos e interactivos. La Lógica del Dashboard: Dando Vida a los Datos en index.html Nuestro index.html actúa como el lienzo principal, orquestando la obtención, el parseo y la representación de los datos meteorológicos. 1. Carga Dinámica de Ciudades En lugar de codificar una lista de ciudades, queremos que nuestro dashboard se actualice automáticamente si añadimos nuevas ciudades en el backend. Lo logramos obteniendo un simple archivo ciudades.txt (que contiene un nombre de ciudad por línea) y poblando dinámicamente un elemento desplegable <select> utilizando la API fetch de JavaScript. const citySelector = document . getElementById ( ' citySelector ' ); let myChart = null ; // Variable global para almacenar la instancia de Chart.js async function cargarListaCiudades () { try { const response = await fetch ( ' ciudades.txt ' ); const text = await response . text (); // Filtramos las líneas vacías del archivo de texto const ciudades = text . split ( ' \n ' ). filter ( line => line . trim () !== '' ); ciudades . forEach ( ciudad => { const option = document . createElement ( ' option ' ); option . value = ciudad ; option . textContent = ciudad ; citySelector . appendChild ( option ); }); // Cargamos la primera ciudad por defecto al inicio de la página if ( ciudades . length > 0 ) { cargarYDibujarDatos ( ciudades [ 0 ]); } } catch ( error ) { console . error ( ' Error cargando la lista de ciudades: ' , error ); // Opcional: Mostrar un mensaje de error amigable al usuario } } // Disparamos la carga de ciudades cuando el DOM esté completamente cargado document . addEventListener ( ' DOMContentLoaded ' , cargarListaCiudades ); Enter fullscreen mode Exit fullscreen mode 2. Reacción a la Selección del Usuario Cuando un usuario selecciona una ciudad del desplegable, necesitamos responder de inmediato. Un addEventListener en el elemento <select> detecta el evento change y llama a nuestra función principal para obtener y dibujar los datos de la ciudad recién seleccionada. citySelector . addEventListener ( ' change ' , ( event ) => { const ciudadSeleccionada = event . target . value ; cargarYDibujarDatos ( ciudadSeleccionada ); }); Enter fullscreen mode Exit fullscreen mode 3. Obtención, Parseo y Dibujado de Datos Esta es la función central donde todo cobra vida. Es responsable de: Construir la URL para el archivo CSV específico de la ciudad (ej., datos/León.csv ). Utilizar Papa.parse para descargar y procesar el contenido del CSV directamente en el navegador. PapaParse maneja la obtención y el parseo asíncronos, lo que lo hace increíblemente fácil. Extraer las etiquetas (fechas) y los datos (temperaturas) relevantes del CSV parseado para Chart.js. ¡Crucial! : Antes de dibujar un nuevo gráfico, debemos destruir la instancia anterior de Chart.js ( if (myChart) { myChart.destroy(); } ). ¡Olvidar este paso lleva a gráficos superpuestos y problemas de rendimiento! 💥 Crear una nueva instancia de Chart() con los datos actualizados. Adicionalmente, llama a una función para cargar y mostrar la predicción de IA para esa ciudad, integrándola sin problemas en el dashboard. function cargarYDibujarDatos ( ciudad ) { const csvUrl = `datos/ ${ ciudad } .csv` ; // Nota la carpeta 'datos/' de la Parte 1 const ctx = document . getElementById ( ' weatherChart ' ). getContext ( ' 2d ' ); Papa . parse ( csvUrl , { download : true , // Indica a PapaParse que descargue el archivo header : true , // Trata la primera fila como encabezados skipEmptyLines : true , complete : function ( results ) { const datosClimaticos = results . data ; // Extraer etiquetas (fechas) y datos (temperaturas) const etiquetas = datosClimaticos . map ( fila => fila . fecha_hora . split ( ' ' )[ 0 ]); // Extraer solo la fecha const tempMax = datosClimaticos . map ( fila => parseFloat ( fila . temp_max_c )); const tempMin = datosClimaticos . map ( fila => parseFloat ( fila . temp_min_c )); // Destruir la instancia de gráfico anterior si existe para evitar superposiciones if ( myChart ) { myChart . destroy (); } // Crear una nueva instancia de Chart.js myChart = new Chart ( ctx , { type : ' line ' , data : { labels : etiquetas , datasets : [{ label : `Temp Máx (°C) - ${ ciudad } ` , data : tempMax , borderColor : ' rgb(255, 99, 132) ' , tension : 0.1 }, { label : `Temp Mín (°C) - ${ ciudad } ` , data : tempMin , borderColor : ' rgb(54, 162, 235) ' , tension : 0.1 }] }, options : { // Opciones del gráfico para responsividad, título, etc. responsive : true , maintainAspectRatio : false , scales : { y : { beginAtZero : false } }, plugins : { legend : { position : ' top ' }, title : { display : true , text : `Datos Históricos del Clima para ${ ciudad } ` } } } }); // Cargar y mostrar la predicción de IA cargarPrediccion ( ciudad ); }, error : function ( err , file ) { console . error ( " Error al parsear el CSV: " , err , file ); // Opcional: mostrar un mensaje de error amigable en el dashboard if ( myChart ) { myChart . destroy (); } // Limpiar gráfico si falla la carga } }); } Enter fullscreen mode Exit fullscreen mode 4. Mostrar Predicciones de IA La integración de las predicciones de IA (en las que profundizaremos en la Parte 3) también se gestiona desde el frontend. El backend genera un archivo predicciones.json , y nuestro JavaScript simplemente obtiene este JSON, encuentra la predicción para la ciudad seleccionada y la muestra. async function cargarPrediccion ( ciudad ) { const predictionElement = document . getElementById ( ' prediction ' ); try { const response = await fetch ( ' predicciones.json ' ); const predicciones = await response . json (); if ( predicciones && predicciones [ ciudad ]) { predictionElement . textContent = `Predicción de Temp. Máx. para mañana: ${ predicciones [ ciudad ]. toFixed ( 1 )} °C` ; } else { predictionElement . textContent = ' Predicción no disponible. ' ; } } catch ( error ) { console . error ( ' Error cargando predicciones: ' , error ); predictionElement . textContent = ' Error al cargar la predicción. ' ; } } Enter fullscreen mode Exit fullscreen mode Conclusión (Parte 2) ¡Hemos transformado los datos en bruto en una experiencia atractiva e interactiva! Al combinar el alojamiento estático de GitHub Pages o Netlify, JavaScript "vainilla" para la lógica, PapaParse.js para el manejo de CSV y Chart.js para visualizaciones hermosas, hemos construido un frontend potente que es a la vez gratuito y muy efectivo. El dashboard ahora proporciona información inmediata sobre los patrones climáticos históricos de cualquier ciudad seleccionada. Pero, ¿qué pasa con el futuro? En la tercera y última parte de esta serie , nos adentraremos en el emocionante mundo del Machine Learning para añadir una capa predictiva a nuestro servicio. Exploraremos cómo usar datos históricos para pronosticar el tiempo de mañana, convirtiendo nuestro servicio en un verdadero "oráculo" meteorológico. ¡No te lo pierdas! Referencias y Enlaces de Interés: Servicio Web Completo : Puedes ver el resultado final de este proyecto en acción aquí: https://datalaria.com/apps/weather/ Repositorio GitHub del Proyecto : Explora el código fuente y la estructura del proyecto en mi repositorio: https://github.com/Dalaez/app_weather PapaParse.js : Parser de CSV rápido en el navegador para JavaScript: https://www.papaparse.com/ Chart.js : Gráficos JavaScript simples pero flexibles para diseñadores y desarrolladores: https://www.chartjs.org/ GitHub Pages : Documentación oficial sobre cómo alojar tus sitios: https://docs.github.com/es/pages Netlify : Página oficial de Netlify: https://www.netlify.com/ 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 Datalaria Follow More from Datalaria Weather Service Project (Part 2): Building the Interactive Frontend with GitHub Pages or Netlify and JavaScript # frontend # javascript # tutorial # webdev Weather Service Project (Part 1): Building the Data Collector with Python and GitHub Actions or Netlify # api # automation # python # tutorial Proyecto Weather Service (Parte 1): Construyendo el Recolector de Datos con Python y GitHub Actions o Netlify # dataengineering # python # spanish # 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:16
https://forem.com/new/devops#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:16
https://forem.com/t/arduino/page/6
Arduino Page 6 - 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 # arduino Follow Hide Create Post Older #arduino 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 Running I2C on Pro Micro (1) - Pro Micro Setup puru puru puru Follow May 24 '24 Running I2C on Pro Micro (1) - Pro Micro Setup # i2c # arduino # keyboard Comments Add Comment 6 min read Top Arduino Uno Projects for Beginners and Engineering Students Akshay Jain Akshay Jain Akshay Jain Follow May 21 '24 Top Arduino Uno Projects for Beginners and Engineering Students # arduino # electronics # programming # tutorial 5  reactions Comments Add Comment 5 min read RubberDuck o que é, e como fazer um com o seu Arduino Leonardo (ou com esp32, RP Pico e etc) Marlon Marlon Marlon Follow Apr 25 '24 RubberDuck o que é, e como fazer um com o seu Arduino Leonardo (ou com esp32, RP Pico e etc) # arduino # hardware # hacking # beginners 27  reactions Comments 1  comment 2 min read Displaying a video on a ESP32 powered SSD1306 OLED screen AFCM AFCM AFCM Follow Apr 17 '24 Displaying a video on a ESP32 powered SSD1306 OLED screen # iot # esp32 # arduino # ffmpeg 2  reactions Comments Add Comment 4 min read Arduino IDE 1.8.19 ESP32 編譯當掉 codemee codemee codemee Follow Apr 15 '24 Arduino IDE 1.8.19 ESP32 編譯當掉 # esp32 # arduino Comments Add Comment 1 min read Tiny E-Ink Picture Display Justin Justin Justin Follow Apr 14 '24 Tiny E-Ink Picture Display # arduino # esp32 # tutorial 1  reaction Comments Add Comment 4 min read Arduino UNO R4 WiFi Experiments Trevor Lee Trevor Lee Trevor Lee Follow Apr 5 '24 Arduino UNO R4 WiFi Experiments # arduino # platformio 1  reaction Comments Add Comment 6 min read nim for embedded software development abathargh abathargh abathargh Follow Mar 28 '24 nim for embedded software development # nim # embedded # metaprogramming # arduino 3  reactions Comments Add Comment 5 min read 使用 PlatformIO CLI 協助工作流程 codemee codemee codemee Follow Mar 15 '24 使用 PlatformIO CLI 協助工作流程 # platformio # esp32 # arduino Comments Add Comment 1 min read Setting Up Environment and Components📟 Samreen Ansari Samreen Ansari Samreen Ansari Follow Mar 3 '24 Setting Up Environment and Components📟 # todayilearned # arduino # tutorial # ai Comments Add Comment 6 min read 🔥Wheels and Wires: Building My Arduino Self-Driving Car🚗👩‍💻 Samreen Ansari Samreen Ansari Samreen Ansari Follow Mar 3 '24 🔥Wheels and Wires: Building My Arduino Self-Driving Car🚗👩‍💻 # todayilearned # arduino # tutorial # ai 23  reactions Comments 9  comments 1 min read Communication b/w Arduino and ESP8266📶 Samreen Ansari Samreen Ansari Samreen Ansari Follow Mar 4 '24 Communication b/w Arduino and ESP8266📶 # todayilearned # arduino # tutorial # ai 1  reaction Comments Add Comment 11 min read 讓 Arduino IDE 2.X 版使用其它配色主題 codemee codemee codemee Follow Feb 23 '24 讓 Arduino IDE 2.X 版使用其它配色主題 # arduino # vscode # themes # theia Comments Add Comment 1 min read 取得指向類別成員函式的指位器 codemee codemee codemee Follow Feb 23 '24 取得指向類別成員函式的指位器 # esp32 # arduino # cpp 1  reaction Comments Add Comment 2 min read Getting started with CAN bus - a practical guide with Arduino Olivier Olivier Olivier Follow Feb 20 '24 Getting started with CAN bus - a practical guide with Arduino # tutorial # programming # learning # arduino 25  reactions Comments Add Comment 9 min read I built a garage for my roomba with a ESP32. Lucho Peñafiel Lucho Peñafiel Lucho Peñafiel Follow Feb 20 '24 I built a garage for my roomba with a ESP32. # arduino # automation # esp32 # cpp 3  reactions Comments 1  comment 2 min read Blink multiple LEDs with Arduino AMANI Eric AMANI Eric AMANI Eric Follow Jan 26 '24 Blink multiple LEDs with Arduino # iot # arduino # beginners # programming 1  reaction Comments 2  comments 2 min read Fading an LED with Arduino AMANI Eric AMANI Eric AMANI Eric Follow Jan 26 '24 Fading an LED with Arduino # iot # programming # arduino # beginners 1  reaction Comments Add Comment 2 min read Blinking an LED with Arduino AMANI Eric AMANI Eric AMANI Eric Follow Jan 25 '24 Blinking an LED with Arduino # arduino # iot # programming # beginners 6  reactions Comments Add Comment 2 min read How to Connect the DHT22 and Arduino Nano Shilleh Shilleh Shilleh Follow Jan 14 '24 How to Connect the DHT22 and Arduino Nano # arduino # beginners # tutorial # diy 2  reactions Comments Add Comment 2 min read ESP32 Camera: Hardware and GPIO Functions Sebastian Sebastian Sebastian Follow Jan 8 '24 ESP32 Camera: Hardware and GPIO Functions # microcontroller # arduino # esp32 13  reactions Comments Add Comment 5 min read Arduino Nano BLE 33 Sense Microcontroller: Hardware and GPIO Functions Sebastian Sebastian Sebastian Follow Jan 1 '24 Arduino Nano BLE 33 Sense Microcontroller: Hardware and GPIO Functions # arduino # microcontroller 1  reaction Comments Add Comment 5 min read I Made the Snake Game on the Arduino UNO R4 LED Matrix with a Joystick Controller Jaiyank S. Jaiyank S. Jaiyank S. Follow Dec 4 '23 I Made the Snake Game on the Arduino UNO R4 LED Matrix with a Joystick Controller # arduino # python # gamedev 2  reactions Comments 2  comments 6 min read Sending and Receiving Binary Files with the Notecard and Notehub Rob Lauer Rob Lauer Rob Lauer Follow for Blues Nov 28 '23 Sending and Receiving Binary Files with the Notecard and Notehub # iot # embedded # arduino 1  reaction Comments Add Comment 8 min read Create And Link Your First Project With Qubitro — Qubitro Platform Step-By-Step Complete Guidance Abdul Rehman Abdul Rehman Abdul Rehman Follow Nov 18 '23 Create And Link Your First Project With Qubitro — Qubitro Platform Step-By-Step Complete Guidance # iot # arduino # qubitro # python Comments Add Comment 12 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 — 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:16
https://dev.to/t/azure/page/4
Microsoft Azure 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 Microsoft Azure Follow Hide The dev.to tag for Microsoft Azure, the Cloud Computing Platform. Create Post Older #azure 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 The Azure Hybrid Benefit Mistake That Cost Us $50K David David David Follow Dec 12 '25 The Azure Hybrid Benefit Mistake That Cost Us $50K # azure # licensing # finops # compliance Comments Add Comment 2 min read [Part 2] - Practice Azure services - Enhance security by using Key Vault and App Configuration Victor Victor Victor Follow Dec 12 '25 [Part 2] - Practice Azure services - Enhance security by using Key Vault and App Configuration # security # azure # architecture # tutorial Comments Add Comment 2 min read [Part 1] - Practice Azure services - Build a small storage management app - Upload document feature Victor Victor Victor Follow Dec 12 '25 [Part 1] - Practice Azure services - Build a small storage management app - Upload document feature # javascript # azure # dotnet # tutorial Comments Add Comment 2 min read KQL Cheat Sheet for Azure Resource Graph David David David Follow Dec 12 '25 KQL Cheat Sheet for Azure Resource Graph # azure # kql # queries # devops Comments Add Comment 1 min read The 55-Question Assessment That Prevents Azure Migration Failures David David David Follow Dec 12 '25 The 55-Question Assessment That Prevents Azure Migration Failures # azure # cloudmigration # enterprise # architecture Comments Add Comment 2 min read How I built a scalable, cost efficient cloud gaming architecture Rohith Mani varma Rohith Mani varma Rohith Mani varma Follow Dec 17 '25 How I built a scalable, cost efficient cloud gaming architecture # python # azure # aws # redis Comments Add Comment 8 min read Interconnexion multi-cloud GCP, AWS, Azure : Maîtriser le coût, la performance et la sécurité de vos flux Benoît Garçon Benoît Garçon Benoît Garçon Follow for La Formule Nuagique Dec 11 '25 Interconnexion multi-cloud GCP, AWS, Azure : Maîtriser le coût, la performance et la sécurité de vos flux # googlecloud # multicloud # aws # azure Comments Add Comment 5 min read Master Declarative Agent Workflows in VS Code Using Microsoft Foundry Shweta Jain Shweta Jain Shweta Jain Follow Dec 11 '25 Master Declarative Agent Workflows in VS Code Using Microsoft Foundry # ai # azure # agents # python 1  reaction Comments Add Comment 2 min read How to Deploy a Spreadsheet Server on Azure App Service Using Visual Studio and Docker Calvince Moth Calvince Moth Calvince Moth Follow for Syncfusion, Inc. Dec 15 '25 How to Deploy a Spreadsheet Server on Azure App Service Using Visual Studio and Docker # react # aspnetcore # azure # clouddeployment Comments Add Comment 9 min read Building Azure Infrastructure with Terraform: A Complete Guide Yency Christopher Yency Christopher Yency Christopher Follow Dec 9 '25 Building Azure Infrastructure with Terraform: A Complete Guide # terraform # azure # infrastructureascode Comments Add Comment 6 min read How to set up Multi-Factor Authentication on your Microsoft 365 account Wajeeha Zeeshan Wajeeha Zeeshan Wajeeha Zeeshan Follow for IT Services and Consulting Dec 10 '25 How to set up Multi-Factor Authentication on your Microsoft 365 account # azure # mfa # microsoft365 Comments Add Comment 2 min read Understanding Terraform Variables the Right Way published: true description: A beginner-friendly guide Yency Christopher Yency Christopher Yency Christopher Follow Dec 12 '25 Understanding Terraform Variables the Right Way published: true description: A beginner-friendly guide # terraform # infrastructureascode # azure Comments Add Comment 4 min read Unit Testing ASP.NET Core Web API with Moq and xUnit (Controllers + Services) Daniel Jonathan Daniel Jonathan Daniel Jonathan Follow Dec 7 '25 Unit Testing ASP.NET Core Web API with Moq and xUnit (Controllers + Services) # moq # unittest # azure # dotnet Comments Add Comment 5 min read How to build Azure App service step by step. Freddie HOLMES Freddie HOLMES Freddie HOLMES Follow Dec 20 '25 How to build Azure App service step by step. # azure # webdev # tutorial # beginners Comments Add Comment 3 min read MAF Agents with Azure AI Foundry Project Gonzalo Sosa Gonzalo Sosa Gonzalo Sosa Follow Dec 29 '25 MAF Agents with Azure AI Foundry Project # azure # agents # dotnet # ai 1  reaction Comments Add Comment 8 min read Stop Confusing Replication and Sharding 🔥 Sourav Bandyopadhyay Sourav Bandyopadhyay Sourav Bandyopadhyay Follow Dec 8 '25 Stop Confusing Replication and Sharding 🔥 # webdev # cloud # aws # azure Comments Add Comment 2 min read Terraform Basics – Week 6: Building and Using Your First Terraform Module Ozan Guner Ozan Guner Ozan Guner Follow Dec 7 '25 Terraform Basics – Week 6: Building and Using Your First Terraform Module # azure # terraform # devops # tutorial Comments Add Comment 9 min read Deploying a React Vite App to Azure App Service Using Docker & GitHub Actions (with OIDC) 🚀 Dimuthu Abeysinghe Dimuthu Abeysinghe Dimuthu Abeysinghe Follow Dec 6 '25 Deploying a React Vite App to Azure App Service Using Docker & GitHub Actions (with OIDC) 🚀 # azure # docker # githubactions # react Comments Add Comment 4 min read Building LogantonPA.com: AI, Azure Functions, and self-feeding content Jason C Jason C Jason C Follow Dec 7 '25 Building LogantonPA.com: AI, Azure Functions, and self-feeding content # ai # webdev # azure # automation 2  reactions Comments Add Comment 5 min read Retrieval-Augmented Generation (RAG) Agents: How to Build Grounded, Tool‑Using GenAI Systems Suraj Khaitan Suraj Khaitan Suraj Khaitan Follow Dec 28 '25 Retrieval-Augmented Generation (RAG) Agents: How to Build Grounded, Tool‑Using GenAI Systems # ai # agents # rag # azure Comments Add Comment 9 min read Azure Introduces New Networking Updates for Better Security and Reliability Arsalan Mlaik Arsalan Mlaik Arsalan Mlaik Follow for Arsalan Malik Dec 7 '25 Azure Introduces New Networking Updates for Better Security and Reliability # news # azure # networking # career 1  reaction Comments Add Comment 1 min read Microsoft Certifications Relevant to Fabric Data Engineering & Architecture teaganga teaganga teaganga Follow Dec 5 '25 Microsoft Certifications Relevant to Fabric Data Engineering & Architecture # azure # cloud # aiops # ai Comments Add Comment 3 min read Azure APIM MCP Audit Logging Without Breaking Everything René Nijkamp René Nijkamp René Nijkamp Follow Dec 3 '25 Azure APIM MCP Audit Logging Without Breaking Everything # azure # observability # mcp # apim Comments Add Comment 11 min read Terraform Basics – Week 5: Exposing Infrastructure Data with Outputs Ozan Guner Ozan Guner Ozan Guner Follow Dec 3 '25 Terraform Basics – Week 5: Exposing Infrastructure Data with Outputs # azure # devops # terraform # tutorial Comments Add Comment 5 min read Diagnosing Cross-Region Latency & Thread Pool Exhaustion in Java + Azure Cosmos DB Sudheer Kondeti Sudheer Kondeti Sudheer Kondeti Follow Dec 3 '25 Diagnosing Cross-Region Latency & Thread Pool Exhaustion in Java + Azure Cosmos DB # azure # java # cosmosdb # kubernetes 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:16
https://dev.to/p/editor_guide#author-notes
Editor Guide - 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 Editor Guide 🤓 Things to Know We use a markdown editor that uses Jekyll front matter . Most of the time, you can write inline HTML directly into your posts. We support native Liquid tags and created some fun custom ones, too! Trying embedding a Tweet or GitHub issue in your post, using the complete URL: {% embed https://... %} . Links to unpublished posts are shareable for feedback/review. When you're ready to publish, set the published variable to true or click publish depending on the editor version, you're using Links to unpublished posts (drafts or scheduled posts) are shareable for feedback/review. These posts have a notice which reads "This URL is public but secret, so share at your own discretion." They are not visible in feeds or on your profile until published. description area in Twitter cards and open graph cards We have two editor versions . If you'd prefer to edit title and tags etc. as separate fields, switch to the "rich + markdown" option in Settings → Customization . Otherwise, continue: Front Matter Custom variables set for each post, located between the triple-dashed lines in your editor Here is a list of possibilities: title: the title of your article published: boolean that determines whether or not your article is published. tags: max of four tags, needs to be comma-separated canonical_url: link for the canonical version of the content cover_image: cover image for post, accepts a URL. The best size is 1000 x 420. series: post series name. ✍ Markdown Basics Below are some examples of commonly used markdown syntax. If you want to dive deeper, check out this cheat sheet. Bold & Italic Italics : *asterisks* or _underscores_ Bold : **double asterisks** or __double underscores__ Links I'm an inline link : [I'm an inline link](put-link-here) Anchored links (For things like a Table of Contents) ## Table Of Contents * [Chapter 1](#chapter-1) * [Chapter 2](#chapter-2) ### Chapter 1 <a name="chapter-1"></a> Inline Images When adding GIFs to posts and comments, please note that there is a limit of 200 megapixels per frame/page. ![Image description](put-link-to-image-here) You can even add a caption using the HTML figcaption tag! Headings Add a heading to your post with this syntax: # One '#' for a h1 heading ## Two '#'s for a h2 heading ... ###### Six '#'s for a h6 heading Author Notes/Comments Add some hidden notes/comments to your article with this syntax: <!-- This won't show up in the content! --> Accessibility People access online content in all kinds of different ways, and there are a few things you can do to make your posts more easily understood by a broad range of users. You can find out more about web accessibility at W3C's Introduction to Web Accessibility , but there are two main ways you can make your posts more accessible: providing alternative descriptions of any images you use, and adding appropriate headings. Providing alternative descriptions for images Some users might not be able to see or easily process images that you use in your posts. Providing an alternative description for an image helps make sure that everyone can understand your post, whether they can see the image or not. When you upload an image in the editor, you will see the following text to copy and paste into your post: ![Image description](/file-path/my-image.png) Replace the "Image description" in square brackets with a description of your image - for example: ![A pie chart showing 40% responded "Yes", 50% responded "No" and 10% responded "Not sure"](/file-path/my-image.png) By doing this, if someone reads your post using an assistive device like a screen reader (which turns written content into spoken audio) they will hear the description you entered. Providing headings Headings provide an outline of your post to readers, including people who can't see the screen well. Many assistive technologies (like screen readers) allow users to skip directly to a particular heading, helping them find and understand the content of your post with ease. Headings can be added in levels 1 - 6 . Avoid using a level one heading (i.e., '# Heading text'). When you create a post, your post title automatically becomes a level one heading and serves a special role on the page, much like the headline of a newspaper article. Similar to how a newspaper article only has one headline, it can be confusing if multiple level one headings exist on a page. In your post content, start with level two headings for each section (e.g. '## Section heading text'), and increase the heading level by one when you'd like to add a sub-section, for example: ## Fun facts about sloths ### Speed Sloths move at a maximum speed of 0.27 km/h! 🌊 Liquid Tags We support native Liquid tags in our editor, but have created our own custom tags as well. A list of supported custom embeds appears below. To create a custom embed, use the complete URL: {% embed https://... %} Supported URL Embeds DEV Community Comment DEV Community Link DEV Community Link DEV Community Listing DEV Community Organization DEV Community Podcast Episode DEV Community Tag DEV Community User Profile asciinema CodePen CodeSandbox DotNetFiddle GitHub Gist, Issue or Repository Glitch Instagram JSFiddle JSitor Loom Kotlin Medium Next Tech Reddit Replit Slideshare Speaker Deck SoundCloud Spotify StackBlitz Stackery Stack Exchange or Stack Overflow Twitch Twitter Twitter timeline Wikipedia Vimeo YouTube Supported Non-URL Embeds Call To Action (CTA) {% cta link %} description {% endcta %} Provide a link that a user will be redirected to. The description will contain the label/description for the call to action. Details You can embed a details HTML element by using details, spoiler, or collapsible. The summary will be what the dropdown title displays. The content will be the text hidden behind the dropdown. This is great for when you want to hide text (i.e. answers to questions) behind a user action/intent (i.e. a click). {% details summary %} content {% enddetails %} {% spoiler summary %} content {% endspoiler %} {% collapsible summary %} content {% endcollapsible %} KaTex Place your mathematical expression within a KaTeX liquid block, as follows: {% katex %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} To render KaTeX inline add the "inline" option: {% katex inline %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} RunKit Put executable code within a runkit liquid block, as follows: {% runkit // hidden setup JavaScript code goes in this preamble area const hiddenVar = 42 %} // visible, reader-editable JavaScript code goes here console.log(hiddenVar) {% endrunkit %} Parsing Liquid Tags as a Code Example To parse Liquid tags as code, simply wrap it with a single backtick or triple backticks. `{% mytag %}{{ site.SOMETHING }}{% endmytag %}` One specific edge case is with using the raw tag. To properly escape it, use this format: `{% raw %}{{site.SOMETHING }} {% ``endraw`` %}` Common Gotchas Lists are written just like any other Markdown editor. If you're adding an image in between numbered list, though, be sure to tab the image, otherwise it'll restart the number of the list. Here's an example of what to do: Here's the Markdown cheatsheet again for reference. Happy posting! 📝 💎 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:16
https://dev.to/quoll/classy-2hah#owl
Stay Classy in OWL - 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 Paula Gearon Posted on Nov 14, 2022           Stay Classy in OWL # rdf # owl # sparql # rules In an effort to publish this quickly, I am posting without proofreading. Errata is welcome. In the last post I discussed using rules to generate RDF statements that are entailed by RDFS . This is useful stuff, but is very limited due to the lack of expressivity of RDFS. This is to be expected, since RDFS was a limited vocabulary that was released well before the full Web Ontology Language ( OWL ) was released. But if we adopt OWL, then what entailments will be valid and useful? Description Logics As shown in my first post in this series , OWL provides a vocabulary for a Description Logic. In particular, OWL2 conforms closely to a family of logics known as 𝒮ℛ𝒪ℐ𝒬. This name indicates some of the elements of the vocabulary: 𝒮: An Abbreviation for 𝒜ℒ𝒞 𝒜ℒ𝒞: Contains concepts including: Classes C , and roles r ⊤ (top, or everything ) ⊥ (bottom, or nothing ) ⊓ (conjunctions, or intersections) ⊔ (disjunctions, or unions) ¬ (negation, or inverse) ∃r.C (existential role restrictions) ∀r.C (universal role restrictions) ℋ: Class hierarchies (classes, with subclasses) ℛ: Complex role inclusion. This is both a role hierarchy (indicated by ℋ) and role composition. ℐ: Inverse roles. 𝒪: Nominals. 𝒩: Cardinality restrictions on roles. 𝒬: Qualified cardinality. This includes cardinality restrictions (indicated by 𝒩), and can also qualify them to classes. To explain each of the above: Classes are a way to classify things. Entities can be classified multiple ways, in which case we say the entity has a type of the class, or that the entity is an instance of the class. e.g. Person can be a class and the entity we name "Alice" may be an instance of Person . Roles describe relationships between entities. e.g. an entity named "Alice" may have a hasChild relationship to an entity named "Susan". Top is a universal class that every entity is an instance of. Bottom is an empty class that no entity is an instance of. Conjunctions are the combination of multiple classes where every class must apply. e.g. A wooden chair is an instance of the conjunction formed from the classes Wooden and Furniture . Disjunctions are the combination of multiple classes where one or more classes must apply. e.g. OfficeEquipment could be a disjunction of OfficeFurniture , ComputerEquipment , Stationery , and KitchenSupplies . Negation is used to create a class of everything that is not the negated class. e.g. The negation of the class of Visible things is everything that cannot be seen. That includes both physical objects, like air, but also arbitrary concepts like "imagination" or "price". It is the entire universe of things that are not in the Visible class. Existential role restrictions means that a given relationship must exist in order to be a member of a class. e.g. To be a Parent an entity must have a hasChild relationship to another entity. Universal role restrictions means that all use of a role has to be with a specific class. e.g. hasChild can be defined to always refer to instances of the class Child . Role hierarchy indicates more general or specific relationships between roles. This creates sub-property and super-property relationships and is roughly analogous to sub-classes and super-classes. e.g. hasDaughter is a more specific role than hasChild , while hasDescendent is a more general role. So hasDaughter is a sub-property for hasChild , and hasChild is a sub-property for hasDescendent . Inverse roles refers to the relationship that goes in the opposite direction between entities. e.g. hasParent is the inverse role to hasChild . Nominals describes a class of items that is defined by its membership in the class. e.g. PresidentOfTheUnitedStates can be defined as a class of the 46 people who have had that position (as of this writing). Number restrictions (or cardinality restrictions ) refers to a minimum or maximum number of relationships. e.g. To be a member of FullTimeStudent a university might require that a student have a minimum of 4 enrolledIn relationships. Qualified cardinality is a more specific type of nominal, where the class of the relationship must apply. e.g. For a student to be a MathMajor they might require a minimum of 10 passed relationships to instances of MathSubject . OWL These constructs are all supported by OWL , and each of those constructs has a mapping to RDF . This means that for each Description Logic expression there is a way to express that expression precisely in RDF. It is data like this that was read and processed by Pellet in the Oedipus example in my initial post . The problem with systems like Pellet is that they rely on memory to explore all possibilities for the data. Consequently, they can struggle with large bodies of data, and are unable to handle large ontologies such as SNOMED CT . We have a much better chance of scaling OWL processing if we can use operations that databases are designed to provide. The principal database operation is the Query , and so the various approaches to scaling try to build on this operation. Query Rewriting One approach to identifying entailments in OWL is by using it to rewrite queries. The first to consider is a general approach to rewriting queries, where the query can be expanded to ask for parts of the ontology. For instance, consider asking for the classes a resource is an instance of: select ?class where { my : resource a ?class } Enter fullscreen mode Exit fullscreen mode This can be rewritten to consider superclasses as well: select ?class where { my : resource a / rdfs : subClassOf * ?class } Enter fullscreen mode Exit fullscreen mode Where the * modifier describes the transitive closure of the rdfs:subClassOf relationship, starting with the 0 step, meaning that it includes the step where the class is the immediate type of the resource. A more specific case is using the ontology to rewrite the query. For instance, if the property my:prop is transitive, then querying for it can always be expanded to use the + modifier. So the query: select ?related where { my : resource my : prop ?related } Enter fullscreen mode Exit fullscreen mode Would be modified to: select ?related where { my : resource my : prop + ?related } Enter fullscreen mode Exit fullscreen mode These are some trivial examples, but some great work was done on this by ‪Héctor Pérez-Urbina in his PhD dissertation . Rules Another approach to scalable entailment is using rules. The mechanism for this is using certain existing data structures to generate new data structures that get inserted alongside the original data. I described this in the last post , where I used construct queries to obtain the data generated by each rule. The other option is to send this generated statements back into the graph by changing construct to insert . For instance, the transitive closure of the property my:prop above could be created with an update operation: insert { ?a my : prop ?c } where { ?a my : prop ?b . ?b my : prop ?c } Enter fullscreen mode Exit fullscreen mode Note that this is a single update, and not actually a full "rule". Running this will only extend all of the my:prop relations by 1 step, doubling the length to 2. But running this iteratively will extend the maximum length of the closure by doubling, so it will rapidly cover the entire closure. What we can learn from this is that rule systems can be built from query/update operations like this, but they need a mechanism for scheduling the rules to be run over and over when needed, and to stop when nothing new is being generated. The basic algorithm for doing this is called RETE , and I discussed this and an implementation at Clojure/conj 2016 . Because rules are built on a querying mechanism that is foundational to the database, they are often very fast. They also rely on the main database storage, so they can scale with the database. They allow computational complexity to be pre-calculated, with the results stored. This allows subsequent operations to rely on space complexity instead. These are very important characteristics for working with large quantities of data, and for this reason I will be focusing on this approach to entailment. Rule Justification Many OWL operations describe entailments that can be expressed as a rule. For instance, the OWL 2 Structural Specification and Functional-Style Syntax document describes many constructs with examples of what they entail. There are many examples of this, but a simple one is the Symmetric Object Property which describes that a:friend is symmetric. Consequently, if "Brian is a friend of Peter" then this entails "Peter is a friend of Brian". The general rule for symmetry can then be given as: insert { ?b ?prop ?a } where { ?a ?prop ?b . ?prop a owl : SymmetricProperty } Enter fullscreen mode Exit fullscreen mode This can seem to be a straightforward operation, but interesting insights come about when we consider exactly why these new statements are allowed to be asserted. Validity and Consistency Logic systems can be described using a pair of properties: validity and consistency. A system is valid if every interpretation of the systems leads to conclusions that are true. A system is invalid if there exists an interpretation where the conclusions are not true. A system is consistent if there exists an interpretation where the conclusions are true. A system is inconsistent if there are no interpretations where the conclusions are true. The interpretation of a system is a selection of values that conform to the system. To explain some of this, let's use the mathematical domain. In this case, the interpretation will usually be a selection of numbers to associate with values. Valid Since every possible interpretation of a valid system is true, these are also referred to as a tautology . At first glance, this does not seem that useful, however it is a very important concept. An example of a valid math expression is: | x | ≥ x The various interpretations of this system are the values that x can take in the domain of real numbers ℝ. In this case, it doesn't matter what value x takes, since the equation will always be true. This is still logic, so we can introduce an or operation, with another valid equation: x > 1 ∨ x < 2 Again, this is a tautology, as it will be true for every interpretation of x in the domain. Invalid This applies to any system which is not valid. That simply means that there exists an interpretation where truth does not hold. For instance: x > 2 This is true when x is 3 or 4, but it is not true when x is 1 or 2. Lots of systems are Invalid, since tautologies (i.e. valid systems) don't have a lot to say. Consistent A system is consistent when there exists an interpretation that leads to truth. The example invalid statement also happens to be consistent: x > 2 As already mentioned, when x is 3 then the statement is true, so this system is consistent. Inconsistent This indicates that a system is not consistent, meaning that there are no possible interpretations which can be true. For instance: x < 3 ∧ x > 4 There are no numbers that meet both of these conditions, and therefore there are no interpretations where this is true. Relations to Each Other When considered in relation to one another we see the following states for systems: Always true: Valid and Consistent Sometimes true, Sometimes false: Invalid and Consistent Always false: Invalid and Inconsistent Entailment Entailment is the operation of finding new statements that are true in every possible interpretation of a system, given its semantics. This is possible when using the Open World Assumption (OWA), since new statements can always be added, which is a concept that is sometimes expressed as, "Anyone can say Anything about Anything" (this phrase appears in an early draft of the RDF Concepts and Abstract Data Model , and also in the book " Semantic Web for the Working Ontologist ", by Allemang, Hendler, and now in the second edition, Gandon. I will refer to this book as SWWO). This cuts both ways though: not only does it mean that new statement may be created, but it also limits which statements may be created. The OWA says that there are possibly a lot of other statements that the system does not describe which could lead to a statement not being possible in every possible interpretation. When it comes to identifying new statements that can be entailed, it is a useful exercise to consider all the possible constructs that could lead to the statement leading to a falsehood, even if it requires a convoluted set of statements to get there. Tableaux One approach in using validity and consistency is to determine if a given system entails a statement using the Tableaux Algorithm. In this case, for a given system 𝑮 an entailment 𝑨 is described as: 𝑮 ⊨ 𝑨 This entailment can only be true if: 𝑮 ⋃ {¬𝑨} is inconsistent This is a useful test, because the algorithm need only discover a single false case to prove inconsistency. Pellet is an implementation of this algorithm, and while it does not scale to very large ontologies, it is nevertheless very powerful. Rules Another approach to entailment is to use rules. As mentioned above, this can be done when we know that a statement is legal in every possible interpretation of the system. There is a defined subset of possible reasoning in OWL2 which can lead to entailments via rules. This subset is called the OWL 2 RL Profile , and the rules can be found in tables 4 through to table 9 in the rules section of the OWL 2 Profiles document. It is some of these rules that I want to explore here and in other posts. Intersections A practical application of all of this can be seen in Intersections. As described in SWWO , an intersection of classes :A and :B can be described using a subclass relationship: This is described in Turtle as: : IntersectionAB rdfs: subClassOf : A, : B . Enter fullscreen mode Exit fullscreen mode Let's consider what can be inferred from this. If we have an instance of :IntersectionAB called :x , then this is represented as: : x a : IntersectionAB . Enter fullscreen mode Exit fullscreen mode The rule rdfs9 is: insert { ?zzz a ?yyy } where { ?xxx rdfs : subClassOf ?yyy . ?zzz a ?xxx } Enter fullscreen mode Exit fullscreen mode Applying this will result in :x being an instance of both :A and :B : : x a : IntersectionAB . : x a : A . : x a : B . Enter fullscreen mode Exit fullscreen mode These inferences are valid, because the definition of the rdfs:subClassOf relationship states and instances of a subclass will also be instances of the superclass. There are no interpretations where this does not hold. Class Membership Another possibility is when :y is a member of both :A and :B . : y a : A . : y a : B . Enter fullscreen mode Exit fullscreen mode It would seem reasonable to infer that :y is therefore an instance of :IntersectionAB . However, inferences are only valid if they apply in every possible system, and the Open World Assumption (OWA) must allow for any new consistent statement. There are statements that can be introduced that are both consistent with the existing statements, and inconsistent with inferring :y as a member of :IntersectionAB . To see an example of this, we can introduce a two new classes, called :C and :D , are the complements of each other. This means that anything that is a member of :C is not a member of :D , and vice versa. We can also make :IntersectionAB a subclass of :C : : IntersectionAB rdfs: subClassOf : A, : B, : C . : C owl: complementOf : D . Enter fullscreen mode Exit fullscreen mode If :y becomes an instance of :D then if cannot be a part of the intersection, since it cannot be an instance of :C . : IntersectionAB rdfs: subClassOf : A, : B, : C . : C owl: complementOf : D . : y a : A, : B, : D . Enter fullscreen mode Exit fullscreen mode Regardless of how contrived the example may be, the fact that any such example exists indicates that the inference may not be made. OWL Intersections The problem with inferring membership in an intersection above is that the intersection is open , meaning that new classes can be added to the intersection, and those classes can preclude an instance of the other classes from becoming a member. OWL addresses this by defining an closed intersection using an RDF Collection . This uses a linked list structure that does not allow for extra members. Redefining :IntersectionAB we can express this in TTL as: : IntersectionAB owl: intersectionOf ( : A : B ) . Enter fullscreen mode Exit fullscreen mode This looks short and simple, but expands into a longer set of triples: : IntersectionAB owl: intersectionOf _: b1 . _: b1 rdf: first : A . _: b1 rdf: rest _: b2 . _: b2 rdf: first : B . _: b2 rdf: rest rdf: nil . Enter fullscreen mode Exit fullscreen mode RDF defines collections to have a specific structure with each node in the list having a single rdf:first and rdf:rest connection, terminating in the rdf:nil node. This means that it is not a valid construct to include any more elements in the collection. As a consequence, if there is an element :y which is an instance of both :A and :B , then it is not possible to add in triples that make :y a member of something that is excluded from the intersection. Therefore, it is valid to infer that :y is in the intersection: : y a : IntersectionAB . Enter fullscreen mode Exit fullscreen mode This is described in the OWL semantics, and demonstrated in the OWL 2 RL profile in the rule cls-int1 found in table 6. This rule states: IF T(?c, owl:intersectionOf, ?x) LIST[?x, ?c1, ..., ?cn] T(?y, rdf:type, ?c1) T(?y, rdf:type, ?c2) ... T(?y, rdf:type, ?cn) Enter fullscreen mode Exit fullscreen mode THEN T(?y, rdf:type, ?c) Enter fullscreen mode Exit fullscreen mode In English it says: If ?c is an intersection described by ?x and ?x is a list containing ?c1 through to ?cn and ?y is an instance of every element in that list Then ?y is an instance of the intersection ?c In Practice Unfortunately, this is tricky to describe in SPARQL. It is easy to check if a value is an instance of one or more members of a list, but how can you check if it is a member of every member of the list? Let's start with some example data, and try to perform the entailment on it. First of all, we can define the intersection of 3 classes: :A , :B and :C . Then we'll describe 3 objects: :m , :n , and :o . The :m object will be an instance of all 3 classes The :n object will be an instance of 2 of the 3 classes The :o object will not be an instance of any of the classes We should be able to find that :m is a member of the intersection, while :n and :o are not. : IntABC owl: intersectionOf ( : A : B : C ). : m a : A, : B, : C . : n a : A, : C . : o a : D . Enter fullscreen mode Exit fullscreen mode Let's start with finding a value ?y which is a member of the intersection class ?c : select distinct ?y where { ?c owl : intersectionOf ?x . ?x rdf : rest */ rdf : first ?cn . ?y a ?cn } Enter fullscreen mode Exit fullscreen mode This returns :m and :n , since they are both instances of classes in the intersection. Now we need to remove values of ?x which don't match every class in the intersection. To do that, start with finding those that don't match everything in the intersection. This can be found by considering each element in the collection (call it ?d ) and pairing it with every other element in the collection (call these ?d2 ). We can then look for the instances of ?d : select distinct ?y ?d ?2 where { ?c owl : intersectionOf ?x . ?x rdf : rest */ rdf : first ?d . ?x rdf : rest */ rdf : first ?d2 . FILTER ( ?d ! = ?d2 ) ?y a ?d } Enter fullscreen mode Exit fullscreen mode This returns every class paired with every other class, but only for instances of the first class: ?y ?d ?d2 :m :C :A :m :C :B :m :A :C :m :A :B :m :B :A :m :B :C :n :C :A :n :C :B :n :A :C :n :A :B Note how :n does not include a ?d equal to :B , but it does have ?d2 set to each value. If we remove cases where ?y is set to the second value, then everything will be removed for ?y = :m , since: when ?y is :m , and :m is an instance of :A , then ?y is also an instance of :B and :C when ?y is :m , and :m is an instance of :B , then ?y is also an instance of :A and :C . when ?y is :m , and :m is an instance of :C , then ?y is also an instance of :A and :B However, when ?y is :n not everything is cancelled: when ?y is :n , and :n is an instance of :A , then ?y is and instance of :C , and that gets removed, but :n is not an instance of :B . when ?y is :n , and :n is an instance of :C , then ?y is an instance of :A , and that gets removed, but :n is not an instance of :B . The query to express this is: select distinct ?y ?d ?d2 where { ?c owl : intersectionOf ?x . ?x rdf : rest */ rdf : first ?d . ?x rdf : rest */ rdf : first ?d2 FILTER ( ?d ! = ?d2 ) ?y a ?d MINUS { ?y a ?d2 }} Enter fullscreen mode Exit fullscreen mode ?y ?d ?d2 :n :C :B :n :A :B Now that we've found the values of ?y that we don't want, they can be removed from the original query: select distinct ?y where { ?c owl : intersectionOf ?x . ?x rdf : rest */ rdf : first ?cn . ?y a ?cn MINUS { ?x rdf : rest */ rdf : first ?d . ?x rdf : rest */ rdf : first ?d2 . FILTER ( ?d ! = ?d2 ) ?y a ?d MINUS { ?y a ?d2 } } } Enter fullscreen mode Exit fullscreen mode This gives the single solution of :m ?y :m So the final rule is: insert { ?y a ?c } where { ?c owl : intersectionOf ?x . ?x rdf : rest */ rdf : first ?cn . ?y a ?cn MINUS { ?x rdf : rest */ rdf : first ?d . ?x rdf : rest */ rdf : first ?d2 . FILTER ( ?d ! = ?d2 ) ?y a ?d MINUS { ?y a ?d2 } } } Enter fullscreen mode Exit fullscreen mode NOTE: This query is for demonstration only. These operations are implemented doubly nested loops, which will not scale at all. It works for small ontologies, but if you try it on something like SNOMED then you will discover that the database will process for over a week. Non-standard SPARQL operations can do this much more efficiently. Final Comment This post was to introduce people to some of the more detailed elements of OWL's representation of Description Logic, explained Valid models are ones in which all interpretations will be true, and how entailment can be made for Consistent statements that lead to correct models for every possible interpretation. The examples at the end demonstrated how entailment can be limited in the open structures of RDFS, but is more capable for the closed structures described in OWL, always remembering that the model itself always follows the Open World Assumption. The SPARQL rule for owl:intersectionOf was me being clever, even if it's useless in the real world due to the scalability issues. 😊 I've been doing this in the real world with code that is outside of SPARQL, but I ought to be able to do it with SPARQL extensions like stardog:list:member (this could remove one level of loop in the above query, but I think it's possible to do even better). All of this is to provide background for my next blog post, which I ought to be able to start now that I've finished writing this! 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 Paula Gearon Follow Just a girl, standing before a compiler, asking it to love her Location Spotsylvania, VA Education Computer Engineering. Physics. Work Semantic Web Architect Joined Dec 1, 2018 More from Paula Gearon Classification # rdf # owl # sparql # rules What Can't I do, as a Rule? # rdf # owl # sparql # rules 💎 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:16
https://stripe.com/en-lt/privacy
Chat with Stripe sales Privacy Policy Stripe logo Legal Stripe Privacy Policy & Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the Europe
2026-01-13T08:49:16
https://dev.to/t/showdev#main-content
Show DEV - 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 Show DEV Follow Hide Show off what you've built! Create Post submission guidelines For showing off projects and launching products. Please make posts community-driven and not overly corporate or salesy. Typically it is for showing off your thing or your company's thing. You can however, show off someone else's thing, but just make it clear it's theirs and not yours. Don't just use this tag to share posts or tutorials your proud of — this is really for projects. Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu You can't trust Images anymore pri pri pri Follow Jan 12 You can't trust Images anymore # showdev # computervision 11  reactions Comments Add Comment 4 min read OKAN KAPLAN SOUND LAB – Infinite Jazz Generator | Live Coding with JavaScript okan kaplan okan kaplan okan kaplan Follow Jan 12 OKAN KAPLAN SOUND LAB – Infinite Jazz Generator | Live Coding with JavaScript # showdev # algorithms # javascript Comments Add Comment 1 min read I'm a Developer Who Can't Market - So I Built an AI to Do It For Me Arsene Muyen Lee Arsene Muyen Lee Arsene Muyen Lee Follow Jan 13 I'm a Developer Who Can't Market - So I Built an AI to Do It For Me # showdev # ai # productivity # opensource Comments Add Comment 4 min read I built a Meme Creator to roast my own Spaghetti Code (No watermarks, no BS, free!) Brian Zavala Brian Zavala Brian Zavala Follow Jan 13 I built a Meme Creator to roast my own Spaghetti Code (No watermarks, no BS, free!) # showdev # webdev # watercooler # react Comments Add Comment 1 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 Making VS Code "Read My Mind": Building Smart Context Awareness freerave freerave freerave Follow Jan 10 Making VS Code "Read My Mind": Building Smart Context Awareness # showdev # vscode # productivity # freerave Comments Add Comment 2 min read Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice codebunny20 codebunny20 codebunny20 Follow Jan 12 Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice # showdev # opensource # privacy # tooling Comments Add Comment 1 min read I built an interactive SHA-256 visualizer to finally understand how it works Jamal ER-RAKIBI Jamal ER-RAKIBI Jamal ER-RAKIBI Follow Jan 12 I built an interactive SHA-256 visualizer to finally understand how it works # showdev # algorithms # learning # security Comments Add Comment 1 min read I built a spatial 3D knowledge graph with React Three Fiber & Gemini AI 🌌 DewTM DewTM DewTM Follow Jan 12 I built a spatial 3D knowledge graph with React Three Fiber & Gemini AI 🌌 # showdev # react # threejs # javascript Comments Add Comment 1 min read maqam music okan kaplan okan kaplan okan kaplan Follow Jan 10 maqam music # showdev # algorithms # webdev # javascript 5  reactions Comments Add Comment 1 min read I built an AI tutor to learn GeoGuessr-style visual geography (not a solver) TunaDev TunaDev TunaDev Follow Jan 12 I built an AI tutor to learn GeoGuessr-style visual geography (not a solver) # showdev # ai # learning # opensource Comments Add Comment 1 min read I got tired of memorizing swaggo comment order, so I made this WonJeong Kim WonJeong Kim WonJeong Kim Follow Jan 9 I got tired of memorizing swaggo comment order, so I made this # showdev # go # vscode # swagger Comments Add Comment 3 min read From 100+ Manual Edits to an AI Workflow: Mastering "People Removal" with Nano Banana 🍌 Xing Xiong Xing Xiong Xing Xiong Follow Jan 12 From 100+ Manual Edits to an AI Workflow: Mastering "People Removal" with Nano Banana 🍌 # showdev # ai # promptengineering # indiehackers Comments 1  comment 3 min read How I Built a Manual Resume Review System with Spring Boot & Angular Resumemind Resumemind Resumemind Follow Jan 12 How I Built a Manual Resume Review System with Spring Boot & Angular # showdev # angular # career # springboot Comments Add Comment 3 min read Let's Build a Deep Learning Library from Scratch Using NumPy (Part 4: nn.Module) zekcrates zekcrates zekcrates Follow Jan 12 Let's Build a Deep Learning Library from Scratch Using NumPy (Part 4: nn.Module) # showdev # deeplearning # python # tutorial Comments Add Comment 4 min read Project BookMyShow: Day 6 Vishwa Pratap Singh Vishwa Pratap Singh Vishwa Pratap Singh Follow Jan 11 Project BookMyShow: Day 6 # showdev # webdev # laravel # react Comments Add Comment 1 min read I Built a Reddit Keyword Monitoring System. Here's What Actually Works. Short Play Skits Short Play Skits Short Play Skits Follow Jan 10 I Built a Reddit Keyword Monitoring System. Here's What Actually Works. # showdev # automation # monitoring # startup Comments Add Comment 2 min read Building the "Round City" of Baghdad in Three.js: A Journey Through History and Performance bingkahu bingkahu bingkahu Follow Jan 12 Building the "Round City" of Baghdad in Three.js: A Journey Through History and Performance # showdev # webdev # javascript # html 1  reaction Comments Add Comment 2 min read 🤔 I Got Tired of Typing Git Commands… So I Built My Own One-Command Git Tool in Python Aegis-Specter Aegis-Specter Aegis-Specter Follow Jan 12 🤔 I Got Tired of Typing Git Commands… So I Built My Own One-Command Git Tool in Python # showdev # automation # git # python Comments Add Comment 2 min read I built a free URL shortener with QR codes and click tracking — looking for feedback Ivan Jurina Ivan Jurina Ivan Jurina Follow Jan 12 I built a free URL shortener with QR codes and click tracking — looking for feedback # discuss # showdev # tooling # webdev Comments Add Comment 1 min read I Built 97 Free Online Tools (and Games) While Learning to Ship Consistently Axonix Tools Axonix Tools Axonix Tools Follow Jan 12 I Built 97 Free Online Tools (and Games) While Learning to Ship Consistently # showdev # learning # productivity # webdev 3  reactions Comments 1  comment 2 min read I Built a Mock API Platform in 2.5 Months (Django + React + Redis + PostgreSQL) Marcus Marcus Marcus Follow Jan 11 I Built a Mock API Platform in 2.5 Months (Django + React + Redis + PostgreSQL) # showdev # django # webdev # startup Comments Add Comment 2 min read I built a free JSON formatter tool (with $9 API option) Mustapha Kamel Alami Mustapha Kamel Alami Mustapha Kamel Alami Follow Jan 12 I built a free JSON formatter tool (with $9 API option) # showdev # nextjs # tooling # webdev Comments 1  comment 1 min read Day 100 of 100 days dsa coding challenge Manasi Patil Manasi Patil Manasi Patil Follow Jan 12 Day 100 of 100 days dsa coding challenge # challenge # algorithms # devjournal # showdev 1  reaction Comments Add Comment 2 min read Building Modern Backends with Kaapi: Request validation Part 2 ShyGyver ShyGyver ShyGyver Follow Jan 11 Building Modern Backends with Kaapi: Request validation Part 2 # showdev # typescript # node # opensource Comments Add Comment 3 min read loading... trending guides/resources DEV's Worldwide Show and Tell Challenge Presented by Mux: Pitch Your Projects! $3,000 in Prizes. 🎥 I Built a Tool to Stop Wasting Time on Toxic Open Source Projects CSS Iceberg When is a side project worth committing to? 🎉 DEV Wrapped 2025 – See Your Year in Code! I built a self-hosted Google Forms alternative and made it open source! 🎉 Advent of AI 2025 - Day 17: Building a Wishlist App with Goose and MCP-UI I Built a Free JARVIS AI Clone (and You Can Too) 🚀 AI Dev: Plan Mode vs. SDD — A Weekend Experiment Every Website Has Dark Mode. I Added Christmas Mode. From Bolt.new to Production: How I built a React Native app using Copilot and MCP. Investigating Error Logs Using LangGraph, LangChain and Watsonx.ai Show DEV: I Built an Image-to-3D SaaS Using Tencent's New Hunyuan 3D AI The Context-Switching Problem: Why I Built a Tracker That Lives in My Terminal. I built a Google Maps Clone using Next.js 16 + Leaflet — now it’s an Open-Source Starter Kit I Built OpenFields ( Free Alternative to ACF for WP ) Generating Application Specific Go Documentation Using Go AST and Antora Neo4J Protege Plugin OmniDictate v2.0: The Future of Local Dictation on Windows why i built yet another todo app 💎 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:16
https://dev.to/inboryn_99399f96579fcd705/kubernetes-namespace-isolation-why-its-not-a-security-feature-and-what-actually-is-2nf1
Kubernetes Namespace Isolation: Why It's Not a Security Feature (And What Actually Is) - 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 inboryn Posted on Jan 12 Kubernetes Namespace Isolation: Why It's Not a Security Feature (And What Actually Is) # kubernetes # devops # webdev If you've been managing Kubernetes clusters for any length of time, you've probably heard it: "Use namespaces for security isolation." It's passed around as conventional wisdom in DevOps circles. But here's the uncomfortable truth—it's a dangerous misconception that's leaving production systems vulnerable. Namespaces are not a security boundary. Let me repeat that: Kubernetes namespaces provide logical separation, not security isolation. Understanding this distinction could be the difference between a compromised cluster and a secure one. The Myth: Namespaces as Security Boundaries Most engineers believe that namespaces create security barriers between workloads. Different teams get their own namespace, applications are isolated, problems in one namespace won't affect another. But here's the problem: Workloads in different namespaces can communicate with each other freely by default. An attacker who gains access to any pod can send traffic to pods in other namespaces using simple DNS: service.namespace.svc.cluster.local. Why Namespaces Don't Work as Security Boundaries No Network Isolation by Default Without Network Policies, all pods can talk to all other pods, regardless of namespace. A compromised pod can communicate with the database in another namespace. This is the default behavior—a security nightmare if you're relying on namespaces for isolation. Shared API Server Access Every pod has access to the Kubernetes API server. If a pod is compromised with overly permissive RBAC rules, an attacker can enumerate and access resources across namespaces. Shared Kernel All pods on a node share the same Linux kernel. Without Pod Security Standards, a container breakout could give access to the entire node—all namespaces included. Shared etcd A single compromise could expose all cluster data across all namespaces. What Actually Provides Security in Kubernetes If namespaces aren't the answer, what is? Here's the real security stack you need: Network Policies (Non-Negotiable) Network Policies control traffic between pods. This is your primary defense. Always implement network policies for production workloads. RBAC (Role-Based Access Control) RBAC controls what identities can do with the Kubernetes API. Follow the principle of least privilege: workloads should have minimum permissions needed. Pod Security Standards Pod Security Standards enforce security constraints: Prevent privileged containers Block root execution Restrict capabilities Enforce read-only root filesystems Secrets Management Don't store secrets in configmaps. Use dedicated secret management like HashiCorp Vault, AWS Secrets Manager, or Sealed Secrets. Network Encryption Enable TLS for inter-pod communication Encrypt etcd at rest Use TLS for API server communication Container Image Security Use minimal base images Scan for vulnerabilities Run as non-root The Bottom Line Namespaces are a convenient organizational tool. They help you group workloads and manage resources. But security? That's something else entirely. If you're using namespaces as your security boundary, treat this as urgent. Start implementing Network Policies today. Audit your RBAC rules. Segregate sensitive workloads. Enforce Pod Security Standards. Your production environment depends on it. 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 inboryn Follow Joined Nov 30, 2025 More from inboryn How I Reduced Docker Images from 1.2GB to 180MB # webdev # devops # docker How I Debug Kubernetes Pods in Production (Without Breaking Things) # kubernetes # devops # docker Why Your Terraform Modules Are Technical Debt (And What to Do About It) # terraform # devops # architecture # webdev 💎 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:16
https://dev.to/omnarayan
Om Narayan - 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 Om Narayan Co-founder at RobusTest Location Hyderabad India Joined Joined on  Sep 14, 2025 Personal website https://devicelab.dev/ More info about @omnarayan 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 13 posts published Comment 0 comments written Tag 0 tags followed HIPAA Mobile QA Checklist: Your Testing Pipeline is a Compliance Risk Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 HIPAA Mobile QA Checklist: Your Testing Pipeline is a Compliance Risk # security # healthcare # testing # compliance 1  reaction Comments Add Comment 5 min read Renting Test Devices is Financially Irresponsible. Here's the Math. Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 Renting Test Devices is Financially Irresponsible. Here's the Math. # testing # mobile # devops # startup 1  reaction Comments Add Comment 5 min read Sub-50ms Latency: The Physics of Fast Mobile Automation Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 Sub-50ms Latency: The Physics of Fast Mobile Automation # testing # performance # mobile # cicd 4  reactions Comments Add Comment 8 min read Binary Sovereignty: Stop Uploading Your Unreleased App to Strangers Om Narayan Om Narayan Om Narayan Follow Dec 28 '25 Binary Sovereignty: Stop Uploading Your Unreleased App to Strangers # security # mobile # testing # devops Comments Add Comment 6 min read Maestro Flakiness: Source Code Analysis Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Maestro Flakiness: Source Code Analysis # testing # mobile # opensource # automation Comments Add Comment 5 min read BrowserStack Alternative: Your Own Devices Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 BrowserStack Alternative: Your Own Devices # testing # mobile # devops # automation Comments Add Comment 7 min read Migrate BrowserStack to DeviceLab: Appium Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Migrate BrowserStack to DeviceLab: Appium # appium # testing # mobile # automation Comments Add Comment 7 min read Migrate BrowserStack to DeviceLab: Maestro Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Migrate BrowserStack to DeviceLab: Maestro # maestro # testing # mobile # devops Comments Add Comment 6 min read Getting Started with DeviceLab (5-Min Setup) Om Narayan Om Narayan Om Narayan Follow Dec 25 '25 Getting Started with DeviceLab (5-Min Setup) # mobile # testing # automation # android Comments Add Comment 2 min read Maestro on Real iOS Devices: Working Guide Om Narayan Om Narayan Om Narayan Follow Dec 22 '25 Maestro on Real iOS Devices: Working Guide # ios # testing # mobile # automation Comments Add Comment 4 min read OpenSTF is Dead: The Best Alternative for Mobile Device Labs in 2025 Om Narayan Om Narayan Om Narayan Follow Dec 16 '25 OpenSTF is Dead: The Best Alternative for Mobile Device Labs in 2025 # openstf # mobile # testing # android Comments Add Comment 5 min read Went in to support Maestro for physical devices. Came out with even more. Om Narayan Om Narayan Om Narayan Follow Dec 8 '25 Went in to support Maestro for physical devices. Came out with even more. # maestro # ios # testing Comments Add Comment 3 min read We Architected CockroachDB the Wrong Way (And It Works Om Narayan Om Narayan Om Narayan Follow Sep 20 '25 We Architected CockroachDB the Wrong Way (And It Works # database # cockroachdb # architecture # devops 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:16
https://dev.to/help/customizing-your-feed#main-content
Customizing Your Feed - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Customizing Your Feed Customizing Your Feed In this article The "Feed" Tags Follow Tags Hide Tags Users Follow Users Block Users Your Reading List Common Questions What about my post's Google ranking? Tailor your reading experience on DEV to suit your preferences. The "Feed" The home page is tailored to each individual DEV member based on what they're following. Every now and then, the DEV Team may "pin" a post to the homepage if it's an announcement that is relevant to all folks, but these are generally posts from the DEV Team. Your feed is where you'll discover a diverse range of articles published by developers worldwide. You can filter the content displayed on your feed based on the type of articles you want to read. Currently, we offer three feed sort options: Relevant, Latest, and Top. Follow tags and users to customize your feed and discover content tailored to your interests. Utilize Subscription Options: With subscription indicators, you can subscribe to new articles from users or organizations you follow, as well as through any of your existing comment subscriptions. Easily manage your subscriptions and unsubscribe from any article or thread that's becoming too popular. With these features, you'll never miss out on an interesting discussion happening on DEV. Stay informed and engaged with the latest comments and articles tailored to your interests. Tags Follow Tags Tags are unique keywords attached to posts to categorize related articles under specific and defined groups. They cover a wide range of topics and feature thousands of posts, from coding tutorials to career advice, catering to both beginners and experienced developers. Following tags on DEV means subscribing to updates and content related to specific topics of interest. By following a tag, you'll see relevant posts in your feed or notifications, enabling you to stay informed, personalize your experience, and connect with others who share similar interests within the community. Hide Tags Just as you can follow tags, you can also hide them. Articles with hidden tags will no longer appear in your Relevant feed, providing you with a more tailored browsing experience. Hiding tags gives you greater control over your feed. Just follow these steps: Tags Page: Visit the tags page and use the search feature to find and hide specific tags. Dashboard: Navigate to the "Following tags" section on your dashboard. Press the three dots to access the hide option and conceal tags from your feed. You can easily manage your Hidden Tags directly from your dashboard. Access the "Hidden tags" section to view and unhide tags at any time, bringing articles with those tags back to your feed. Users Follow Users In order to stay in touch with people in your feed, you can follow them! Just navigate to the member's page and tap that follow button to get alerts when they post new content and prioritize their content in your feed. Block Users You are always able to block users from your feed and from seeing your content by navigating to the three dots in the top right corner of their page and clicking Block. If this member is posting especially harmful content or is a spam account, feel free to also flag this member for us in the same location. Your Reading List By clicking the Bookmark button on an article, you can collect posts to read later and keep them forever in your dashboard. To access these articles, simply navigate to your profile icon, click on "Reading List," and you'll find all your saved posts there." Common Questions What about my post's Google ranking? You can set the canonical_url of your post before publishing so that Google knows where to send the link juice (that precious, precious link juice). 💎 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:16
https://forem.com/t/bluegreen#main-content
Bluegreen - 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 # bluegreen Follow Hide Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Сине-зеленое развертывание на EKS Khadijah (Dana Ordalina) Khadijah (Dana Ordalina) Khadijah (Dana Ordalina) Follow Jan 9 Сине-зеленое развертывание на EKS # eks # aws # bluegreen # programming Comments Add Comment 1 min read 🟦🟩 Blue/Green Deployment Strategy likhitha manikonda likhitha manikonda likhitha manikonda Follow Oct 30 '25 🟦🟩 Blue/Green Deployment Strategy # bluegreen # automation # devops # beginners Comments Add Comment 3 min read ECS Native Blue/Green is Here! With Strong Hooks and Dark Canary Tetsuya KIKUCHI Tetsuya KIKUCHI Tetsuya KIKUCHI Follow for AWS Community Builders Jul 20 '25 ECS Native Blue/Green is Here! With Strong Hooks and Dark Canary # aws # ecs # devops # bluegreen 4  reactions Comments 3  comments 9 min read Scaling down the storage of a MySQL RDS database with zero downtime using AWS Blue/Green Deployment Peter Koech Peter Koech Peter Koech Follow for AWS Community Builders Jan 21 '25 Scaling down the storage of a MySQL RDS database with zero downtime using AWS Blue/Green Deployment # bluegreen # rds # aws # mysql 3  reactions Comments Add Comment 3 min read Minimising PostgreSQL RDS minor & major upgrade time with Blue/Green deployments Daniel Chapman [AWS] Daniel Chapman [AWS] Daniel Chapman [AWS] Follow for AWS Community Builders Oct 17 '24 Minimising PostgreSQL RDS minor & major upgrade time with Blue/Green deployments # rds # postgressql # database # bluegreen 7  reactions Comments 1  comment 6 min read Seamless Swapping: A Comprehensive Guide to Blue-Green Deployments AdityaPratapBhuyan AdityaPratapBhuyan AdityaPratapBhuyan Follow May 2 '24 Seamless Swapping: A Comprehensive Guide to Blue-Green Deployments # deployment # bluegreen # devops Comments Add Comment 6 min read DevOps best practices for setting up recovery points in infrastructure. Sunil Vijay Sunil Vijay Sunil Vijay Follow Apr 29 '20 DevOps best practices for setting up recovery points in infrastructure. # devops # deployment # bluegreen # disasters 4  reactions Comments Add Comment 2 min read loading... trending guides/resources 🟦🟩 Blue/Green Deployment Strategy Сине-зеленое развертывание на EKS 💎 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:16
https://cal.com
Cal.com | Open Scheduling Infrastructure ')"> Solutions ')"> Enterprise Cal.ai Developer ')"> Resources ')"> Pricing Sign in Get started ')"> Sign in Get started Solutions ')"> By team size For Individuals Personal scheduling made simple For Teams Collaborative scheduling for groups For Enterprises Enterprise-level scheduling solutions For Developers Powerful features and integrations By use case Recruiting Sales HR Education Support Healthcare Telehealth Marketing "> Try Cal.ai now! ')"> Supercharged scheduling with AI-powered calls Enterprise Developer ')"> Developer Documentation Documentation for the Cal.com platform API Build your own integrations with our public API Scheduling Components Use our react atoms to add scheduling to your app Create OAuth Client Integrate Cal.com using OAuth Resources ')"> API Build your own integrations with our public API App Store Integrate with your favorite apps Collective Events Schedule events with multiple participants Help Docs Need to learn more about our system? Check the help docs Embed Embed Cal.com into your website Out Of Office Schedule time off with ease Payments Accept payments for bookings "> Workflows Automate scheduling and reminders Blog Stay up to date with the latest news and updates Instant Meetings Meet with clients in minutes Dynamic Group Links Seamlessly book meetings with multiple people Webhooks Get notified when something happens Cal.ai Pricing ')"> Sign in Get started Solutions ')"> By team size For Individuals Personal scheduling made simple For Teams Collaborative scheduling for groups For Enterprises Enterprise-level scheduling solutions For Developers Powerful features and integrations By use case Recruiting Sales HR Education Support Healthcare Telehealth Marketing "> Try Cal.ai now! ')"> Supercharged scheduling with AI-powered calls Enterprise Developer ')"> Developer Documentation Documentation for the Cal.com platform API Build your own integrations with our public API Scheduling Components Use our react atoms to add scheduling to your app Create OAuth Client Integrate Cal.com using OAuth Resources ')"> API Build your own integrations with our public API App Store Integrate with your favorite apps Collective Events Schedule events with multiple participants Help Docs Need to learn more about our system? Check the help docs Embed Embed Cal.com into your website Out Of Office Schedule time off with ease Payments Accept payments for bookings "> Workflows Automate scheduling and reminders Blog Stay up to date with the latest news and updates Instant Meetings Meet with clients in minutes Dynamic Group Links Seamlessly book meetings with multiple people Webhooks Get notified when something happens Cal.ai Pricing Cal.com launches v5.9 Cal.com launches v5.9 Cal.com launches v5.9 The better way to schedule your meetings A fully customizable scheduling software for individuals, businesses taking calls and developers building scheduling platforms where users meet users. Sign up with Google Sign up with Google Sign up with Google Sign up with email Sign up with email Sign up with email No credit card required Cédric van Ravesteijn Partnerships Meeting Are you an agency, influencer, SaaS founder, or business looking to collaborate with Cal.com? Let's chat! 15m 30m 45m 1h Cal Video Europe/Amsterdam May 2025 SUN MON TUE WED THU FRI SAT 0 15 15 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 0 Cédric van Ravesteijn Partnerships Meeting Are you an agency, influencer, SaaS founder, or business looking to collaborate with Cal.com? Let's chat! 15m 30m 45m 1h Cal Video Europe/Amsterdam May 2025 SUN MON TUE WED THU FRI SAT 0 15 15 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 0 Cédric van Ravesteijn Partnerships Meeting Are you an agency, influencer, SaaS founder, or business looking to collaborate with Cal.com? Let's chat! 15m 30m 45m 1h Cal Video Europe/Amsterdam May 2025 SUN MON TUE WED THU FRI SAT 0 15 15 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 0 ')"> ')"> ')"> ')"> ')"> ')"> ')"> ')"> Trusted by fast-growing companies around the world ')"> ')"> ')"> ')"> ')"> ')"> Trusted by fast-growing companies around the world ')"> ')"> ')"> ')"> ')"> <path d=&quot;M 23.846 6.007 C 19.69 6.007 16.442 9.144 16.442 13.345 C 16.442 17.545 19.608 20.656 23.846 20.656 C 28.084 20.656 31.304 17.492 31.304 13.318 C 31.304 9.171 28.139 6.007 23.846 6.007 Z M 23.874 17.629 C 21.507 17.629 19.773 15.801 19.773 13.346 C 19.773 10.863 21.479 9.036 23.846 9.036 C 26.24 9.036 27.974 10.891 27.974 13.346 C 27.974 15.801 26.24 17.629 23.874 17.629 Z M 32.212 9.199 L 34.276 9.199 L 34.276 20.384 L 37.579 20.384 L 37.579 6.279 L 32.212 6.279 Z M 8.131 9.035 C 9.866 9.035 11.242 10.099 11.764 11.681 L 15.26 11.681 C 14.626 8.299 11.819 6.007 8.159 6.007 C 4.003 6.007 0.756 9.144 0.756 13.346 C 0.756 17.547 3.921 20.657 8.159 20.657 C 11.737 20.657 14.599 18.365 15.233 14.955 L 11.764 14.955 C 11.269 16.537 9.893 17.629 8.158 17.629 C 5.764 17.629 4.086 15.801 4.086 13.346 C 4.087 10.863 5.738 9.035 8.131 9.035 Z M 94.959 11.982 L 92.537 11.627 C 91.381 11.464 90.556 11.082 90.556 10.181 C 90.556 9.199 91.629 8.709 93.087 8.709 C 94.684 8.709 95.702 9.39 95.923 10.509 L 99.115 10.509 C 98.757 7.672 96.555 6.008 93.171 6.008 C 89.675 6.008 87.363 7.781 87.363 10.291 C 87.363 12.691 88.878 14.083 91.932 14.
2026-01-13T08:49:16
https://dev.to/sophielane/a-complete-guide-to-ci-testing-benefits-tools-workflow-425h
A Complete Guide To Ci Testing: Benefits, Tools &amp; Workflow - 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&#39;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&#39;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&#39;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 Sophie Lane Posted on Dec 24, 2025 &bull; Originally published at keploy.io A Complete Guide To Ci Testing: Benefits, Tools &amp; Workflow # testing # ci Imagine pushing a new feature to production, only to discover that it crippled half your APIs, pushed other teams into delays, and launched a series of frantic bug repairs in the middle of the night. For most dev teams, this is not a describe-a-scenario but a reality. With increasingly intricate apps and quickening release rhythms, making sure each code change integrates just right is a vital need. That’s where CI testing enters the picture. Automatic validation of each commit and integration, a safety net in all respects, preserves your codebase in a sound state and lets you make deployments with confidence in your apps. In this blog, we’ll explore everything from the mechanics and types of CI tests to best practices and real-world strategies, showing how CI testing can transform chaotic integration processes into a seamless, reliable workflow. What is CI Testing? Continuous Integration Testing (CI) refers to the automatic building and testing of software application source code every time the application is merged into a common repository. Unlike the traditional way of doing manual/infrequent testing, which means that by the time your code changes are manually tested, it could have already accumulated a number of integration issues. Therefore, through CI, you can get immediate confirmation that your code changes were tested as part of continuous integration so as to minimize these types of integration problems. CI Testing provides an immediate safety net for code changes in order to allow for the quick identification of defects as a result of automated tests being run on every code commit to the shared repository. Key points regarding CI Testing: • Automated tests will be executed for each commit made to the shared repository • Integration issues can be identified at an early stage in order to prevent you from going into ‘Integration Hell.’ • CI Testing is one of the major components of the CI/CD pipeline. • Improved collaboration between development and QA teams, as quick feedback can be provided. Key Components of CI Testing CI Testing goes beyond just running tests automatically. Several key components of CI Testing allow it to be effective: Automate First – Because CI Testing requires that many tests are built and run frequently, manual testing is not an efficient way to validate software; instead, CI Testing uses automated unit, integration, and API test scripts. Frequent Commits – Developers committed smaller incremental changes on a consistent basis, allowing quick identification of problems in the codebase after committing code. Immediate Feedback – If any tests fail, developers receive notification immediately so they can address the issue with the freshest knowledge of what they have changed in their code. Consistent Environments – Testing should occur within a production-like environment to prevent issues resulting from “it works on my machine” syndrome. Visibility &amp; Reporting – Each time testing occurs, logs, reports, and metrics about the test are generated and enable tracking of testing progress and the quality of software over time. How CI Testing Works: Step-by-Step Pipeline? Here is the standard process that would occur when CI Testing is done: Code Commit: When a developer makes some updates in code, they push those changes to where everyone else has placed their code. Build Trigger: The CI System automatically starts a construct process when a code is pushed to it. Automated Tests Run: Once that task has begun, the entire system runs Automated Tests, including Integration Tests, API / Contract Tests, and, in some cases, Performance Testing will run. Test Results and Reporting: The CI Tool monitors the outcome of these tests,; therefore, A report of Testing Results is sent to the Developer(s) so that they know whether their code was Successful or Failed. Artifact Storage: These build artefacts, such as Binary code, Packages, or Test Log Files, are preserved for future reference. Next Steps in Pipeline: If all the tests pass, it will then continue on with its CI/CD Pipeline to either Staging or Deployment. All of the above steps ensure that the code is continuously examined and continually reduces the likelihood of causing a regressional error, as well as providing a stable software quality. Types of CI Tests Continuous Integration testing is not a one-size-fits-all approach; each project will have its own set of Continuous Integration tests that may include one or more of the following types of tests: Unit Testing – Allows for testing all actions on a piece of code (unit) separately, outside of the context of the rest of the program. Integration Testing – Helps to determine how well multiple units work together. API/Contract Testing – Ensures the API follows all of the requirements defined in its contract and works properly with any other APIs. Performance/Load Testing – Tests how well a system can handle stress. Regression Testing – Verifies that code changes do not disrupt previously working code. If you have an API-first or a microservices architecture, API/Contract Testing is crucial for providing confidence that changes to an individual microservice do not adversely affect other parts of your application. CI Testing for API-First &amp; Microservices Projects CI Testing for microservices and API-first is a common architecture trend in today’s software applications and therefore has unique requirements in terms of CI Testing. Here are some of the important aspects of CI Testing for microservices/API first projects: Testing Isolation: Each microservice should be tested independently before being integrated with other services. Mock Services: Mocking of external services ensures the repeatability of CI Test regardless of the availability of the service. Contract Validation: Contract Testing for APIs must ensure the uncovering and prevention of any breaking changes between API’s. Parallel Testing: CI Testing for microservices the architecture allows for the concurrent execution of CI Tests, resulting in the quickest delivery of Continuous Feedback. Observability: The Logs and Metrics from API Testing provide the ability to provide quick feedback as to which microservice failed. By focusing on these important areas of CI Testing, you will be able to continue to build robust, complex, and large systems while deploying and modifying them more often than ever before. Benefits of CI Testing Integrating Continuous Integration testing into software development has several benefits for both the development team and ultimately users of the software through increased efficiency and improvements to the quality of software. Some of the key benefits include: Early Bug Detection: Getting an early start on identifying defects within code during the course of development (to get an overall feel/understanding of the functionality of the software) allows an organization to eliminate potential issues down the road and unnecessary costs. Faster Feedback Loops: Receiving prompt alerts about failing tests provides a mechanism for individuals to quickly identify and address issues. These quick responses not only minimize idle time but also enable teams to continuously improve their position in providing software to complement an organizational unit’s development cycle through new and improved methods of development. Improved Code Quality: Writing clean, maintainable code requires more frequent use of Continuous Integration (CI) testing. By continuously validating that they have fulfilled all requirements and that the developers have produced acceptable quality. Reduced Risk: Continuous Integration and corresponding CI processes enable teams to maintain an ongoing review of their processes, establish acceptable standards, and determine any areas of improvement to ensure they are producing software at an acceptable standard. Enhanced Collaboration: Incremental changes increase the ability to efficiently address any problems encountered with the current build by allowing for easy identification and resolution of any issues being experienced. Faster Release Cycles: The earlier in the development cycle that problems are identified, the easier it becomes to resolve any issues without major loss of productivity. This allows teams to release features and updates more frequently. Top CI Testing Tools Finding the right unit testing software for CI can mean the difference between efficiency and chaos in your building process. There are many choices available for CI Unit Testing solutions. Therefore, you must choose one that will be compatible with the types of technology your team uses, the projects you are working on, and the tests you need to run. If you have an API-first development model, selecting CI software with automated API testing capabilities will reduce the time you have to spend doing multiple integrations. Here’s a list of some of the most popular CI testing tools, along with their strengths and ideal use cases: | Tool | Strengths | Ideal Use Case | |----------------|---------------------------------------------------------------------------|-----------------------------------------------------------------| | Keploy | Focused on API testing automation, open source, supports contract testing and regression detection | API-first microservices and CI pipelines needing automated API tests | | Jenkins | Highly customizable with a large plugin ecosystem | General-purpose CI/CD for varied tech stacks | | GitHub Actions | Easy integration with GitHub and generous free tiers | GitHub repositories and cloud-native pipelines | | GitLab CI | Built-in CI/CD with strong automation capabilities | End-to-end GitLab projects | | CircleCI | Fast, scalable, and supports parallelism | Large-scale projects requiring high-speed builds | | Travis CI | Simple setup and cloud-hosted | Open-source projects | Enter fullscreen mode Exit fullscreen mode Pro Tip: Look for testing tools that integrate well with your current environment and provide valuable insight into the results of your CI tests. A great example of an API testing and validation tool for developers working on projects using an API-first approach is Keploy, which offers many great features for automating API testing and providing input into regression. Best Practices in CI Testing For CI Testing to function properly, teams must adhere to established best practices in order to derive maximum benefit. Those who do will have dependable pipelines, be able to identify problematic code early in the development cycle, and be able to get their software delivered faster. Here are some important examples of CI Testing Best Practices: Automate all you can: Unit, integration, API and performance testing will provide more consistent and dependable results than any manual process could. Commit often: Smaller, incremental code changes will reduce the chances of code merge conflicts as well as allow developers to pinpoint code problems more easily. Keep tests running quickly: If your tests take a long time to run, this affects how quickly you receive feedback, thereby reducing your ability to keep developing code quickly; therefore, keep your test running speed as fast as possible. Keep your tests reliable: Flaky tests or tests that do not produce consistent results will erode developer confidence in CI pipelines, and as such, it is essential that CI Testing is stable. Use identical test environments: Using containerization technology, either using Docker or VM (Virtual Machines), to test on will produce test results that are more similar to production service test results, eliminating the dreaded “It worked on my computer” issue. Measure your CI metrics: Measuring your CI metrics over time will allow you to continuously improve both the quality of your code and the speed with which your CI Pipelines function. Common Challenges in CI Testing There are also CI Testing issues that all teams that are using CI, need to be prepared for even if they are doing it properly. By understanding these common issues, teams can better create an efficient, effective and scalable pipeline for Continuous Integration (CI). Flaky Tests: Intermittently failing tests can mislead teams in addition to causing wasted time debugging these intermittent failures. Slow Pipelines: Large test suites or inefficiently created tests cause teams to delay receiving feedback about the ‘Success of the Integration’ and therefore slows down their Release Cycle. Environment Mismatches: Environmental Differences between Development, Staging and Production can result in Unexpected Build Failures. Insufficient Coverage: Lack of tests to cover critical scenarios allows for regressions to be moved into Production. Scaling CI: CI must rely on the Orchestration of tests, Selective Execution of Testing and Parallel Execution of Testing to avoid Losing Efficiency when a Project Grows Larger. For Teams to surmount the aforementioned challenges, they should give priority to stabilizing their flaky tests, optimizing testing speed through their test suites, maintaining environmental consistency, providing for adequate coverage, and performing duplicate or selective tests through parallel Testing. To help simplify CI scalability while improving CI reliability, use tools such as Keploy for automated API testing and regression Testing. How Keploy Enhances CI Testing for API-First Projects? Managing CI testing for teams with an API-first or microservice architecture can be extremely difficult to manage, as there are so many sub-components that must be integrated together and also tested. With Keploy, this process is streamlined with automation, which makes it possible to automate CI Testing of APIs along with Regression Detection and Reporting. Below are some of the key benefits of using Keploy to improve CI Testing capabilities: Automated Generation of API Tests – During development, Keploy records actual API calls being made and automatically generates tests that can then be run in the CI pipeline, thus reducing the amount of time spent on creating tests manually and ensuring adequate test coverage. Regression Detection – Each time a developer commits code, the code is validated against the existing API’s actual functionality, which will help to identify errors in the newly committed code or possible Regressions before deploying changes to production. Optimized Test Orchestration – By optimally orchestrating test executions, Keploy allows users to run tests in parallel, prioritize tests for mission-critical workflows, and decrease test execution time without sacrificing test coverage. Reports – Keploy provides comprehensive information and metrics including Pass/Fail, Test Logs, and API metrics so a team’s members can quickly identify issues that arise during CI Testing and resolve them. Easy Integration with Common CI/CD Applications – Because Keploy connects seamlessly with all major CI/CD Applications such as Jenkins, GitHub Actions, and GitLab CI, it is extremely easy to integrate Keploy into a team’s existing workflow. By utilizing Keploy, teams can be confident that their most complex API Microservices will have stability, they will catch regressions before they become a production issue, and they will be able to run their CI Pipelines with minimal manual intervention. Conclusion The foundation of modern software development lies within Continuous Integration Testing. CI testing does not exist just to support test execution; it aids in adding quality at each code change and helps find issues prior to becoming larger problems, thus allowing teams to become quicker and more confident in their development activities. With the benefits seen through implementing the best strategies and tools such as Keploy, teams have the ability to overcome challenges associated with the complexity of working with APIs and Microservices; in addition, all releases will create greater/meaningful value. In summary, Continuous Integration Testing’s objective goes beyond simple automation; it allows for the development of better software, the use of strategic and intelligent continuous integration testing. FAQs 1. How to handle regression testing in CI? When creating a regression test suite for Continuous Integration (CI) access, you should automate your testing process and have your automated tests execute when there is a code commit. You may benefit from executing selective tests or providing test execution priority to have quick feedback on any regression issues. 2. How does CI testing fit into the DevOps lifecycle? Continuous Integration (CI) Testing is part of the “Development” portion of the DevOps Lifecycle. CI Testing helps ensure that the code being written and tested is of acceptable quality before deployment and is integrated into the CI/CD Pipeline so that CI Testing is associated with the processes required for Continuous Delivery of software. 3. How do I choose the right CI tool for my project? There are a number of factors to consider when selecting a Continuous Integration (CI) tool for your project. These include the size of your project, the stack used for the project, the types of tests you will run, your integration needs, as well as your budget. 4. How to integrate API tests into a CI/CD pipeline? To integrate API Tests into a CI/CD Pipeline, you should trigger the automated tests (API tests) after each commit, log all API interactions when they were made, replay the same API calls from your logging, and display those results as part of your CI/CD report. 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 &bull; 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 Sophie Lane Follow I’m Sophie Lane, a Product Evangelist at Keploy. I’m passionate about simplifying API testing, test automation, and enhancing the overall developer experience. Joined Aug 22, 2025 More from Sophie Lane Best Practices for Maintaining Test Scripts in Software Testing # automation # productivity # testing Types of Regression Testing That Work Best With Test Automation # automation # devops # testing How Blackbox Testing Mimics Real User Behavior? # software # devops # testing 💎 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 &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/thekarlesi/how-to-handle-stripe-and-paystack-webhooks-in-nextjs-the-app-router-way-5bgi#digging-deeper
How to Handle Stripe and Paystack Webhooks in Next.js (The App Router 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&#39;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&#39;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&#39;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 Esimit Karlgusta Posted on Jan 13 &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; How to Handle Stripe and Paystack Webhooks in Next.js (The App Router Way) # api # nextjs # security # tutorial The #1 reason developers struggle with SaaS payments is Webhook Signature Verification. You set everything up, the test payment goes through, but your server returns a 400 Bad Request or a Signature Verification Failed error. In the Next.js App Router, the problem usually stems from how the request body is parsed. Stripe and Paystack require the raw request body to verify the signature, but Next.js often tries to be helpful by parsing it as JSON before you can get to it. Here is the "Golden Pattern" for handling this in 2026. 1. The Route Handler Setup Create a file at app/api/webhooks/route.ts . You must export a config object (if using older versions) or use the req.text() method in the App Router to prevent automatic parsing. import { NextResponse } from " next/server " ; import crypto from " crypto " ; export async function POST ( req : Request ) { // 1. Get the raw body as text const body = await req . text (); // 2. Grab the signature from headers const signature = req . headers . get ( " x-paystack-signature " ) || req . headers . get ( " stripe-signature " ); if ( ! signature ) { return NextResponse . json ({ error : " No signature " }, { status : 400 }); } // 3. Verify the signature (Example for Paystack) const hash = crypto . createHmac ( " sha512 " , process . env . PAYSTACK_SECRET_KEY ! ) . update ( body ) . digest ( " hex " ); if ( hash !== signature ) { return NextResponse . json ({ error : " Invalid signature " }, { status : 401 }); } // 4. Now parse the body and handle the event const event = JSON . parse ( body ); if ( event . event === " charge.success " ) { // Handle successful payment in your database console . log ( " Payment successful for: " , event . data . customer . email ); } return NextResponse . json ({ received : true }, { status : 200 }); } Enter fullscreen mode Exit fullscreen mode 2. The Middleware Trap If you have global middleware protecting your routes, ensure your webhook path is excluded. Otherwise, the payment provider will hit your login page instead of your API. 3. Why this matters for your SaaS If your webhooks fail, your users won't get their "Pro" access, and your churn will skyrocket. Handling this correctly is the difference between a side project and a real business. I have spent a lot of time documenting these "Gotchas" while building my MERN stack projects. If you want to see a full implementation of this including Stripe, Paystack, and database logic, check out my deep dive here: How to add Stripe or Paystack payments to your SaaS . Digging Deeper If you are tired of debugging the same boilerplate over and over, you might find my SassyPack overview helpful. I built it specifically to solve these "Day 1" technical headaches for other founders. 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 &bull; 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 Esimit Karlgusta Follow Full Stack Developer Location Earth, for now :) Education BSc. IT Work Full Stack Developer Joined Mar 31, 2020 More from Esimit Karlgusta Secure Authentication in Next.js: Building a Production-Ready Login System # webdev # programming # nextjs # beginners Stop Coding Login Screens: A Senior Developer’s Guide to Building SaaS That Actually Ships # webdev # programming # beginners # tutorial Zero to SaaS vs ShipFast, Which One Actually Helps You Build a Real SaaS? # nextjs # beginners # webdev # programming 💎 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 &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/tim_alex_ba4bc28e6bdfc168
Tim Alex - 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&#39;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&#39;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&#39;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 Tim Alex 404 bio not found Joined Joined on  Jan 4, 2026 More info about @tim_alex_ba4bc28e6bdfc168 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 5 posts published Comment 0 comments written Tag 0 tags followed ESPHome Gerät ständig &quot;Offline&quot;? So fixst du API-Errors und Boot-Loops beim ESP32 Tim Alex Tim Alex Tim Alex Follow Jan 5 ESPHome Gerät ständig &quot;Offline&quot;? So fixst du API-Errors und Boot-Loops beim ESP32 # esphome # esp32 # iot # debugging Comments Add Comment 3 min read Home Assistant langsam? So rettest du deine SD-Karte &amp; machst das Dashboard wieder schnell Tim Alex Tim Alex Tim Alex Follow Jan 5 Home Assistant langsam? So rettest du deine SD-Karte &amp; machst das Dashboard wieder schnell # homeassistant # database # performance # raspberrypi Comments Add Comment 3 min read Tuya Geräte in Home Assistant: 100% Lokal &amp; ohne China-Cloud (Local Key auslesen) Tim Alex Tim Alex Tim Alex Follow Jan 5 Tuya Geräte in Home Assistant: 100% Lokal &amp; ohne China-Cloud (Local Key auslesen) # homeassistant # privacy # iot # tutorial Comments Add Comment 3 min read Zigbee Netzwerk instabil? 4 Profi-Tipps gegen &quot;Offline&quot;-Geräte &amp; Interferenzen Tim Alex Tim Alex Tim Alex Follow Jan 5 Zigbee Netzwerk instabil? 4 Profi-Tipps gegen &quot;Offline&quot;-Geräte &amp; Interferenzen # homeassistant # zigbee # iot # tutorial Comments Add Comment 3 min read Home Assistant Fernzugriff: Sicher &amp; Kostenlos via Cloudflare Tunnel (Kein Port-Forwarding!) Tim Alex Tim Alex Tim Alex Follow Jan 5 Home Assistant Fernzugriff: Sicher &amp; Kostenlos via Cloudflare Tunnel (Kein Port-Forwarding!) # homeassistant # iot # tutorial # security 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 &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://stripe.com/en-no/privacy
Chat with Stripe sales Privacy Policy Stripe logo Legal Stripe Privacy Policy &amp; Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the Europe
2026-01-13T08:49:16
https://dev.to/thekarlesi/how-to-handle-stripe-and-paystack-webhooks-in-nextjs-the-app-router-way-5bgi#3-why-this-matters-for-your-saas
How to Handle Stripe and Paystack Webhooks in Next.js (The App Router 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&#39;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&#39;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&#39;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 Esimit Karlgusta Posted on Jan 13 &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; How to Handle Stripe and Paystack Webhooks in Next.js (The App Router Way) # api # nextjs # security # tutorial The #1 reason developers struggle with SaaS payments is Webhook Signature Verification. You set everything up, the test payment goes through, but your server returns a 400 Bad Request or a Signature Verification Failed error. In the Next.js App Router, the problem usually stems from how the request body is parsed. Stripe and Paystack require the raw request body to verify the signature, but Next.js often tries to be helpful by parsing it as JSON before you can get to it. Here is the "Golden Pattern" for handling this in 2026. 1. The Route Handler Setup Create a file at app/api/webhooks/route.ts . You must export a config object (if using older versions) or use the req.text() method in the App Router to prevent automatic parsing. import { NextResponse } from " next/server " ; import crypto from " crypto " ; export async function POST ( req : Request ) { // 1. Get the raw body as text const body = await req . text (); // 2. Grab the signature from headers const signature = req . headers . get ( " x-paystack-signature " ) || req . headers . get ( " stripe-signature " ); if ( ! signature ) { return NextResponse . json ({ error : " No signature " }, { status : 400 }); } // 3. Verify the signature (Example for Paystack) const hash = crypto . createHmac ( " sha512 " , process . env . PAYSTACK_SECRET_KEY ! ) . update ( body ) . digest ( " hex " ); if ( hash !== signature ) { return NextResponse . json ({ error : " Invalid signature " }, { status : 401 }); } // 4. Now parse the body and handle the event const event = JSON . parse ( body ); if ( event . event === " charge.success " ) { // Handle successful payment in your database console . log ( " Payment successful for: " , event . data . customer . email ); } return NextResponse . json ({ received : true }, { status : 200 }); } Enter fullscreen mode Exit fullscreen mode 2. The Middleware Trap If you have global middleware protecting your routes, ensure your webhook path is excluded. Otherwise, the payment provider will hit your login page instead of your API. 3. Why this matters for your SaaS If your webhooks fail, your users won't get their "Pro" access, and your churn will skyrocket. Handling this correctly is the difference between a side project and a real business. I have spent a lot of time documenting these "Gotchas" while building my MERN stack projects. If you want to see a full implementation of this including Stripe, Paystack, and database logic, check out my deep dive here: How to add Stripe or Paystack payments to your SaaS . Digging Deeper If you are tired of debugging the same boilerplate over and over, you might find my SassyPack overview helpful. I built it specifically to solve these "Day 1" technical headaches for other founders. 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 &bull; 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 Esimit Karlgusta Follow Full Stack Developer Location Earth, for now :) Education BSc. IT Work Full Stack Developer Joined Mar 31, 2020 More from Esimit Karlgusta Secure Authentication in Next.js: Building a Production-Ready Login System # webdev # programming # nextjs # beginners Stop Coding Login Screens: A Senior Developer’s Guide to Building SaaS That Actually Ships # webdev # programming # beginners # tutorial Zero to SaaS vs ShipFast, Which One Actually Helps You Build a Real SaaS? # nextjs # beginners # webdev # programming 💎 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 &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16
https://dev.to/anmolbaranwal/12-things-you-didnt-know-you-could-do-with-dev-2041
😁12 things you didn&#39;t know you could do with DEV - 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&#39;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&#39;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&#39;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 Anmol Baranwal Posted on Jan 30, 2024 &bull; Edited on May 16, 2024 &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; 😁12 things you didn&#39;t know you could do with DEV # howtodevto # tutorial # writing # beginners Exciting things you could do with DEV (2 Part Series) 1 😁12 things you didn&#39;t know you could do with DEV 2 😁12 things you didn&#39;t know you could do with DEV part 2 As a developer, I'm always looking for those little details because, well, the details matter. We're all part of one big community here on DEV, and in this post, I'm excited to share some unexpected features and tricks that you might not be aware of on this platform. Let me take you through 12 surprising things you can do on DEV, from creating custom buttons to creating your comment templates! Please comment and let me know which point surprised you the most. 1. Filter posts using tags. With the constant intake of posts in our feeds, having some control and filters is essential. One way is to filter posts by using tags. For instance, to view posts with the #discuss tag, simply navigate to dev.to/t/discuss . Likewise, if you want posts with the tag #softwaredevelopment , head over to dev.to/t/softwaredevelopment . As a general rule, you can use this. https://dev.to/t/paste_your_tag_without_spaces Enter fullscreen mode Exit fullscreen mode You can paste the above URL with your tag to see the top posts in that relevant category. You can discover tag moderators responsible for handling that particular tag. In case you're wondering, tag moderators are responsible for maintaining the relevance of the tags with the post. You can check the tags you're following at dev.to/dashboard/following_tags . A comprehensive list of all tags is available at dev.to/tags . 2. Handy resources based on official tags. It might be related to the first one, but it's not true for every tag. Certain tags provide handy official resources, such as documentation for tailwindcss or helpful guides for nextjs . These resources can be valuable, especially if you're new to a particular tag. For instance, the nextjs tag has decent resources :) These "little details" make the DEV platform more user-friendly and informative. 3. RSS Feed. Explaining RSS feed to a 5-year-old: Imagine you have a favorite cartoon show, and every time there's a new episode, your magical TV shows it to you. The RSS feed is like that magic messenger for websites. It tells your computer when there's something new on your favorite website, so you can see it without having to check all the time. It's like a friendly notification that says, "Hey, something interesting happened on the website you like!". It's like having a personalized news feed with content from multiple sources. Check your DEV RSS feed using: dev.to/feed/your_username Check Chrome extension that I use to find RSS Feed URLs. Learn more about how drafts are created from your feed at DEV in this guide .   Head to dev.to/settings/extensions to paste your RSS Feed URL and integrate it with your DEV profile. Suppose you have your own blog, and whenever you publish a blog to your website -&gt; dev will fetch that blog as a draft post which you can publish from the dashboard.   What is a Canonical URL? Imagine you have a webpage, and there are a few copies or variations of it. (Your personal blog + DEV blog) A canonical URL is like tagging the main one as the boss—the original source. It helps search engines know which version is the most important or preferred, preventing confusion and improving your webpage's search engine ranking. Understanding canonical URLs is crucial when re-publishing content to maintain clarity for search engines. 4. Crazy Badges for Lots of Innovative Things. DEV awards several badges weekly based on the technologies featured in articles. From tech stack badges to quirky ones like the "Beloved Comment" badge, each badge holds its own charm. For example, if you write an article with React and are considered a top author of the week, you will be awarded the React badge. I can't help but share my excitement about some adorable badges I've seen. I know a couple of guys who have this beloved badge. If you know, comment down! Who has this one? LOL! Worth a party. I have this one but didn't win any game 🤣 The Top 7 Author Badge, often regarded as the most prestigious, is my personal favorite. Earning this badge is truly an honor in its own right. I can't list them all; otherwise, people will get angry. LOL! Explore the complete list of badges at dev.to/badges . 5. Software comparisons. Comparing Software is not a new trend. We do it all the time. So, the DEV Team made a list of top posts that the community has created. These are the posts folks have generally continued coming back to over and over again. The list has around 350+ software companies. Must check! dev.to/software-comparisons - software comparisons 6. Adding a caption to your image. In DEV posts, you can add captions to your images that provide context or additional information to complement the image shown. It's an interesting way to navigate within the image. Here's how you can do it. You have to use the &lt;figcaption&gt; tag after the image. For instance, see the image below along with it syntax. GitHub Profile of Anmol Baranwal   ![GitHub Profile with username Anmol-Baranwal](https://dev-to-uploads.s3.amazonaws.com/uploads/articles/2klya81kv58vcr94yqks.png) &lt;figcaption&gt; GitHub Profile of Anmol-Baranwal &lt;/figcaption&gt; Enter fullscreen mode Exit fullscreen mode 7. Subscribe to comments. Typically, as the author of a post, you're automatically subscribed to all comments. This means you'll receive notifications for every comment on that post. However, what's interesting is that you can also subscribe to comments on other posts. I recommend doing this, especially for posts with a #discuss tag, as it exposes you to various perspectives, leading to valuable learning experiences in the end. Notifications of top-level comments is a handy one. 8. Embed &amp; Line break. Most of the people would already know this. But for those who don't, you can embed any video so that you can play the video rather than pasting a link. It allows viewers to watch the video directly without visiting another site. {% embed paste_url_here %} Enter fullscreen mode Exit fullscreen mode For example, embedding my DEV profile will look like this. Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at "https://anmolbaranwal.com" Email for collab Some might not be aware of creating line breaks using &amp;nbsp; . This simple technique improves the readability of your posts. For example, This first sentence can be separated from the next content using &amp;nbsp; .   The second sentence is separated by a line break. 9. A call-to-action button. This is the coolest! Did you know you can make a personalized button with a description? So exciting! It's a handy way to grab attention and enhance engagement, and it's super easy to implement. For instance, let's create a CTA for my GitHub profile: 🚀 Visit My GitHub Profile   You can use the below syntax for creating that button: {% cta https://github.com/Anmol-Baranwal %} 🚀 Visit My GitHub Profile {% endcta %} Enter fullscreen mode Exit fullscreen mode This personalized touch can add a whole new dimension to your posts. The syntax uses liquid tags created by Shopify. 10. Complete Editor Guide. Here's a hidden gem that even top authors might not be aware of. The DEV team has made a comprehensive editor guide covering almost every aspect of using the editor. It's a one-stop resource for answering questions like: How to add a caption to your image Supported URL embeds How to add comments (author notes) which won't show up in the content Markdown basics + recommended cover image size (1000 * 420) They have even covered accessibility and much more. Read the complete guide at dev.to/p/editor_guide . Big kudos to the DEV team for creating such a handy guide! Do follow the official DEV team and join the fun :) The DEV Team Follow The team behind this very platform. 😄 11. Comment Templates. Another nifty feature that DEV offers is the ability to save comment templates. Whether it's for introducing yourself or sharing your social media URLs, these templates can save you time and add consistency to your interactions. It may be small, but it packs a punch! It closely mirrors a functionality commonly found on GitHub.   Let's see how it works. To set up your comment templates, visit dev.to/settings/response-templates   You can easily add new templates with short titles for quick reference.   When you're in the comments section of a post, click the three dots on the bottom right -&gt; then the bookmark symbol. You'll find a list of templates that you can directly use. Trusted users even get a predefined list of templates for extra ease. 12. Podcasts? Videos? And the power of Hidden tags. Did you know you could upload videos for your posts on DEV? You can find the option to upload the video in the left bottom corner at dev.to/dashboard It's a fantastic way to improve your post. Discover these video posts at dev.to/videos . DEV also hosts a section dedicated to podcasts. You can even submit your own podcast for review and explore various others at dev.to/pod . Hidden Tags for Personalized Feeds Hidden tags are a way to provide you with more control over what you see and a means of hiding content from your feed that you don't want to see. You can hide tags over on the tags page - use the search to find a specific tag you want to hide   You can also hide tags over on the "Following tags" section of your dashboard - press the three dots to access the hide option   You can find hidden tags at dev.to/dashboard/hidden_tags . You can see which tags you've hidden on your dashboard and unhide them   This feature ensures a more personalized and enjoyable browsing experience on DEV. I'm not covering APIs since it would make the post very long. However, if you're interested, you can explore more about Forem APIs . Bonus I know, I know! I promised 12 things, but here's a little extra on "How you can earn money whenever someone reads your blog!" Explore the concept of Web Monetization in this insightful blog post . It's an awesome guide that explains everything you need to know. You can also read more on how to become a DEV Mod and collaborate with fellow community members. I don't know about you, but I'm extra excited, and there might be more treasures that the DEV Team is hiding. LOL! I hope you learned something new today. I love the DEV community as it is an excellent place for encountering great content of all kinds: lively discussion posts, in-depth tutorials, library updates, career advice, and a lot more. If you are keen on sponsoring this post, shoot me a message at anmolbaranwal119@gmail.com or hit me up on Twitter! 🚀 If you enjoy my content, please support me by following me on my GitHub &amp; Twitter. GitHub - Keep building! Twitter LinkedIn Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at "https://anmolbaranwal.com" Email for collab Write more, inspire more. Exciting things you could do with DEV (2 Part Series) 1 😁12 things you didn&#39;t know you could do with DEV 2 😁12 things you didn&#39;t know you could do with DEV part 2 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 &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 30 &#39;24 Dropdown menu Copy link Hide As an author, I've wanted to share this for a long time. I believe people need to have fun, go deep, and find these small details about DEV. Telling you the truth, I began my writing journey on DEV and never wrote on Hashnode or Medium before DEV. I'm not a fan of Medium because of the paywall, and Hashnode seems challenging for beginners. I only want people to read my content and enjoy it. See you later. Hope you like it! Like comment: Like comment: 8 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Ben Sinclair Ben Sinclair Ben Sinclair Follow I&#39;ve been a professional C, Perl, PHP and Python developer. I&#39;m an ex-sysadmin from the late 20th century. These days I do more Javascript and CSS and whatnot, and promote UX and accessibility. Location Scotland Education Something something cybernetics Pronouns They/them Work General-purpose software person Joined Aug 29, 2017 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide I didn't know about the Software Comparisons page or the CTA tag! How did you find out about them? Like comment: Like comment: 5 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Thomas Bnt Thomas Bnt Thomas Bnt Follow French web developer mainly but touches everything. Volunteer admin mod here at DEV. I learn Nuxt at this moment and databases. — Addict to Cappuccino and Music Location France Pronouns He/him Work IAM Consultant @ Ariovis Joined May 5, 2017 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide Yeah CTA isn't mentionned on comments sections with buttons or documentation. But one post about that, a post from the DEV Team - @michaeltharrington Lesser Known Features of DEV — Embedding Call To Action (CTA) Buttons Michael Tharrington for The DEV Team ・ May 25 '23 #meta #documentation #community #howtodevto Like comment: Like comment: 5 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Michael Tharrington Michael Tharrington Michael Tharrington Follow I&#39;m a friendly, non-dev, cisgender guy from NC who enjoys playing music/making noise, hiking, eating veggies, and hanging out with my best friend/wife + our 3 kitties + 1 greyhound. Email mct3545@gmail.com Location North Carolina Education BFA in Creative Writing Pronouns he/him Work Senior Community Manager at DEV Joined Oct 24, 2017 &bull; Feb 1 &#39;24 Dropdown menu Copy link Hide Oooo yeah, thanks for bringing this one up, Thomas. And that makes me realize that I need to make this series a bit easier to access! Like comment: Like comment: 4 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Feb 1 &#39;24 Dropdown menu Copy link Hide I struggled a bit to make it work since I wasn't very familiar with liquid tags. Thanks for sharing the post! :D Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide LOL! I blackmailed the DEV Team. Just kidding! As I mentioned, I explore in-depth. It's a habit as a developer. I didn't share some generic things since it's not that useful. There is a whole lot more! Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Rachel Fazio Rachel Fazio Rachel Fazio Follow Hello hello! Content Creator/Graphic Designer over here at Forem, which powers DEV and CodeNewbie :-) (they/them) Location Los Angeles, California Education University of Washington Pronouns they/them Work Graphic Designer Joined Nov 7, 2022 &bull; Feb 2 &#39;24 Dropdown menu Copy link Hide I LOVE this. Also (if no one has already shared) we have a new badge page that is more organized and helps ya see which badges you can earn now in our community vs. which ones are our past badges vs. language specific badges! Here's that link for ya: dev.to/community-badges Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Feb 3 &#39;24 Dropdown menu Copy link Hide DEV is full of surprises! 😄 And here I thought there wouldn't be anything new. I can't believe how many things are there that I don't know about on DEV. LOL! Thanks a bunch for sharing this :D I would have included it in the post if I had known this earlier. Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Ndeye Fatou Diop Ndeye Fatou Diop Ndeye Fatou Diop Follow Hi 👋🏽, I am a self-taught Senior Front-End Engineer. I share tips to help overwhelmed junior frontend developers here =&gt; frontendjoy.com/ 😻🥳. Email joyancefa@gmail.com Location Asnieres-Sur-Seine, France Work Senior Frontend Engineer Joined Jul 26, 2020 &bull; Jan 30 &#39;24 Dropdown menu Copy link Hide Wouaw! Thanks for this great list! I have been using dev.to lately and some of these stuff will come handy Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 30 &#39;24 Dropdown menu Copy link Hide Thanks so much for commenting! I'm really glad this was helpful :) Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Ndeye Fatou Diop Ndeye Fatou Diop Ndeye Fatou Diop Follow Hi 👋🏽, I am a self-taught Senior Front-End Engineer. I share tips to help overwhelmed junior frontend developers here =&gt; frontendjoy.com/ 😻🥳. Email joyancefa@gmail.com Location Asnieres-Sur-Seine, France Work Senior Frontend Engineer Joined Jul 26, 2020 &bull; Jan 30 &#39;24 Dropdown menu Copy link Hide Something I also wonder: is there a way to have a default footer for all blog posts ? Or to save a snippet of text and re-use ? Like comment: Like comment: 2 &nbsp;likes Like Thread Thread &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 30 &#39;24 Dropdown menu Copy link Hide As far as I know, I don't think there is. Usually, I copy-paste it from the last blog. If you want, I can ask in the DEV discord community, and if they like it, the team might consider it. Having snippets would be great! Like comment: Like comment: Like Thread Thread &nbsp; Ndeye Fatou Diop Ndeye Fatou Diop Ndeye Fatou Diop Follow Hi 👋🏽, I am a self-taught Senior Front-End Engineer. I share tips to help overwhelmed junior frontend developers here =&gt; frontendjoy.com/ 😻🥳. Email joyancefa@gmail.com Location Asnieres-Sur-Seine, France Work Senior Frontend Engineer Joined Jul 26, 2020 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide Thanks ! That would be great ! Like comment: Like comment: 2 &nbsp;likes Like Thread Thread &nbsp; Ben Sinclair Ben Sinclair Ben Sinclair Follow I&#39;ve been a professional C, Perl, PHP and Python developer. I&#39;m an ex-sysadmin from the late 20th century. These days I do more Javascript and CSS and whatnot, and promote UX and accessibility. Location Scotland Education Something something cybernetics Pronouns They/them Work General-purpose software person Joined Aug 29, 2017 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide You mean like a signature on an email or an old-style forum? I think it's probably not a good idea; people are generally negative towards signatures because in those old enviroments they tended to fill up your feed with repetetive fluff. That shouldn't happen on DEV since you only read one post at a time and the feed only contains a snippet, but generally speaking I think signatures have baggage . They might also feel like too much self-promotion, especially if you see the same ones again and again. There's nothing stopping you pasting the same content into multiple posts yourself, of course, but I think they'd mostly get used for "follow me on $platform" and "buy me an lemonade shandy" links, and we already have the ability to set social media links against your profile. Perhaps a solution which covers that would be a new feature to allow users to set which links/buttons appear in the little popover you see when you hover over their name? Like comment: Like comment: 2 &nbsp;likes Like Thread Thread &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide If you've used GitHub, you would know how they provide templates for basic things. You can use a slash (/) to create a table with different rows and columns, and then you can customize it. In DEV, I have to rewrite the structure, which can be frustrating. So, having some small snippets could be useful. For instance, the snippet to create a line break within bullet points . Like comment: Like comment: 1 &nbsp;like Like Thread Thread &nbsp; Ndeye Fatou Diop Ndeye Fatou Diop Ndeye Fatou Diop Follow Hi 👋🏽, I am a self-taught Senior Front-End Engineer. I share tips to help overwhelmed junior frontend developers here =&gt; frontendjoy.com/ 😻🥳. Email joyancefa@gmail.com Location Asnieres-Sur-Seine, France Work Senior Frontend Engineer Joined Jul 26, 2020 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide Thanks for taking the time to write such a complete response. I understand the rational : it’s mostly used for linking to other social media’s but also suggesting the user to comment/like, etc. I have been copy/pasting the text and it looks like a lot of bloggers here do it too. So maybe it’s worth adding ? If not, the popover would be great indeed !!! Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Ricardo Esteves Ricardo Esteves Ricardo Esteves Follow 👋 I&#39;m a Frontend enthusiast &amp; full-stack aficionado | Crafting captivating user experiences | Based in Lisbon, Portugal 🇵🇹 | Dedicated to innovation and staying ahead with the latest in tech! Location Lisbon Education Computer science Work Software engineer Joined Mar 11, 2020 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide Wow thank you for this info! Supaaa handy. 👌 Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide Thanks so much! Even I wasn't aware of a few things, especially that button. Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Ricardo Esteves Ricardo Esteves Ricardo Esteves Follow 👋 I&#39;m a Frontend enthusiast &amp; full-stack aficionado | Crafting captivating user experiences | Based in Lisbon, Portugal 🇵🇹 | Dedicated to innovation and staying ahead with the latest in tech! Location Lisbon Education Computer science Work Software engineer Joined Mar 11, 2020 &bull; Jan 31 &#39;24 &bull; Edited on Jan 31 &bull; Edited Dropdown menu Copy link Hide After your post I discovered this link: This one 🤛 Also have nice suggestions. Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Mihnea Simian Mihnea Simian Mihnea Simian Follow Writing mostly about the journey of a Chapter Lead: leading a team of 9 development engineers in 5 squads for 5yrs+ Before this, I was myself an individual contributor, skilled in Python and Frontend. Location Bucharest, Romania Education BSc Computer Science &amp; MBM Business Management Pronouns he/him Work Chapter Lead ING Bank RO Joined Jul 10, 2022 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide DEV Community Caption Contest - wait, what contest? :D I answered some "Caption This!" posts with, what I thought, were cracking captions, but gave up since there isn't much action over there. Thanks for the list! Finally a useful listicle. Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide As I said, DEV team is trying to hide lots of things 🤣 I need that badge even though I can't crack good jokes. LOL! I'm really happy that you found this article useful. :D Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Thomas Bnt Thomas Bnt Thomas Bnt Follow French web developer mainly but touches everything. Volunteer admin mod here at DEV. I learn Nuxt at this moment and databases. — Addict to Cappuccino and Music Location France Pronouns He/him Work IAM Consultant @ Ariovis Joined May 5, 2017 &bull; Jan 31 &#39;24 Dropdown menu Copy link Hide Awesome. Just awesome. You demonstrated all capacities of Forem/DEV, showed the part of Web Monetization and the POWER of RSS feeds . ✨💜 Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Feb 1 &#39;24 Dropdown menu Copy link Hide I wasn't going to include it since Coil discontinued their services. 🤣 But there are more payment providers, so I thought it was worth adding. RSS feeds want some "feed"-back humor! It is actually a handy feature, and can save a lot of trouble. Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; Unnati Agarwal Unnati Agarwal Unnati Agarwal Follow Joined Feb 5, 2024 &bull; Feb 5 &#39;24 Dropdown menu Copy link Hide I joined DEV today and had previously not used any writing platforms such as Medium or Hashnode. This post has really helped me get started. Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Feb 5 &#39;24 Dropdown menu Copy link Hide Woah! Welcome to the community :D I'm glad it was helpful. If you have any more questions, feel free to let me know, I'll be happy to help you anytime :) Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Unnati Agarwal Unnati Agarwal Unnati Agarwal Follow Joined Feb 5, 2024 &bull; Feb 8 &#39;24 Dropdown menu Copy link Hide Sure! Want to start for real but not getting motivation. Can you let me know more about the content type people usually share on DEV. Like comment: Like comment: 2 &nbsp;likes Like Thread Thread &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Feb 8 &#39;24 Dropdown menu Copy link Hide You can check out the Top 7 Posts of the last week . As you can see, the content is very different from each author. While people typically share technical content, you can share whatever you like. Whether it's tutorials, tips, career advice, technical content, real-life experiences, to lively discussions. It depends on you where you can provide the maximum value :) Starting is the main thing, just do it and eventually you will learn and grow by improving through feedback and structure. I'd love to read it! Like comment: Like comment: 2 &nbsp;likes Like Thread Thread &nbsp; Unnati Agarwal Unnati Agarwal Unnati Agarwal Follow Joined Feb 5, 2024 &bull; Feb 9 &#39;24 Dropdown menu Copy link Hide Thank you so much. Will be posting soon! Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Vin Cooper Vin Cooper Vin Cooper Follow TOP Newsmaker 2025 | Web3 analyst exploring blockchain infrastructure, token design, and ecosystem growth Joined Nov 28, 2023 &bull; Feb 1 &#39;24 Dropdown menu Copy link Hide when I got to the point that tags are a very important part, my life changed for the better Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Anmol Baranwal Anmol Baranwal Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Email hi@anmolbaranwal.com Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 &bull; Feb 1 &#39;24 Dropdown menu Copy link Hide Yeah! Tags are indeed important because everyone has their own set of reading preferences. DEV actually helps in that, and we can discover content that aligns with our interests more easily. Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; BeacampHQ BeacampHQ BeacampHQ Follow Beacamp empowers professionals and newbies in Developer Relations (DevRel) and Marketing. Joined Jan 16, 2024 &bull; Feb 6 &#39;24 Dropdown menu Copy link Hide I didn't know some of these, thank you for sharing. Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply View full discussion (38 comments) Some comments may only be visible to logged-in visitors. Sign in to view all comments. Some comments have been hidden by the post's author - find out more Code of Conduct &bull; 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 Anmol Baranwal Follow Technical writer (1.5M+ reads) • Open Source developer Everything about me at &quot;https://anmolbaranwal.com&quot; Email for collab Location India Education Computer Science Work Technical Writer - open to opportunities Joined Oct 21, 2022 More from Anmol Baranwal 11 problems I have noticed building Agents (and fixes nobody talks about) # ai # programming # tutorial # agents 11 Powerful APIs for Your Next Project 🤯 # api # webdev # javascript # beginners Top 11 Document Parsing AI Tools for developers in 2025 # ai # tooling # beginners # webdev 💎 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 &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:16