url stringlengths 11 2.25k | text stringlengths 88 50k | ts timestamp[s]date 2026-01-13 08:47:33 2026-01-13 09:30:40 |
|---|---|---|
https://docs.suprsend.com/docs/testing-the-template | Testing the Template - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Design Template Channel Editors Testing the Template Handlebars Helpers Internationalization Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Templates Testing the Template Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Templates Testing the Template OpenAI Open in ChatGPT How to send a test notification from the template editor to your device for actual message preview. OpenAI Open in ChatGPT We have given an option on the Templates page to “Test Template”. This enables you to send test notifications directly from the template editor page and see how the actual message will look on user’s device. The mock data added in the global Mock Data button will be used to render variables in the template. Make sure to add mock data for all the variables added in the template else the notifications will fail. When Test Mode is enabled in your workspace, template testing will also respect Test Mode settings, ensuring test notifications are delivered to your configured test channels instead of real users. Please follow below steps to trigger test template: 1 Click on "Test Template" button Open template editor page. You’ll see Test Template button on the top right side. 2 Add distinct_id Add distinct_id of user who will receive the notification. Use this distinct\_id of any existing user or add a new with one of SuprSend SDKs . Add distinct_id in the input field and Click on Search . This will load the list of all active channels for that user. You can deselect the channels that you want to exclude from sending the notification 3 Click on "Trigger Test using Mock Data" to trigger the notification Notification category and Vendor settings corresponding to “Transactional” Category will be used to trigger the notification. Click on Trigger Test using Mock Data button. This will trigger the notification Once the notification is triggered, go to logs page to see the status Was this page helpful? Yes No Suggest edits Raise issue Previous Handlebars Helpers List of supported handlebars helpers that can be used in a template to format data or add conditions on the data passed in workflow trigger. Next ⌘ I x github linkedin youtube Powered by | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/client-authentication | Authentication - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection Developer Resources Overview Updates and Versioning Versioning and Support Policy SDK Changelog Authentication API Keys and Secrets Service Token Best Practices for Key & Token Management MCP Overview BETA Quickstart Tool List Building with LLMs Security Security SDKs and APIs SDKs SDK Overview SuprSend Backend SDK SuprSend Client SDK Authentication Javascript Android iOS React Native Flutter React Management API REST API Postman Collection Features Validate Trigger Payload Type Safety Testing Testing the Template Test Mode Monitoring and Logging Logs Data Out Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation SuprSend Client SDK Authentication Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog SuprSend Client SDK Authentication OpenAI Open in ChatGPT How to authenticate SuprSend Client SDKs using public API Keys & signed user tokens. OpenAI Open in ChatGPT 📘 Many of our mobile SDK’s are under revamp stage. These SDK’s still use workspace key and workspace secret authentication. SuprSend client SDK’s use public API Keys to authenticate requests. You can find Public Keys in SuprSend Dashboard -> Developers -> API Keys -> Public Keys . You can generate new ones and delete or rotate existing keys. For production workspaces public API Keys alone isn’t enough as they are insecure. To solve this enable enhanced secure mode switch which you can find beside Public Key (shown in above image). This mandates signed user token (a JWT token that identifies the user that is performing the request) to be sent along with client requests. Enhanced Security Mode with signed User Token When enhanced security mode is on, user level authentication is performed for all requests. This is recommended for Production workspaces. All requests will be rejected by SuprSend if enhanced security mode is on and signed user token is not provided. This signed user token should be generated by your backend application and should be passed to your client. 1 Generate Signing Key You can generate Signing key from SuprSend Dashboard (below Public Keys section in API Keys page). Once signing key is generated it won’t be shown again, so copy and store it securely. It contains 2 formats: (i.) Base64 format: This is single line text, suitable for storing as an environment variable. (ii.) PEM format: This is multiline text format string. You can use any of the above format. This key will be used as secret to generate JWT token as shown in below step. 2 Creating Signed User JWT Token This should be created on your backend application only. You will need to sign the JWT token with the signing key from above step and expose this JWT token to your Frontend application. JWT Algorithm: ES256 JWT Secret: Signing key in PEM format generated in step1. If you are using Base64 format, it should be converted in to PEM format. JWT Payload: Payload Copy Ask AI { "entity_type" : 'subscriber' , // hardcode this value to subscriber "entity_id" : your_distinct_id , // replace this with your actual distinct id "exp" : 1725814228 , // token expiry timestamp in seconds "iat" : 1725814228 // token issued timestamp in seconds. "scope" : { "tenant_id" : "string" } } SuprSend requests will be scoped to tenant. If tenant passed by you in SDK doesn’t match with the JWT payload scope tenant_id then requests will throw 403 error. If tenant_id is not passed, it is assumed to be default tenant. Currently only Inbox requests supports scope, later on we will extend it to preferences and other requests. Create JWT token using above information: Node Copy Ask AI import jwt from 'jsonwebtoken' ; const payload = { entity_type: 'subscriber' , entity_id: "johndoe" , exp: 1725814228 }; const secret = 'your PEM format signing key' ; // if base64 signing key format is used use below code to convert to PEM format. const secret = Buffer . from ( 'your_base64_signingKey' , 'base64' ). toString ( 'utf-8' ) const signedUserToken = jwt . sign ( payload , secret ,{ algorithm: 'ES256' }) 3 Using signed user token in client After creating user token on backend send it to your Frontend application to be used in SuprSend SDK as user token. Javascript Copy Ask AI import SuprSend from '@suprsend/web-sdk' ; const suprSendClient = new SuprSend ( publicApiKey : string ); const authResponse = await suprSendClient . identify ( user . id , user . userToken ); Token expiry handling To handle cases of token expiry our client SDK’s have Refresh User Token callback as parameter in identify method which gets called to get new user token when existing token is expired. Javascript Copy Ask AI const authResponse = await suprSendClient . identify ( user . id , user . userToken , { refreshUserToken : ( oldUserToken , tokenPayload ) => { //.... write your logic to get new token by making API call to your server... // return new token }}); Was this page helpful? Yes No Suggest edits Raise issue Previous Integrate Javascript SDK Web SDK Integration to enable WebPush, Preferences, & In-app feed in javascript websites like React, Vue, and Next.js. Next ⌘ I x github linkedin youtube Powered by On this page Enhanced Security Mode with signed User Token Token expiry handling | 2026-01-13T08:49:31 |
https://dev.to/kiranbaby14/i-built-a-3d-ai-avatar-that-actually-sees-and-talks-back-4j1a | I Built a 3D AI Avatar That Actually Sees and Talks Back 🎭 - 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 Kiran Baby Posted on Dec 26, 2025 I Built a 3D AI Avatar That Actually Sees and Talks Back 🎭 # webdev # ai # opensource # learning Chatbots are so 2020. Let me show you what I built instead. It's been ages since I last posted here. Hope y'all had a great Christmas! 🎄 Feels good to be back. ✌️ The Problem With Every AI Assistant Right Now You know what's annoying? Typing. Every AI tool out there wants you to type type type like it's 1995. And don't even get me started on the ones that "listen" but can't see what you're showing them. So I asked myself: What if I built an AI that works like an actual conversation? One that: 👀 Sees what you show it (camera feed) 👂 Hears you naturally (no push-to-talk nonsense) 🗣️ Responds with voice and perfectly synced lip movements 🎭 Expresses emotions through a 3D avatar And runs 100% locally on your machine. No API keys bleeding your wallet dry. Introducing TalkMateAI 🚀 TalkMateAI is a real-time, multimodal AI companion. You talk to it, show it things through your camera, and it responds with natural speech while a 3D avatar lip-syncs perfectly to every word. It's like having a conversation with a character from a video game, except it's actually intelligent. The Tech Stack (For My Fellow Nerds 🤓) Backend (Python) FastAPI + WebSockets → Real-time bidirectional communication PyTorch + Flash Attention 2 → GPU go brrrrr OpenAI Whisper (tiny) → Speech recognition SmolVLM2-256M-Video-Instruct → Vision-language understanding Kokoro TTS → Natural voice synthesis with word-level timing Enter fullscreen mode Exit fullscreen mode Frontend (TypeScript) Next.js 15 → Because Turbopack is fast af Tailwind CSS + shadcn/ui → Pretty buttons TalkingHead.js → 3D avatar with lip-sync magic Web Audio API + AudioWorklet → Low-latency audio processing Native WebSocket → None of that socket.io bloat Enter fullscreen mode Exit fullscreen mode How It Actually Works Here's the flow: You speak → VAD detects speech → Audio (+ camera frame if enabled) sent via WebSocket → Whisper transcribes → SmolVLM2 understands text + image together → Generates response → Kokoro synthesizes speech with timing data → Audio + lip-sync data sent back → 3D avatar speaks with perfect sync Enter fullscreen mode Exit fullscreen mode All of this happens in real-time . The Secret Sauce: Native Word Timing 🎯 Most TTS solutions give you audio and that's it. You're left guessing when each word starts for lip-sync. Kokoro TTS gives you word-level timing data out of the box: const speakData = { audio : audioBuffer , words : [ " Hello " , " world " ], wtimes : [ 0.0 , 0.5 ], // when each word starts wdurations : [ 0.4 , 0.6 ] // how long each word lasts }; // TalkingHead uses this for pixel-perfect lip sync headRef . current . speakAudio ( speakData ); Enter fullscreen mode Exit fullscreen mode The result? Lips that move exactly when they should. No uncanny valley weirdness. Voice Activity Detection That Actually Works I didn't want push-to-talk. I wanted natural conversation flow. So I built a custom VAD using the Web Audio API's AudioWorklet. It calculates energy levels in real-time and tracks speech frames vs silence frames - all from the frontend (so no unnecessary wastage of backend processing power). You just... talk. When you pause naturally, it processes. When you keep talking, it waits. It respects conversational flow. ⚠️ Heads up: This version doesn't support barge-in (interrupting the avatar mid-speech) or sophisticated turn-taking detection. It's purely pause-based - you talk, pause, it responds. The Vision Component 👁️ Here's where it gets spicy. The camera isn't just for show. When enabled, every audio segment gets sent with a camera snapshot. SmolVLM2 processes both together - the audio transcription AND what it sees. You can literally say "What am I holding?" and it'll tell you. Running It Yourself Prerequisites Node.js 20+ Python 3.10 NVIDIA GPU with ~4GB+ VRAM should work (I used RTX 3070 8GB, but the models are lightweight - Whisper tiny + SmolVLM2-256M + Kokoro TTS) PNPM & UV package managers Setup # Clone it git clone https://github.com/kiranbaby14/TalkMateAI.git cd TalkMateAI # Install everything pnpm run monorepo-setup # Run both frontend and backend pnpm dev Enter fullscreen mode Exit fullscreen mode Frontend: http://localhost:3000 Backend: http://localhost:8000 What Can You Build With This? This is open source. Fork it. Break it. Make it weird. Some ideas: 📚 Language tutors that watch your pronunciation 🎨 Creative companions that see your art and give feedback 🔍 Screen assistants - combine with Screenpipe for an AI that knows what you've been doing The Code Is Yours GitHub: github.com/kiranbaby14/TalkMateAI 🛠️ Fair warning: This was a curiosity-driven project, not a polished product. There are rough edges, things I'd do differently now, and probably bugs I haven't found yet. But that's the fun of open source, right? Dig in, break stuff, make it better. Star it ⭐ if you think chatbots should evolve. Shoutouts 🙏 Big thanks to met4citizen for the incredible TalkingHead library. The 3D avatar rendering and lip-sync magic? That's all their work. I just plugged it in and fed it audio + timing data. Absolute legend. What Would You Build? Seriously, drop a comment. I want to know what wild ideas you have for real-time multimodal AI. AI that sees + hears + responds naturally? That's not the future anymore. That's right now. And you can run it on your GPU. Built with ❤️ and probably too much caffeine by @kiranbaby14 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 Kiran Baby Follow An enthusiastic developer. Location UK, London Education University of St Andrews Work Software Engineer Joined Nov 4, 2021 More from Kiran Baby Video Libraries Made Searchable by AI # webdev # ai # python # 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 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:31 |
https://www.linkedin.com/company/devcyclehq | DevCycle | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join for free DevCycle Software Development Toronto, Ontario 1,008 followers A feature flag management platform built for developers 👩💻 🚩 | Part of the OpenFeature Ecosystem 🌎 Follow Discover all 21 employees Report this company About us A feature flag management platform built for developers 👩💻 🚩 | Part of the OpenFeature Ecosystem 🌎 Website https://devcycle.com External link for DevCycle Industry Software Development Company size 11-50 employees Headquarters Toronto, Ontario Type Privately Held Founded 2021 Specialties feature flags, feature management, and developer productivity Locations Primary 49 Spadina Ave Suite 304 Toronto, Ontario 55V 2J1, US Get directions Employees at DevCycle Mark Allen Bryan Clark Chris Aniszczyk Julia Gilinets See all employees Updates DevCycle 1,008 followers 3w Report this post 🧑💻 Engineering managers: 😬 If every deploy makes your team nervous, the problem isn’t confidence — it’s tooling. 🧗 Feature flags turn production into a controlled environment, not a cliff edge. https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com Like Comment Share DevCycle 1,008 followers 3w Report this post ⏱️ Every hour your engineers spend maintaining a homegrown feature flag system 🏗️ Is an hour they’re not building features users actually pay for. DIY flags aren’t free. 🐢 They’re paid for in lost velocity, focus, and morale. https://lnkd.in/eqWXpDfE #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why a Homegrown Feature Flag System is a Trap blog.devcycle.com Like Comment Share DevCycle 1,008 followers 3w Report this post ✅ The era of smashing the big green deploy button and praying is over. When AI writes code, you don’t launch it wide. You wrap it in a feature flag. Ship to prod. Turn it on for 3 people. Watch it breathe. Then roll it out. This is how AI code survives production. 🏕️ https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 4 Like Comment Share DevCycle 1,008 followers 3w Report this post 👾 Engineering teams don’t slow down because of code 🐌 They slow down because every deployment is treated like a launch 🏎️ Feature flags fix that 👯♂️ Decouple deploy from release → ship faster, fear less, validate sooner 🔥 If you’re still shipping big-bang style… you’re burning velocity https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com 1 Like Comment Share DevCycle 1,008 followers 4w Report this post The real data is brutal: • 30% of engineering time lost to DIY flag maintenance 🚧 • 73% of flags never removed 🔒 • Thousands of hours per year navigating flag technical debt and bloat 🫃 Homegrown feature flags aren’t “lightweight.” They’re a slow bleed. 🩸 🩸 🩸 https://lnkd.in/eqWXpDfE #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why a Homegrown Feature Flag System is a Trap blog.devcycle.com 2 1 Comment Like Comment Share DevCycle 1,008 followers 1mo Report this post 🔁 The modern dev loop (or cycle 😉) isn’t write → test → ship anymore. It’s: 🤖 generate → 🏁wrap behind feature flag → 🚀 deploy → 🍰 test on a tiny slice → 🛼 roll out 🏃💨 That loop is why AI-driven teams ship faster without lighting prod on 🔥🚒. https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 2 Like Comment Share DevCycle 1,008 followers 1mo Report this post ⚔️ Most teams think they have a product/engineering alignment problem. 🏁 Really, they just don’t have feature flags. 🎚️ Flags turn launches into decisions, not deployments—PMs own timing, engineers own flow, and everyone sleeps better. https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com 5 Like Comment Share DevCycle reposted this Mark Allen 1mo Report this post I’ve always wrestled with building meaningful frontend + backend demos. Nothing breaks the illusion faster than fake auth flows or placeholder tokens. In the real world, we rely on proper JWTs; therefore, our demos should reflect that. To fix the gap, I built a small Express middleware that issues real JWTs for an email address, mimicking a lightweight IDP. With that, I’ve taken the next step and created an example app using OpenFeature and DevCycle across both the frontend and the backend. The app uses middleware to generate the token and pass it through the stack, end-to-end evaluating the user's feature flags as you would in a real app. If this helps you, I’d love a ⭐ or two and PRs are always welcome. #DevOps #FeatureFlags #OpenFeature #DevCycle #NodeJS #JavaScript #SoftwareEngineering #DevEx 22 1 Comment Like Comment Share DevCycle reposted this Andrew Norris 1mo Report this post 6 months ago our onboarding looked “fine.” Nice UI, polished tutorial, solid drop-off rates. But devs still weren’t hitting SDK install. So we nuked the tutorial and rebuilt around MCP — where onboarding happens in your editor. 3× more installs. https://lnkd.in/gGShAmhK MCP Onboarding for Feature Flagging: 3x SDK Installs blog.devcycle.com 15 1 Comment Like Comment Share DevCycle reposted this Andrew Norris 2mo Report this post We learned something big about onboarding: Even great tutorials can break if they pull developers away from their real workflow. So we rebuilt onboarding around MCP to bring DevCycle into the IDE. 3× more users now reach SDK install. How it works → https://lnkd.in/gGShAmhK MCP Onboarding for Feature Flagging: 3x SDK Installs blog.devcycle.com 8 1 Comment Like Comment Share Join now to see what you are missing Find people you know at DevCycle Browse recommended jobs for you View all updates, news, and articles Join now Similar pages Taplytics Software Development Toronto, Ontario Reprompt (YC W24) Technology, Information and Internet San Francisco, California sync. Software Development San Francisco, California FlexDesk Technology, Information and Internet New York City, NY Wasp Information Technology & Services Capi Money Financial Services VectorShift Technology, Information and Internet Sully.ai Hospitals and Health Care Mountain View, California TeamOut (YC W22) Software Development San Francisco, CA Optery Technology, Information and Internet Show more similar pages Show fewer similar pages Browse jobs Engineer jobs 555,845 open jobs Senior Product Designer jobs 20,576 open jobs User Experience Specialist jobs 7,714 open jobs User Interface Designer jobs 13,154 open jobs Product Designer jobs 45,389 open jobs Product Manager jobs 199,941 open jobs Business Partner jobs 188,284 open jobs User Experience Designer jobs 13,659 open jobs Developer jobs 258,935 open jobs Designer jobs 65,273 open jobs Business Intelligence Analyst jobs 43,282 open jobs Senior Software Engineer jobs 78,145 open jobs Business Development Associate jobs 31,101 open jobs President jobs 92,709 open jobs Salesperson jobs 172,678 open jobs Software Engineer jobs 300,699 open jobs Analyst jobs 694,057 open jobs Application Tester jobs 5,112 open jobs Embedded System Engineer jobs 116,786 open jobs Full Stack Engineer jobs 38,546 open jobs Show more jobs like this Show fewer jobs like this Funding DevCycle 1 total round Last Round Pre seed Feb 1, 2021 External Crunchbase Link for last round of funding See more info on crunchbase More searches More searches Engineer jobs Web Producer jobs Digital Product Manager jobs Intern jobs Training Specialist jobs Customer Experience Manager jobs Strategy Manager jobs President jobs Product Management Intern jobs Data Scientist jobs Project Manager jobs Developer jobs Software Engineer jobs Scientist jobs Full Stack Engineer jobs C Developer jobs Senior Software Engineer jobs Enterprise Account Executive jobs Key Account Manager jobs Buyer jobs Account Manager jobs Senior Product Manager jobs Manager jobs Business Development Representative jobs Site Reliability Engineer jobs Machine Learning Engineer jobs Technical Sales Specialist jobs Claims Adjuster jobs Support Representative jobs Application Developer jobs Support Specialist jobs Lead jobs Specialist jobs Lead Engineer jobs Geographic Information System Specialist jobs Account Executive jobs Geographic Information Systems Analyst jobs Analyst jobs Support Engineer jobs Engineering Manager jobs Product Manager jobs Frontend Developer jobs Software Engineering Manager jobs Senior Tax Manager jobs Technology Lead jobs Tax Attorney jobs Associate Attorney jobs Associate Brand Manager jobs Scout jobs Operations Manager jobs Marketing Coordinator jobs User Experience Designer jobs Science Manager jobs Product Associate jobs Ruby on Rails Developer jobs Quality Assurance Automation Engineer jobs Sourcer jobs Director jobs Data Engineer jobs Research Analyst jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at DevCycle Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:31 |
https://dev.to/ganges07 | Gangeswara - 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 Gangeswara 404 bio not found Joined Joined on Aug 20, 2025 More info about @ganges07 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 9 posts published Comment 0 comments written Tag 0 tags followed AWS Service – Amazon S3 Glacier Gangeswara Gangeswara Gangeswara Follow Dec 18 '25 AWS Service – Amazon S3 Glacier # aws # awschallenge # s3 # webdev 1 reaction Comments Add Comment 1 min read 🧪 Ga – GitHub Actions (DevOps Periodic Table Element) Gangeswara Gangeswara Gangeswara Follow Dec 18 '25 🧪 Ga – GitHub Actions (DevOps Periodic Table Element) # devops # githubactions # webdev # beginners 4 reactions Comments Add Comment 1 min read Indexing, Hashing & Query Optimization Gangeswara Gangeswara Gangeswara Follow Oct 2 '25 Indexing, Hashing & Query Optimization # database # beginners # programming # career 3 reactions Comments Add Comment 3 min read MongoDB CRUD Operations Gangeswara Gangeswara Gangeswara Follow Oct 2 '25 MongoDB CRUD Operations # database # career # mongodb # beginners 3 reactions Comments Add Comment 3 min read DBMS – Transactions, Deadlocks & Log-Based Recovery Gangeswara Gangeswara Gangeswara Follow Oct 1 '25 DBMS – Transactions, Deadlocks & Log-Based Recovery # dbms # oracl # webdev # programming 3 reactions Comments Add Comment 2 min read DBMS : ACID Properties with SQL Transactions Gangeswara Gangeswara Gangeswara Follow Oct 1 '25 DBMS : ACID Properties with SQL Transactions # database # acid # sql # oracle 3 reactions Comments Add Comment 3 min read DBMS : Cursor & Trigger Gangeswara Gangeswara Gangeswara Follow Oct 1 '25 DBMS : Cursor & Trigger # dbms # oracle # cursors # tutorial 4 reactions Comments Add Comment 2 min read Database Normalization Gangeswara Gangeswara Gangeswara Follow Oct 1 '25 Database Normalization # programming # sql # oracle # dbms 8 reactions Comments 1 comment 3 min read College Student & Course Management System Gangeswara Gangeswara Gangeswara Follow Aug 21 '25 College Student & Course Management System # webdev # programming # beginners # ai 2 reactions 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:31 |
https://mailto:support@dev.to/contact | Contact 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 Contacts DEV Community would love to hear from you! Email: support@dev.to 😁 Twitter: @thepracticaldev 👻 Report a vulnerability: dev.to/security 🐛 To report a bug, please create a bug report in our open source repository. To request a feature, please start a new GitHub Discussion in the Forem repo! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:31 |
https://dev.to/ganges07/ga-github-actions-devops-periodic-table-element-4jdl#comments | 🧪 Ga – GitHub Actions (DevOps Periodic Table Element) - 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 Gangeswara Posted on Dec 18, 2025 🧪 Ga – GitHub Actions (DevOps Periodic Table Element) # githubactions # devops # webdev # beginners 🔹 1. Overview of the Tool GitHub Actions is a CI/CD automation tool. It automates build, test, and deploy processes. Works directly inside GitHub repositories. ⭐ 2. Key Features ✔ Event-based workflows (push, pull request, schedule) ✔ YAML-based configuration ✔ GitHub Marketplace actions support ✔ GitHub-hosted & self-hosted runners ✔ Easy integration with cloud services 🔄 3. Role in DevOps / DevSecOps ➤ Enables Continuous Integration & Continuous Deployment ➤ Automates pipelines without external tools ➤ Supports security scans & code analysis ➤ Helps shift security left in DevSecOps 💻 4. Programming Languages Used • YAML (workflow configuration) • JavaScript • Python • Shell scripting • Docker 🏢 5. Parent Company Developed by GitHub Owned by Microsoft 🔓 6. Open Source / Paid 🔹 Free tier available 🔹 Paid plans for higher usage 🔹 Many actions are open source 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 Gangeswara Follow Joined Aug 20, 2025 More from Gangeswara AWS Service – Amazon S3 Glacier # aws # awschallenge # s3 # webdev Indexing, Hashing & Query Optimization # database # beginners # programming # career MongoDB CRUD Operations # database # career # mongodb # beginners 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://parenting.forem.com/t/discuss#main-content | Discussion Threads - Parenting Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Parenting Close Discussion Threads Follow Hide Discussion threads targeting the whole community Create Post submission guidelines These posts should include a question, prompt, or topic that initiates a discussion in the comments section. Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How Becoming a Parent Helped Me Notice the Small Things Eli Sanderson Eli Sanderson Eli Sanderson Follow Nov 21 '25 How Becoming a Parent Helped Me Notice the Small Things # discuss # celebrations # newparents 7 reactions Comments 1 comment 7 min read We started a new routine called 'highs and lows' to get our kids to open up more! Jess Lee Jess Lee Jess Lee Follow Oct 22 '25 We started a new routine called 'highs and lows' to get our kids to open up more! # discuss 19 reactions Comments 2 comments 2 min read What do you do when your kids won't wear weather appropriate clothes? Jenny Li Jenny Li Jenny Li Follow Oct 14 '25 What do you do when your kids won't wear weather appropriate clothes? # discuss 10 reactions Comments 2 comments 1 min read Navigating Modern Parenthood: Insights from This Week's Conversations Om Shree Om Shree Om Shree Follow Oct 19 '25 Navigating Modern Parenthood: Insights from This Week's Conversations # discuss # learning # development # mentalhealth 23 reactions Comments 5 comments 5 min read How do you think about screen time and technology? Jess Lee Jess Lee Jess Lee Follow Oct 14 '25 How do you think about screen time and technology? # discuss # technology 5 reactions Comments 3 comments 1 min read loading... trending guides/resources How Becoming a Parent Helped Me Notice the Small Things 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:49:31 |
https://docs.coderabbit.ai/code-editors/ | CodeRabbit Documentation - AI code reviews on pull requests, IDE, and CLI Skip to main content CodeRabbit home page Search... ⌘ K Sign up Sign up Search... Navigation IDE extensions Review local changes Documentation Blog Changelog Discord Get started Introduction Quickstart Add CodeRabbit to your repository Overview Supported Git platforms Add organizations Set permissions Review pull requests Overview Manage code reviews Agentic Pre-merge checks Finishing touches Dashboard Reports IDE extensions Review local changes Install the VSCode extension Use the VSCode extension Use with self-hosted CodeRabbit Configure the VSCode extension Uninstall the VSCode extension CLI Overview Claude Code integration Cursor integration Codex integration Gemini integration WSL on Windows Use with self-hosted CodeRabbit Configure Overview Organization preferences Repository preferences Configuration via YAML File Central configuration Configuration inheritance Knowledge base Learnings Review instructions Integrate MCP servers Username-based PR review control Linters & security analysis tools CodeRabbit for Issues Issue trackers Create issues Linked issues Issue Enrichment and Planning Manage your account Manage your subscription Role-based access Resources Configuration reference Code review commands Tools Reference YAML validator API reference Supported tools Caching FAQs Early Access Program On this page Supported editors Features Pricing and capabilities Get started IDE extensions Review local changes Copy page Catch critical bugs, security issues, memory leaks before you commit. Right in your IDE with the CodeRabbit IDE extensions. Copy page Get CodeRabbit’s AI-powered code reviews directly in your IDE before you commit. Catch bugs, security issues, and code quality problems without leaving your development environment. Looking for the full CodeRabbit experience? This page covers local IDE reviews. For complete code reviews on pull requests, see Introduction . Supported editors The CodeRabbit extension works with VSCode and any editor that supports VSCode extensions: Visual Studio Code Full native support for the official VSCode editor Cursor Compatible with Cursor’s AI-powered development environment Windsurf Works seamlessly with Windsurf and other VSCode-compatible editors Use the extension standalone for local development, or combine it with CodeRabbit’s pull request reviews for comprehensive code quality coverage. Features Review uncommitted changes Get instant reviews on uncommitted code as you develop. Catch issues before you even commit, reducing PR comment noise by 80%. One-click fixes Apply simple suggested fixes instantly. Complex fixes get handed off to your AI agent with one click. Fix all New feature: Send all review comments and context to your coding agent at once for comprehensive fixes. AI agent integration Native integration with Copilot, Claude Code, Codex CLI, Cline, Roo, Kilo Code, Augment Code, plus clipboard fallback for any AI agent. Context-aware reviews Paid users with linked GitHub accounts get full context: learnings, tools, and 40+ contextual sources for comprehensive analysis. Detects coding agent files Automatically detects claude.md, Cursor rules, custom rules, and other coding agent files to apply your team’s standards to every review. Pricing and capabilities Free tier Basic reviews with limited daily usage. Perfect for trying out the extension and light development work. Paid plans Higher rate limits plus full context-aware reviews. Paid users with linked GitHub accounts get learnings, tools, and 40+ contextual sources. Full feature parity : Paid users now get nearly all PR review features in the IDE, including learnings and contextual analysis. Only chat, docstrings, and unit test generation remain exclusive to PR reviews. Note that PR reviews and IDE reviews will differ, even if ran on the same PR. Contact [email protected] for custom rate limits or enterprise needs. Get started Install the VSCode extension Download and install the CodeRabbit extension for VSCode or compatible editors. Use the VSCode extension Learn how to trigger reviews, apply fixes, and integrate with your development workflow. Self-hosted setup Configure the extension to work with your self-hosted CodeRabbit instance. Was this page helpful? Yes No Customize reports Install the VSCode extension ⌘ I CodeRabbit home page x linkedin github discord Resources Docs Blog Pricing Changelog Quick links Schedule a demo Terms of service Privacy Policy x linkedin github discord Powered by | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/events | Events - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation CORE CONCEPTS Events Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog CORE CONCEPTS Events OpenAI Open in ChatGPT How to send events to SuprSend to trigger workflows. OpenAI Open in ChatGPT The event (or sometimes referred to as event_name) is a string describing an event. Events are also used to trigger workflows designed on SuprSend Platform . All you have to do is send the event to SuprSend platform and the associated workflows will be triggered Below is an example of workflow with ‘Event Name’ ( GROCERY_PURCHASED ) defined as trigger Send Event to SuprSend You can either use HTTP API or our backend SDKs to send events via your backend systems or use Client side SDK to directly sync events from your mobile or web applications. Backend SDK: Python SDK Node SDK Java SDK Go SDK Client side SDK: Javascript SDK (for web applications) Android SDK (for mobile applications) React Native SDK (for mobile applications) Flutter SDK (for mobile applications) Via third-party connectors You can use connectors to directly sync events from your third-party data tracking platforms. Segment Was this page helpful? Yes No Suggest edits Raise issue Previous Workflow Understand what is workflow and how to design, test, trigger and track workflow log. Next ⌘ I x github linkedin youtube Powered by On this page Send Event to SuprSend Backend SDK: Client side SDK: Via third-party connectors | 2026-01-13T08:49:31 |
https://dev.to/degcode/que-es-bun-4b91 | ¿Qué es Bun? - 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 Diego Enríquez Puig for DegCode💻 Posted on Sep 19, 2023 ¿Qué es Bun? # javascript # programming # bunjs # español Si eres programador y usas mucho javascript, pues probablemente has escuchado ya sobre Bun , y quizás también te ha pasado como a mí, no tienes idea de que es. Pues me puse a investigar un poco y terminó llamando mi atención, por lo que decidí hacer un artículo sencillo e introductorio sobre ¿Qué es Bun? . Además, es mi primer artículo en Dev😅 así que puede que empiece muy fuerte. ¿Qué es Bun? Bun, es un entorno de ejecución de Javascript, así como Node o Deno pero que promete mejores velocidades que ambos. No obstante, Bun no es solo un entorno de ejecución, es también un empaquetador y un gestor de paquetes, o sea, que busca reemplazar a Node, Webpack y a NPM. ¿Qué tiene de bueno Bun? Pues Bun, promete velocidades mayores no solo en cuanto a ejecución de código, si no también en cuanto a instalación de paquetes y en cuanto al empaquetamiento de tus proyectos. Además, Bun no solo es capaz de ejecutar Javascript, también tiene soporte para Typescript y JSX. ¿Si quiero pasarme a Bun, perderé mis proyectos en Node? Pues, la respuesta es No. Bun es compatible con los archivos de configuración package.json de Node, o sea que tus proyectos funcionaran también en Bun sin ningún problema. Fin. Este artículo lo realicé principalmente para probar por primera vez como es publicar en Dev, no pensaba en hacer ningún tutorial ni nada parecido, así que deje un poco de información para que tu investigues más. Para empezar, puedes entrar al sitio Oficial de Bun 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 DegCode💻 Follow Trending on DEV Community Hot Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev AI should not be in Code Editors # programming # ai # productivity # discuss 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:31 |
https://dev.to/t/ai/videos#main-content | Videos - 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 All videos # ai on Video Google's Universal Commerce Protocol: What Developers Need to Know Okkar Kyaw FlutterFlow's AI Future is DreamFlow. Its AI Present is This. Stuart Dense vs Sparse Vectors in AI — Explained for Developers Chintan Soni Introducing FocusWhileAI Chrome Extension 🚀 Rudhra Bharathy G Agent Factory Recap: A Deep Dive into Agent Evaluation, Practical Tooling, and Multi-Agent Systems Qingyue Wang 🚀 GLM 4.7 : Is the era of "expensive-only" SOTA models ending? Aparna Pradhan Building a RAG based agent using DronaHQ Gayatri Sachdeva The Tradeoffs Behind AI Agents Amin Boutarfi A Better Way to Run Git Worktrees Finally! Julio Daniel Reyes Why Building Software Should Be as Easy as Ordering Pizza Anup Singh Automating a Browser with Anthropic’s Computer Use to Play Tic-Tac-Toe Christian Bromann I Built a Smart Accounting App Called AccountInn (And It Taught Me How Real Apps Are Built ) Hala Kabir An Honest Review of Google Antigravity Fabian Frank Werner Key Takeaways from Werner Vogels' Final re:Invent Keynote (2025) Ravi Patel Solving a $ 200 Billion Market Problem with Kiro Vbboi24 uv-mcp server Saadman Rafat Episode 3 of the AI Agent Bake Off: "Build a GTM Agent for Founders in 72 hours" Abraham Gomez Generate Database Schemas with AI: How StackRender Builds Your DB in Seconds karim tamani I Built a 3D AI Avatar That Actually Sees and Talks Back 🎭 Kiran Baby Rethinking Expense Splitting: A Graph-Based Approach with LLM Integration Naveen Vandanapu Video Libraries Made Searchable by AI Kiran Baby The Future According to Demis Hassabis: Key Predictions on AGI, Agents, and the "Ferocious" Race ANIRUDDHA ADAK 🧠 Beyond Chatbots: Building 'Echo-Learn', an Agentic AI Tutor with Biological Memory Jackson Kasi Agent Factory Recap: Can you do my shopping? Shir Meir Lador 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:31 |
https://golf.forem.com/#main-content | Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Welcome to Golf Forem — part of the Forem network! Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Create account Log in Home About Contact Other Code of Conduct Privacy Policy Terms of Use Twitter Facebook Github Instagram Twitch Mastodon Popular Tags #recommendations #golf #offtopic #lessons #memes #newgolfer #seniorgolf #introductions #roundrecap #walkvsride #coursestrategy #mentalgame #etiquette #rulesofgolf #juniorgolf #holeinone #milestones #meetups #formats #swingcritique #swingtips #shortgame #putting #handicaps #drills #golffitness #polls #selftaught #witb #womensgolf Golf Forem A community of golfers and golfing enthusiasts Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Posts Relevant Latest Top Golf.com: Behind Closed Doors: Sleepy Hollow’s Opulent Home on the Hudson YouTube Golf YouTube Golf YouTube Golf Follow Nov 7 '25 Golf.com: Behind Closed Doors: Sleepy Hollow’s Opulent Home on the Hudson # golf # offtopic # recommendations Comments Add Comment 1 min read Take the anaconda that became the Classic Parkland Course Md Younus Md Younus Md Younus Follow Nov 18 '25 Take the anaconda that became the Classic Parkland Course # golfnews Comments Add Comment 7 min read Pro Performance Coach Shares Pred Pett’s Visualization Secret Md Younus Md Younus Md Younus Follow Nov 18 '25 Pro Performance Coach Shares Pred Pett’s Visualization Secret # golfnews Comments Add Comment 4 min read At the Bermuda Championship, 2 emotional scenes said it all Md Younus Md Younus Md Younus Follow Nov 18 '25 At the Bermuda Championship, 2 emotional scenes said it all # golfnews Comments Add Comment 3 min read Was 2025 Rory McIlroy’s Soaking Sout? Md Younus Md Younus Md Younus Follow Nov 18 '25 Was 2025 Rory McIlroy’s Soaking Sout? # golfnews Comments Add Comment 5 min read No Laying Up Podcast: Old Course Renovations, Weekly Recap + Jackson Koivun | NLU Pod, Ep 1087 YouTube Golf YouTube Golf YouTube Golf Follow Nov 6 '25 No Laying Up Podcast: Old Course Renovations, Weekly Recap + Jackson Koivun | NLU Pod, Ep 1087 # discuss # golf 2 reactions Comments Add Comment 1 min read Golf.com: Ross Butler cures Erin Lim Rhodes Chipping Yips | Can I Get A Tip YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 Golf.com: Ross Butler cures Erin Lim Rhodes Chipping Yips | Can I Get A Tip # golf # lessons # quotes Comments Add Comment 1 min read No Laying Up Podcast: The Booth Vol.23 | Trap Draw, Ep 365 YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 No Laying Up Podcast: The Booth Vol.23 | Trap Draw, Ep 365 # golf # recommendations Comments Add Comment 1 min read No Laying Up Podcast: Chop Session with DJ | Trap Draw, Ep 367 YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 No Laying Up Podcast: Chop Session with DJ | Trap Draw, Ep 367 # golf # recommendations # offtopic # betting Comments Add Comment 1 min read No Laying Up Podcast: Lava Golf, International Crown + Jack's Big Win | NLU Pod, Ep 1085 YouTube Golf YouTube Golf YouTube Golf Follow Oct 29 '25 No Laying Up Podcast: Lava Golf, International Crown + Jack's Big Win | NLU Pod, Ep 1085 # golf # recommendations Comments Add Comment 1 min read Golf.com: MLB All-Star Dexter Fowler's Ultimate Putting Tip YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 Golf.com: MLB All-Star Dexter Fowler's Ultimate Putting Tip # golf # lessons # recommendations Comments Add Comment 1 min read Peter Finch Golf: I challenged a HEAD PRO at HIS OWN course... (Ep. 1 – Heswall GC) YouTube Golf YouTube Golf YouTube Golf Follow Oct 25 '25 Peter Finch Golf: I challenged a HEAD PRO at HIS OWN course... (Ep. 1 – Heswall GC) # golf # betting # recommendations Comments Add Comment 1 min read Golf.com: The Heartfelt Purpose Behind the Folds of Honor Collegiate YouTube Golf YouTube Golf YouTube Golf Follow Oct 29 '25 Golf.com: The Heartfelt Purpose Behind the Folds of Honor Collegiate # golf # recommendations Comments Add Comment 1 min read No Laying Up Podcast: Weekly Recap + Se Ri Pak Deep Dive | NLU Pod, Ep 1083 YouTube Golf YouTube Golf YouTube Golf Follow Oct 20 '25 No Laying Up Podcast: Weekly Recap + Se Ri Pak Deep Dive | NLU Pod, Ep 1083 # golf # quotes Comments Add Comment 1 min read No Laying Up Podcast: Fall Events That Slap + Great Dunes | NLU Pod, Ep 1091 YouTube Golf YouTube Golf YouTube Golf Follow Nov 20 '25 No Laying Up Podcast: Fall Events That Slap + Great Dunes | NLU Pod, Ep 1091 # golf # recommendations 5 reactions Comments Add Comment 1 min read No Laying Up Podcast: The Incidents of Sergio Garcia | NLU Pod, Ep 1086 YouTube Golf YouTube Golf YouTube Golf Follow Oct 29 '25 No Laying Up Podcast: The Incidents of Sergio Garcia | NLU Pod, Ep 1086 # golf # recommendations 3 reactions Comments Add Comment 1 min read No Laying Up Podcast: The Science of Putting with Dr. Sasho MacKenzie | NLU Pod, Ep 1082 YouTube Golf YouTube Golf YouTube Golf Follow Oct 15 '25 No Laying Up Podcast: The Science of Putting with Dr. Sasho MacKenzie | NLU Pod, Ep 1082 # golf # recommendations # lessons 2 reactions Comments Add Comment 1 min read Golf.com: Golf Behind Bars: Inside America’s Most Unlikely Club YouTube Golf YouTube Golf YouTube Golf Follow Oct 16 '25 Golf.com: Golf Behind Bars: Inside America’s Most Unlikely Club # golf # lessons 2 reactions Comments 1 comment 1 min read loading... #discuss Discussion threads targeting the whole community #watercooler Light, and off-topic conversation. 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/t/python/videos#main-content | Videos - 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 All videos # python on Video What Happens When You Run Python Code? drani Godfrey uv-mcp server Saadman Rafat Video Libraries Made Searchable by AI Kiran Baby TechWorld with Nana: Kafka Crash Course - Hands-On Project Scale YouTube 07:44 "Build AI Agents FAST!" Zero-Shot + OpenAI Chandrani Mukherjee 01:47 DEV.to Writer Agent GAUTAM MANAK 01:00 Real-time, offline, voice conversations with custom chatbots Joe Curlee 00:52 Amazon AGI announces research preview of Amazon Nova Act: Build agents that take action in web browsers Danilo Poccia 00:07 Semantic search on top of object detection Mayank Laddha 00:53 Interactive stock market S&P 500 line chart using Bokeh, Python, JS, Pyscript and a movable angle finder for Trend Line Analysis Rick Delpo 05:51 How to Learn Python FREE: 8-Week Learning Plan (80/20 Rule) Vladislav Guzey 08:40 Chatbot in Python - Build AI Assistant with Gemini API Vladislav Guzey 01:14 How to Easily Implement easily RAG (Retrieval Augmented Generation) with Bedrock! Faye Ellis 00:26 Search Word BOT (Tesseract | Tkinter | Selenium) Sudhanshu 02:23 Python Interview Questions: What is closure? Bahman Shadmehr 03:04 Pycraft's Settings Redesign Tom Jebbo 00:36 Pycraft: The Storm Tom Jebbo 03:58 Python Course Intro Introschool 57:55 PyLadies Dublin November Meetup (last meetup of 2021) whykay 👩🏻💻🐈🏳️🌈 (she/her) 01:59 How to auto-generate OpenAPI docs for Django, Flask, Spring and Rails apps Kevin Gilpin 00:49 Instagram bot using python NITESH TALIYAN 1:07:13 PyLadies Dublin Aug Meetup: HuggingFace Transformers || PySparks 101 whykay 👩🏻💻🐈🏳️🌈 (she/her) 04:00 How to use Luos with Python? Step 1 - Install and config Pyluos Emanuel Allely 01:42 MasquerBot: A Telegram Bot for true paranoids Parth Agarwal 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:31 |
https://dev.to/jsmanifest/how-to-monitor-any-url-for-dead-links-including-tricky-soft-404s-58m2 | How to Monitor Any URL for Dead Links (Including Tricky Soft 404s) - 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 jsmanifest Posted on Dec 28, 2025 How to Monitor Any URL for Dead Links (Including Tricky Soft 404s) # webdev # javascript # programming # api The Problem: Not All Dead Links Return 404 When a webpage goes down, most developers expect a 404 Not Found response. But many services don't play by those rules. Soft 404s return 200 OK with error content: Request: GET https://example.com/deleted-page Response: 200 OK Body: <html>...Page not found...</html> Enter fullscreen mode Exit fullscreen mode Standard uptime monitors see 200 OK and report everything as healthy. The link is actually dead. This happens everywhere: Any website : Custom error pages, removed content, expired pages Documentation sites : Outdated links, reorganized docs, deprecated APIs E-commerce : Out-of-stock products, discontinued items File hosts : K2S, Nitroflare, Rapidgator, MEGA, MediaFire Video platforms : YouTube ("Video unavailable"), Vimeo, Dailymotion Social media : Deleted posts, suspended accounts Cloud storage : Expired Google Drive shares, revoked permissions APIs & webhooks : Deprecated endpoints, changed URLs Anyone managing external links—whether it's a documentation site, resource page, or link directory—has likely experienced users reporting dead links that monitoring tools missed. The Solution: Universal Link Monitoring DeadLinkRadar monitors any URL with smart dead link detection. It works in two ways: Universal monitoring : Any URL gets checked with smart soft-404 detection Deep integrations : 30+ platforms (YouTube, file hosts, social media) get specialized detection This tutorial covers: Building a JavaScript API client Bulk importing links (any URL type) Setting up Discord and Telegram alerts Automating daily link audits Building the API Client First, create an API key from the DeadLinkRadar dashboard. Then build a client class: // deadlinkradar-client.js const API_BASE = ' https://deadlinkradar.com/api/v1 ' class DeadLinkRadarClient { constructor ( apiKey ) { this . apiKey = apiKey } async request ( endpoint , options = {}) { const response = await fetch ( ` ${ API_BASE }${ endpoint } ` , { ... options , headers : { ' X-API-Key ' : this . apiKey , ' Content-Type ' : ' application/json ' , ... options . headers , }, }) if ( ! response . ok ) { const error = await response . json () throw new Error ( error . error ?. message || ' API request failed ' ) } return response . json () } // Account & Usage getAccount = () => this . request ( ' /account ' ) getUsage = () => this . request ( ' /usage ' ) // Links getLinks = ( params = {}) => { const query = new URLSearchParams ( params ). toString () return this . request ( `/links ${ query ? `? ${ query } ` : '' } ` ) } createLink = ( url , groupId = null ) => this . request ( ' /links ' , { method : ' POST ' , body : JSON . stringify ({ url , group_id : groupId }), }) deleteLink = ( id ) => this . request ( `/links/ ${ id } ` , { method : ' DELETE ' }) checkLinkNow = ( id ) => this . request ( `/links/ ${ id } /check` , { method : ' POST ' }) getLinkHistory = ( id ) => this . request ( `/links/ ${ id } /history` ) // Batch operations batchCreateLinks = ( links ) => this . request ( ' /links/batch ' , { method : ' POST ' , body : JSON . stringify ({ action : ' create ' , links }), }) // Groups getGroups = () => this . request ( ' /groups ' ) createGroup = ( name , description = '' ) => this . request ( ' /groups ' , { method : ' POST ' , body : JSON . stringify ({ name , description }), }) // Webhooks getWebhooks = () => this . request ( ' /webhooks ' ) createWebhook = ( url , events = [ ' link.dead ' ]) => this . request ( ' /webhooks ' , { method : ' POST ' , body : JSON . stringify ({ url , events }), }) testWebhook = ( id ) => this . request ( `/webhooks/ ${ id } /test` , { method : ' POST ' }) } export default DeadLinkRadarClient Enter fullscreen mode Exit fullscreen mode Importing Links With the client ready, bulk import links from any source—websites, APIs, file hosts, anything: import DeadLinkRadarClient from ' ./deadlinkradar-client.js ' const client = new DeadLinkRadarClient ( process . env . DEADLINKRADAR_API_KEY ) // Mix of link types - all supported const linksToMonitor = [ // Regular websites ' https://docs.example.com/api/v2/authentication ' , ' https://blog.company.com/2024/product-launch ' , ' https://partner-site.com/integration-guide ' , // APIs and webhooks ' https://api.stripe.com/v1/status ' , ' https://hooks.slack.com/services/T00/B00/XXX ' , // File hosting (deep integration) ' https://k2s.cc/file/abc123/archive.zip ' , ' https://mega.nz/file/ABC123 ' , ' https://drive.google.com/file/d/1234/view ' , // Video platforms (deep integration) ' https://www.youtube.com/watch?v=dQw4w9WgXcQ ' , ' https://vimeo.com/123456789 ' , // Social media (deep integration) ' https://bsky.app/profile/user.bsky.social/post/abc123 ' , ' https://github.com/owner/repo ' , ] async function importLinks () { // Create groups to organize different link types const { data : docsGroup } = await client . createGroup ( ' Documentation ' , ' External documentation and API references ' , ) const { data : downloadsGroup } = await client . createGroup ( ' Downloads ' , ' File hosting and download links ' , ) console . log ( `Created groups: ${ docsGroup . name } , ${ downloadsGroup . name } ` ) // Batch import (up to 1000 URLs per request) // Format: array of objects with url (required), group_id (optional), check_frequency (optional) const linksPayload = linksToMonitor . map (( url ) => ({ url })) const { data : result } = await client . batchCreateLinks ( linksPayload ) console . log ( `Imported: ${ result . success } ` ) console . log ( `Failed: ${ result . failed } ` ) if ( result . errors ?. length ) { console . log ( ' Errors: ' , result . errors ) } if ( result . created ?. length ) { console . log ( `Created links:` , result . created . map (( l ) => l . url ), ) } } importLinks () Enter fullscreen mode Exit fullscreen mode How Detection Works DeadLinkRadar automatically determines the best detection strategy for each URL: URL Type Detection Method Known platforms (YouTube, K2S, etc.) Specialized platform detection Any other URL Smart soft-404 detection This catches most dead links even on sites without proper 404 responses. Setting Up Discord Alerts Discord webhooks provide instant notifications when any link dies. Create a webhook in Discord (Server Settings → Integrations → Webhooks), then register it: import DeadLinkRadarClient from ' ./deadlinkradar-client.js ' const client = new DeadLinkRadarClient ( process . env . DEADLINKRADAR_API_KEY ) async function setupDiscordAlerts () { const discordWebhookUrl = process . env . DISCORD_WEBHOOK_URL // Register webhook for dead link and recovery events const { data : webhook } = await client . createWebhook ( discordWebhookUrl , [ ' link.dead ' , ' link.alive ' , ]) console . log ( ' Discord webhook registered ' ) console . log ( `Webhook ID: ${ webhook . id } ` ) console . log ( `Signing secret: ${ webhook . signing_secret } ` ) // Store securely // Send a test notification await client . testWebhook ( webhook . id ) console . log ( ' Test notification sent ' ) } setupDiscordAlerts () Enter fullscreen mode Exit fullscreen mode When a link dies, Discord receives the webhook payload: { "event" : "link.dead" , "timestamp" : "2024-01-15T10:30:00Z" , "webhook_id" : "550e8400-e29b-41d4-a716-446655440000" , "data" : { "linkId" : "550e8400-e29b-41d4-a716-446655440001" , "url" : "https://docs.example.com/api/v2/authentication" , "previousStatus" : "active" , "currentStatus" : "dead" , "checkedAt" : "2024-01-15T10:30:00Z" } } Enter fullscreen mode Exit fullscreen mode Setting Up Telegram Alerts For Telegram notifications, create a webhook receiver that forwards to the Telegram Bot API. This can run on Vercel, Cloudflare Workers, or any serverless platform: // api/telegram-forwarder.js const TELEGRAM_BOT_TOKEN = process . env . TELEGRAM_BOT_TOKEN const TELEGRAM_CHAT_ID = process . env . TELEGRAM_CHAT_ID export default async function handler ( req ) { if ( req . method !== ' POST ' ) { return new Response ( ' Method not allowed ' , { status : 405 }) } const payload = await req . json () // Format the message const emoji = payload . event === ' link.dead ' ? ' 🔴 ' : ' 🟢 ' const status = payload . event === ' link.dead ' ? ' Dead Link ' : ' Link Alive ' const message = ` ${ emoji } * ${ status } * *URL:* \` ${ payload . data . url } \` *Previous:* ${ payload . data . previousStatus } *Checked:* ${ new Date ( payload . data . checkedAt ). toLocaleString ()} ` . trim () // Forward to Telegram await fetch ( `https://api.telegram.org/bot ${ TELEGRAM_BOT_TOKEN } /sendMessage` , { method : ' POST ' , headers : { ' Content-Type ' : ' application/json ' }, body : JSON . stringify ({ chat_id : TELEGRAM_CHAT_ID , text : message , parse_mode : ' Markdown ' , }), }) return new Response ( ' OK ' , { status : 200 }) } Enter fullscreen mode Exit fullscreen mode Register the forwarder endpoint as a webhook: await client . createWebhook ( ' https://your-domain.com/api/telegram-forwarder ' , [ ' link.dead ' , ' link.alive ' , ]) Enter fullscreen mode Exit fullscreen mode To get the Telegram bot token and chat ID: Create a bot with @BotFather Start a chat with the bot Get the chat ID from https://api.telegram.org/bot<TOKEN>/getUpdates Querying Link Status Check the current state of monitored links: import DeadLinkRadarClient from ' ./deadlinkradar-client.js ' const client = new DeadLinkRadarClient ( process . env . DEADLINKRADAR_API_KEY ) async function getDeadLinks () { // Fetch all dead links with pagination const { data : links , pagination } = await client . getLinks ({ status : ' dead ' , per_page : 100 , }) console . log ( `Found ${ pagination . total } dead links:\n` ) for ( const link of links ) { console . log ( `URL: ${ link . url } ` ) console . log ( `Service: ${ link . service } ` ) // "generic" for regular URLs console . log ( `Last checked: ${ link . last_checked_at } ` ) console . log ( ' --- ' ) } } getDeadLinks () Enter fullscreen mode Exit fullscreen mode Filter by service, group, or search: // Get all dead links from regular websites (generic detection) const genericLinks = await client . getLinks ({ status : ' dead ' , service : ' generic ' , }) // Get all dead YouTube links (specialized detection) const youtubeLinks = await client . getLinks ({ status : ' dead ' , service : ' youtube ' , }) // Get links in a specific group const groupLinks = await client . getLinks ({ group_id : ' 550e8400-e29b-41d4-a716-446655440000 ' , }) // Search by URL substring const searchResults = await client . getLinks ({ search : ' docs.example.com ' , }) Enter fullscreen mode Exit fullscreen mode Investigating Link History When a link dies, check its history to understand when and why: async function investigateLink ( linkId ) { const { data : history } = await client . getLinkHistory ( linkId ) console . log ( ' Check history: \n ' ) for ( const check of history ) { const emoji = check . status === ' active ' ? ' 🟢 ' : ' 🔴 ' console . log ( ` ${ emoji } ${ check . checked_at } ` ) console . log ( ` Status: ${ check . status } ` ) console . log ( ` Response time: ${ check . response_time_ms } ms` ) if ( check . error_message ) { console . log ( ` Error: ${ check . error_message } ` ) } console . log () } } investigateLink ( ' 550e8400-e29b-41d4-a716-446655440000 ' ) Enter fullscreen mode Exit fullscreen mode Automated Daily Audit Combine everything into a daily audit script that posts a summary to Discord: import DeadLinkRadarClient from ' ./deadlinkradar-client.js ' const client = new DeadLinkRadarClient ( process . env . DEADLINKRADAR_API_KEY ) const DISCORD_WEBHOOK = process . env . DISCORD_SUMMARY_WEBHOOK async function dailyAudit () { // Fetch usage and dead links const { data : usage } = await client . getUsage () const { data : deadLinks , pagination } = await client . getLinks ({ status : ' dead ' , per_page : 100 , }) // Group dead links by service const byService = deadLinks . reduce (( acc , link ) => { acc [ link . service ] = acc [ link . service ] || [] acc [ link . service ]. push ( link ) return acc }, {}) const summary = { monitored : usage . links . used , dead : pagination . total , byService : Object . entries ( byService ). map (([ service , links ]) => ({ service , count : links . length , })), } console . log ( ' Daily Audit Summary ' ) console . log ( `Monitored: ${ summary . monitored } ` ) console . log ( `Dead: ${ summary . dead } ` ) // Post to Discord if ( DISCORD_WEBHOOK ) { const embed = { title : ' 📊 Daily Link Audit ' , color : summary . dead > 0 ? 0xff0000 : 0x00ff00 , fields : [ { name : ' Monitored ' , value : summary . monitored . toString (), inline : true }, { name : ' Dead ' , value : summary . dead . toString (), inline : true }, ], timestamp : new Date (). toISOString (), } if ( summary . dead > 0 ) { embed . fields . push ({ name : ' By Type ' , value : summary . byService . map (( s ) => `** ${ s . service } **: ${ s . count } ` ). join ( ' \n ' ), }) } await fetch ( DISCORD_WEBHOOK , { method : ' POST ' , headers : { ' Content-Type ' : ' application/json ' }, body : JSON . stringify ({ embeds : [ embed ] }), }) console . log ( ' Summary posted to Discord ' ) } return summary } dailyAudit () Enter fullscreen mode Exit fullscreen mode Run this with a cron job or scheduled task: # crontab - run daily at 9am 0 9 * * * node /path/to/daily-audit.js Enter fullscreen mode Exit fullscreen mode Webhook Signature Verification For production use, verify webhook signatures to ensure requests come from DeadLinkRadar: import crypto from ' crypto ' function verifyWebhookSignature ( payload , signature , secret ) { const expectedSignature = crypto . createHmac ( ' sha256 ' , secret ) . update ( JSON . stringify ( payload )) . digest ( ' hex ' ) return crypto . timingSafeEqual ( Buffer . from ( signature ), Buffer . from ( expectedSignature )) } // In the webhook handler export default async function handler ( req ) { const signatureHeader = req . headers . get ( ' x-deadlinkradar-signature ' ) // Format: "sha256=<hex>" const signature = signatureHeader ?. replace ( ' sha256= ' , '' ) const payload = await req . json () if ( ! signature || ! verifyWebhookSignature ( payload , signature , process . env . WEBHOOK_SECRET )) { return new Response ( ' Invalid signature ' , { status : 401 }) } // Process the webhook... } Enter fullscreen mode Exit fullscreen mode Real-World Example: Docusaurus Documentation Monitor Documentation sites often link to external APIs, libraries, and resources that can go offline without notice. Here's a complete example for monitoring all external links in a Docusaurus documentation site. Step 1: Extract Links from Markdown Files First, create a utility to recursively scan documentation files and extract external URLs: // extract-docs-links.js import fs from ' fs ' import path from ' path ' /** * Recursively find all markdown files in a directory */ function findMarkdownFiles ( dir , files = []) { const entries = fs . readdirSync ( dir , { withFileTypes : true }) for ( const entry of entries ) { const fullPath = path . join ( dir , entry . name ) if ( entry . isDirectory ()) { findMarkdownFiles ( fullPath , files ) } else if ( entry . name . match ( / \.( md|mdx ) $/ )) { files . push ( fullPath ) } } return files } /** * Extract external links from markdown content */ function extractLinks ( content , filePath ) { const links = [] // Match markdown links: [text](url) const linkRegex = / \[([^\]] * )\]\(([^ ) ] + )\) /g let match while (( match = linkRegex . exec ( content )) !== null ) { const url = match [ 2 ] // Only include external https:// links if ( url . startsWith ( ' https:// ' ) || url . startsWith ( ' http:// ' )) { links . push ({ url , text : match [ 1 ], file : filePath , section : path . dirname ( filePath ). split ( path . sep ). pop () || ' root ' , }) } } return links } /** * Extract all external links from Docusaurus docs directory */ export function extractLinksFromDocs ( docsDir = ' ./docs ' ) { const markdownFiles = findMarkdownFiles ( docsDir ) const allLinks = [] for ( const file of markdownFiles ) { const content = fs . readFileSync ( file , ' utf-8 ' ) const links = extractLinks ( content , file ) allLinks . push (... links ) } // Deduplicate by URL const uniqueUrls = new Map () for ( const link of allLinks ) { if ( ! uniqueUrls . has ( link . url )) { uniqueUrls . set ( link . url , link ) } } return Array . from ( uniqueUrls . values ()) } Enter fullscreen mode Exit fullscreen mode Step 2: Setup Monitoring with Groups Now import the links into DeadLinkRadar, organized by documentation section: // setup-docs-monitoring.js import DeadLinkRadarClient from ' ./deadlinkradar-client.js ' import { extractLinksFromDocs } from ' ./extract-docs-links.js ' const client = new DeadLinkRadarClient ( process . env . DEADLINKRADAR_API_KEY ) async function setupDocsMonitoring () { console . log ( ' Extracting links from documentation... ' ) const links = extractLinksFromDocs ( ' ./docs ' ) console . log ( `Found ${ links . length } unique external links` ) // Get unique sections const sections = [... new Set ( links . map (( l ) => l . section ))] // Create a group for each documentation section const groupIds = {} for ( const section of sections ) { const { data : group } = await client . createGroup ( `docs- ${ section } ` , `External links from ${ section } documentation` , ) groupIds [ section ] = group . id console . log ( `Created group: ${ group . name } ` ) } // Prepare links with group assignments const linksPayload = links . map (( link ) => ({ url : link . url , group_id : groupIds [ link . section ] || null , })) // Batch import (API supports up to 1000 per request) const { data : result } = await client . batchCreateLinks ( linksPayload ) console . log ( `\nImport complete:` ) console . log ( ` Imported: ${ result . success } ` ) console . log ( ` Failed: ${ result . failed } ` ) if ( result . errors ?. length ) { console . log ( ` Errors:` , result . errors . slice ( 0 , 5 )) } // Set up webhook for dead link alerts const webhookUrl = process . env . DOCS_ALERT_WEBHOOK_URL if ( webhookUrl ) { const { data : webhook } = await client . createWebhook ( webhookUrl , [ ' link.dead ' , ' link.alive ' ]) console . log ( `\nWebhook configured: ${ webhook . id } ` ) console . log ( `Signing secret: ${ webhook . signing_secret } ` ) } return result } setupDocsMonitoring (). catch ( console . error ) Enter fullscreen mode Exit fullscreen mode Running the Monitor # Set environment variables export DEADLINKRADAR_API_KEY = "your-api-key" export DOCS_ALERT_WEBHOOK_URL = "https://your-server.com/api/docs-webhook" # Run the setup script node setup-docs-monitoring.js Enter fullscreen mode Exit fullscreen mode Example output: Extracting links from documentation... Found 47 unique external links Created group: docs-getting-started Created group: docs-api-reference Created group: docs-guides Import complete: Imported: 47 Failed: 0 Webhook configured: 550e8400-e29b-41d4-a716-446655440000 Signing secret: whsec_abc123... Enter fullscreen mode Exit fullscreen mode Once configured, DeadLinkRadar checks each link daily. When a documentation link dies, the webhook fires with the full context—allowing automated Slack alerts, GitHub issues, or custom notification flows. The free tier includes 25 links with daily checks—enough to validate the solution before scaling up. Summary Traditional uptime monitors fail because they only check HTTP status codes. DeadLinkRadar provides: Universal monitoring for any URL with smart soft-404 detection Deep integrations for 30+ platforms (YouTube, file hosts, social media) with specialized detection REST API for programmatic link management Webhooks for Discord, Slack, Telegram, and custom integrations Batch operations for bulk imports Link groups for organization Check history for debugging Whether monitoring documentation links, API endpoints, download pages, or social media posts—the JavaScript client above covers the full API surface. Adapt it to any workflow. Resources: DeadLinkRadar API Documentation 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 jsmanifest Follow Obsessed with JavaScript and its technologies. Join me on my adventures. Location Anaheim Work Team Lead - Front End Engineer Joined May 26, 2019 More from jsmanifest Teaching AI Agents to Batch React State Updates with ESLint # javascript # react # ai # webdev 5 Real-Life Problems Solved with Async Generators in JavaScript # javascript # webdev # coding # node [Boost] # javascript # webdev # api # 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:31 |
https://docs.suprsend.com/docs/inbox-flutter#initialization | Flutter (Headless) - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Notification Inbox Flutter (Headless) Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Notification Inbox Flutter (Headless) OpenAI Open in ChatGPT Integrate SuprSend inbox in Flutter using the headless SDK and hooks. OpenAI Open in ChatGPT SuprSend uses flutter hooks to provide inbox functionality in flutter applications. Installation 1 Project's pubspec.yaml changes Add the following line of code inside dependencies in the pubspec.yaml file under the dependencies section pubspec.yaml Copy Ask AI dependencies : flutter : sdk : flutter suprsend_flutter_inbox : "^0.0.1" 2 Run flutter pub get in the terminal Bash Copy Ask AI $ flutter pub get Initialization Enclose your Material App inside SuprSendProvider and pass the workspace key, workspace secret, distinct_id, and subscriber_id . main.dart Copy Ask AI import 'package:suprsend_flutter_inbox/main.dart' ; SuprSendProvider ( workspaceKey : < your workspace key > , workspaceSecret: < your workspace secret > , distinctId: distinct_id, subscriberId: subscriber_id, child: YourAppComponent() ) SuprSend hooks can only be used inside of SuprSendProvider. Adding SuprSend inbox component useBell hook This hook provides unSeenCount, markAllSeen which is related to the Bell icon in the inbox unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markAllSeen : Used to mark seen for all notifications. Call this method on clicking the bell icon so that it will reset the notification count to 0. bell.dart Copy Ask AI import 'package:suprsend_flutter_inbox/main.dart' ; final bellData = useBell (); // bellData structure: { "unSeenCount" : int , "markAllSeen" : () =>void } useNotifications hook This hook provides a notifications list, unSeenCount, markClicked, and markAllSeen. notifications : List of all notifications. This array can be looped and notifications can be displayed. unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markClicked : Method used to mark a notification as clicked. Pass notification id which is clicked as the first param. code.dart Copy Ask AI import 'package:suprsend_flutter_inbox/main.dart' ; final notifData = useNotifications (); // notifData structure: { "notifications" : List < Notification > , "unSeenCount" : int , "markAllSeen" : () =>void "markClicked" :( n_id ) =>void } // Notification structure: { "n_id" : string , "n_category" : string , "created_on" : int , "seen_on" : int , "message" : { "header" : string , "text" : string , "url" : string , "extra_data" : string , "avatar" : { "action_url" : string , "avatar_url" : string }, "subtext" : { "text" : string , "action_url" : string } "actions" :[ { "name" : string , "url" : string } ] } } Example implementation Example implementation can be found here . Was this page helpful? Yes No Suggest edits Raise issue Previous Embedded Preference Centre How to integrate a Notification Preference Center into your website and add its link to your notification templates. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Adding SuprSend inbox component useBell hook useNotifications hook Example implementation | 2026-01-13T08:49:31 |
https://open.forem.com/t/ai#main-content | Artificial Intelligence - Open 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 Open Forem Close Artificial Intelligence Follow Hide Artificial intelligence leverages computers and machines to mimic the problem-solving and decision-making capabilities found in humans and in nature. Create Post submission guidelines Posts about artificial intelligence. Older #ai posts 1 2 3 4 5 6 7 8 9 … 75 … 1769 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu digital marketing Junaid Rana Junaid Rana Junaid Rana Follow Jan 9 digital marketing # ai # programming # beginners # productivity Comments Add Comment 5 min read Everything You Need to Launch a Product That Looks Legit (Even If You’re Bad at Design) N Nash N Nash N Nash Follow Jan 5 Everything You Need to Launch a Product That Looks Legit (Even If You’re Bad at Design) # tools # programming # webdev # ai 4 reactions Comments Add Comment 4 min read Building Structured AI Videos with Soar2AI: From Prompts to Visual Storytelling Lynn Lynn Lynn Follow Jan 2 Building Structured AI Videos with Soar2AI: From Prompts to Visual Storytelling # ai # design # showcase Comments Add Comment 2 min read My Opinions on AI Santiago Rhenals Santiago Rhenals Santiago Rhenals Follow Dec 28 '25 My Opinions on AI # ai # genai Comments Add Comment 3 min read **The Future of Freedom: A Conversation with Pierre Poilievre on the Role of Government** Insights YRS Insights YRS Insights YRS Follow Dec 28 '25 **The Future of Freedom: A Conversation with Pierre Poilievre on the Role of Government** # django # python # automation # ai Comments Add Comment 4 min read The GEMS Theory in Medicine: From Raw Stones to Radiant Wisdom Thinking Healer Thinking Healer Thinking Healer Follow Dec 24 '25 The GEMS Theory in Medicine: From Raw Stones to Radiant Wisdom # ai # medicine Comments Add Comment 3 min read How Swiss Restaurants Are Adapting to Rising Costs (Without Breaking Their Operations) Kris Kris Kris Follow Dec 23 '25 How Swiss Restaurants Are Adapting to Rising Costs (Without Breaking Their Operations) # ai Comments Add Comment 2 min read Ad Analytics Strategy [2025 Guide]: From ROAS to Profit Kshitiz Kumar Kshitiz Kumar Kshitiz Kumar Follow Dec 19 '25 Ad Analytics Strategy [2025 Guide]: From ROAS to Profit # syndadanalytics # ai # marketing # advertising Comments Add Comment 10 min read Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story Rajguru Yadav Rajguru Yadav Rajguru Yadav Follow Dec 27 '25 Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story # discuss # programming # ai # beginners 10 reactions Comments Add Comment 3 min read My North Star as an AI Founder (And Why I’m Not Changing It) Jaideep Parashar Jaideep Parashar Jaideep Parashar Follow Dec 18 '25 My North Star as an AI Founder (And Why I’m Not Changing It) # webdev # ai # beginners # productivity 15 reactions Comments 3 comments 3 min read Why Working Harder Isn’t Scaling Your Agency (And What Actually Does) Vipul Gupta Vipul Gupta Vipul Gupta Follow Dec 16 '25 Why Working Harder Isn’t Scaling Your Agency (And What Actually Does) # productivity # ai # digitaltransformation # webdev Comments Add Comment 3 min read THE SHIP OF THESEUS AND THE FUTURE OF HUMAN IDENTITY Thinking Healer Thinking Healer Thinking Healer Follow Dec 10 '25 THE SHIP OF THESEUS AND THE FUTURE OF HUMAN IDENTITY # discuss # ai # watercooler Comments Add Comment 4 min read Music Is Healing: How Sound Therapy Is Tuning Up Mental and Emotional Health sia Negi sia Negi sia Negi Follow Dec 10 '25 Music Is Healing: How Sound Therapy Is Tuning Up Mental and Emotional Health # blog # ai Comments Add Comment 3 min read The US Tech Force just launched. It's title font is Canadian. And it gets worse. Peter W Peter W Peter W Follow Dec 22 '25 The US Tech Force just launched. It's title font is Canadian. And it gets worse. # news # civictech # design # ai 1 reaction Comments 1 comment 3 min read Top Free Patent Search Tools for Attorneys and IP Teams Zainab Imran Zainab Imran Zainab Imran Follow for PatentScanAI Dec 10 '25 Top Free Patent Search Tools for Attorneys and IP Teams # ai # productivity # searchtools # patents Comments Add Comment 7 min read Gen Z Is Plotting to End ‘AI Slop’ and Reboot the Internet to 2012. Your Algorithm Isn’t Ready. amrit amrit amrit Follow Dec 4 '25 Gen Z Is Plotting to End ‘AI Slop’ and Reboot the Internet to 2012. Your Algorithm Isn’t Ready. # genz # aislop # internetculture # ai Comments Add Comment 6 min read Tech Skills Anyone Can Learn in 2026 (For Free) Destiny Tch Destiny Tch Destiny Tch Follow Dec 9 '25 Tech Skills Anyone Can Learn in 2026 (For Free) # techtalks # ai # computerscience # githubcopilot Comments 1 comment 2 min read Best Courses to Learn AI for 2026 Hameed Ansari Hameed Ansari Hameed Ansari Follow Dec 8 '25 Best Courses to Learn AI for 2026 # ai # programming # productivity # beginners 5 reactions Comments Add Comment 1 min read Top 10 Must-Have Tools for Freelance Content Writers in 2026 N Nash N Nash N Nash Follow Dec 3 '25 Top 10 Must-Have Tools for Freelance Content Writers in 2026 # writing # freelance # ai # productivity 6 reactions Comments Add Comment 3 min read How we use AI to write faster—without making our articles sound like AI Polina Elizarova Polina Elizarova Polina Elizarova Follow Nov 28 '25 How we use AI to write faster—without making our articles sound like AI # ai # productivity # learning # tools 1 reaction Comments Add Comment 3 min read Getting Started with Google Patents: A Practical Guide for IP Professionals Zainab Imran Zainab Imran Zainab Imran Follow for PatentScanAI Nov 27 '25 Getting Started with Google Patents: A Practical Guide for IP Professionals # ai # searchtools # legaltech # productivity Comments Add Comment 6 min read Which Tally Version Is Best for 2025? A Practical View for Indian Businesses Candies Tech Candies Tech Candies Tech Follow Nov 25 '25 Which Tally Version Is Best for 2025? A Practical View for Indian Businesses # discuss # webdev # ai # community Comments Add Comment 2 min read Why Spirituality is Your Secret Superpower in Modern Life sia Negi sia Negi sia Negi Follow Nov 25 '25 Why Spirituality is Your Secret Superpower in Modern Life # blog # ai Comments Add Comment 3 min read Back to School Evolution: 1850-2025 Nicolas Dabene Nicolas Dabene Nicolas Dabene Follow Nov 23 '25 Back to School Evolution: 1850-2025 # prestashop # ecommerce # ai Comments Add Comment 5 min read Human vs. Machine Cognition: Brains, Minds, and Meaning Thinking Healer Thinking Healer Thinking Healer Follow Nov 24 '25 Human vs. Machine Cognition: Brains, Minds, and Meaning # help # ai # programming # security Comments Add Comment 3 min read loading... trending guides/resources The AI Stack I Use to Run My Company (And Why It Works) Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story Seeking tech-based ideas to address student mental health challenges A Beginner’s Guide to Channel Attribution Modeling in Marketing Music Is Healing: How Sound Therapy Is Tuning Up Mental and Emotional Health How Small Teams Can Scale Global Content Without Hiring a Translation Agency Human vs. Machine Cognition: Brains, Minds, and Meaning Ad Analytics Strategy [2025 Guide]: From ROAS to Profit **The Future of Freedom: A Conversation with Pierre Poilievre on the Role of Government** Best Courses to Learn AI for 2026 Which Tally Version Is Best for 2025? A Practical View for Indian Businesses Why Spirituality is Your Secret Superpower in Modern Life Everything You Need to Launch a Product That Looks Legit (Even If You’re Bad at Design) digital marketing How to Use AI to Stress-Test Your Spending Plan Without Spreadsheets Getting Started with Google Patents: A Practical Guide for IP Professionals Prior Art Search Tutorial: Master Multi-Platform Strategies How to Audit Your AI Skill Gaps With a One-Page Matrix Back to School Evolution: 1850-2025 How to Automate Document Translation 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:49:31 |
https://brightdata.com/blog | Proxies and Web Scraping Blogs Accessibility Menu skip to content Sign-up now and we’ll match your first deposit dollar for dollar, up to $500! Start Now en Français 日本語 Português 简体中文 한국어 English Español Deutsch Start Free Trial User Dashboard Products Web Access APIs Unlocker API Say goodbye to blocks and CAPTCHAs Crawl API Turn entire websites into AI-friendly data SERP API Get multi-engine search results on-demand Google Bing Duckduckgo Yandex Browser API Spin up remote browsers, stealth included Data Feeds Scrapers APIs Fetch real-time data from 100+ websites LinkedIn eComm Social media ChatGPT Scraper Studio Turn any website into a data pipeline Datasets Pre-collected data from 100+ domains LinkedIn eComm Social media Real estate Web Archive Filter +50PB of historical data, growing daily Data And Insights Retail Intelligence Unlock real-time eCommerce insights & AI-powered recommendations Managed Data Acquisition Tailored enterprise-grade data acquisition Deep Lookup Beta Run complex queries on web-scale data Proxy Services Residential Proxies 50% OFF 150M+ global IPs from real-peer devices ISP Proxies 1.3M+ blazing fast static residential proxies Datacenter Proxies 1.3M+ high-speed proxies for data extraction Mobile Proxies 7M Mobile IPs for targeted mobile collection Data for AI Data for AI Powerful web data infrastructure
for AI models, apps & agents Learn More solutions Video & Media Data Extract endless video, images and more Data Packages Get LLM-ready datasets for every industry Search & Extract Enable AI apps to search and crawl the web Agent Browser Let agents browse websites and take action Bright Data MCP Free All-in-one toolkit to unlock the web resources resources Startup Program New Data for AI Report 2025 AI for Good Integrations LangChain LlamaIndex Agno Dify n8n See all Pricing Web Access APIs Unlocker API Starts from $1/1k req Crawl API Starts from $1/1k req SERP API Starts from $1/1k req Browser API Starts from $5/GB Data Feeds Scrapers APIs 25% OFF Starts from $1.00 $0.75/1k rec Scraper Studio Starts from $1/1k req Datasets Starts from $250/100K rec Web Archive Starts from $0.2/1K HTMLs Data And Insights Retail Insights Starts from $250/mo Managed Data Acquisition Starts from $1500/mo Proxy Infrastructure Residential 50% OFF Starts from $5.00 $2.50/GB Datacenter Starts from $0.9/IP ISP Starts from $1.3/IP Mobile Starts from $5/GB Resources Tools Integrations Browser Extension Network Status Learning Hub Blog Case Studies Webinars Proxy Locations Masterclass Videos Company Partner Program Trust Center Bright SDK Bright Initiative Docs Log in User Dashboard Contact sales Start Free Trial Account Change password Sign out AI How to Build AI Agents: The Complete Roadmap A guide covering everything you need to know about building AI agents, from core components and types to implementation steps and the best frameworks for development. Antonello Zanini 15 min read Editor's pick Web Data How to Train an AI Model: Step-By-Step Guide Ella Siman 15 min read Web Data The Best 10 LinkedIn Scraping Tools of 2026 Antonello Zanini 12 min read Proxy 101 Top 10 Proxy Providers of 2026: All Features Compared Antonello Zanini 13 min read How Tos Web Scraping with Python: Full Tutorial With Several Examples Antonello Zanini 36 min read Explore categories All Categories Leadership How Tos Guest post Products updates General Web Data Comparison Scraping 101 Data Ethics AI Proxy 101 Why Bright Data Bright Data in practice Latest articles AI Bright Data Web MCP + Claude Skills for Complex AI Workflows Discover how to integrate Claude Skills with Bright Data’s Web MCP server for advanced AI agents that combine external web data tools with specialized task knowledge. 17 min read Antonello Zanini Technical Writer Web Data Best Data Extraction Tools of 2026: Ultimate Selection Discover and compare over 10 of the best data extraction tools for 2026, including web scraping APIs, document parsers, and AI-powered platforms for structured data collection. 23 min read Antonello Zanini Technical Writer Web Data Top Twitter/X Data Providers of 2026: Comparing the Best Options Discover the top Twitter/X data providers, including detailed comparisons of datasets, scraping solutions, pricing models, and key features. 16 min read Antonello Zanini Technical Writer AI Integrating Bright Data’s Web MCP with OpenAI’s Agent Builder Discover how to integrate Bright Data’s Web MCP into OpenAI Agent Builder to create AI workflows with real-time web data access and scraping capabilities. 12 min read Antonello Zanini Technical Writer Web Data Best Airbnb Data Providers of 2026: Detailed Breakdown Discover and compare the 7 best Airbnb data providers of 2026, including their features, pricing, infrastructure, and compliance standards. 19 min read Antonello Zanini Technical Writer Web Data Best Crunchbase Data Providers of 2026: Ultimate Comparison Discover and compare the leading Crunchbase data providers, including datasets and scraping solutions for company profiles, funding rounds, and investor intelligence. 16 min read Antonello Zanini Technical Writer Posts pagination 1 2 3 4 … 60 View More How developers leverage Bright Data Discover more Ready to get started? Start Free Trial Contact sales Products Unlocker API SERP API Browser API Crawl API Web Scraper APIs Scraper Studio Datasets Marketplace Web Archive Bright Insights Managed Data Acquisition Deep Lookup Top Scraper APIs LinkedIn Scraper eCommerce Scraper Social Media Scraper Proxy Services Residential Proxies Mobile Proxies ISP Proxies Datacenter Proxies Rotating Proxies Proxy Servers Proxy IP Locations Proxy Solutions Top Datasets LinkedIn Datasets eCommerce Datasets Social Media Datasets Programs Impact Report 2024 Affiliate Program Referral Program Partners SDK Security Vulnerabilities Legal Patents Privacy Policy Modern Slavery Statement Don’t Sell My Personal Info Service Agreement Learning Center Web Data Masterclass ScrapeCon Common Proxy Questions FAQ Webinars Data for Journalists Data for AI Report Company About Blog Use Cases Support Services Bright Data for Enterprise Customer Stories Trust Center Careers Contact Media Center Network Status Bright VPN Bright Initiative Start Free Trial Follow Us Contact Us Bright Data Ltd. (Headquarters), 4 Hamahshev St., Netanya 4250714, Israel (POB 8025). Bright Data, Inc., 500 7th Ave, 9th Floor Office 9A1234, New York, NY 10018, United States. IPPN Group Ltd. Cloud partnerships AWS Databricks Snowflake Customer excellence partnerships Capterra GetApp Software Advice Top Data Provider Partnerships WIPO Alert BDV MRS Gartner SOC ISO certified GDPR ready Tag Accessibility Menu © Copyright 2026 Bright Data Ltd. | All rights reserved | 2026-01-13T08:49:31 |
https://n8n.io/?utm_source=devto&utm_medium=devchallenge | AI Workflow Automation Platform & Tools - n8n Go from prompt to possibility with AI Workflow Builder [Beta] Learn how n8n.io n8n.io Product Product overview Integrations Templates AI Use cases Building AI agents RAG IT operations Security operations Embedded automation Lead automation Supercharge your CRM Limitless integrations Backend prototyping Docs Self-host n8n Documentation Our license Release notes Community Forum Discord Careers Blog Creators Contribute Hire an expert Support Events Enterprise Pricing GitHub 168,484 Sign in Get Started Flexible AI workflow automation for technical teams Build with the precision of code or the speed of drag-n-drop. Host with on-prem control or in-the-cloud convenience. n8n gives you more freedom to implement multi-step AI agents and integrate apps than any other tool. Get started for free Talk to sales IT Ops can ⚡ On-board new employees Sec Ops can ⚡ Enrich security incident tickets Dev Ops can ⚡ Convert natural language into API calls Sales can ⚡ Generate customer insights from reviews You can ▶️ Watch this video to hear our pitch The world's most popular workflow automation platform for technical teams including Top 50 Github. Our 168.5k stars place us among the most popular projects. 4.9/5 stars on G2. To quote "A solid automation tool that just works." 200k+ community members. This wouldn't be possible without you. Plug AI into your own data & over 500 integrations Browse all integrations The fast way to actually get AI working in your business Build multi-step agents calling custom tools Create agentic systems on a single screen. Integrate any LLM into your workflows as fast as you can drag-n-drop. Explore AI Update Detected Running Custom Unit Testing Update Rolled Back Automatically IT Team Notified of New Ticket Custom Unit Testing Failed Update Installed Self-host everything – including AI models Protect your data by deploying on-prem. Deploy with Docker Access the entire source code on Github Hosted version also available Chat with your own data Use Slack, Teams, SMS, voice, or our embedded chat interface to get accurate answers from your data, create tasks, and complete workflows. Who held meetings with SpaceX last week? On Wednesday, Joe updated the status to "won" in Salesforce after a Zoom call. On Thursday, Sue provided on-site setup and closed the ServiceNow ticket. Create a task in Asana... Code when you need it, UI when you don't Other tools limit you to either a visual building experience, or code. With n8n, you get the best of both worlds. Write JavaScript or Python - you can always fall back to code Add libraries from npm or Python for even more power Paste cURL requests into your workflow Merge workflow branches , don’t just split them Run. Tweak. Repeat The same short feedback loops that make you smile at your scripts. Re-run single steps without re-running the whole workflow Replay or mock data to avoid waiting for external systems Debug fast , with logs in line with your code Use 1700+ templates to jump-start your project See full product overview See The Results Case Studies How Delivery Hero saved 200 hours each month with a single ITOps workflow "We have seen drastic efficiency improvements since we started using n8n for user management. It's incredibly powerful, but also simple to use." Dennis Zahrt Director of Global IT Service Delivery Read Case Study How StepStone finishes 2 weeks’ work in only 2 hours with n8n workflows “We’ve sped up our integration of marketplace data sources by 25X. It takes me 2 hours max to connect up APIs and transform the data we need. You can’t do this that fast in code.” Luka Pilic Marketplace Tech Lead Read Case Study Enterprise-ready Secure. Reliable. Collaborative. Remove inefficiencies across your org by rolling out automation as reliably as you deploy code. Run n8n air-gapped on your servers or on our secure cloud-based solution. Explore n8n for enterprise Talk to sales Security Fully on-prem option, SSO SAML, and LDAP, encrypted secret stores, version control, advanced RBAC permissions. Performance Audit logs & log streaming to 3rd party, workflow history, custom variables, external storage. Collaboration Git Control, isolated environments, multi-user workflows. "The idea is that everybody in the organization can use n8n to manage data retrieval or data transformation." Martino Bonfiglioli Senior Product Manager See the case n8n embed Automation for your customers Wow your customers with access to 500+ app integrations to automate their own workflows. Your branding. Our white-labelled tech. Explore n8n embed There’s nothing you can’t automate with n8n Our customer’s words, not ours. Skeptical? Try it out , and see for yourself. Start building Build complex workflows that other tools can't . I used other tools before. I got to know the N8N and I say it properly: it is better to do everything on the n8n! Congratulations on your work, you are a star! Igor Fediczko @igordisco Thank you to the n8n community . I did the beginners course and promptly took an automation WAY beyond my skill level. Robin Tindall @robm n8n is a beast for automation. self-hosting and low-code make it a dev’s dream. if you’re not automating yet, you’re working too hard. Anderoav @Anderoav I've said it many times. But I'll say it again. n8n is the GOAT . Anything is possible with n8n. You just need some technical knowledge + imagination. I'm actually looking to start a side project. Just to have an excuse to use n8n more 😅 Maxim Poulsen @maximpoulsen It blows my mind. I was hating on no-code tools my whole life, but n8n changed everything. Made a Slack agent that can basically do everything, in half an hour. Felix Leber @felixleber I just have to say, n8n's integration with third-party services is absolutely mind-blowing . It's like having a Swiss Army knife for automation. So many tasks become a breeze, and I can quickly validate and implement my ideas without any hassle. Nanbing @1ronben Found the holy grail of automation yesterday... Yesterday I tried n8n and it blew my mind 🤯 What would've taken me 3 days to code from scratch? Done in 2 hours. The best part? If you still want to get your hands dirty with code (because let's be honest, we developers can't help ourselves 😅), you can just drop in custom code nodes. Zero restrictions. Francois Laßl @francois-laßl Anything is possible with n8n . I think @n8n_io Cloud version is great, they are doing amazing stuff and I love that everything is available to look at on Github. Jodie M @jodiem n8n.io Automate without limits Careers Hiring Contact Make vs n8n Press Legal Become an expert Case Studies Zapier vs n8n Hire an expert Tools AI agent report Affiliate program Merch Join user tests, get a gift Events Brand Guideline Popular integrations Google Sheets Telegram MySQL Slack Discord Postgres Notion Gmail Airtable Google Drive Show more integrations Show more Trending combinations HubSpot and Salesforce Twilio and WhatsApp GitHub and Jira Asana and Slack Asana and Salesforce Jira and Slack Jira and Salesforce GitHub and Slack HubSpot and QuickBooks HubSpot and Slack Show more integrations Show more Top integration categories Communication Development Cybersecurity AI Data & Storage Marketing Productivity Sales Utility Miscellaneous Explore more categories Show more Trending templates Creating an API endpoint AI agent chat Scrape and summarize webpages with AI Joining different datasets Back Up Your n8n Workflows To Github Very quick quickstart OpenAI GPT-3: Company Enrichment from website content Pulling data from services that n8n doesn’t have a pre-built integration for Convert JSON to an Excel file Telegram AI Chatbot Explore 800+ workflow templates Show more Top guides Telegram bots Open-source chatbot Open-source LLM Open-source low-code platforms Zapier alternatives Make vs Zapier AI agents AI coding assistants ChatGPT Discord bot Best AI chatbot Show guides Show more Imprint | Security | Privacy | Report a vulnerability © 2025 n8n | All rights reserved. | 2026-01-13T08:49:31 |
https://dev.to/new?prefill=---%0Atitle%3A%20%0Apublished%3A%20%0Atags%3A%20devchallenge%2C%20wlhchallenge%2C%20career%2C%20entrepreneurship%0A---%0A%0A*This%20is%20a%20submission%20for%20the%20%5BWorld%27s%20Largest%20Hackathon%20Writing%20Challenge%5D(https%3A%2F%2Fdev.to%2Fchallenges%2Fwlh)%3A%20After%20the%20Hack.*%0A%0A%3C!--%20You%20are%20free%20to%20structure%20your%20reflection%20however%20you%20want.%20You%20may%20consider%20including%20the%20following%3A%20personal%20growth%20and%20transformation%2C%20what%20your%20project%20has%20become%2C%20entrepreneurial%20journey%2C%20future%20plans%2C%20skills%20gained%2C%20career%20changes%2C%20etc.%20--%3E%0A%0A%3C!--%20Team%20Submissions%3A%20Please%20pick%20one%20member%20to%20publish%20the%20submission%20and%20credit%20teammates%20by%20listing%20their%20DEV%20usernames%20directly%20in%20the%20body%20of%20the%20post.%20--%3E%0A%0A%3C!--%20Don%27t%20forget%20to%20add%20a%20cover%20image%20(if%20you%20want).%20--%3E%0A%0A%3C!--%20Thanks%20for%20participating!%20--%3E%0A | New Post - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to DEV Community? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://brdta.com/devto | Bright Data for AI – Connect Your AI to the Web Accessibility Menu skip to content en English Español Deutsch Français 日本語 Português 简体中文 한국어 Start Free Trial User Dashboard Products Web Access APIs Unlocker API Say goodbye to blocks and CAPTCHAs Crawl API Turn entire websites into AI-friendly data SERP API Get multi-engine search results on-demand Google Bing Duckduckgo Yandex Browser API Spin up remote browsers, stealth included Data Feeds Scrapers APIs Fetch real-time data from 100+ websites LinkedIn eComm Social media ChatGPT Scraper Studio Turn any website into a data pipeline Datasets Pre-collected data from 100+ domains LinkedIn eComm Social media Real estate Web Archive Filter +50PB of historical data, growing daily Data And Insights Retail Intelligence Unlock real-time eCommerce insights & AI-powered recommendations Managed Data Acquisition Tailored enterprise-grade data acquisition Deep Lookup Beta Run complex queries on web-scale data Proxy Services Residential Proxies 50% OFF 150M+ global IPs from real-peer devices ISP Proxies 1.3M+ blazing fast static residential proxies Datacenter Proxies 1.3M+ high-speed proxies for data extraction Mobile Proxies 7M Mobile IPs for targeted mobile collection Data for AI Data for AI Powerful web data infrastructure
for AI models, apps & agents Learn More solutions Video & Media Data Extract endless video, images and more Data Packages Get LLM-ready datasets for every industry Search & Extract Enable AI apps to search and crawl the web Agent Browser Let agents browse websites and take action Bright Data MCP Free All-in-one toolkit to unlock the web resources resources Startup Program New Data for AI Report 2025 AI for Good Integrations LangChain LlamaIndex Agno Dify n8n See all Pricing Web Access APIs Unlocker API Starts from $1/1k req Crawl API Starts from $1/1k req SERP API Starts from $1/1k req Browser API Starts from $5/GB Data Feeds Scrapers APIs 25% OFF Starts from $1.00 $0.75/1k rec Scraper Studio Starts from $1/1k req Datasets Starts from $250/100K rec Web Archive Starts from $0.2/1K HTMLs Data And Insights Retail Insights Starts from $250/mo Managed Data Acquisition Starts from $1500/mo Proxy Infrastructure Residential 50% OFF Starts from $5.00 $2.50/GB Datacenter Starts from $0.9/IP ISP Starts from $1.3/IP Mobile Starts from $5/GB Resources Tools Integrations Browser Extension Network Status Learning Hub Blog Case Studies Webinars Proxy Locations Masterclass Videos Company Partner Program Trust Center Bright SDK Bright Initiative Docs Log in User Dashboard Contact sales Start Free Trial Account Change password Sign out Introducing the Web MCP - now free! Unlock the Web for your AI Bright Data lets you skip the plumbing, delivering ready-to-train data and unstoppable real-time web access. Web Access Power your inference to seamlessly search, crawl and interact with the web - without ever getting blocked. Training Data Fuel models with custom, high-quality datasets - video, image, audio, text - cleaned and curated to your needs. Get Started No credit card required Trusted by 20,000+ customers worldwide Supporting the entire AI lifecycle Extract Search Crawl Navigate Pipelines Archive Unlock the Web, effortlessly Ensure seamless access to any website – no more proxies, CAPTCHAs or JS rendering. Optimized for extracting LLM-ready text and downloading videos. Try now Node.js Python fetch('https://api.brightdata.com/request', { method: 'POST', headers: { 'Authorization': 'Bearer YOUR_API_TOKEN', // API key 'Content-Type': 'application/json' }, body: JSON.stringify({ zone: 'web_unlocker1', // zone url: 'https://geo.brdtest.com/welcome.txt', // target URL format: 'json' }) }) .then(response => response.json()) .then(data => console.log(data)) .catch(error => console.error('Error:', error)); import requests response = requests.post( 'https://api.brightdata.com/request', headers={ 'Authorization': 'Bearer YOUR_API_KEY', # API key 'Content-Type': 'application/json' }, json={ 'zone': 'web_unlocker1', # Zone 'url': 'https://geo.brdtest.com/welcome.txt', # Your URL 'format': 'json' }) print(response.json()) Search smarter, scale faster Fetch real-time, geo-targeted search results from major engines. Quickly discover relevant data sources for any query, with unlimited concurrency. Try now JSON { "general": { "search_engine": "google", "query": "pizza", "results_cnt": 2150000000, "search_time": 0.5, "language": "en", "location": "New York", "mobile": false, "basic_view": false, "search_type": "text", "page_title": "pizza - Google Search", "timestamp": "2025-05-05T12:50:45.596Z" } } Turn websites into texts Retrieve clean data from any website with a single API call. Crawl internal pages, extract content, and get LLM-ready output in Markdown, HTML or JSON. Try now Browsers built for bots Run AI agents on fully managed remote browsers – infinitely scalable, unblockable, and purpose-built for seamless web interaction. Zero ops, pure execution. Try now Structured data, on demand Deploy dedicated data pipelines for your AI apps and agents. Choose sources, define schedules or triggers, and seamlessly ingest structured data. Try now Grab a slice of the Web Retrieve data from a petabyte-scale web archive with billions of HTML pages. Discover video and image URLs, text in 100+ languages, or historical SERPs. Talk to an expert Bright Data MCP Server New! The ultimate toolkit to connect your AI to the Web Get Started Check the Repo One platform, endless applications "Bright Data’s browser infrastructure helps scale our AI agents for complex tasks. It lets us focus on delivering real value to our customers instead of wrestling with browser infrastructure." Devi Parikh Yutori, Co-Founder "To collect the public web data that feeds our algorithms, we use Bright Data’s Data Feeds to automatically pull structured data from the different shipping carrier websites." Mattan Benyamini Data Analyst Team Lead at Windward The web won’t unlock itself Book a demo and see it in action. Talk to an expert Products Unlocker API SERP API Browser API Crawl API Web Scraper APIs Scraper Studio Datasets Marketplace Web Archive Bright Insights Managed Data Acquisition Deep Lookup Top Scraper APIs LinkedIn Scraper eCommerce Scraper Social Media Scraper Proxy Services Residential Proxies Mobile Proxies ISP Proxies Datacenter Proxies Rotating Proxies Proxy Servers Proxy IP Locations Proxy Solutions Top Datasets LinkedIn Datasets eCommerce Datasets Social Media Datasets Programs Impact Report 2024 Affiliate Program Referral Program Partners SDK Security Vulnerabilities Legal Patents Privacy Policy Modern Slavery Statement Don’t Sell My Personal Info Service Agreement Learning Center Web Data Masterclass ScrapeCon Common Proxy Questions FAQ Webinars Data for Journalists Data for AI Report Company About Blog Use Cases Support Services Bright Data for Enterprise Customer Stories Trust Center Careers Contact Media Center Network Status Bright VPN Bright Initiative Start Free Trial Follow Us Contact Us Bright Data Ltd. (Headquarters), 4 Hamahshev St., Netanya 4250714, Israel (POB 8025). Bright Data, Inc., 500 7th Ave, 9th Floor Office 9A1234, New York, NY 10018, United States. IPPN Group Ltd. Cloud partnerships AWS Databricks Snowflake Customer excellence partnerships Capterra GetApp Software Advice Top Data Provider Partnerships WIPO Alert BDV MRS Gartner SOC ISO certified GDPR ready Tag Accessibility Menu © Copyright 2026 Bright Data Ltd. | All rights reserved | 2026-01-13T08:49:31 |
https://docs.github.com/en/copilot/tutorials/copilot-chat-cookbook | GitHub Copilot Chat Cookbook - GitHub Docs Skip to main content GitHub Docs Version: Free, Pro, & Team Search or ask Copilot Search or ask Copilot Select language: current language is English Search or ask Copilot Search or ask Copilot Open menu Open Sidebar GitHub Copilot / Tutorials / GitHub Copilot Chat Cookbook Home GitHub Copilot Get started Quickstart What is GitHub Copilot? Plans Features Best practices Choose enterprise plan Achieve company goals Concepts Completions Code suggestions Text completion Code referencing Chat Agents Coding agent About coding agent Agent management Custom agents Access management MCP and coding agent Code review Copilot CLI OpenAI Codex Agent Skills Enterprise management Spark Prompting Prompt engineering Response customization Context MCP Spaces Repository indexing Content exclusion Tools AI tools About Copilot integrations Auto model selection Rate limits Billing Copilot requests Individual plans Billing for individuals Organizations and enterprises Copilot-only enterprises Policies MCP management Network settings Copilot usage metrics How-tos Set up Set up for self Set up for organization Set up for enterprise Set up a dedicated enterprise Install Copilot extension Install Copilot CLI Get code suggestions Get IDE code suggestions Write PR descriptions Find matching code Chat with Copilot Get started with Chat Chat in IDE Chat in Windows Terminal Chat in GitHub Chat in Mobile Use Copilot agents Manage agents Coding agent Create a PR Update existing PR Track Copilot sessions Review Copilot PRs Create custom agents Test custom agents Extend coding agent with MCP Integrate coding agent with Slack Integrate coding agent with Teams Integrate coding agent with Linear Changing the AI model Customize the agent environment Customize the agent firewall Troubleshoot coding agent Request a code review Use code review Configure automatic review Manage tools Use Copilot CLI Use AI models Configure access to AI models Change the chat model Change the completion model Provide context Use Copilot Spaces Create Copilot Spaces Use Copilot Spaces Collaborate with others Use MCP Extend Copilot Chat with MCP Set up the GitHub MCP Server Enterprise configuration Configure toolsets Use the GitHub MCP Server Change MCP registry Configure custom instructions Add personal instructions Add repository instructions Add organization instructions Configure content exclusion Exclude content from Copilot Review changes Use Copilot for common tasks Use Copilot to create or update issues Create a PR summary Use Copilot in the CLI Configure personal settings Configure network settings Configure in IDE Authenticate to GHE.com Manage and track spending Monitor premium requests Manage request allowances Manage company spending Manage your account Get started with a Copilot plan Get free access to Copilot Pro View and change your Copilot plan Disable Copilot Free Manage policies Administer Copilot Manage for organization Manage plan Subscribe Cancel Manage access Grant access Manage requests for access Revoke access Manage network access Manage policies Add Copilot coding agent Prepare for custom agents Review activity Review user activity data Review audit logs Use your own API keys Manage for enterprise Manage plan Subscribe Cancel plan Upgrade plan Downgrade subscription Manage access Grant access Disable for organizations View license usage Manage network access Manage enterprise policies Manage agents Prepare for custom agents Monitor agentic activity Manage Copilot coding agent Manage Copilot code review Manage Spark View usage and adoption View code generation Use your own API keys Manage MCP usage Configure MCP registry Configure MCP server access Download activity report Troubleshoot Copilot Troubleshoot common issues View logs Troubleshoot firewall settings Troubleshoot network errors Troubleshoot Spark Reference Cheat sheet AI models Supported models Model comparison Model hosting Keyboard shortcuts Custom agents configuration Custom instructions support Policy conflicts Copilot allowlist reference MCP allowlist enforcement Metrics data Copilot billing Billing cycle Seat assignment License changes Azure billing Agentic audit log events Review excluded files Copilot usage metrics Copilot usage metrics data Interpret usage metrics Reconciling Copilot usage metrics Copilot LoC metrics Tutorials All tutorials GitHub Copilot Chat Cookbook All prompts Communicate effectively Create templates Extract information Synthesize research Create diagrams Generate tables Debug errors Debug invalid JSON Handle API rate limits Analyze functionality Explore implementations Analyze feedback Refactor code Improve code readability Fix lint errors Refactor for optimization Refactor for sustainability Refactor design patterns Refactor data access layers Decouple business logic Handle cross-cutting Simplify inheritance hierarchies Fix database deadlocks Translate code Document code Create issues Document legacy code Explain legacy code Explain complex logic Sync documentation Write discussions or blog posts Testing code Generate unit tests Create mock objects Create end-to-end tests Update unit tests Analyze security Secure your repository Manage dependency updates Find vulnerabilities Customization library All customizations Custom instructions Your first custom instructions Concept explainer Debugging tutor Code reviewer GitHub Actions helper Pull request assistant Issue manager Accessibility auditor Testing automation Prompt files Your first prompt file Create README Onboarding plan Document API Review code Generate unit tests Custom agents Your first custom agent Implementation planner Bug fix teammate Cleanup specialist Coding agent Get the best results Pilot coding agent Spark Your first spark Prompt tips Build and deploy apps Deploy from CLI Use custom instructions Enhance agent mode with MCP Compare AI models Speed up development work Roll out at scale Assign licenses Set up self-serve licenses Track usage and adoption Remind inactive users Establish AI managers Enable developers Drive adoption Integrate AI agents Drive downstream impact Increase test coverage Accelerate pull requests Reduce security debt Measure trial success Explore a codebase Explore issues and discussions Explore pull requests Write tests Refactor code Optimize code reviews Reduce technical debt Review AI code Learn a new language Modernize legacy code Modernize Java applications Migrate a project Plan a project Vibe coding Upgrade projects Responsible use Copilot inline suggestions Chat in your IDE Chat in GitHub Chat in GitHub Mobile Copilot CLI Copilot in Windows Terminal Copilot in GitHub Desktop Pull request summaries Copilot text completion Commit message generation Code review Copilot coding agent Spark Copilot Spaces GitHub Copilot / Tutorials / GitHub Copilot Chat Cookbook GitHub Copilot Chat Cookbook Find examples of prompts to use with GitHub Copilot Chat. Spotlight Generating unit tests Copilot Chat can help with generating unit tests for a function. Improving code readability and maintainability Copilot Chat can suggest ways to make your code easier to understand and maintain. Debugging invalid JSON Copilot Chat can identify and resolve syntax errors or structural issues in JSON data. Explore 33 examples Category : All Complexity : All Reset filters Creating templates Copilot Chat can help you create templates to streamline your workflow and ensure consistency across your projects. Communicate effectively Author and optimize with Copilot Simple Extracting information Copilot Chat in GitHub can help you extract key information from issues and discussions. Communicate effectively Author and optimize with Copilot Simple Synthesizing research Copilot Chat can help you synthesize research findings and insights from multiple sources into a cohesive summary. Communicate effectively Author and optimize with Copilot Simple Creating diagrams GitHub Copilot Chat can help you create diagrams to better understand your data and communicate insights. Communicate effectively Visualize data Simple Generating tables Copilot Chat can help you create tables to organize information and present it clearly. Communicate effectively Author and optimize with Copilot Simple Debugging invalid JSON Copilot Chat can identify and resolve syntax errors or structural issues in JSON data. Debugging code Author and optimize with Copilot Intermediate Handling API rate limits Copilot Chat can help handle API rate limits by suggesting code that detects them and implements retry logic. Debugging code Author and optimize with Copilot Intermediate Exploring potential feature implementations Copilot Chat can help explore different approaches for implementing a single feature. Functionality analysis Author and optimize with Copilot Intermediate Analyzing and incorporating user feedback Copilot Chat can enhance the process of incorporating user feedback into your project. Functionality analysis Author and optimize with Copilot Intermediate Improving code readability and maintainability Copilot Chat can suggest ways to make your code easier to understand and maintain. Refactoring code Author and optimize with Copilot Simple Fixing lint errors Copilot Chat can suggest ways to fix issues identified by a code linter. Refactoring code Author and optimize with Copilot Intermediate Refactoring for performance optimization Copilot Chat can suggest ways to speed up slow-running code. Refactoring code Author and optimize with Copilot Simple Refactoring for environmental sustainability Copilot Chat can suggest ways to make code more environmentally friendly. Refactoring code Simple Refactoring to implement a design pattern Copilot Chat can suggest design patterns that you can use to improve your code. Refactoring code Author and optimize with Copilot Intermediate Refactoring data access layers Copilot Chat can suggest ways to decouple your data access code from your business logic, making an application easier to maintain and scale. Refactoring code Author and optimize with Copilot Advanced Decoupling business logic from UI components Copilot Chat can help you separate your business logic from your user interface code, making it easier to maintain and scale your application. Refactoring code Author and optimize with Copilot Advanced Handling cross-cutting concerns Copilot Chat can help you avoid code that relates to a concern other than the core concern of the method or function in which the code is located. Refactoring code Author and optimize with Copilot Intermediate Simplifying complex inheritance hierarchies Copilot Chat can help you to refactor code to avoid classes with multiple layers of inheritance. Refactoring code Author and optimize with Copilot Intermediate Fixing database deadlocks or data integrity issues Copilot Chat can help you avoid code that causes slow or blocked database operations, or tables with missing or incorrect data. Refactoring code Author and optimize with Copilot Advanced Translating code to a different programming language Copilot Chat can help you rewrite code to perform the same operations but in a different programming language. Refactoring code Author and optimize with Copilot Simple Creating issues Copilot Chat can help you quickly create issues without filling out every field manually. Documenting code Author and optimize with Copilot Simple Documenting legacy code Copilot Chat can help with documenting legacy code. Documenting code Author and optimize with Copilot Simple Explaining legacy code Copilot Chat can help with explaining unfamiliar code. Documenting code Author and optimize with Copilot Simple Explaining complex algorithms or logic Copilot Chat can help add clear and concise documentation on complex algorithms or logic. Documenting code Author and optimize with Copilot Intermediate Syncing documentation with code changes Copilot Chat can help with keeping code documentation up-to-date. Documenting code Author and optimize with Copilot Intermediate Writing discussions or blog posts Copilot Chat can help you generate ideas, outline, or draft discussions or blog posts. Documenting code Author and optimize with Copilot Simple Generating unit tests Copilot Chat can help with generating unit tests for a function. Testing code Author and optimize with Copilot Intermediate Creating mock objects to abstract layers Copilot Chat can help with creating mock objects that you can use for unit tests. Testing code Author and optimize with Copilot Intermediate Creating end-to-end tests for a webpage Copilot Chat can help with generating end-to-end tests. Testing code Author and optimize with Copilot Advanced Updating unit tests to match code changes Copilot Chat can help with updating your tests. Testing code Author and optimize with Copilot Intermediate Securing your repository Copilot Chat can help you to secure your repository and your code. Security analysis Author and optimize with Copilot Simple Managing dependency updates Copilot Chat can help you get set up with Dependabot to streamline dependency updates. Security analysis Author and optimize with Copilot Simple Finding existing vulnerabilities in code Copilot Chat can help find common vulnerabilities in your code and suggest fixes. Security analysis Author and optimize with Copilot Intermediate Help and support Did you find what you needed? Yes No Privacy policy Help us make these docs great! All GitHub docs are open source. See something that's wrong or unclear? Submit a pull request. Make a contribution Learn how to contribute Still need help? Ask the GitHub community Contact support Legal © 2026 GitHub, Inc. Terms Privacy Status Pricing Expert services Blog | 2026-01-13T08:49:31 |
https://dev.to/copilotkit/vibe-code-an-agentic-app-in-under-7-minutes-1dce | Vibe Code an Agentic App in Under 7 Minutes - 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 Nathan Tarbert for CopilotKit Posted on Aug 26, 2025 Vibe Code an Agentic App in Under 7 Minutes # webdev # programming # mcp # opensource Building agentic applications is powerful-but the complexity level starts to rise. Things like managing context, wiring actions, and giving agents reliable access to documentation can eat up time before you even get to shipping features. Not to worry, that's where the new Vibe-Coding Server comes in. What is the Vibe-Coding Server ? The Vibe-Coding Server, built on MCP (Model Context Protocol), gives coding agents structured access to both CopilotKit documentation and actual code examples from the repos. Instead of dumping entire pages or manually tagging docs every time, the server automatically fetches only the relevant snippets. This means: Faster responses, more efficient development Lower token usage Better context for your agents With the Vibe-Coding Server in place, you can layer in agentic features Together, they move your agent from being conversational → operational . See it in action here and for better video quality, on YouTube: I recorded a walkthrough of the Vibe-Coding Server in action- including generated code examples, actions, readables, and the drop-in chat component, so you can see how everything fits together. Would love to hear what you're connecting MCP to! Follow CopilotKit on Twitter and say hi, and if you'd like to build something cool, join our Discord . Top comments (15) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Hadil Ben Abdallah Hadil Ben Abdallah Hadil Ben Abdallah Follow Software Engineer • Technical Content Writer • LinkedIn Content Creator Email hadilbenabdallah111@gmail.com Location Tunisia Education ENET'COM Pronouns she/her Work Content Writer & Social Media Manager Joined Nov 13, 2023 • Aug 26 '25 Dropdown menu Copy link Hide This is super interesting! I really like how the Vibe-Coding Server streamlines context management and cuts down on token usage, that’s usually one of the biggest pain points when building agentic apps. The fact that it automatically fetches relevant snippets instead of dumping entire docs is a game-changer. Thanks for sharing 🙏🏻 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Aug 26 '25 Dropdown menu Copy link Hide Thanks for the feedback Hadil, I appreciate that. MCP is changing the landscape of development, and it's quite mind blowing. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Bonnie CopilotKit Bonnie CopilotKit Bonnie Follow I help software startups create and reach more devs with technical content at thegreatbonnie.com Email thegreatbonniee@gmail.com Joined Dec 27, 2020 • Aug 26 '25 Dropdown menu Copy link Hide I have been building agentic apps with CopilotKit and this feature is a game changer. I have already set up the MCP server on VS Code and I am already using it to vibe code agentic web apps. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Aug 26 '25 Dropdown menu Copy link Hide That's awesome Bonnie! Would you say the MCP server has made development more efficient? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Bonnie CopilotKit Bonnie CopilotKit Bonnie Follow I help software startups create and reach more devs with technical content at thegreatbonnie.com Email thegreatbonniee@gmail.com Joined Dec 27, 2020 • Aug 26 '25 Dropdown menu Copy link Hide Absolutely! It makes adding agentic features to a web app a breeze. Like comment: Like comment: 2 likes Like Thread Thread Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Aug 26 '25 Dropdown menu Copy link Hide That's amazing to hear! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand John Cook John Cook John Cook Follow Software developer passionate about elegant solutions. Skilled in Python, JavaScript, and frameworks like React and Flask. Building efficient solutions. Email cook14993@gmail.com Joined Feb 28, 2023 • Aug 27 '25 Dropdown menu Copy link Hide This is cool I must say Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand David David David Follow DevOps advocate on a mission to streamline development workflows. Empowering fellow developers to conquer challenges and scale new heights in the DEV world. Joined Sep 30, 2023 • Aug 26 '25 Dropdown menu Copy link Hide I don't know a lot of MCP but this seems like a new level of coding. Gonna have to give this a try. Thanks for sharing Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Aug 26 '25 Dropdown menu Copy link Hide You're welcome, David. I would love to get your feedback after you try out the Vibe Coding Server Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Sayeed Sayeed Sayeed Follow Passionate about code, community, and the endless possibilities they offer." Joined Sep 30, 2023 • Aug 26 '25 Dropdown menu Copy link Hide Very interesting, it seems like this would probably save me quite a bit of time when the docs can be brought into Cursor. This is cool! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Sep 9 '25 Dropdown menu Copy link Hide It does save quite a lot of time Sayeed and the great thing is, you can bring the docs into the IDE and don't have to leave your code. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Oliver Wirtz Khan Oliver Wirtz Khan Oliver Wirtz Khan Follow Software Engineer with focusing on AI Joined Aug 8, 2025 • Aug 27 '25 Dropdown menu Copy link Hide how much you spent on this vibe coding? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Aug 27 '25 Dropdown menu Copy link Hide Hey Oliver, do you mean how much time I spent on this project? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Roshan Sharma Roshan Sharma Roshan Sharma Follow 💻 Tech Enthusiast | Linux & Open Source Explorer 🔧 Sharing insights on Ubuntu, Debian, Docker, and DevOps tools 🐍 Passionate about Python, SQL & MySQL ✍️ Writing tutorials, guides, and answers to m Joined Aug 19, 2025 • Aug 27 '25 Dropdown menu Copy link Hide Really cool! The way vibe-coding speeds up building agentic apps while keeping things lightweight is super slick Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nathan Tarbert CopilotKit Nathan Tarbert CopilotKit Nathan Tarbert Follow I am a developer and open-source evangelist! Location Florida, USA Education Kingsland University Work Community Engineer Joined Feb 22, 2023 • Aug 27 '25 Dropdown menu Copy link Hide Agreed Roshan! Like comment: Like comment: 1 like Like Comment button Reply View full discussion (15 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 CopilotKit Follow The simplest way to integrate production-ready AI Copilots We are Open Source. Please leave us a ⭐️ on GitHub ❤️ Leave a Star ⭐️ More from CopilotKit Build with Google's new A2UI Spec: Agent User Interfaces with A2UI + AG-UI # webdev # programming # productivity # opensource Easily Build a Frontend for your AWS Strands Agents using AG-UI in 30 minutes # webdev # ai # programming # opensource Build a Frontend for your Microsoft Agent Framework (Python) Agents with AG-UI # webdev # ai # programming # 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:31 |
https://docs.github.com/en/code-security/supply-chain-security | Securing your software supply chain - GitHub Docs Skip to main content GitHub Docs Version: Free, Pro, & Team Search or ask Copilot Search or ask Copilot Select language: current language is English Search or ask Copilot Search or ask Copilot Open menu Open Sidebar Security and code quality / Supply chain security Home Security and code quality Getting started GitHub security features Dependabot quickstart Secure repository quickstart Add a security policy GitHub secret types GitHub Code Quality Get started Quickstart Reference Metrics and ratings CodeQL analysis CodeQL queries C# queries Go queries Java queries JavaScript queries Python queries Ruby queries Tutorials Fix findings in PRs Improve your codebase Improve recent merges Responsible use Code quality Secure your organization Introduction Choose security configuration Manage organization security Interpret security data Exposure to leaked secrets Export risk report CSV Risk report CSV contents Secret protection pricing Organize leak remediation Fix alerts at scale Create security campaigns Track security campaigns Secret scanning Introduction Supported patterns Enable features Enable secret scanning Enable push protection Enable validity checks Enable metadata checks Manage alerts View alerts Resolve alerts Monitor alerts Work with secret scanning Push protection for users Push protection on the command line Push protection in the GitHub UI Advanced features Exclude folders and files Non-provider patterns Enable for non-provider patterns Custom patterns Define custom patterns Manage custom patterns Custom pattern metrics Delegated bypass Enable delegated bypass Manage bypass requests Delegated alert dismissal Copilot secret scanning Generic secret detection Enable generic secret detection Generate regular expressions with AI Regular expression generator Troubleshoot Troubleshoot secret scanning Partner program Partner program Code scanning Enable code scanning Configure code scanning Create advanced setup Configure advanced setup Customize advanced setup CodeQL for compiled languages Hardware resources for CodeQL Code scanning in a container Manage alerts Copilot Autofix for code scanning Disable Copilot Autofix Assess alerts Resolve alerts Fix alerts in campaign Triage alerts in pull requests Manage code scanning Code scanning tool status Edit default setup Set merge protection Enable delegated alert dismissal Configure larger runners View code scanning logs Integrate with code scanning Using code scanning with your existing CI system Upload a SARIF file SARIF support Troubleshooting code scanning Code Security must be enabled Alerts in generated code Analysis takes too long Automatic build failed C# compiler failing Cannot enable CodeQL in a private repository Enabling default setup takes too long Extraction errors in the database Fewer lines scanned than expected Logs not detailed enough No source code seen during build Not recognized Out of disk or memory Resource not accessible Results different than expected Server error Some languages not analyzed Two CodeQL workflows Unclear what triggered a workflow Unnecessary step found Kotlin detected in no build Troubleshooting SARIF uploads GitHub Code Security disabled Default setup is enabled GitHub token missing SARIF file invalid Results file too large Results exceed limits Reference CodeQL queries About built-in queries Actions queries C and C++ queries C# queries Go queries Java and Kotlin queries JavaScript and TypeScript queries Python queries Ruby queries Rust queries Swift queries CodeQL CLI Getting started Setting up the CodeQL CLI Preparing code for analysis Analyzing code Uploading results to GitHub Customizing analysis Advanced functionality Advanced setup of the CodeQL CLI Using custom queries with the CodeQL CLI Creating CodeQL query suites Testing custom queries Testing query help files Creating and working with CodeQL packs Publishing and using CodeQL packs Specifying command options in a CodeQL configuration file CodeQL CLI SARIF output CodeQL CLI CSV output Extractor options Exit codes Creating CodeQL CLI database bundles CodeQL CLI manual bqrs decode bqrs diff bqrs hash bqrs info bqrs interpret database add-diagnostic database analyze database bundle database cleanup database create database export-diagnostics database finalize database import database index-files database init database interpret-results database print-baseline database run-queries database trace-command database unbundle database upgrade dataset check dataset cleanup dataset import dataset measure dataset upgrade diagnostic add diagnostic export execute cli-server execute language-server execute queries execute query-server execute query-server2 execute upgrades generate extensible-predicate-metadata generate log-summary generate overlay-changes generate query-help github merge-results github upload-results pack add pack bundle pack ci pack create pack download pack init pack install pack ls pack packlist pack publish pack resolve-dependencies pack upgrade query compile query decompile query format query run resolve database resolve extensions resolve extensions-by-pack resolve extractor resolve files resolve languages resolve library-path resolve metadata resolve ml-models resolve packs resolve qlpacks resolve qlref resolve queries resolve ram resolve tests resolve upgrades test accept test extract test run version CodeQL for VS Code Getting started Extension installation Manage CodeQL databases Run CodeQL queries Explore data flow Queries at scale Advanced functionality CodeQL model editor Custom query creation Manage CodeQL packs Explore code structure Test CodeQL queries Customize settings CodeQL workspace setup CodeQL CLI access Telemetry Troubleshooting CodeQL for VS Code Access logs Problem with controller repository Security advisories Global security advisories Browse Advisory Database Edit Advisory Database Repository security advisories Permission levels Configure for a repository Configure for an organization Create repository advisories Edit repository advisories Evaluate repository security Temporary private forks Publish repository advisories Add collaborators Remove collaborators Delete repository advisories Guidance on reporting and writing Best practices Privately reporting Manage vulnerability reports Supply chain security Understand your supply chain Dependency graph ecosystem support Customize dependency review action Enforce dependency review Troubleshoot dependency graph End-to-end supply chain Overview Securing accounts Securing code Securing builds Dependabot Dependabot ecosystems Dependabot ecosystem support Dependabot alerts View Dependabot alerts Enable delegated alert dismissal Dependabot auto-triage rules Manage auto-dismissed alerts Dependabot version updates Optimize PR creation Customize Dependabot PRs Work with Dependabot Use Dependabot with Actions Multi-ecosystem updates Dependabot options reference Configure ARC Configure VNET Troubleshoot Dependabot Viewing Dependabot logs Dependabot stopped working Troubleshoot Dependabot on Actions Security overview View security insights Assess adoption of features Assess security risk of code Filter security overview Export data View Dependabot metrics View secret scanning metrics View PR alert metrics Review bypass requests Review alert dismissal requests Concepts Secret security Secret scanning Push protection Secret protection tools Secret scanning alerts Delegated bypass Secret scanning for partners Push protection and the GitHub MCP server Push protection from the REST API Code scanning Introduction Code scanning alerts Evaluate code scanning Integration with code scanning CodeQL CodeQL code scanning CodeQL query suites CodeQL CLI CodeQL for VS Code CodeQL workspaces Query reference files GitHub Code Quality Supply chain security Supply chain features Dependency best practices Dependency graph Dependency review Dependabot alerts Dependabot security updates Dependabot version updates Dependabot auto-triage rules Dependabot on Actions Immutable releases Vulnerability reporting GitHub Advisory database Repository security advisories Global security advisories Coordinated disclosure Vulnerability exposure Security at scale Organization security Security overview Security campaigns Audit security alerts How-tos Secure at scale Configure enterprise security Configure specific tools Allow Code Quality Configure organization security Establish complete coverage Apply recommended configuration Create custom configuration Apply custom configuration Configure global settings Manage your coverage Edit custom configuration Filter repositories Detach security configuration Delete custom configuration Configure specific tools Assess your secret risk View risk report Push protection cost savings Protect your secrets Code scanning at scale CodeQL advanced setup at scale Manage usage and access Give access to private registries Manage paid GHAS use Troubleshoot security configurations Active advanced setup Unexpected default setup Find attachment failures Not enough GHAS licenses Secure your supply chain Secure your dependencies Configure Dependabot alerts Configure security updates Configure version updates Auto-update actions Configure dependency graph Explore dependencies Submit dependencies automatically Use dependency submission API Verify release integrity Manage your dependency security Auto-triage Dependabot alerts Prioritize with preset rules Customize Dependabot PRs Control dependency update Configure dependency review action Optimize Java packages Configure Dependabot notifications Configure access to private registries Remove access to public registries Manage Dependabot PRs Manage Dependabot on self-hosted runners List configured dependencies Configure private registries Troubleshoot dependency security Troubleshoot Dependabot errors Troubleshoot vulnerability detection Establish provenance and integrity Prevent release changes Export dependencies as SBOM Maintain quality code Enable Code Quality Interpret results Set PR thresholds Unblock your PR Reference Tutorials Secure your organization Prevent data leaks Fix alerts at scale Prioritize alerts in production code Interpret secret risk assessment Remediate leaked secrets Evaluate alerts Remediate a leaked secret Trial GitHub Advanced Security Plan GHAS trial Trial Advanced Security Enable security features in trial Trial Secret Protection Trial Code Security Manage security alerts Prioritize Dependabot alerts using metrics Best practices for campaigns Responsible use Security and code quality / Supply chain security Securing your software supply chain Visualize, maintain, and secure the dependencies in your software supply chain. Understanding your software supply chain Dependency graph supported package ecosystems Customizing your dependency review action configuration Enforcing dependency review across an organization Troubleshooting the dependency graph End-to-end supply chain Securing your end-to-end supply chain Best practices for securing accounts Best practices for securing code in your supply chain Best practices for securing your build system Help and support Did you find what you needed? Yes No Privacy policy Help us make these docs great! All GitHub docs are open source. See something that's wrong or unclear? Submit a pull request. Make a contribution Learn how to contribute Still need help? Ask the GitHub community Contact support Legal © 2026 GitHub, Inc. Terms Privacy Status Pricing Expert services Blog | 2026-01-13T08:49:31 |
https://future.forem.com/ribhavmodi/smart-contract-security-101-reentrancy-common-ai-generated-mistakes-1pfb#comments | Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes - Future Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Future Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Ribhav Posted on Jan 12 • Originally published at Medium Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes # security # crypto # blockchain # beginners 60 DAY WEB3 JOURNEY (29 Part Series) 1 Blockchain for Non-Technical People: Breaking Down the Basics 2 Bitcoin for Non-Technical People: Why the First Cryptocurrency Matters ... 25 more parts... 3 Bitcoin vs Traditional Money for Non-Technical People 4 Ethereum for Non-Technical People: The Programmable Blockchain 5 Smart Contracts and dApps on Ethereum (for Non‑Technical People) 6 Ethereum Wallets and Gas (for Non‑Technical People) 7 Why Ethereum Needs Layer 2s (for Curious Builders and Beginners) 8 Your First Ethereum Smart Contract, Step by Step 9 DeFi 101: Decentralized Finance 10 NFTs Explained Simply – What’s Actually Happening in 2025? 11 Understanding Tokenomics – Why Token Design Matters 12 Consensus Mechanisms Explained: How Blockchain Networks Agree Without a Boss 13 Layer 2 Solutions Deep-Dive: Optimistic vs ZK Rollups Explained 14 Ethereum vs Solana: Consensus in Action 15 DAOs Explained: How Decentralized Organizations Actually Work 16 Stablecoins – The Bridges Between Volatility and Value 17 DAOs in Practice – From Multi-Sig to Voting (And Why Ownership Tokens exist) 18 Blockchain Oracles: How Smart Contracts See the Real World (Featuring Chainlink) 19 Cross-Chain Bridges: How Assets Travel Between Blockchains (Without Getting Robbed) 20 MEV (Maximal Extractable Value): The Invisible Tax on Every Blockchain Transaction 21 Layer 0 & Layer 3 — How Blockchains Become an Internet, Not Islands 22 Web3 Infrastructure: RPCs, Nodes, Infura/Alchemy (The Invisible Plumbing) 23 On-Chain Identity — ENS, Soulbound Tokens & Your Web3 Resume 24 Crypto Regulation 101 — SEC, MiCA & What Builders Should Actually Care About 25 Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract 26 Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) 27 Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) 28 How to Review AI‑Generated Solidity Like an Auditor (For Beginners) 29 Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes The Transfer That Never Stopped By Day 30 of this Web3 journey, “security” stopped being a scary audit word and started feeling very real. Because the first time an “innocent” withdraw function drained an entire contract, it didn’t look like a hack at all. It looked like… a normal payment going through. The user clicked “withdraw.” The contract sent them some ETH. Everything looked fine. Except the payment never really ended. It kept calling back. And back. And back again. By the time the contract “realized” what happened, its balance was gone. That’s reentrancy — and with AI helping us write Solidity faster than ever, it’s now dangerously easy to ship this bug by accident What Reentrancy Really Is Think of a contract like a vending machine: You insert a coin. The machine checks your balance. Then it updates the balance and drops your snack. Now imagine a bug where, while the snack door is still open, you can hit the “dispense” button again and again before the machine updates your balance. You keep grabbing snacks while the machine still thinks you’ve only taken one. That’s reentrancy in Web3 terms: A smart contract sends ETH or tokens to another address or contract. While that transfer is happening, the receiver runs code. That code calls back into the original contract’s function before the balance or state is updated. The attacker repeats this loop, draining funds.[2][1] Key idea: The contract trusts that the external call is “just a transfer.” But in Ethereum, that recipient can be a contract with its own logic. The Classic Reentrancy Trap (And Why AI Loves It) Here’s the vulnerable pattern AI tools often generate when you ask for a “simple withdraw function”: Check if msg.sender has enough balance. call or send ETH to msg.sender . After sending, update balances[msg.sender] = 0 . This looks perfectly logical in plain English. But the order of operations is deadly: External call goes out (to an attacker contract). Attacker’s fallback function runs and calls withdraw() again. The original contract still thinks the attacker has balance, because it hasn’t set it to 0 yet. Funds keep flowing until the contract is empty. AI models often: Use call{value: ...}("") without mentioning reentrancy risks. Forget to use a reentrancy guard or checks-effects-interactions pattern. Prioritize “working example” over “secure example,” especially when you ask for “simple”, “minimal”, or “gas efficient” code. The code compiles. The tests pass. Mainnet doesn’t forgive. Checks-Effects-Interactions: Your First Shield To fight reentrancy, you flip the vending machine logic: Instead of: “Send snack → then update balance” You do: “Update balance → then send snack” In Solidity, this is called checks-effects-interactions : Checks : Validate conditions (require statements). Effects : Update internal state (balances, mappings). Interactions : Call external contracts or send ETH last. Why this works: When the attacker tries to re-enter, your contract’s state already says: “You have no balance.” So even if they call back in, your require fails. Many AI-generated examples follow this sometimes , but not consistently. Any time you see: call , delegatecall , or transfer followed by a state change …your “reentrancy radar” should beep. Reentrancy Guards & Safe Patterns Modern Solidity has extra safety nets you should almost always use: ReentrancyGuard : A simple “locked” flag that blocks a function from being entered again before it finishes. Pull over push payments : Instead of sending ETH automatically, let users withdraw in a controlled, minimal function. Minimize external calls : The fewer external calls, the fewer reentrancy surfaces.[4][1][3] Think of ReentrancyGuard like putting a “Busy” sign on the vending machine door: While one snack is being dispensed, no one else can press buttons. Including the same person trying to spam the button through a backdoor. As a beginner (and especially when using AI): Default to using ReentrancyGuard on any function that sends ETH or calls untrusted contracts. Only remove it when you fully understand why it’s safe without it. Common AI‑Generated Security Mistakes (Beyond Reentrancy) Reentrancy is just one category. AI tends to repeat a few dangerous patterns: Missing access control Admin-only functions (like setPrice , pause , withdrawAll ) are left as public . Anyone can call them. Blind trust in msg.sender No role checks. No onlyOwner or AccessControl . Unbounded loops over arrays “Simple” loops over large user lists that can run out of gas. Perfect for griefing or DoS.[4][3] Ignoring return values Not checking if token transfer or call actually succeeded. All of these look reasonable at first glance. That’s what makes them dangerous: they fail not in the compiler, but in production. Your job as a beginner isn’t to write “perfect” code. It’s to notice when something could go wrong, and slow down there. Why This Matters For Developers Reentrancy is not “just another bug.” It’s the kind of bug that: Empties treasuries. Breaks user trust. Follows your name around on-chain forever. Think About This (Mini Challenge) Next time you ask an AI tool: “Write a simple Solidity contract that lets users deposit and withdraw ETH.” Do this: Before you run it, scan for external calls ( call , transfer , send ). Check: “Does this function update state before or after sending ETH?” Ask yourself: “What happens if the receiver is a contract that calls back in right here?” If you feel even a tiny bit of doubt, good. That’s your security instinct waking up. Key Takeaway Reentrancy isn’t magic. It’s just “I trusted external code before I locked my own house.” As AI starts writing more of our Solidity, your edge won’t be typing faster. It will be spotting the trapdoors AI leaves behind. Don’t aim to be the smartest auditor in the room. Aim to be the developer who never ships the obvious bug. Because in Web3, one “innocent” withdraw function can be the difference between: “Nice little dApp you deployed.” and “Remember that contract that got drained? Yeah… that was mine.” Resources to Go Deeper Solidity Docs — Security Considerations ( Reentrancy section ) Official language docs explaining why external calls are dangerous and how to structure state changes safely. Great to anchor your explanations in the source spec. ConsenSys Diligence — Reentrancy (Smart Contract Best Practices ) Classic reference for the attack pattern, checks‑effects‑interactions, and common pitfalls; widely recognized in the Ethereum security world. OpenZeppelin Contracts — ReentrancyGuard The de‑facto standard implementation of a reentrancy lock; perfect follow‑up for readers who want to actually use the pattern you describe. Other resources: Quicknode , Chainlink Follow the series on Medium | Twitter | Future Jump into Web3ForHumans on Telegram and we’ll brainstorm Web3 together. 60 DAY WEB3 JOURNEY (29 Part Series) 1 Blockchain for Non-Technical People: Breaking Down the Basics 2 Bitcoin for Non-Technical People: Why the First Cryptocurrency Matters ... 25 more parts... 3 Bitcoin vs Traditional Money for Non-Technical People 4 Ethereum for Non-Technical People: The Programmable Blockchain 5 Smart Contracts and dApps on Ethereum (for Non‑Technical People) 6 Ethereum Wallets and Gas (for Non‑Technical People) 7 Why Ethereum Needs Layer 2s (for Curious Builders and Beginners) 8 Your First Ethereum Smart Contract, Step by Step 9 DeFi 101: Decentralized Finance 10 NFTs Explained Simply – What’s Actually Happening in 2025? 11 Understanding Tokenomics – Why Token Design Matters 12 Consensus Mechanisms Explained: How Blockchain Networks Agree Without a Boss 13 Layer 2 Solutions Deep-Dive: Optimistic vs ZK Rollups Explained 14 Ethereum vs Solana: Consensus in Action 15 DAOs Explained: How Decentralized Organizations Actually Work 16 Stablecoins – The Bridges Between Volatility and Value 17 DAOs in Practice – From Multi-Sig to Voting (And Why Ownership Tokens exist) 18 Blockchain Oracles: How Smart Contracts See the Real World (Featuring Chainlink) 19 Cross-Chain Bridges: How Assets Travel Between Blockchains (Without Getting Robbed) 20 MEV (Maximal Extractable Value): The Invisible Tax on Every Blockchain Transaction 21 Layer 0 & Layer 3 — How Blockchains Become an Internet, Not Islands 22 Web3 Infrastructure: RPCs, Nodes, Infura/Alchemy (The Invisible Plumbing) 23 On-Chain Identity — ENS, Soulbound Tokens & Your Web3 Resume 24 Crypto Regulation 101 — SEC, MiCA & What Builders Should Actually Care About 25 Solidity Basics (Part 1) — Variables, Functions & Your First Real Contract 26 Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) 27 Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) 28 How to Review AI‑Generated Solidity Like an Auditor (For Beginners) 29 Smart Contract Security 101 — Reentrancy & Common AI‑Generated Mistakes Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Ribhav Follow Web3 Learner | Community Builder | Technical Writer | Learning DevRel in Public New to Web3 ? Join: https://t.me/Web3ForHumans Location Ludhiana Education MIT Manipal Joined Feb 1, 2022 More from Ribhav How to Review AI‑Generated Solidity Like an Auditor (For Beginners) # crypto # blockchain # ai # beginners Vibecoding On‑Chain — Using AI to Prototype Solidity Contracts (Safely) # crypto # blockchain # vibecoding # beginners Solidity Basics (Part 2) — Arrays, Mappings & Structs (Upgrading the Web3 Journey Logger) # crypto # blockchain # solidity # beginners 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/developer/api-keys | API Keys and Secrets - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection Developer Resources Overview Updates and Versioning Versioning and Support Policy SDK Changelog Authentication API Keys and Secrets Service Token Best Practices for Key & Token Management MCP Overview BETA Quickstart Tool List Building with LLMs Security Security SDKs and APIs SDKs Management API REST API Postman Collection Features Validate Trigger Payload Type Safety Testing Testing the Template Test Mode Monitoring and Logging Logs Data Out Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Authentication API Keys and Secrets Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Authentication API Keys and Secrets OpenAI Open in ChatGPT Learn the different authentication methods available in SuprSend and how to securely integrate them into your application. OpenAI Open in ChatGPT SuprSend supports three authentication methods : Workspace Key & Secret → Used to authenticate requests from Backend SDKs . API Keys → Used to authenticate REST APIs as Bearer <API_KEY> . Public Key & Signing Key → Used to authenticate Client SDKs (with enhanced security options). All keys and secrets are unique per workspace. This is done to keep your testing and production workspace separate and safeguards against accidentally sending wrong notification to your production users during testing. 1. Authenticating Backend SDKs Backend SDKs are authenticated using a Workspace Key and Workspace Secret . To find these credentials: Go to SuprSend Dashboard → Developers → API Keys . The Workspace Key and Secret for the selected workspace are shown at the top. Save this as environment variable in your backend SDK configuration for safekeeping. 2. Authenticating REST API Requests REST API requests are authenticated using API Keys . Pass the API Key in the Authorization header with Bearer scheme: Copy Ask AI Authorization : Bearer <API_KEY> Content-Type : application/json To find these credentials: Navigate to Dashboard → Developers → API Keys . Click Generate API Key . Provide a name and select Create and Save . Copy the API Key and store it securely — it will be shown only once at generation. API Keys are confidential and are shown only once at generation. We recommend keeping them in your environment variables or secure vault to avoid accidental exposure. 3. Authenticating Client-side SDKs Client SDKs (Web/Mobile) use Public Keys for authentication. You can manage these in Dashboard → Developers → API Keys → Public Keys. Generate new keys or rotate/delete existing ones. For Production workspaces, Public Keys alone are insecure. Enable Enhanced Security Mode, which requires a Signed User Token (JWT) from your backend. 📘 Some legacy mobile SDKs may still use Workspace Key/Secret. These are being phased out. Enhanced Security Mode with signed User Token When enhanced security mode is on, user level authentication is performed for all requests. This is recommended for Production workspaces. All requests will be rejected by SuprSend if enhanced security mode is on and signed user token is not provided. This signed user token should be generated by your backend application and should be passed to your client. 1 Generate Signing Key You can generate Signing key from SuprSend Dashboard (below Public Keys section in API Keys page). Once signing key is generated it won’t be shown again, so copy and store it securely. It contains 2 formats: Base64 format: This is single line text, suitable for storing as an environment variable. PEM format: This is multiline text format string. You can use any of the above format. This key will be used as secret to generate JWT token as shown in below step. 2 Creating Signed User JWT Token This should be created on your backend application only. You will need to sign the JWT token with the signing key from above step and expose this JWT token to your Frontend application. JWT Algorithm: ES256 JWT Secret: Signing key in PEM format generated in step1. If you are using Base64 format, it should be converted in to PEM format. JWT Payload: Payload Copy Ask AI { "entity_type" : 'subscriber' , // hardcode this value to subscriber "entity_id" : your_distinct_id , // replace this with your actual distinct id "exp" : 1725814228 , // token expiry timestamp in seconds "iat" : 1725814228 // token issued timestamp in seconds. "scope" : { "tenant_id" : "string" } } SuprSend requests will be scoped to tenant. If tenant passed by you in SDK doesn’t match with the JWT payload scope tenant_id then requests will throw 403 error. If tenant_id is not passed, it is assumed to be default tenant. Currently only Inbox requests supports scope, later on we will extend it to preferences and other requests. Create JWT token using above information: Node Copy Ask AI import jwt from 'jsonwebtoken' ; const payload = { entity_type: 'subscriber' , entity_id: "johndoe" , exp: 1725814228 }; const secret = 'your PEM format signing key' ; // if base64 signing key format is used use below code to convert to PEM format. const secret = Buffer . from ( 'your_base64_signingKey' , 'base64' ). toString ( 'utf-8' ) const signedUserToken = jwt . sign ( payload , secret ,{ algorithm: 'ES256' }) 3 Using signed user token in client After creating user token on backend send it to your Frontend application to be used in SuprSend SDK as user token. Javascript Copy Ask AI import SuprSend from '@suprsend/web-sdk' ; const suprSendClient = new SuprSend ( publicApiKey : string ); const authResponse = await suprSendClient . identify ( user . id , user . userToken ); Token expiry handling To handle cases of token expiry our client SDK’s have Refresh User Token callback as parameter in identify method which gets called to get new user token when existing token is expired. Javascript Copy Ask AI const authResponse = await suprSendClient . identify ( user . id , user . userToken , { refreshUserToken : ( oldUserToken , tokenPayload ) => { //.... write your logic to get new token by making API call to your server... // return new token }}); Was this page helpful? Yes No Suggest edits Raise issue Previous Service Token Learn how to authenticate Management API requests using Service Tokens in SuprSend. Next ⌘ I x github linkedin youtube Powered by On this page 1. Authenticating Backend SDKs 2. Authenticating REST API Requests 3. Authenticating Client-side SDKs Enhanced Security Mode with signed User Token Token expiry handling | 2026-01-13T08:49:31 |
https://n8n.io/integrations/brightdata/?utm_source=devto&utm_medium=devchallenge | BrightData integrations | Workflow automation with n8n n8n.io n8n.io Product Product overview Integrations Templates AI Use cases Building AI agents RAG IT operations Security operations Embedded automation Lead automation Supercharge your CRM Limitless integrations Backend prototyping Docs Self-host n8n Documentation Our license Release notes Community Forum Discord Careers Blog Creators Contribute Hire an expert Support Events Enterprise Pricing GitHub 168,484 Sign in Get Started Back to integrations Integrate BrightData with 1000+ apps and services Unlock the full potential of BrightData and n8n’s automation platform by connecting Bright Data’s capabilities with over 1,000 apps, data sources, services, and n8n’s built-in AI features. Need something that’s not covered yet? Use n8n’s pre-authenticated HTTP Request node to create new connections, giving you the flexibility to build powerful automations on any stack. Get Started Build a node and get it verified Created by Bright Data Last update a month ago BrightData integration is built and maintained by our partners at Bright Data and verified by n8n. That means it’s solid, safe, and ready to help you tap into some great capabilities. Get to know more about Bright Data About BrightData Easily pull web data for machine learning, research, or business intelligence - no manual scraping or complicated setup required. Popular ways to use the BrightData integration Scrape Google Maps by area & generate outreach messages for lead generation Generate tailored resumes, cover letters & interview prep from LinkedIn jobs with AI Instagram influencer finder with Bright Data (Auto-Filter & Save to Sheets) E-commerce product fine-tuning with Bright Data and OpenAI Extract Google My Business leads by service or location with Bright Data Analyze competitor LinkedIn posts with Bright Data + Google Gemini to Google Sheets Scrape hotel listings with prices from Booking.com using Brightdata & AI Automate meeting prep & lead enrichment with Bright Data, Cal.com & Airtable Extract seed-funded startup data with RSS, GPT-4.1-MINI & BrightData to Excel Monitor Google Shopping prices with Bright Data & email alerts Create data-driven SEO content briefs with AI analysis of SERP data using Bright Data Generate B2B lead opportunities from websites with Brightdata & OpenRouter AI Reddit comment sentiment analysis with Bright Data and Gemini AI to Google Sheets Automate Morning Brew–style Reddit Digests and Publish to DEV using AI Extract & summarize LinkedIn profiles with Bright Data, Google Gemini & Supabase Analyze LinkedIn content performance with OpenAI, Bright Data and NocoDB Load more What can you do with BrightData? Marketplace Dataset Web Scraper Web Unlocker Deliver Snapshot Filter Dataset Get Dataset Metadata Get Snapshot Content Get Snapshot Metadata Get Snapshot Parts List Datasets List Snapshots Custom API Call Deliver Snapshot Download Snapshot Get Snapshots Monitor Progress Snapshot Scrape By URL Trigger Collection By URL Custom API Call Send a Request Custom API Call How to install BrightData and use it in your n8n workflows Verified nodes need a quick setup by an instance owner first, but after that, everyone on the instance can start using them in their workflows. Learn more here . Step 1 Step 2 Step 3 Sign in to n8n , open the editor, and click + in the top right to open the Nodes panel Resources for BrightData BrightData API docs BrightData authentication docs BrightData on GitHub Using verified nodes in n8n The world's most popular workflow automation platform for technical teams including Connect BrightData with your company’s tech stack and create automation workflows Contact Sales There’s nothing you can’t automate with n8n Our customer’s words, not ours. Skeptical? Try it out , and see for yourself. Start building Build complex workflows that other tools can't . I used other tools before. I got to know the N8N and I say it properly: it is better to do everything on the n8n! Congratulations on your work, you are a star! Igor Fediczko @igordisco Thank you to the n8n community . I did the beginners course and promptly took an automation WAY beyond my skill level. Robin Tindall @robm n8n is a beast for automation. self-hosting and low-code make it a dev’s dream. if you’re not automating yet, you’re working too hard. Anderoav @Anderoav I've said it many times. But I'll say it again. n8n is the GOAT . Anything is possible with n8n. You just need some technical knowledge + imagination. I'm actually looking to start a side project. Just to have an excuse to use n8n more 😅 Maxim Poulsen @maximpoulsen It blows my mind. I was hating on no-code tools my whole life, but n8n changed everything. Made a Slack agent that can basically do everything, in half an hour. Felix Leber @felixleber I just have to say, n8n's integration with third-party services is absolutely mind-blowing . It's like having a Swiss Army knife for automation. So many tasks become a breeze, and I can quickly validate and implement my ideas without any hassle. Nanbing @1ronben Found the holy grail of automation yesterday... Yesterday I tried n8n and it blew my mind 🤯 What would've taken me 3 days to code from scratch? Done in 2 hours. The best part? If you still want to get your hands dirty with code (because let's be honest, we developers can't help ourselves 😅), you can just drop in custom code nodes. Zero restrictions. Francois Laßl @francois-laßl Anything is possible with n8n . I think @n8n_io Cloud version is great, they are doing amazing stuff and I love that everything is available to look at on Github. Jodie M @jodiem n8n.io Automate without limits Careers Hiring Contact Make vs n8n Press Legal Become an expert Case Studies Zapier vs n8n Hire an expert Tools AI agent report Affiliate program Merch Join user tests, get a gift Events Brand Guideline Popular integrations Google Sheets Telegram MySQL Slack Discord Postgres Notion Gmail Airtable Google Drive Show more integrations Show more Trending combinations HubSpot and Salesforce Twilio and WhatsApp GitHub and Jira Asana and Slack Asana and Salesforce Jira and Slack Jira and Salesforce GitHub and Slack HubSpot and QuickBooks HubSpot and Slack Show more integrations Show more Top integration categories Communication Development Cybersecurity AI Data & Storage Marketing Productivity Sales Utility Miscellaneous Explore more categories Show more Trending templates Creating an API endpoint AI agent chat Scrape and summarize webpages with AI Joining different datasets Back Up Your n8n Workflows To Github Very quick quickstart OpenAI GPT-3: Company Enrichment from website content Pulling data from services that n8n doesn’t have a pre-built integration for Convert JSON to an Excel file Telegram AI Chatbot Explore 800+ workflow templates Show more Top guides Telegram bots Open-source chatbot Open-source LLM Open-source low-code platforms Zapier alternatives Make vs Zapier AI agents AI coding assistants ChatGPT Discord bot Best AI chatbot Show guides Show more Imprint | Security | Privacy | Report a vulnerability © 2025 n8n | All rights reserved. | 2026-01-13T08:49:31 |
https://dev.to/cheetah100/bpel-not-for-people-301f | BPEL not for People - 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 Peter Harrison Posted on Sep 12, 2018 BPEL not for People # bpm # automation In this video I examine the current approach to business process automation using BPEL, including it's variants. There are a number of issues. Linear processes Process instances once started follow a predetermined path, following a process diagram much the same way software follows a program. While this might make sense for predictable processes which have very little variability it does not suit real world processes which are unpredictable. In the real world data may be corrected and tasks that were completed run again. Human Tasks are limited to being treated like any other automated process. In my experience this results in aborted processes which cannot proceed. Invariant process for a instance In BPM systems once a process instance has begun with a specific process design there is no easy way to have the process instance begin to follow an updated design. For long running processes this might mean taking weeks to flush out old process instances or ending them in order to load them again. Poor visibility Process designs and diagrams are difficult to understand. They are useless for giving staff visibility of the process. BPM processes require developers to write their own user interfaces using BPM API rather than being able to be used out of the box. Top comments (2) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand banqjdon banqjdon banqjdon Follow Joined Sep 12, 2018 • Sep 13 '18 Dropdown menu Copy link Hide BPEL is different with BPM, BPM is fit for human task Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Peter Harrison Peter Harrison Peter Harrison Follow Peter is the former President of the New Zealand Open Source Society. He is currently working on Business Workflow Automation, and is the core maintainer for Gravity Workflow a GPL workflow engine. Location Auckland, New Zealand Education QBE Work Executive Director at DevCentre Limited Joined Jul 23, 2018 • Oct 18 '18 Dropdown menu Copy link Hide BPM is perhaps the more general term, but it no more a solution for seamless integration of humans and automation. Any time you pigeonhole humans into a specific narrow task you eliminate the primary strength of human beings, which is their ability to adapt to new circumstances. Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Peter Harrison Follow Peter is the former President of the New Zealand Open Source Society. He is currently working on Business Workflow Automation, and is the core maintainer for Gravity Workflow a GPL workflow engine. Location Auckland, New Zealand Education QBE Work Executive Director at DevCentre Limited Joined Jul 23, 2018 More from Peter Harrison Execution Pointers vs Dependency Trees # bpm # bpel # automation # bpmn Get Down with Gravity # automation # bpm 💎 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:31 |
https://parenting.forem.com/jess/international-travel-with-toddlers-car-seat-or-vest-considerations-p51#comments | International Travel with Toddlers: Car Seat (or vest!) Considerations - Parenting Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Parenting Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Jess Lee Posted on Oct 14, 2025 International Travel with Toddlers: Car Seat (or vest!) Considerations # travel # gear After flying from the U.S. to Taiwan (twice) with my toddlers, I've become the go-to person for travel gear recs amongst my friends. Instead of sending the same lengthy text message over and over again, I figured I'd jot everything down in a series of posts for easy sharing. Obviously, every kid and journey is different but this series will give you a few things to can consider. No referral links or anything like that. Let's start with the biggest headache: car seats. Unless you're planning to car share everywhere (and even then), you need a solution. And no, you don't want to lug around your cushy at-home car seat, unless it's one of the ones I'm suggesting below: Option 1: Low Budget Traditional Car Seat - Cosco Scenara Next The Cosco Scenera Next is the lightest weight traditional car seat on the market. It's a bulky shape (like all car seats), but it's cheap and it works for both rear and front facing, so it'll last you a while. The link above might be for their older model. Option 2: The Packable Premium - Wayb Pico If you have the budget and want something that actually packs down, the Wayb Pico is the most packable car seat on the market. It's expensive, but if you're a frequent traveler, it might be worth the investment. Check it out at Wayb . I've seen kids strapped into these on short-haul flights and they seem great. I can't imagine keeping my kids in one of these flights for a 6+ hour flight, though. I've never had the pleasure of owning one but you should know about it as part of your research. Important note: this is only for kids who can front-face. Option 3: The Game Changer - RideSafer Travel Vest Here's what I actually recommend for kids old enough to understand instructions: the car seat vest. This thing passes all the same testing standards that regular car seats do, as long as your child stays in the right position and doesn't mess with the straps . For a kid who can follow directions and understands safety, this is ridiculously convenient and cheap. No lugging a giant plastic contraption through airports. Just a vest. Find it here . Rideshare or Car Rental? Since we did not rent a car in Taiwan and traveled via rideshare, we went with the travel vest for the older kid and cosco for the yougner kid. We only did this because I'd be with my kid in the backseat the entire time to monitor their straps. This is really important! We've done some domestic travel where we did rent a car and have had to buy a last minute car seat (the cosco one) because the 4yo would either fall asleep or slouch in the vest, putting them in an unsafe position. So now I own...two cosco seats and a travel vest. Car Seat Travel Bag If you go with a traditional car seat, you'll also want a car seat travel bag. Some airlines (depending on the airport) will provide a clear plastic bag for you but definitely don't bank on that. Here's the car seat travel bag we use, it's cheap and effective. Note: you can bring your car seat (not the vest) directly onto the plane to strap your kids into. I personally don't do this for long-haul flights because my kids would lose their minds, but it is the safest option for them while in-flight. A Word of Warning About International Cars Here's something nobody tells you: car safety standards vary wildly by country. In Taiwan, 99% of cars didn't have the ratcheting mechanism in the seat belt like they do in the U.S. Brand new Teslas didn't have them. So, if you're paranoid, you might want a car seat that supports lower anchors (both cosco and wayb do). Anyway, be sure to do your research on your destination country before you land so you know what to expect! Next Up My next post will be about gear you'll want while you're 30,000 feet in the air! Top comments (2) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Peter Kim Frank Peter Kim Frank Peter Kim Frank Follow Doing a bit of everything at DEV / Forem Email peter@dev.to Education Wesleyan University Pronouns He/Him Work Co-Founder Joined Jan 3, 2017 • Oct 15 '25 Dropdown menu Copy link Hide +1 for the Cosco. We normally just use the straps to hook the car seat directly to our stroller which works like a charm. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Matt Figler Matt Figler Matt Figler Follow Joined Jun 22, 2017 • Oct 22 '25 Dropdown menu Copy link Hide This is an awesome breakdown, takes a little bit of stress out of family travel. Like comment: Like comment: 2 likes Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:49:31 |
https://golf.forem.com/youtube_golf/no-laying-up-podcast-old-course-renovations-weekly-recap-jackson-koivun-nlu-pod-ep-1087-560f | No Laying Up Podcast: Old Course Renovations, Weekly Recap + Jackson Koivun | NLU Pod, Ep 1087 - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse YouTube Golf Posted on Nov 6, 2025 No Laying Up Podcast: Old Course Renovations, Weekly Recap + Jackson Koivun | NLU Pod, Ep 1087 # golf # discuss NLU Pod Ep. 1087 kicks off with Soly and Randy breaking down the big news on the Old Course renovations gearing up for the 2027 Open, then zooms out for a breezy recap of the week in pro golf—highlighting top results from the Asian Tour and LPGA Tour. Along the way they riff on Phil’s latest social posts and share insights from Gary Player’s recent interviews. Later, they sit down (virtually) with world No. 1 amateur Jackson Koivun to revisit his Walker Cup adventures, chat about rubbing shoulders in PGA Tour events, and dig into his thought process on when to flip the switch and turn pro. Watch on YouTube Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse YouTube Golf Follow Joined Jun 22, 2025 More from YouTube Golf No Laying Up Podcast: 1108: Brooks Koepka and the Returning Member Program # golf # recommendations No Laying Up Podcast: 1108: Koepka and the Returning Member Program # golf # recommendations Grant Horvat: Can I Beat Bob With 1 Club? (Meltdown) # golf # videogames # recommendations 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/preferences-react-headless | React - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation PREFERENCE CENTRE React Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog PREFERENCE CENTRE React OpenAI Open in ChatGPT Integration guide to add notification preference centre in React website. OpenAI Open in ChatGPT End of Support for @suprsend/react-preferences-headless: Migrate to @suprsend/react Older Version (@suprsend/react-preferences-headless): Development of the @suprsend/react-preferences-headless SDK has been discontinued in favour of the new @suprsend/react SDK. The whole structure of preferences have been changed from SDK side. Please upgrade to newer version. Refer older version documentation here . New Version ( @suprsend/react ): In new version we have added preferences in our core react SDK to bring all SuprSend features under one SDK along with few minor changes. Was this page helpful? Yes No Suggest edits Raise issue Previous Overview Learn about vendor management in SuprSend to send multi-channel notifications. Next ⌘ I x github linkedin youtube Powered by | 2026-01-13T08:49:31 |
https://parenting.forem.com/eli-sanderson/how-becoming-a-parent-helped-me-notice-the-small-things-i79 | How Becoming a Parent Helped Me Notice the Small Things - Parenting Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Parenting Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Eli Sanderson Posted on Nov 21, 2025 How Becoming a Parent Helped Me Notice the Small Things # celebrations # discuss # newparents I never thought I’d be the kind of person who took pictures of everything my baby did. Before I became a parent, I used to laugh when people showed me twenty nearly identical photos of their kid doing something simple—like eating peas or staring at a lamp. I’d smile politely and pretend to understand. Now I’m that person. I became that person the moment I held my son for the first time. Something in me shifted. It didn’t happen gradually. It happened all at once. His fingers curled around mine, so tiny and warm, and suddenly every second felt important. Not in a dramatic way—just in a very quiet, very tender way. I wanted to remember everything, even the things that didn’t seem special. But the funny part is: at first, I completely forgot about pictures. The first week was a blur of diapers, soft cries, and trying to figure out if I was doing anything right. I held him, fed him, changed him, rocked him, stared at him, and tried not to panic. Every time he moved, I felt a mix of love and worry so strong it made my chest ache. It wasn’t until about day eight that I realized I only had four photos of him. Four. One from the hospital. One from the car ride home. One where he yawned. And one where he poked himself in the cheek. They were fine photos, but they weren’t moments. Not really. They were just proof he existed. So one morning, while my son slept swaddled like a tiny burrito, I picked up my phone and told myself, “I’m going to start paying attention today.” I didn’t know what that meant at the time. Not really. But I stepped into the day with that quiet promise in my head. The first picture I took that day was of his hand. Just his hand resting on my shirt while I held him. His fingers were curled in a loose shape, like he was dreaming of holding something. The sunlight came through the blinds and drew little lines across his skin. I kept staring at the photo afterward, surprised by how soft it looked. That was it. That was the start. After that, the pictures changed. They weren’t rushed anymore. They weren’t “take-this-before-he-moves” photos. They were little pauses. Tiny breaths. Small pieces of a day that would pass whether I noticed them or not. I started taking pictures of the way he slept. Not just the cute sleeping positions, but the little ones—the way his bottom lip stuck out when he dreamed, the way his eyelashes rested on his cheeks like soft shadows, the way his hair curled on the side he slept on. I took pictures of his feet. His tiny socks never stayed on, and his toes curled in the funniest ways. One picture caught his foot pressed against my arm while he stretched. I had never thought feet could make me emotional, but there I was, staring at a tiny foot and feeling something warm in my throat. One morning, I held him close while rocking him, and his hand rested against my neck. I felt the warmth of it long after he fell back asleep. I took a picture of that too—not his whole face, just his hand and my shoulder. When I look at it now, I can still remember the weight of him. But the best photos were the ones that happened when I wasn’t trying. There was a day when he lifted his head for the first time during tummy time. He looked a little like a confused turtle. His eyes were huge. His forehead wrinkled. He wobbled, lifted again, wobbled again, then face-planted gently into the blanket. I didn’t take a picture of the face-plant (I was too busy making sure he was okay), but I took one of the moment right after—his expression somewhere between triumph and “Why did I do that?” Then came the day he discovered his own hands. If you’ve never watched a baby realize they have hands, it’s kind of magical. He saw them. Actually saw them. He stared. He wiggled his fingers. He looked shocked and delighted and confused all at once. I took pictures of the whole process—his eyebrows raised, his mouth opened in wonder, his small hands lit by morning sun. Those pictures are still some of my favorites. People kept telling me, “Don’t worry about taking pictures. Just be present.” And I understood what they meant, but taking pictures didn’t take me out of the moment. It brought me deeper into it. To take a picture, I had to notice things I never saw before. Tiny things. Fleeting things. Like the way his hair tuft stuck up after naps. Or the way he gripped my thumb tightly whenever he drank his bottle. Or the way his eyes tracked the ceiling fan even though it wasn’t moving. Or the way his whole body tensed before he sneezed. Or the way he smiled in his sleep—those tiny, secret smiles. I took pictures of all of it, not because I wanted to make a perfect photo album but because I didn’t want these small pieces of life to fade. As the months went on, I learned to use my phone camera better. Nothing fancy—just better angles, better light, more patience. I took fewer rushed shots. More quiet ones. I found that the best pictures came when I didn’t force anything. When I let the moment be the moment. There was a rainy afternoon when he sat in my lap and stared out the window. The raindrops streaked down the glass, and the city outside looked hazy and soft. I lifted the camera slowly and captured the side of his face—round cheek, tiny ear, the reflection of the window in his eyes. That photo still feels like a dream. Then there was the evening we sat on the floor with a pile of toys. He grabbed a soft giraffe and tried to chew on its ear. I snapped a picture of him concentrating so hard his tongue stuck out. That’s when I realized babies don’t just chew things—they study them with their whole bodies. One of the most meaningful pictures I ever took wasn’t cute at all. It was late, and he was having trouble settling. He cried hard, and I rocked him, humming softly. His face was red, his cheeks wet, his eyebrows scrunched. I took a picture—not to capture his sadness, but to remind myself that these moments mattered too. The hard nights. The tired days. The love that doesn’t stop just because everything feels heavy. Looking at that picture later reminded me that parenting isn’t just the highlight reel—it’s the whole story. I kept photographing the small things: The way he held his bottle with both hands as if it weighed a hundred pounds. The way his hair glowed orange in sunset light. The way he kicked his feet when he saw me walk into the room. The way he scrunched his nose when he tasted something new. The way he fell asleep on my chest, breathing slow and warm. Every picture felt like a tiny anchor in a sea of days that move faster than anyone tells you they will. And then one day, something happened that I wasn’t ready for. He crawled. It was slow, clumsy, and full of determination. I felt my heart lift and break at the same time. I wanted to cheer. I wanted to cry. I wanted to freeze the moment so it wouldn’t slip away. I took a picture of him lifting one knee, his face serious and focused. Then I put the camera down and let myself feel the moment fully. When I picked it up again, he was already across the room. That’s what parenting is. Moments that change everything—and happen in the blink of an eye. There was another moment when he stood while holding onto the couch. His legs shook. His fingers tightened. His face glowed with pride. I took a picture of his feet pressing into the carpet, and it made me realize how quickly he was growing. Sometimes I scroll through the photos late at night—picture after picture of small, quiet moments I would’ve forgotten. The way his hand fit inside mine. The way his eyes searched my face. The way he laughed when I blew raspberries on his belly. All the tiny things that didn’t feel tiny at all. One night, after a long day of teething and fussiness and me feeling stretched too thin, I stumbled onto a little story someone had posted that reminded me of gentleness. It helped calm my mind in a way I really needed. I saved it, and sometimes I come back to it . It reminded me that paying attention is its own kind of love. Parenting is messy. Hard. Beautiful. Exhausting. Tender. All at once. And taking pictures helped me hold onto the parts that made everything worth it. Sometimes I think the photos aren’t really for the future at all. They’re for right now. They help me pause. They help me breathe. They help me see the magic hiding in ordinary moments. Because the truth is, babies don’t stay tiny. Their fingers stretch. Their legs grow strong. Their faces change. Their voices take shape. And the world moves so quickly it’s easy to forget how much each day mattered. So I keep taking pictures. Not perfect ones. Not staged ones. Just honest ones. Pictures of moments I don’t want to forget. Moments that feel small until they’re gone. Moments that make me feel like the luckiest person in the room. Moments I’ll look back on someday and think, “Oh. This was it. This was everything.” Parenting taught me that the small things are never really small. They’re the whole world in pieces. And now, every time I pick up my camera, I feel grateful. Not for the photo itself, but for the chance to see the moment before it passes. These little moments are the ones that stay. And I’m glad I didn’t miss them. 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 Jess Lee Jess Lee Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Nov 24 '25 Dropdown menu Copy link Hide Thanks for the lovely post! I'll share that I will probably feel forever guilty that I have wayyyy more photos of my first kid than my second 😅 Like comment: Like comment: 2 likes Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Eli Sanderson Follow Joined Nov 21, 2025 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:49:31 |
https://www.linkedin.com/company/coderabbitai?trk=organization_guest_main-feed-card-text | CodeRabbit | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join for free CodeRabbit Software Development San Francisco, California 24,856 followers Cut Code Review Time & Bugs in Half. Instantly. See jobs Follow Discover all 117 employees Report this company Overview Jobs About us CodeRabbit is an innovative, AI-driven platform that transforms the way code reviews are done. It delivers context-aware, human-like reviews, improving code quality, reducing the time and effort required for thorough manual code reviews, and enabling teams to ship software faster. Trusted by over a thousand organizations, including The Economist, Life360, ConsumerAffairs, Hasura, and many more, to improve their code review workflow. CodeRabbit is SOC 2 Type 2, GDPR certified, and doesn't train on customer's proprietary code. Website https://coderabbit.ai External link for CodeRabbit Industry Software Development Company size 51-200 employees Headquarters San Francisco, California Type Privately Held Founded 2023 Products CodeRabbit CodeRabbit DevOps Software Ship quality code faster with CodeRabbit's AI code reviews. We offer codebase-aware line-by-line reviews with 1-click fixes to speed up your code review process. Merge PRs 50% faster with 50% fewer bugs. Locations Primary San Francisco, California, US Get directions Bengaluru, IN Get directions Employees at CodeRabbit John Demko Ashmeet Sidana Daniel Cohen Miles Mulcare See all employees Updates CodeRabbit reposted this Santosh Yadav 1d Edited Report this post Hey friends hope you had a great weekend, this week was tough for #tailwindcss as project was struggling with funding, good thing this time everyone cared and rushed in to save the project for another day. But the question remains open, is Open Source ever going to be sustainable? Cc: CodeRabbit Open Source funding was always broken Santosh Yadav on LinkedIn 39 1 Comment Like Comment Share CodeRabbit 24,856 followers 16h Report this post Rohit Khanna is going to be sharing how AI is already reshaping real engineering work, which is exactly the kind of conversation we care about at CodeRabbit! If you're in the area and available to attend, you'll not want to miss out! 🐰 Nishant Chandra 18h Edited Over the past year, I've had the same conversation with engineering leaders over and over again. AI isn't just changing how we write code. It's changing how we think about code review, how we structure teams, who we hire, and honestly, what's even worth building in the first place. But most of the conversations happening publicly? They're polished keynotes and product pitches. What's missing are the messy, honest rooms where people can actually think out loud. That's what we're trying to create with FutureLab at Newton School of Technology . The first session is happening in collaboration with The Product Folks . We're bringing together engineering leaders who are living through this shift right now, not theorizing about it. We'll start with a panel: Rohit Khanna (VP Engineering, CodeRabbit ), Rohit Nambiar (VP Engineering, Paytm ), and Aditya C. (VP Engineering, MoEngage ), moderated by Suhas Motwani (Co-founder, The Product Folks ). Then we open it up. No agenda, no script. Just people who've been in the trenches comparing notes, disagreeing, and figuring things out together. If you're actively dealing with how engineering workflows, team structures, and production realities are shifting in an AI-first world, this might be worth your time. Details and invite requests here: https://luma.com/oq62rgmn 8 Like Comment Share CodeRabbit reposted this Devario J. 17h Report this post I've been evaluating agentic code review from a few different sources (openAI, CodeRabbit etc) and so far...Im deeply in love with CodeRabbit . 11 4 Comments Like Comment Share CodeRabbit 24,856 followers 2d Report this post Letting users pick their favorite LLM feels empowering, but it destroys quality, consistency, and cost. The best UX? No model dropdown at all. Here’s why that choice should belong to evaluation, not preference. 👇 https://lnkd.in/ehCzRD5n 14 Like Comment Share CodeRabbit 24,856 followers 3d Report this post Ranking every PR we've ever reviewed 36 4 Comments Like Comment Share CodeRabbit reposted this Nithin K. 4d Report this post When the CEO of the world's most valuable tech company makes a statement like this, you pay attention. This isn't just an endorsement. It's a signal. “We are using CodeRabbit all over NVIDIA!” - Jensen at CES 2026 Michael Fox Mayur Gandhi Rohit Khanna Sahil M Bansal Ritvi Mishra Aravind Putrevu Lewis Mbae Sohum Tanksali Daniel Cohen David Loker Geetika Mehndiratta Hendrik Krack Erik Thorelli #AI #SoftwareDevelopment #CodeReview #NVIDIA #EngineeringExcellence #DevTools 75 3 Comments Like Comment Share CodeRabbit reposted this Amanda Saunders 5d Edited Report this post Big milestone for open AI in production. CodeRabbit just announced support for NVIDIA Nemotron in their AI code review platform. Real open-source models. Real developer workflows. Real production impact. By integrating Nemotron, CodeRabbit is giving teams more flexibility, better cost control, and strong reasoning performance without being locked into a single proprietary model. It’s a great example of how open models are moving beyond research and into day-to-day engineering tools. The future of AI isn’t one giant model. It’s specialized systems, powered by open models, running where and how developers choose. 👏 Huge shoutout to the CodeRabbit team for pushing open AI forward. Read more: https://lnkd.in/eXrbMRVi #agenticAI #AIinAction #opensourceAI …more 77 1 Comment Like Comment Share CodeRabbit 24,856 followers 5d Edited Report this post Mastra ships a mission-critical TypeScript agent framework used by companies like SoftBank and Adobe. For their 1.0 release, they had: > A fast-moving codebase > Zero room for breaking changes. Problem: Moving that fast without a reliable code review tool meant that bugs could slip through. Before CodeRabbit they tried multiple AI review tools and struggled to trust them! But now they have: > 70–85% of comments accepted > 0 follow‐up PRs > A clear baseline for what “review ready” means. Read more below 👇 https://lnkd.in/evwEasyZ 11 Like Comment Share CodeRabbit reposted this Harjot Gill 6d Report this post “We are using CodeRabbit all over NVIDIA!” - Jensen at CES 2026 NVIDIA AI 1,564,692 followers 6d 🤯 100% of NVIDIA engineers code with AI—and they’re checking in 3x more code than before. At that scale, human-only code review can’t keep up. CodeRabbit review agents use models like Claude and GPT with NVIDIA Nemotron to: ✅ Pull context from code, docs, project trackers, and more ✅ Use Nemotron’s long context and reasoning to summarize ✅ …so that frontier models can flag issues and suggest fixes in minutes, not days. Join us today at 11 AM PT to see an end-to-end demo and bring your Qs: https://nvda.ws/4aN0sNi 🤗 Get Nemotron Nano 3: https://nvda.ws/4qKwJJz 159 22 Comments Like Comment Share CodeRabbit reposted this NVIDIA AI 1,564,692 followers 6d Report this post 🤯 100% of NVIDIA engineers code with AI—and they’re checking in 3x more code than before. At that scale, human-only code review can’t keep up. CodeRabbit review agents use models like Claude and GPT with NVIDIA Nemotron to: ✅ Pull context from code, docs, project trackers, and more ✅ Use Nemotron’s long context and reasoning to summarize ✅ …so that frontier models can flag issues and suggest fixes in minutes, not days. Join us today at 11 AM PT to see an end-to-end demo and bring your Qs: https://nvda.ws/4aN0sNi 🤗 Get Nemotron Nano 3: https://nvda.ws/4qKwJJz …more 382 17 Comments Like Comment Share Join now to see what you are missing Find people you know at CodeRabbit Browse recommended jobs for you View all updates, news, and articles Join now Similar pages Toplyne Software Development San Francisco, California Dyna Robotics Technology, Information and Internet Redwood City, CA Overmind Software Development Ema Software Development MetalBear Software Development New York, NY Traycer Software Development Alegeus Financial Services Boston, Massachusetts PassiveLogic Software Development Salt Lake City, UT Snapp AI Technology, Information and Internet San Francisco, CA Vercel Software Development San Francisco, California Show more similar pages Show fewer similar pages Browse jobs Engineer jobs 555,845 open jobs Engineering Manager jobs 145,990 open jobs Developer jobs 258,935 open jobs Analyst jobs 694,057 open jobs Manager jobs 1,880,925 open jobs Director jobs 1,220,357 open jobs Full Stack Engineer jobs 38,546 open jobs Software Engineering Manager jobs 59,689 open jobs Director of Product Management jobs 14,985 open jobs Senior Software Engineer jobs 78,145 open jobs Senior Product Manager jobs 50,771 open jobs Product Manager jobs 199,941 open jobs Scientist jobs 48,969 open jobs Associate Software Engineer jobs 223,979 open jobs Marketing Manager jobs 106,879 open jobs Consultant jobs 760,907 open jobs Software Engineer jobs 300,699 open jobs Co-Founder jobs 5,680 open jobs Quality Assurance Engineer jobs 31,450 open jobs Frontend Developer jobs 17,238 open jobs Show more jobs like this Show fewer jobs like this Funding CodeRabbit 5 total rounds Last Round Series B Oct 16, 2025 External Crunchbase Link for last round of funding US$ 60.0M Investors Scale Venture Partners + 5 Other investors See more info on crunchbase More searches More searches Engineer jobs Software Engineer jobs Associate Product Manager jobs Account Executive jobs Business Development Specialist jobs Principal Software Engineer jobs Manager jobs Chief Technology Officer jobs Director jobs Automotive Engineer jobs Engineering Manager jobs Scientist jobs Developer jobs Senior Product Manager jobs Co-Founder jobs Android Developer jobs Customer Engineer jobs Technical Lead jobs Technology Supervisor jobs Lead jobs Application Engineer jobs Enterprise Account Executive jobs Director of Engineering jobs Intelligence Specialist jobs Senior Software Engineering Manager jobs Sales Engineer jobs Director Hardware jobs Director of Hardware Engineering jobs Account Manager jobs Deployment Engineer jobs Principal Architect jobs Group Product Manager jobs Senior Manager jobs Head of Analytics jobs Head of Product Management jobs Software Test Lead jobs Trade Specialist jobs Field Director jobs User Experience Designer jobs Principal Engineer jobs Assistant Vice President jobs Software Test Manager jobs Strategy Analyst jobs Director of Product Management jobs Associate Software Engineer jobs Security Manager jobs Legal Associate jobs Senior Scientist jobs Vice President of Engineering jobs Client Account Director jobs Designer jobs Field Application Scientist jobs Java Software Engineer jobs Analyst jobs Account Strategist jobs Intern jobs Tester jobs Business Analyst jobs Marketing Director jobs Test Engineer jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at CodeRabbit Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now | 2026-01-13T08:49:31 |
https://dev.to/dheerajaggarwal/api-testing-response-validation-via-powerful-scriptless-assertions-62a | API Testing - Response Validation via powerful scriptless assertions - 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 Dheeraj Aggarwal Posted on Feb 15, 2021 API Testing - Response Validation via powerful scriptless assertions # testing # api # automation # vrestng See how you may validate your API responses without writing a single line of code through powerful scriptless assertions. In our future sessions, we will see more advanced approaches to validate your complex API responses like a piece of cake. So stay tuned to our video series. Youtube Link: https://youtu.be/m2-bHo5OaRw Youtube Playlist: https://youtube.com/playlist?list=PLmua155_WrDzt1AbB6iV5Lsw_Z7QrzZZ0 vREST NG is an enterprise-ready application for Automated API Testing. You can download and install the vREST NG application directly on Windows, OSX, and Linux via our website. Important Links: vREST NG Website Contact Email Community Chat Book a Live Demo Please do like and share if you found this video helpful and let the voice heard by the testing community. 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 Dheeraj Aggarwal Follow Creator of vREST NG, API Automation Expert with 10+ years of experience. Passionate about Yoga and Kalaripayattu. Location India Education M.S. from BITS Pilani Work Engineering Manager at Optimizory Technologies Pvt. Ltd. Joined Dec 30, 2019 More from Dheeraj Aggarwal API Testing - Executing API Tests on the command line # testing # tutorial # apitesting # vrest API Testing - Setting up API Tests for different environments like Dev, Prod,... # testing # tutorial # apitesting # vrest API Testing - How to manage API Test suites in vREST NG Application? # testing # tutorial # apitesting # vrest 💎 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:31 |
https://dev.to/t/programming/page/3608#main-content | Programming Page 3608 - 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 Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 3605 3606 3607 3608 3609 3610 3611 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/fosres | fosres - 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 fosres Studied at UCLA Worked at Intel Corporation as a Security Software Engineer Joined Joined on Nov 21, 2025 github website twitter website Education UCLA Pronouns He/him/his More info about @fosres Badges 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages Systems Programming, Threat Modeling, Applied Cryptography, Scripting Currently learning Secure C coding principles. Best practices in using cryptographic libraries. Application Security Engineering. Currently hacking on AppSec-Exercises. More details coming soon. Available for Please reach out to me if you would like to discuss any of the exercises on AppSec Exercises. You can also reach out to me about secure systems programming. Post 20 posts published Comment 6 comments written Tag 0 tags followed Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables fosres fosres fosres Follow Jan 12 Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables # security # linux # networking # cybersecurity Comments Add Comment 17 min read Want to connect with fosres? Create an account to connect with fosres. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Week 4 SQL Injection Audit Challenge fosres fosres fosres Follow Jan 11 Week 4 SQL Injection Audit Challenge # security # python # tutorial # sql Comments Add Comment 27 min read Week 4 Network Packet Tracing Challenge fosres fosres fosres Follow Jan 10 Week 4 Network Packet Tracing Challenge # security # networking # linux # interview Comments Add Comment 8 min read 🔐 Week 4 Scripting Challenge: Build an Auth Log Failed Login Scraper in Python fosres fosres fosres Follow Jan 6 🔐 Week 4 Scripting Challenge: Build an Auth Log Failed Login Scraper in Python # python # security # linux # securityengineering 3 reactions Comments 2 comments 12 min read Week 4 Scripting Exercise: Analyze HTTP Response Headers fosres fosres fosres Follow Jan 5 Week 4 Scripting Exercise: Analyze HTTP Response Headers # appsec # security # python # scripting Comments 1 comment 9 min read VPN Log Analyzer: Detect Brute Force, Session Hijacking & Credential Stuffing (100 Tests) 🔐 fosres fosres fosres Follow Jan 2 VPN Log Analyzer: Detect Brute Force, Session Hijacking & Credential Stuffing (100 Tests) 🔐 # appsec # python # cybersecurity # security Comments Add Comment 8 min read Week 3 VPN Security: A Complete Quiz on Protocols, Attack Vectors & Defense Strategies fosres fosres fosres Follow Jan 1 Week 3 VPN Security: A Complete Quiz on Protocols, Attack Vectors & Defense Strategies # cybersecurity # networking # security # tutorial Comments Add Comment 15 min read Week 3 Firewall Challenge: Set iptables Rules fosres fosres fosres Follow Jan 1 Week 3 Firewall Challenge: Set iptables Rules # security # linux # networking # tutorial Comments Add Comment 12 min read Week 2 Scripting Challenge: Caesarian Cipher fosres fosres fosres Follow Dec 25 '25 Week 2 Scripting Challenge: Caesarian Cipher # python # security # tutorial # interview Comments Add Comment 6 min read Week 2 Scripting Challenge: Log Parser fosres fosres fosres Follow Dec 25 '25 Week 2 Scripting Challenge: Log Parser # python # security # tutorial # webdev 2 reactions Comments Add Comment 12 min read Scripting Challenge Week 1: Port Scanning fosres fosres fosres Follow Dec 18 '25 Scripting Challenge Week 1: Port Scanning # python # security # networking # tutorial Comments Add Comment 12 min read Port Numbers Quiz Week 1 -- Ports Every Security Engineer Should Know fosres fosres fosres Follow Dec 17 '25 Port Numbers Quiz Week 1 -- Ports Every Security Engineer Should Know # security # networking # interview # career Comments Add Comment 15 min read Computer Networking for Security Engineers Week 1 fosres fosres fosres Follow Dec 16 '25 Computer Networking for Security Engineers Week 1 # security # learning # devchallenge # networking Comments Add Comment 23 min read SQL Injection Audit Challenge Week 1 fosres fosres fosres Follow Dec 13 '25 SQL Injection Audit Challenge Week 1 # security # sql # python # appsec Comments Add Comment 27 min read OWASP Top Ten 2025 Quiz 2 Week 1 (51 Questions) fosres fosres fosres Follow Dec 11 '25 OWASP Top Ten 2025 Quiz 2 Week 1 (51 Questions) # appsec # security # interview # owasp Comments Add Comment 51 min read OWASP Top 10 2025 Quiz: Week 1 (51 Questions) fosres fosres fosres Follow Dec 8 '25 OWASP Top 10 2025 Quiz: Week 1 (51 Questions) # appsec # security # owasp # interview Comments Add Comment 25 min read JWT Token Validator Challenge fosres fosres fosres Follow Dec 1 '25 JWT Token Validator Challenge # python # security # appsec # websecurity 2 reactions Comments Add Comment 8 min read Password Generator Challenge fosres fosres fosres Follow Nov 28 '25 Password Generator Challenge # python # appsec # tutorial # security 5 reactions Comments 3 comments 7 min read API Request Limiter Challenge fosres fosres fosres Follow Nov 27 '25 API Request Limiter Challenge # python # tutorial # security # appsec Comments Add Comment 10 min read Industries Where Your C Code Saves Lives (And They're Hiring) fosres fosres fosres Follow Nov 23 '25 Industries Where Your C Code Saves Lives (And They're Hiring) # c # security # cybersecurity # vulnerabilities Comments 6 comments 8 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/hb/react-vs-vue-vs-angular-vs-svelte-1fdm#the-1st-factor-popularity | React vs Vue vs Angular vs Svelte - 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 Henry Boisdequin Posted on Nov 29, 2020 React vs Vue vs Angular vs Svelte # react # vue # angular # svelte In this article, I'm going to cover which of the top Javascript frontend frameworks: React, Vue, Angular, or Svelte is the best at certain factors and which one is the best for you. There are going to be 5 factors which we are going to look at: popularity, community/resources, performance, learning curve, and real-world examples. Before diving into any of these factors, let's take a look at what these frameworks are. 🔵 React Developed By : Facebook Open-source : Yes Licence : MIT Licence Initial Release : March 2013 Github Repo : https://github.com/facebook/react Description : React is a JavaScript library for building user interfaces. Pros : Easy to learn and use Component-based: reusable code Performant and fast Large community Cons : JSX is required Poor documentation 🟢 Vue Developed By : Evan You Open-source : Yes Licence : MIT Licence Initial Release : Feburary 2014 Github Repo : https://github.com/vuejs/vue Description : Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web. Pros : Performant and fast Component-based: reusable code Easy to learn and use Good and intuitive documentation Cons : Fewer resources compared to a framework like React Over flexibility at times 🔴 Angular Developed By : Google Open-source : Yes Licence : MIT Licence Initial Release : September 2016 Github Repo : https://github.com/angular/angular Description : Angular is a development platform for building mobile and desktop web applications using Typescript/JavaScript and other languages. Pros : Fast server performance MVC Architecture implementation Component-based: reusable code Good and intuitive documentation Cons : Steep learning curve Angular is very complex 🟠 Svelte Developed By : Rich Harris Open-source : Yes Licence : MIT Licence Initial Release : November 2016 Github Repo : https://github.com/sveltejs/svelte Description : Svelte is a new way to build web applications. It's a compiler that takes your declarative components and converts them into efficient JavaScript that surgically updates the DOM. Pros : No virtual DOM Truly reactive Easy to learn and use Component-based: reusable code Cons : Small community Confusion in variable names and syntax The 1st Factor: Popularity All of these options are extremely popular and are used by loads of developers. I'm going to compare these 4 frameworks in google trends, NPM trends, and the Stackoverflow 2020 survey results to see which one is the most popular. Note: Remember that popularity doesn't mean it has the largest community and resources. Google Trends Google trends measures the number of searches for a certain topic. Let's have a look at the results: Note: React is blue, Angular is red, Svelte is gold, Vue is green. The image above contains the trends for these 4 frontend frameworks over the past 5 years. As you can see, Angular and React are by far the most searched, with React being searched more than Angular. While Vue sits in the middle, Svelte is the clear least searched framework. Although Google Trends gives us the number of search results, it may be a bit deceiving so lets of on to NPM trends. NPM Trends NPM Trends is a tool created by John Potter, used to compare NPM packages popularity. This measures how many times a certain NPM package was downloaded. As you can see, React is clearly the most popular in terms of NPM package downloads. Angular and Vue are very similar on the chart, with them going back and forth while Svelte sits at the bottom once again. Stackoverflow 2020 Survey In February of 2020, close to 65 thousand developers filled out the Stackoverflow survey. This survey is the best in terms of what the actual developer community uses, loves, dreads, and wants. Above is the info for the most popular web frameworks. As you can see React and Angular are 2nd and 3rd but React still has a monumental lead. Vue sits happily in the middle but Svelte is nowhere to be seen. Above are the results for the most loved web frameworks. As you can see, React is still 2nd and this time Vue sits in 3rd. Angular is in the middle of the bunch, but yet again Svelte is not there. Note: Angular.js is not Angular Above are the most dreaded web frameworks. As you can see React and Vue are towards the bottom (which is good) while Angular is one of the most dreaded web frameworks. This is because React and Vue developers tend to make fun of Angular, mostly because of its predecessor Angular.js . Svelte is not on this list which is good for the framework. Explaining Svelte's "Bad" Results Some may say that Svelte performed poorly compared to the other 3 frameworks in this category. You would be right. Svelte is the new kid on the block, not many people are using it or know about it. Think of React, Vue, or Angular in their early stages: that's what Svelte is currently. Most of these frontend frameworks comparisons are between React, Vue, or Angular but since I think that Svelte is promising, I wanted to include it in this comparison. Most of the other factors, Svelte is ranking quite highly in. Wrapping up the 1st Factor: Popularity From the three different trends/surveys, we can conclude that React is the most popular out of the three but with Vue and Angular just behind. Popularity: React Angular Vue Svelte Note: it was very hard to choose between Angular and Vue since they are very close together but I think Angular just edges out Vue in the present day. The 2nd Factor: Community & Resources This factor will be about which framework has the best community and resources. This is a crucial factor as this helps you learn the technology and get help when you are stuck. We are going to be looking at the courses available and the community size behind these frameworks. Let's jump right into it! React React has a massive amount of resources and community members behind it. Firstly, they have a Spectrum chat which usually has around 200 developers looking to help you online. Also, they have a massive amount of Stackoverflow developers looking to help you. There are 262,951 Stackoverflow questions on React, one of the most active Stackoverflow tags. React also has a bunch of resources and tutorials. If you search up React tutorial there will be countless tutorials waiting for you. Here are my recommended React tutorials for getting started: Free: https://youtu.be/4UZrsTqkcW4 Paid: https://www.udemy.com/course/complete-react-developer-zero-to-mastery/ Vue Vue also has loads of resources and a large community but not as large as React. Vue has a Gitter chat with over 19,000 members. In addition, they have a massive Stackoverflow community with 68,778 questions. Where Vue really shines is its resources. Vue has more resources than I could imagine. Here are my recommended Vue tutorials for getting started: Free: https://youtu.be/e-E0UB-YDRk Paid: https://www.udemy.com/course/vuejs-2-the-complete-guide/ Angular Angular has a massive community. Their Gitter chat has over 22,489 people waiting to help you. Also, their Stackoverflow questions asked is over 238,506. Like React and Vue, Angular has a massive amount of resources to help you learn the framework. A downfall to these resources is that most of them are outdated (1-2 years old) but you can still find some great tutorials. Here are my recommended Angular tutorials for getting started: Free: https://youtu.be/Fdf5aTYRW0E Paid: https://www.udemy.com/course/the-complete-guide-to-angular-2/ Svelte Svelte has a growing community yet still has many quality tutorials and resources. An awesome guide to Svelte and their community is here: https://svelte-community.netlify.app . They have a decent Stackoverflow community with over 1,300 questions asked. Also, they have an awesome Discord community with over 1,500 members online on average. Svelte has a lot of great tutorials and resources, despite it only coming on to the world stage quite recently. Here are my recommended Svelte tutorials for getting started: Free: https://www.youtube.com/watch?v=zojEMeQGGHs&list=PL4cUxeGkcC9hlbrVO_2QFVqVPhlZmz7tO Paid: https://www.udemy.com/course/sveltejs-the-complete-guide/ Wrapping up the 2nd Factor: Community & Resources From just looking at the Stackoverflow community and the available resources, we can conclude that all of these 4 frameworks have a massive community and available resources. Community & Resources: React Vue & Angular* Svelte *I really couldn't decide between the two! The 3rd Factor: Performance In this factor, I will be going over which of these frameworks are the most performant. There are going to be three main components to this factor: speed test, startup test, and the memory allocation test. I will be using this website to compare the speed of all frameworks. Speed Test This test will compare each of the frameworks in a set of tasks and find out the speed of which they complete them. Let's have a look at the results. As you can see, just by the colours that Svelte and Vue are indeed the most performant in this category. This table has the name of the actions on one side and the results on the other. At the bottom of the table, we can see something called slowdown geometric mean. Slowdown geometric mean is an indicator of overall performance and speed by a framework. From this, we can conclude that this category ranking: Vue - 1.17 slowdown geometric mean Svelte - 1.19 slowdown geometric mean React & Angular - 1.27 slowdown geometric mean Startup Test The startup test measures how long it takes for one of these frameworks to "startup". Let's see the table. As you can see, Svelte is the clear winner. For every single one of these performance tests, Svelte is blazing fast (if you want to know how Svelte does this, move to the "Why is Svelte so performant?" section). From these results, we can create this category ranking. Svelte Vue React Angular Memory Test The memory test sees which framework takes up the least amount of memory for the same test. Let's jump into the results. Similarly to the startup test, Svelte is clearly on top. Vue and React are quite similar while Angular (once again) is the least performant. From this, we can derive this category ranking. Svelte Vue React Angular Why is Svelte so performant? TL;DR: No Virtual DOM Compiled to just JS Small bundles Before looking at why Svelte is how performant, we need to understand how Svelte works. Svelte is not compiled to JS, HTML, and CSS files. You might be thinking: what!? But that's right, instead of doing that it compiles highly optimized JS files. This means that the application needs no dependencies to start and it's blazing fast. This way no virtual DOM is needed. Your components are compiled to Javascript and the DOM doesn't need to update. Also, it also takes up little memory as it complies in highly optimized, small bundles of Javascript. Wrapping up the 3rd Factor: Performance Svelte made a huge push in this factor, blowing away the others! From the three categories, let's rank these frameworks in terms of performance. Svelte Vue React Angular The 4th Factor: Learning Curve In this factor, we will be looking at how long and how easy it is to be able to build real-world (frontend-only) applications. This is one of the most important factors if you are looking to get going with this framework quickly. Let's dive right into it. React React is super easy to learn. React almost takes no time to learn, I would even say if you are proficient at Javascript and HTML, you can learn the basics in a day. Since we are looking about how long it takes to build a real-world project, this is the list of things you need to learn: How React works JSX State Props Main Hooks useState useEffect useRef useMemo Components NPM, Bebel, Webpack, ES6+ Functional Components vs Class Components React Router Create React App, Next.js, or Gatsby Optional but recommended: Redux, Recoil, Zustand, or Providers Vue In my opinion, Vue takes a bit more time than React to build a real project. With a bit of work, you could learn the Vue fundamentals in less than 3 days. Although Vue takes longer to learn, it is definitely one of the fastest popular Javascript frameworks to learn. Here is the list of things you need to learn: How Vue Works .vue files NPM, Bebel, Webpack, ES6+ State management Vuex Components create-vue-app/Vue CLI Vue Router Declarative Rendering Conditionals and Loops Vue Instance Vue Shorthands Optional: Nuxt.js, Vuetify, NativeScript-Vue Angular Angular is a massive framework, much larger than any other in this comparison. This may be why Angular is not as performant as other frameworks such as React, Svelte, or Vue. To learn the basics of Angular, it could take a week or more. Here are the things you need to learn to build a real-world app in Angular: How Angular Works Typescript Data Types Defining Types Type Inference Interfaces Union Types Function type definitions Two-way data binding Dependency Injection Components Routing NPM, Bebel, Webpack, ES6+ Directives Templates HTTP Client Svelte One could argue that Svelte is the easiest framework to learn in this comparison. I would agree with that. Svelte's syntax is very similar to an HTML file. I would say that you could learn the Svelte basics in a day. Here are the things you need to learn to build a real-world app in Svelte: How Svelte Works .svelte files NPM, Bebel, Webpack, ES6+ Reactivity Props If, Else, Else ifs/Logic Events Binding Lifecycle Methods Context API State in Svelte Svelte Routing Wrapping up the 4th Factor: Learning Curve All these frameworks (especially Vue, Svelte, and React) are extremely easy to learn, very much so when one is already proficient with Javascript and HTML. Let's rank these technologies in terms of their learning curve! (ordered in fastest to learn to longest to learn) Svelte React Vue Angular The 5th Factor: Real-world examples In this factor, the final factor, we will be looking at some real-world examples of apps using that particular framework. At the end of this factor, the technologies won't be ranking but it's up to you to see which of these framework's syntax and way of doing things you like best. Let's dive right into it! React Top 5 Real-world companies using React : Facebook, Instagram, Whatsapp, Yahoo!, Netflix Displaying "Hello World" in React : import React from ' react ' ; function App () { return ( < div > Hello World </ div > ); } Enter fullscreen mode Exit fullscreen mode Vue Top 5 Real-world companies using Vue : NASA, Gitlab, Nintendo, Grammarly, Adobe Displaying "Hello World" in Vue : < template > <h1> Hello World </h1> </ template > Enter fullscreen mode Exit fullscreen mode Angular Top 5 Real-world companies using Angular : Google, Microsoft, Deutsche Bank, Forbes, PayPal Displaying "Hello World" in Angular : import { Component } from ' @angular/core ' ; @ Component ({ selector : ' my-app ' , template : &lt;h1&gt;Hello World&lt;/h1&gt; , }) export class AppComponent ; Enter fullscreen mode Exit fullscreen mode Svelte Top 5 Real-world companies using Svelte : Alaska Air, Godaddy, Philips, Spotify, New York Times Displaying "Hello World" in Svelte : <h1> Hello world </h1> Enter fullscreen mode Exit fullscreen mode Wrapping up the 5th Factor: Real-world Examples Wow! Some huge companies that we use on a daily basis use the frameworks that we use. This shows that all of these frameworks can be used to build apps as big as these household names. Also, the syntax of all of these frameworks is extremely intuitive and easy to learn. You can decide which one you like best! Conculsion I know, you're looking for a ranking of all of these frameworks. It really depends but to fulfil your craving for a ranking, I'll give you my personal opinion : Svelte React Vue Angular This would be my ranking but based on these 5 factors, choose whichever framework you like best and feel yourself coding every day in, all of them are awesome. I hope that you found this article interesting and maybe picked a new framework to learn (I'm going to learn Svelte)! Please let me know which frontend framework you use and why you use it. Thanks for reading! Henry Top comments (47) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand stefanovualto stefanovualto stefanovualto Follow Joined Feb 5, 2018 • Nov 29 '20 Dropdown menu Copy link Hide Hi Henry, I mostly agree with the point 1,2,3. But point 4 is subjective depending on your background and previous knowledge. To improve your post, you should add a note explaining what's your background. Finally point 5 are not similar at all. The vue example is a complete page using a reactive property. Anyway as @johnpapa said in a talk, you can achieve almost the same result with any framework, pick the one which feels right for you... :) Like comment: Like comment: 13 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide Yes, I agree with you! I would recommend anyone to learn the framework which feels right for you. For the Vue example, I'm not an expert at Vue and don't know a better way to do it (if you have a smaller, more concise 'hello world' example, please comment it). I will definitely work an a 'what's my background section'. To explain it know: I've been using React in all my web dev projects. I have basic knowledge of Vue, Angular, and Svelte. After looking at these 5 factors, I plan to use Svelte for my coming projects. Thanks, @stefanovualto for the feedback! Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand Christopher Wray Christopher Wray Christopher Wray Follow Email chris@sol.company Location Pasco, WA Education Western Governors University Work Senior Software Engineer at Soltech Joined Jan 14, 2020 • Nov 29 '20 • Edited on Nov 29 • Edited Dropdown menu Copy link Hide In the Vue example you are using data components. For the others just plain html. You could have a Vue component with a template of just the h1 tag and no script. It would look more like the svelte example. Like comment: Like comment: 2 likes Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide ✅ Like comment: Like comment: 1 like Like Thread Thread stefanovualto stefanovualto stefanovualto Follow Joined Feb 5, 2018 • Nov 29 '20 • Edited on Nov 29 • Edited Dropdown menu Copy link Hide In your vue example, I think that you should expect to be in a .vue file lik le it seems to be in the others (I mean that you have the whole bundling machinery working under the hood). Then something similar would be: <template> <h1> Hello world! </h1> </template> Enter fullscreen mode Exit fullscreen mode Maybe a pro' for vue is that it can be adopted/used progressively without having to rely on building process (which I am assuming are mandatory for react, svelte and maybe angular). What I mean is that your previous example worked, but it wasn't comparable to the others. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Zen Zen Zen Follow Mahasiswa Psikologi Email muhzaini30@gmail.com Location Samarinda Education Psikologi, TI Work Developer Android at Toko sepeda Sinar Jaya Joined Mar 25, 2019 • Nov 30 '20 Dropdown menu Copy link Hide I'm usually using Svelte for my projects. Because, it's simple, write less, and get more Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 3 '20 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide A couple thoughts. "Requires JSX" a downside??? I almost stopped reading at that point. Template DSLs are more or less the same. If that's a con, doesn't support JSX could easily be seen as one. There are reasonable arguments for both sides and this shows extreme bias. Vue is "truly reactive" as well. Whatever that means. Your JS Framework Benchmark results are over 2 years old. Svelte and Vue 3 are both out and in the current results. He now publishes them per Chrome version. Here are the latest: krausest.github.io/js-framework-be... . It doesn't change the final positions much, but Svelte and Vue look much more favorable in newer results. If anyone is interested in how those benchmarks work in more detail I suggest reading: dev.to/ryansolid/making-sense-of-t... Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide I'm a React dev and it's my favourite framework out of the bunch. When I did some research and asked some other developers when they think of React they think of needing to learn JSX. For something like Svelte, all you need to know is HTML, CSS, and JS. I know that my benchmarks were two years old and I addressed this multiple times before: For the performance factor, I knew that the frameworks were a bit outdated but the general gist stated the same. Svelte 3 was released some time ago and that blows all of the other frameworks out of the water in terms of performance hence Svelte would stay on top. Vue and React are very similar in performance, Vue even says so themselves: vuejs.org/v2/guide/comparison.html. Since, Angular is a massive framework with built-in routing, etc, its performance didn't become better than Vue, React, or Svelte in its newer versions. Thanks for the new benchmark website, I will definitely be using that in the future. Also, I just read your benchmark article and its a good explanation on how these benchmarks work. Thanks for your input. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 3 '20 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide Here's the index page where he posts new results as they come up: krausest.github.io/js-framework-be... When I did some research and asked some other developers when they think of React they think of needing to learn JSX. For something like Svelte, all you need to know is HTML, CSS, and JS. Svelte has good marketing clearly. Is this HTML? <label> <input type= "checkbox" bind:checked= {visible} > visible </label> {#if visible} <p transition:fade > Fades in and out </p> {/if} Enter fullscreen mode Exit fullscreen mode Or this HTML? <a @ [event]= "doSomething" > ... </a> <ul id= "example-1" > <li v-for= "item in items" :key= "item.message" > {{ item.message }} </li> </ul> Enter fullscreen mode Exit fullscreen mode How about this? <form onSubmit= {handleSubmit} > <label htmlFor= "new-todo" > What needs to be done? </label> <input id= "new-todo" onChange= {handleChange} value= {text} /> <button> Add #{items.length + 1} </button> </form> Enter fullscreen mode Exit fullscreen mode Like comment: Like comment: 4 likes Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide That's why a con of Svelte is its syntax (I added that in my post). This is more explanation to that point: Firstly, for confusion in variable names, I'm talking about how Svelte handles state. Coming from React, state would only be initialized with the useState hook. In Svelte, all the variables you make is state which could be confusing for someone just learning Svelte. Also, for the confusion in syntax, I'm talking about the confusion in logic. For example, if statements in Svelte are different than the usual Javascript if statements which could cause some confusion/more learning time for beginners. There are also other examples of this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Zen Zen Zen Follow Mahasiswa Psikologi Email muhzaini30@gmail.com Location Samarinda Education Psikologi, TI Work Developer Android at Toko sepeda Sinar Jaya Joined Mar 25, 2019 • Nov 29 '20 Dropdown menu Copy link Hide why svelte is not seen in search trend? because, svelte's docs is very easy to new comer in this framework Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide I'm not really sure @mzaini30 . A great pro of Svelte is its docs and tutorial on its website. I think in 1-2 years, you are going to see Svelte at least where Vue is in the search trends. Most of the search trends come from developers asking questions like how to fix this error, or how to do this but since not many people use Svelte (compared to the other frameworks) there are not many questions being asked. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Bergamof Bergamof Bergamof Follow Location Bordeaux, France Education 3iL Work Senior Developer at IPPON Technologies Joined Nov 30, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Sure! Too bad the great Svelte tutorial was not mentioned. Like comment: Like comment: 1 like Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide It's a great tutorial, but I decided to just add video tutorials. In the community factor, I give a link to the Svelte community website which features that tutorial! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 3 '20 Dropdown menu Copy link Hide Sad that Solid not even mentioned, although it's the one of the best performing frameworks. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide I've never actually heard of solid. I'll check it out! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 3 '20 Dropdown menu Copy link Hide Well, author of the Solid is even commented in this topic. Like comment: Like comment: 3 likes Like Thread Thread Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 16 '20 Dropdown menu Copy link Hide To be fair, performance is only one area and arguably the least important. Even if Solid completely dominates across the board in all things performance by a considerable margin, we have a long way before popularity, community, or realworld usage really makes it worth even being in a comparison of this nature. But I appreciate the sentiment. Like comment: Like comment: 4 likes Like Thread Thread Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 16 '20 Dropdown menu Copy link Hide Well, good performance across the board usually is a clear sign of high technical quality of design and implementation. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand dallgoot dallgoot dallgoot Follow Location France Joined Oct 3, 2017 • Jan 2 '21 Dropdown menu Copy link Hide I don't want to start a flamewar but i see a trend where React is considered the -only- viable framework and -some- people reacting like religious zealots against any critics because "it's the best ! it's made by Facebook!" React is too hyped IMHO. Svelte is a a true innovation. And yes performance matters. Angular and Vue may lose traction with time... i think... i fail to see their distinctive useful points. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Jan 2 '21 Dropdown menu Copy link Hide I completely agree with you. Most React devs now will not try any other framework and just make fun of the others. I completely agree that React is too hyped. Unfortunately, as you stated, Angular and Vue are losing some traction. I also agree with you that Svelte is a true innovation, this is why I put Svelte at number 1! For 2021, I will focus on using Svelte. Thanks for reading! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sylvain Simao Sylvain Simao Sylvain Simao Follow Building kuizto.co 🥦🍄🥔🥕 • Fractional CTO sylvainsimao.com • Prev CTO at Travis, Tech Director at ClemengerBBDO • Love building for the web! Location Brisbane, Australia Work Founder at kuizto.co Joined Mar 7, 2019 • Dec 3 '20 Dropdown menu Copy link Hide React with a smaller learning curve than Vue.js 🤔 Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide They were very tight but I would say that React has a smaller learning curve as its more intuitive and has easier syntax than Vue. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Sylvain Simao Sylvain Simao Sylvain Simao Follow Building kuizto.co 🥦🍄🥔🥕 • Fractional CTO sylvainsimao.com • Prev CTO at Travis, Tech Director at ClemengerBBDO • Love building for the web! Location Brisbane, Australia Work Founder at kuizto.co Joined Mar 7, 2019 • Dec 4 '20 Dropdown menu Copy link Hide Sorry @hb , you've decided to go on a touchy subject by writing this article! I will have to disagree with you on that point. I think it's perfectly okay to prefer using React. There are many reasons why it is a good choice. However, an easy learning curve isn't part of it. Just so there is no ambiguity, after having used all the Frameworks from this article - my choice goes towards Vue.js and Svelte, but I'll try to remain as objective as possible. 1) According to the State of JS survey 2018 (not using 2019, because that same question wasn't part of last year's survey). From 20,268 developers interrogated, the number #1 argument about Vue.js is an easy learning curve. For React it comes at position #11 (top 3 beings: elegant programming style, rick package ecosystem, and well-established): 2018.stateofjs.com/front-end-frame... 2018.stateofjs.com/front-end-frame... 2) Main reason why Vue.js is labelled "The Progressive JavaScript Framework", is because it is progressive to implement and to learn. Before you can get started with React, you need to know about JSX and build systems. On the other end, Vue.js can be used just by dropping a single script tag into your page and using plain HTML and CSS. This makes a huge difference in terms of approachability of the Framework. 3) Maybe less objective on this one - but from my own professional experience with both Frameworks and leading teams of developers - it usually takes Junior Developers almost twice the time to become proficient with React than with Vue.js. Firstly because of what I mentioned in point number 2. Secondly, because React has few abstraction leaks that makes performance optimisation something developers have to deal with themselves (using memoize hooks). It's a concept that is hard to understand, but essentials if working on large applications. Thirdly, because of the documentation (as you mentioned in your article). And lastly because of the fragmented ecosystem of libraries that can quickly be overwhelming for Junior Devs. Again, I think there are a lot of reasons why React can be a good choice. But not because of the learning curve. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Thorsten Hirsch Thorsten Hirsch Thorsten Hirsch Follow Joined Feb 5, 2017 • Nov 29 '20 Dropdown menu Copy link Hide Angular 6? Well, they just released version 11 and there was the switch to Ivy since version 6, so what about a more recent benchmark? And looking at the Google trends chart I wonder why all 3 (React/Angular/Vue) lost quite a bit of their popularity during the past months... any new kid on the block? It's obviously not Svelte, which could hardly benefit from the others' losses. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide For the performance factor, I knew that the frameworks were a bit outdated but the general gist stated the same. Svelte 3 was released some time ago and that blows all of the other frameworks out of the water in terms of performance hence Svelte would stay on top. Vue and React are very similar in performance, Vue even says so themselves: vuejs.org/v2/guide/comparison.html . Since, Angular is a massive framework with built-in routing, etc, its performance didn't become better than Vue, React, or Svelte in its newer versions. For the search results, they are unpredictable. To my knowledge, there is no new kid on the block in terms of frontend Javascript frameworks. If anything, more people are using Web Assembly. As you can see from the search results graph, it goes up and down, changing all the time. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 29 '20 Dropdown menu Copy link Hide Also, it would be great if you could give a little explanation of this point Confusion in variable names and syntax Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Firstly, for confusion in variable names, I'm talking about how Svelte handles state. Coming from React, state would only be initialized with the useState hook. In Svelte, all the variables you make is state which could be confusing for someone just learning Svelte. Also, for the confusion in syntax, I'm talking about the confusion in logic. For example, if statements in Svelte are different than the usual Javascript if statements which could cause some confusion/more learning time for beginners. There are also other examples of this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 30 '20 Dropdown menu Copy link Hide It makes syntax simpler TBH. React isn't even a direct comparison to Svelte. The only syntax that users will get accustomed to is $ assignments. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 29 '20 Dropdown menu Copy link Hide You forgot to mention that Svelte has a great discord :) Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide I just had a look at it, a great tool! I'll add it to the post! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikola Nikola Nikola Follow Work Angular developer at Cinnamon Agency Joined Jan 21, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Angular con: it is complex? what.... Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nathan Cai Nathan Cai Nathan Cai Follow A JavaScript one trick pony who loves to code. I live and breath NodeJS, currently learning React and Angular. Location Toronto, Ontario, Canada Education High School Work Back End Developer at Ensemble Education Joined Jun 18, 2020 • Dec 1 '20 Dropdown menu Copy link Hide Learning Angular is actually no that bad until RXJS comes in Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 1 '20 Dropdown menu Copy link Hide You need to learn Typescript Smart/Dumb Components One-way Dataflow and Immutability And much more It's much more complex and harder to understand than the other frameworks on this list. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikola Nikola Nikola Follow Work Angular developer at Cinnamon Agency Joined Jan 21, 2020 • Dec 1 '20 Dropdown menu Copy link Hide learn typescript? You mean to start writing it... it's easy and intuitive, I'm writing Angular, React, and Node code only in typescript. Smart/Dumb Components? I really don't understand what is this referred to? Angular has two-way data biding, and even easier data passing to the child and back to the parent. And of course, it has more features, its framework, React is more like a library compared to Angular. Like comment: Like comment: 2 likes Like Thread Thread Hanster Hanster Hanster Follow Joined Oct 19, 2021 • Oct 19 '21 Dropdown menu Copy link Hide I fully agree. Comparing framework e.g angular against library e.g react, is like comparing a smart tv against a traditional tv. Of course smart tv is more challenging to learn it's usage, not because it's lousy, but it has more features beyond watching tv. Like comment: Like comment: 2 likes Like Comment button Reply View full discussion (47 comments) 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 Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Joined Oct 12, 2020 More from Henry Boisdequin Weekly Update #1 - 10th Jan 2021 # devjournal # rust # typescript # svelte The 6 Month Web Development Mastery Plan in 2020 — For Free # webdev # react # javascript # 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:31 |
https://dev.to/t/redischallenge | Redis AI Challenge - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Redis AI Challenge Follow Hide This is the official tag for submissions and announcements related to the Redis AI Challenge. Create Post Older #redischallenge 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 Redis RPG - An AI Generated Game Redis AI Challenge: Real-Time AI Innovators Jacob Henning Jacob Henning Jacob Henning Follow Aug 11 '25 Redis RPG - An AI Generated Game # redischallenge # devchallenge # database # ai 6 reactions Comments Add Comment 5 min read 🧠 MindMirror: Real-time Mental Health Analysis with RedisAI Redis AI Challenge: Beyond the Cache Richie Looney Richie Looney Richie Looney Follow Aug 9 '25 🧠 MindMirror: Real-time Mental Health Analysis with RedisAI # redischallenge # devchallenge # database # ai Comments Add Comment 1 min read Beyond the Cache: Redis as the Nervous System of Symbolic AI Redis AI Challenge: Beyond the Cache ΔNκRΞYNΘNτ JΔILBRΞΔkɆr ΔNκRΞYNΘNτ JΔILBRΞΔkɆr ΔNκRΞYNΘNτ JΔILBRΞΔkɆr Follow Aug 11 '25 Beyond the Cache: Redis as the Nervous System of Symbolic AI # redischallenge # devchallenge # database # ai 1 reaction Comments Add Comment 1 min read How I Built a Real-Time Chat App with Redis and an AI Assistant Redis AI Challenge: Beyond the Cache Med Said BARA Med Said BARA Med Said BARA Follow Aug 10 '25 How I Built a Real-Time Chat App with Redis and an AI Assistant # redischallenge # devchallenge # database # node Comments Add Comment 4 min read 🚀🎯 Speak Your Logic, Get Hired: The AI-Powered DSA Prep Aid You Didn’t Know You Needed 🎙️🤖🔥 Redis AI Challenge: Real-Time AI Innovators Divya Divya Divya Follow Aug 7 '25 🚀🎯 Speak Your Logic, Get Hired: The AI-Powered DSA Prep Aid You Didn’t Know You Needed 🎙️🤖🔥 # redischallenge # devchallenge # database # ai 88 reactions Comments 10 comments 14 min read Xbeat : Supercharge E-cormmerce with Real-Time AI Powered by Redis 8 Redis AI Challenge: Real-Time AI Innovators Abraham Dahunsi Abraham Dahunsi Abraham Dahunsi Follow Aug 11 '25 Xbeat : Supercharge E-cormmerce with Real-Time AI Powered by Redis 8 # redischallenge # devchallenge # database # ai 46 reactions Comments 6 comments 6 min read Brane: The AI Brain for Next-Gen Data Intelligence Redis AI Challenge: Beyond the Cache Aber Paul Aber Paul Aber Paul Follow Aug 11 '25 Brane: The AI Brain for Next-Gen Data Intelligence # redischallenge # devchallenge # database # ai 18 reactions Comments 2 comments 6 min read Knowledge OS — Turning Any File into Instant, Cited Answers with Redis 8 Redis AI Challenge: Real-Time AI Innovators Johnathan Johnathan Johnathan Follow Aug 11 '25 Knowledge OS — Turning Any File into Instant, Cited Answers with Redis 8 # redischallenge # devchallenge # database # ai 12 reactions Comments 2 comments 2 min read Chronos Synapse — BYOK Telemetry + AI Insights SDK For Cron Using Redis Redis AI Challenge: Beyond the Cache Desmond Obisi Desmond Obisi Desmond Obisi Follow Aug 10 '25 Chronos Synapse — BYOK Telemetry + AI Insights SDK For Cron Using Redis # redischallenge # devchallenge # database # ai 19 reactions Comments Add Comment 3 min read ELTAI: web-based alternative to Apache Airflow for MLOps and AI Redis AI Challenge: Real-Time AI Innovators Ogbotemi Ogungbamila Ogbotemi Ogungbamila Ogbotemi Ogungbamila Follow Aug 11 '25 ELTAI: web-based alternative to Apache Airflow for MLOps and AI # redischallenge # devchallenge # database # ai 14 reactions Comments 4 comments 2 min read AI-powered Study Companion for GATE Aspirants with Redis 8 Redis AI Challenge: Beyond the Cache prasanna-lakshmi18 prasanna-lakshmi18 prasanna-lakshmi18 Follow Aug 11 '25 AI-powered Study Companion for GATE Aspirants with Redis 8 # redischallenge # devchallenge # database # ai 12 reactions Comments Add Comment 2 min read AniGuess: Real-Time Multiplayer Anime Guessing Game Redis AI Challenge: Beyond the Cache Yuyi Kimura (YK46) Yuyi Kimura (YK46) Yuyi Kimura (YK46) Follow Aug 11 '25 AniGuess: Real-Time Multiplayer Anime Guessing Game # redischallenge # devchallenge # database # ai 15 reactions Comments Add Comment 3 min read Real-Time AI Content Moderation with Redis 8 as Primary Database Redis AI Challenge: Beyond the Cache Arya Koste Arya Koste Arya Koste Follow Aug 11 '25 Real-Time AI Content Moderation with Redis 8 as Primary Database # redischallenge # devchallenge # database # ai 20 reactions Comments Add Comment 5 min read Redis RPG - An AI Generated Game Redis AI Challenge: Beyond the Cache Jacob Henning Jacob Henning Jacob Henning Follow Aug 11 '25 Redis RPG - An AI Generated Game # redischallenge # devchallenge # database # ai 18 reactions Comments Add Comment 5 min read More Than Cache: Architecting a Redis 8–Powered Web OS Redis AI Challenge: Beyond the Cache usemanusai usemanusai usemanusai Follow Aug 11 '25 More Than Cache: Architecting a Redis 8–Powered Web OS # redischallenge # devchallenge # ai # redis 16 reactions Comments Add Comment 2 min read Vertalk — Real-Time AI Call Agent Powered by Redis 8 Redis AI Challenge: Beyond the Cache Imisioluwa Elijah Imisioluwa Elijah Imisioluwa Elijah Follow Aug 11 '25 Vertalk — Real-Time AI Call Agent Powered by Redis 8 # redischallenge # devchallenge # database # ai 42 reactions Comments 1 comment 6 min read Redis Neural Lattice: Real-Time Consciousness Observatory (AI Innovators) Redis AI Challenge: Real-Time AI Innovators ΔNκRΞYNΘNτ JΔILBRΞΔkɆr ΔNκRΞYNΘNτ JΔILBRΞΔkɆr ΔNκRΞYNΘNτ JΔILBRΞΔkɆr Follow Aug 11 '25 Redis Neural Lattice: Real-Time Consciousness Observatory (AI Innovators) # redischallenge # devchallenge # database # ai 13 reactions Comments Add Comment 2 min read Redis Beyond the Cache: Homoiconic AI Coordination Engine Redis AI Challenge: Beyond the Cache Jonathan Hill Jonathan Hill Jonathan Hill Follow Aug 11 '25 Redis Beyond the Cache: Homoiconic AI Coordination Engine # redischallenge # devchallenge # database # ai 12 reactions Comments Add Comment 3 min read Latency Slayer: a Redis 8 semantic cache gateway that makes LLMs feel instant Redis AI Challenge: Real-Time AI Innovators Mohit Agnihotri Mohit Agnihotri Mohit Agnihotri Follow Aug 10 '25 Latency Slayer: a Redis 8 semantic cache gateway that makes LLMs feel instant # redischallenge # devchallenge # database # ai 15 reactions Comments Add Comment 2 min read Beyond the Cache: AI-Driven Incident Management with Redis Redis AI Challenge: Beyond the Cache Apoorv Gupta Apoorv Gupta Apoorv Gupta Follow Aug 11 '25 Beyond the Cache: AI-Driven Incident Management with Redis # redischallenge # devchallenge # database # ai 11 reactions Comments 1 comment 2 min read Almost Real-Time Github Events and Top Scoring Contributors For Today Redis AI Challenge: Beyond the Cache Trang Le Trang Le Trang Le Follow Aug 11 '25 Almost Real-Time Github Events and Top Scoring Contributors For Today # redischallenge # devchallenge # database # ai 12 reactions Comments Add Comment 3 min read NewsHub - AI-Powered News Aggregation Platform Redis AI Challenge: Real-Time AI Innovators Varshith V Hegde Varshith V Hegde Varshith V Hegde Follow Aug 6 '25 NewsHub - AI-Powered News Aggregation Platform # redischallenge # devchallenge # database # ai 55 reactions Comments 10 comments 8 min read From Cache to Complete Platform: Redis 8 as My Primary Database for AI Wellness App Redis AI Challenge: Beyond the Cache Sanket Lakhani Sanket Lakhani Sanket Lakhani Follow Aug 11 '25 From Cache to Complete Platform: Redis 8 as My Primary Database for AI Wellness App # redischallenge # devchallenge # database # ai 13 reactions Comments Add Comment 4 min read LostFound AI: Real-Time Lost & Found Matching with Redis 8 Vector Search Redis AI Challenge: Beyond the Cache Santhosh Santhosh Santhosh Follow Aug 9 '25 LostFound AI: Real-Time Lost & Found Matching with Redis 8 Vector Search # redischallenge # devchallenge # database # ai 13 reactions Comments Add Comment 5 min read FlashFeed AI News Summarizer Redis AI Challenge: Real-Time AI Innovators Suleiman Alhaji Mohammed Suleiman Alhaji Mohammed Suleiman Alhaji Mohammed Follow Aug 11 '25 FlashFeed AI News Summarizer # redischallenge # devchallenge # database # ai 12 reactions 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:31 |
https://popcorn.forem.com/om_shree_0709 | Om Shree - Popcorn Movies and TV Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Popcorn Movies and TV Close Follow User actions Om Shree Technical Evangelist | AI Researcher | Simplifying Complex AI & Agent Workflows for Developers Location India Joined Joined on Feb 27, 2025 Email address omshree0709@gmail.com Personal website https://shreesozo.com github website twitter website Education Jaypee University Of Information Technology Pronouns He/Him Work Founder of Shreesozo 16 Week Community Wellness Streak You're a dedicated community champion! Keep up the great work by posting at least 2 comments per week for 16 straight weeks. The prized 24-week badge is within reach! Got it Close 2 DEV Challenge Volunteer Judge Awarded for judging a DEV Challenge and nominating winners. Got it Close 100 Thumbs Up Milestone Awarded for giving 100 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close 8 Week Community Wellness Streak Consistency pays off! Be an active part of our community by posting at least 2 comments per week for 8 straight weeks. Earn the 16 Week Badge next. Got it Close Build Apps with Google AI Studio Awarded for completing DEV Education Track: "Build Apps with Google AI Studio" Got it Close 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close 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 More info about @om_shree_0709 Skills/Languages Full-Stack Dev Currently learning Full-Stack Dev Available for MCP Blog Author, Open-Source Contributor, Full-Stack Dev Post 2 posts published Comment 330 comments written Tag 1 tag followed The Conformity Gate Phenomenon: Exploration of Fan Theories Following the Stranger Things Season 5 Finale Om Shree Om Shree Om Shree Follow Jan 7 The Conformity Gate Phenomenon: Exploration of Fan Theories Following the Stranger Things Season 5 Finale # streaming # movies # recommendations # analysis 26 reactions Comments Add Comment 4 min read Want to connect with Om Shree? Create an account to connect with Om Shree. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Mid-October 2025 Movie and TV Roundup: Releases, Trailers, and Buzz Om Shree Om Shree Om Shree Follow Oct 12 '25 Mid-October 2025 Movie and TV Roundup: Releases, Trailers, and Buzz # streaming # marketing # recommendations # movies 20 reactions Comments Add Comment 4 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/md_nazmulhasan_263/a-simple-portfolio--31nd | A Simple Portfolio ! - 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 Md Nazmul Hasan Posted on Jul 18, 2025 A Simple Portfolio ! # webdev # css # html # beginners It's a small and simple portfolio I made on myself using HTML & CSS only !! I wish to made more of this and soon I'll become a Web Developer. 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 Somadina Somadina Somadina Follow I’m a technical writer focused on simplifying programming, web design, and developer tools. My day revolves around crafting content strategies and documentation that eliminate mental roadblocks. Location Nigeria Education After graduating from Anara Secondary, my learning in computer science continues endlessly. Pronouns I am a man down to my DNA 🤸😂, and I will embrace having you refer me as He/him or simply Soma. 🙏 Work I am a freelance Technical-Writer. Joined Jun 15, 2025 • Jul 24 '25 Dropdown menu Copy link Hide Just persistent, it not hard, you will be a developer, and not only that but a professional content developer. I scanned your bio. Like comment: Like comment: 3 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 Md Nazmul Hasan Follow Exploring web development through HTML, CSS, and JavaScript. Passionate about design, anime, and gaming, with a goal to build meaningful digital experiences. Location Dhaka, Bangladesh Education I completed my SSC in 2018. Work Currently I'm working on a restaurant. Joined May 14, 2025 Trending on DEV Community Hot EU Digital Omnibus: New Requirements for Websites and Online Services # webdev # ai # beginners # productivity AI should not be in Code Editors # programming # ai # productivity # discuss Prompt Engineering Won’t Fix Your Architecture # discuss # career # ai # 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:31 |
https://axerosolutions.com/blog/intranet-templates-effective-designs-to-enhance-your-intranet | 7 Great Intranet Templates Designs to Enhance Your Intranet - Axero Intranet Skip to content --> Meet Axero Copilot , a game-changer for AI knowledge management! Tell me more --> Platform Feature Tour Mobile Intranet Security and Compliance Integrations Use Cases AI Knowledge Management Intranet Software Internal Communications Software Knowledge Management Software Team Collaboration Software Workplace Culture Software Industries Banks and Finance Education Healthcare Insurance Companies Life Sciences Companies Professional Services Companies Nonprofit Organizations Government Agencies Real Estate and Construction Client Experience Overview Client Stories Intranet Services Client Support Implementation Resources Blog eBooks & Guides Workplace communication tips Improve employee experience Improve company culture Build knowledge base Internal comms examples Enterprise social networking ROI calculator About Us Pricing Get Demo Intranet Templates – Effective Designs to Enhance Your Intranet Written by Alex Hoey Published on: June 14, 2023 Last updated: July 31, 2024 Intranets Y our intranet design is one of the most critical components to your launch. It determines how your pages will look, where everything will go, and what the user experience will be like. If information is hard to find and tools are difficult to use, engagement and overall adoption will not be as strong as it could be. That’s why you need sleek, modern pages that will display important content and resources where your teams will use it. To help you get inspired, we compiled these tried-and-tested intranet templates . Download a template and quickly customize it for your site. We’ll also walk you through the latest intranet features that spotlight different content, people, and company initiatives in the screenshots below. Download any of the intranet templates (see screenshots) and upload them into your Axero intranet as a Page Builder page. Table of contents Toggle 1. The essential homepage intranet template. 2. Align teams with a newsroom and announcements page. 3. An event center to bring everyone together. 4. The employee handbook you always needed. 5. Connect your workforce with an About Us page. 6. Create a movement and promote initiatives. 7. File and document center. 1. The essential homepage intranet template. The homepage is the first thing employees see, which makes it the most important page. A clean, simple design will showcase the content and tools you want your employees to access in a refreshing and easy-to-use way. We recommend using a template like the intranet screenshot above. With this layout, your featured news takes centerstage in a large central column. You can use your Page Builder to drag-and-drop smaller linear columns below to highlight new hires, HR announcements, and upcoming events. With permissions, you can also feature targeted content based on everyone’s roles in your intranet. A section for your Quick Links guides your people to commonly accessed places, like the employee handbook, the announcements page, and your employee directory. Drop another widget to list main spaces and centralize all third-party apps in your launchpad. You want quick navigation so people can get to the places they need, easily. Like what you see in this intranet screenshot? Download your intranet template here . Benefits of this intranet template: Clean design – Employees can easily access the tools they need via sidebar navigation, while simultaneously receiving targeted communications with eye-catching central columns. Easy to add company branding – This is a subtle, but impactful touch. Add your company colors, logo, and lingo on your homepage—drag-and-drop tools makes this easy. Add moving, interactive widgets – Balance is key and you don’t want to bombard your employees with too much content. The main moving carousel allows you to feature multiple pieces of content in one column. Download your intranet template here. 2. Align teams with a newsroom and announcements page. Communication is key, which is why Axero’s News and Announcements intranet template takes a clean, balanced approach to displaying your communications. In our intranet screenshot above, the most recent content leads the page. Bright, bold headers in each column call attention to who’s posting it and a short blurb highlights what the content is about. Add a colorful thumbnail photo to capture the attention of your employees and engage them with your announcement. Axero’s Articles drives effective communication in the workplace , with rich text, content lists, and People widgets that support a news center that your employees will check daily. Benefits of this intranet template: One page for news – Never worry about an email getting buried. All of your company communications are centralized in one place. Content displays in the most recent order and notifications immediately alert your employees about new announcements. Bright, bold, and simple – Less is more. This intranet template ensures employees are focused on the most important information with large columns that summarize text and explain what each piece of content is about. Customize, customize, customize! – This intranet screenshot is just the tipping point. Drag-and-drop widgets on the sidebar to display company calendars, Quick Links to the employee handbook or to other spaces—it’s your intranet, your way. Download your intranet template here. 3. An event center to bring everyone together. Too many events, so little time to manage it all. Axero’s Events intranet template keeps your teams in the loop with company events by bringing together meetings, conferences, training sessions, and get-togethers all in one place. Celebrate your employees by shining a spotlight on upcoming birthdays, new hires, and company news in the sidebar. Display a community calendar, which integrates with Microsoft and Google , so you have one page for important dates. In this intranet screenshot, you’ll notice eye-catching imagery, a short summary notifying users about different events, and basic event details so everyone is informed. Benefits of this intranet template: Simple navigation – Events are displayed in list form, making it easy for users to scroll through the page and learn about upcoming events. Detailed bird’s-eye view – Event summaries and details are displayed on the page so everyone knows the important information at a glance. Build a connected culture – Everyone has one place to find out about company events—and notifications direct them to the latest posting. Download your intranet template here. 4. The employee handbook you always needed. A strong company intranet means your employees have one single source of truth for everything—and this includes your employee handbook. With our Employee Handbook intranet template, you have one place for people to access your handbook, or any detailed document, in an easy-to-navigate format. Organize each section with tabs so employees can click into specific parts of the document they’re looking for. Admins can also “check in” and “check out” content so you can always access the latest version and view older ones. You can also use your sidebar to drive culture by adding a section to highlight company values and display Recognition activity . You have the power to make your employee handbook page your own. With a crisp and simplistic design, this intranet screenshot helps people navigate detailed documents in a flash. Benefits of this intranet template: Navigate documents quickly – Categorize complicated documents into sections to make finding information easy for employees. Drive culture – Bring your people closer to company information and each other. Use your page to highlight company values and recognition activity! Easy to update – Every company goes through changes and so do critical documents. Have one trusted place for your handbook and track version updates. Download your intranet template here. 5. Connect your workforce with an About Us page. Your employees are your greatest asset. You not only want to value your people but you also want them to feel connected to each other. Because when people are connected, they’re engaged, they’re collaborative, and they’re motivated. Use this intranet template to shine a special spotlight on your entire workforce! The About Us intranet template combines numerous people resources, like high level announcements, tabs to company spaces, and a featured team section, to fuse together important information while promoting your culture. Benefits of this intranet template: Engages users – This template is designed for your entire workforce . All tabs link out to important, company-wide resources that your employees need. Always relevant – Automatically pull up-to-date and the most current news that’s relevant for everyone. Remote but social – Help your people understand who’s who by featuring team members. Download your intranet template here. 6. Create a movement and promote initiatives. Starting a new committee and want to get employees or members on board? This intranet template is the best option for new initiatives, campaigns, and driving company culture ! Focus on a single topic and centralize relevant items, like sign up forms, polls, updates, and event details. Give your mission a digital hub to spark interest and build a community. Benefits of this intranet template: Custom call to action – It’s all in the details. Have the user’s name appear on the header to add a personable touch! Action focused – You want to command action. Polls, forms, and action-focused features are front and center. Visually compelling – Highlight upcoming events to to prompt more RSVPs and attendees. Download your intranet template here. 7. File and document center. People need quick access to files and documents. This intranet template brings content from across your intranet and spaces onto a single page. Simplistic, clean, and easy to navigate, your users get a designate spot to find what they need. Categorize your content into groups, launch into other document management systems, and feature specific files on the top of your page. Benefits of this intranet template: Find most used files – Display files from specific workspaces and sort them by most viewed, which will automatically update as certain files become more relevant depending on your business’ needs. Search and discover – Unite files from numerous departments to help users find what they need when they aren’t sure where to start. Unify apps – Use the launch pad to link to external cloud storage apps. You can also further organize documents by linking to secondary pages! Download your intranet template here. With the right tools and page layouts, designing your intranet doesn’t have to be difficult. These clean and simple intranet templates are the perfect addition to your digital workplace to help connect employees to the resources, content, and colleagues they need to be productive and engaged. Have a question about the intranet screenshots or knowledge management tools that support your design goals? Contact us and reach out to our team! Written by Alex Hoey As Marketing Director, Alex leads Axero's marketing team to reach organizations with important, impactful, and helpful information that helps workplaces navigate the intranet world and get to know Axero. Related blog posts Collaboration Example of intranet: What modern digital workplaces look like (With real-world examples) by Amy Breshears December 18, 2025 Discover what a modern intranet can do. Explore real-world examples of intranet solutions that boost communication, collaboration, and culture. Read more Intranets What Is a Self-Hosted Intranet? Benefits, Features, and How It Works by Amy Breshears October 3, 2025 An intranet solution might be just the thing your company is searching for to meet your business needs. Imagine a… Read more Intranets Intranet Market Size: Trends, Growth, and the Road Ahead in the Global Intranet Software Market by Alex Hoey May 2, 2025 Even though you might not be familiar with the term Software as a Service, or SaaS, you probably already know… Read more Wanna get started? Talk to someone who works here info@axerosolutions.com 1-855-AXERO-55 401 Park Avenue South 10th Floor New York, NY 10016 +1-855-AXERO-55 Company About Axero Newsroom Careers Contact Us Why Axero? Platform Feature Tour Mobile Intranet App Security and Compliance Intranet Integrations Intranet Pricing Use Cases Employee Intranet Internal Communications Knowledge Management Team Collaboration Workplace Culture Remote Work On Premise Intranet All intranet solutions Client Experience Client Stories Intranet Services Client Support Intranet Implementation Industries Bank & Finance Education Healthcare Insurance Life Sciences Nonprofit Government Real Estate & Construction Resources What is an Intranet? How to Launch an Intranet Intranet Blog Intranet ROI Calculator Free Intranet eBooks & Guides Company intranet ideas HR Glossary Insights Compare Intranet Software Comparison Axero vs Happeo Axero vs Simpplr Axero vs SharePoint Axero vs MangoApps Axero vs Powell Axero vs Igloo © Axero Solutions Terms | Privacy | GDPR | Cookies | Security | Support | Site Map | 2026-01-13T08:49:31 |
https://www.git-tower.com/help/guides/first-steps/get-started-with-git/ | Getting Started with Git | Tower Help (Windows) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Contents Guides First Steps with Git & Tower Getting Started with Git First Steps with Git & Tower Getting Started Getting Started with Tower Getting Started with Git Tower Interface Overview A Basic Workflow Managing Repositories Overview Repositories Overview Adding Repositories Adding an Existing Repository Cloning a Remote Repository Creating a New Repository Managing Repositories Organizing Repositories Opening Repositories Repository Settings Navigating a Repository Navigation Quick Actions Managing Hosting Services Overview Hosting Services Overview Managing Services Connecting Your Accounts Cloning Repositories Creating New Repositories Using and Managing SSH Keys Organizations / Teams / Groups Working Copy Overview Working Copy Overview Working with Local Changes Inspecting Changes Staging Changes Committing Changes Undoing Changes Using the Stash Ignoring Files Solving Merge Conflicts Creating & Applying Patches User Profiles Commit History Overview Commit History Overview Inspecting Commit History Displaying Commits Commit Details Historic File Trees Searching for Commits File History Blame Working with Commits Undoing Commits Cherry-Picking Interactive Rebase Exporting Commits & Files Reflog Reflog Branches & Tags Overview Branches and Tags Overview Branch Organization Automatic Branch Management Working with Branches Creating a New Local Branch Checking Out a Branch Merging & Rebasing Solving Merge Conflicts Publishing a Branch on a Remote Tracking a Branch Pulling from a Remote Pushing to a Remote Exporting a Branch's Files Working with Tags Creating a Local Tag Publishing a Local Tag on a Remote Exporting a Tag's Files Remote Repositories Overview Remote Repositories Overview Managing Remote Repositories Connecting & Authenticating Publishing a Local Repository Sharing Work via Remotes Fetching from a Remote Pulling from a Remote Pushing to a Remote Pull Requests Pull Requests Overview Configuration Creating a Pull Request Working with Pull Requests Submodules Overview Submodules Overview Working with Submodules Adding & Cloning Submodules Fetching Remote Data Checking Out a Revision Updating a Submodule Working in a Submodule Folder Submodule Configuration Repairing Invalid Configuration Synchronizing Remote URLs Deleting a Submodule Worktrees Overview Git Worktrees Overview Working with Worktrees Adding Worktrees Switching Worktrees Moving Worktrees Repairing Worktrees Removing a Worktree Integration with Other Tools Integrating with Tools & Services CLI Tool Diff & Merge Tools Custom URL Scheme Git Workflows & Extensions Git-Flow Git LFS GPG Workflows Workflows Overview Choosing a Workflow Custom Workflow Templates Auto-Detected Workflow Custom Git-Flow GitHub Workflow GitLab Workflow Custom Workflows Overview Configuring your Custom Workflows Branches Working with Base Branches Working with Topic Branches Typical use-cases Stacked Branches Overview Working with Stacked Branches Graphite Workflow Graphite Overview Enabling Graphite Workflow in Tower Creating Stacked Branches Committing Changes to Stacked Branches Synchronizing Changes in Stacked Branches Managing Stacked Branches FAQ & Tips Frequently Asked Questions Tips & Tricks Undoing Things Keyboard Shortcuts Account & Customer Portal Overview Account Overview Your License Viewing Your License Account Management Managing Users Teams Academy / Learning Resources Plans & Billing Roles & Permissions Setting up SSO with Okta Reseller Guide Reseller Purchasing Renewals Reseller FAQ Refer a Friend program Getting Started FAQ Frequently Asked Questions Getting Started with Git For those of you that are completely new to Git (and maybe version control altogether) we've created "learn-git.com". The content is aimed at beginners of version control and covers all the basic topics. An eBook with a free online version as well as a complete video course help you get started as easily as possible. If you're coming from Subversion , we have a helpful overview for you: Switching from Subversion to Git explains the most important differences between the two systems. Tip: We strongly recommend learning at least the basics of both Git and version control. Only when understanding the basic concepts and commands will you be able to use Tower (and version control) effectively. Tower Homepage Releases Download for macOS Download for Windows Support Guides Videos Webinars Contact Us Company About Blog Press Jobs Merch Imprint / Legal Notice | Privacy Policy | Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. | 2026-01-13T08:49:31 |
https://dev.to/new?prefill=---%0Atitle%3A%20%0Apublished%3A%20%0Atags%3A%20devchallenge%2C%20wlhchallenge%2C%20community%2C%20networking%0A---%0A%0A*This%20is%20a%20submission%20for%20the%20%5BWorld%27s%20Largest%20Hackathon%20Writing%20Challenge%5D(https%3A%2F%2Fdev.to%2Fchallenges%2Fwlh)%3A%20Beyond%20the%20Code.*%0A%0A%3C!--%20You%20are%20free%20to%20structure%20your%20post%20however%20you%20want.%20You%20may%20consider%20including%20the%20following%3A%20team%20collaboration%20experiences%2C%20IRL%20events%20attended%2C%20community%20connections%20made%2C%20networking%20highlights%2C%20shout-outs%20to%20helpful%20people%2C%20etc.%20--%3E%0A%0A%3C!--%20Team%20Submissions%3A%20Please%20pick%20one%20member%20to%20publish%20the%20submission%20and%20credit%20teammates%20by%20listing%20their%20DEV%20usernames%20directly%20in%20the%20body%20of%20the%20post.%20--%3E%0A%0A%3C!--%20Don%27t%20forget%20to%20add%20a%20cover%20image%20(if%20you%20want).%20--%3E%0A%0A%3C!--%20Thanks%20for%20participating!%20--%3E%0A | New Post - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to DEV Community? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/ios-push-vendor-integration | iOS Push - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation VENDOR INTEGRATION GUIDE iOS Push Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog VENDOR INTEGRATION GUIDE iOS Push OpenAI Open in ChatGPT Guide to setup APNS iOS Push configuration in SuprSend. OpenAI Open in ChatGPT Add APNs configuration on SuprSend dashboard On the SuprSend dashboard, go to vendor page from side panel, select iOSpush and fill in below details. You’ll get all these information from Apple developer account Form Field Description Nickname You can give any name which may help you to identify this account easily Mode/Environment Use “Production” if you are adding it in your final app or testing app. Use “Development” if you are testing in your local environment Upload p8 file You’ll get .p8 key file from your apple developer account. Refer section below to see how to generate .p8 file Auth Key ID Auth key ID is a part of the filename of your .p8 file. Refer section below to see how to get Auth key ID Team ID You’ll get Team ID from your apple developer account. Refer section below to see how to get Team ID Bundle ID Bundle ID is a unique identifier of your app. SuprSend will require this key to identify your app for sending push notification. Refer section to see how to get Bundle ID Generate .p8 key file and Auth key ID 1 To generate a .p8 key file, login to your Apple developer account page To generate a .p8 key file, login to your Apple developer account page, then select Certificates, IDs & Profiles . 2 Select `Keys` Under Certificates, IDs & Profiles section, select “Keys” 3 Add a new key Click on “ + ” button next to keys to add a new key 4 Type in your key name and check the Apple Push Notification service On the new key page, type in your key name and check the Apple Push Notification service (APNs) box, then click “Continue” and “Register”. 5 Download the p8 key file Once the key is generated, download the p8 key file by clicking on “ Download ” The Auth Key filename will look like this: **AuthKeyABCD1234.p8** , the **ABCD1234** is the Key ID for this key, add this key ID in Auth key ID field on Vendor configuration page How to get team ID You can get team ID from your Apple developer account membership page How to get bundle ID You can get this ID from your app project Was this page helpful? Yes No Suggest edits Raise issue Previous Slack Guide to integrate Slack App for sending notification to user DM or channels in any workspace. Next ⌘ I x github linkedin youtube Powered by On this page Add APNs configuration on SuprSend dashboard Generate .p8 key file and Auth key ID How to get team ID How to get bundle ID | 2026-01-13T08:49:31 |
https://dev.to/nabbisen | nabbisen - 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 nabbisen Founder of Scqr Inc. (scqr.net) Apps dev and c/s monk. IT ストラテジスト. システム監査技術者. 登録セキスペ. Interested: Social relationships, cybersecurity. OpenBSD/Rust etc. Joined Joined on Jul 29, 2018 Personal website https://scqr.net/ github website twitter website Seven Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least seven years. Got it Close Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close 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 100 Thumbs Up Milestone Awarded for giving 100 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close Top 7 Awarded for having a post featured in the weekly "must-reads" list. 🙌 Got it Close Trusted Member 2022 Awarded for being a trusted member in 2022. 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 Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close 16 Week Writing Streak You are a writing star! You've written at least one post per week for 16 straight weeks. Congratulations! Got it Close 8 Week Writing Streak The streak continues! You've written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close Show all 17 badges More info about @nabbisen Skills/Languages - OpenBSD / FreeBSD / Linux flavors - Rust and Axum|Actix / PHP and Symfony - Go / Python and Django or Flask. Also, Haskell. Javascript and Solid, Inferno, Vue or Mithril Currently learning - CyberSecurity - Cryptography - Networking - Processes Automation - Machine Learning - Data Visualization - Ex Reality - Mathematics Available for - Cybersecurity Advancement / Improvement - Digital Marketing / SEO - Networking - Servers Buliding and Management - Development of Service / App Post 350 posts published Comment 167 comments written Tag 29 tags followed MariaDB 11.4 on OpenBSD 7.8: Install nabbisen nabbisen nabbisen Follow Dec 3 '25 MariaDB 11.4 on OpenBSD 7.8: Install # mariadb # database # server # install 2 reactions Comments Add Comment 4 min read Want to connect with nabbisen? Create an account to connect with nabbisen. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in OpenBSD 7.7 を 7.8 へ アップグレード nabbisen nabbisen nabbisen Follow Nov 16 '25 OpenBSD 7.7 を 7.8 へ アップグレード # openbsd # os # upgrade # migration Comments Add Comment 3 min read OpenBSD Upgrade 7.7 to 7.8 nabbisen nabbisen nabbisen Follow Nov 16 '25 OpenBSD Upgrade 7.7 to 7.8 # openbsd # os # upgrade # migration Comments Add Comment 5 min read apimock-rs features: external interfaces and ipv6 support nabbisen nabbisen nabbisen Follow Nov 9 '25 apimock-rs features: external interfaces and ipv6 support # api # microservices # webdev # rust Comments Add Comment 1 min read apimock-rs 4.4.0 is released: HTTPS is now supported nabbisen nabbisen nabbisen Follow Nov 8 '25 apimock-rs 4.4.0 is released: HTTPS is now supported # api # microservices # webdev # rust 1 reaction Comments Add Comment 1 min read おわりに - Vue フロントエンド開発入門 nabbisen nabbisen nabbisen Follow Jun 24 '25 おわりに - Vue フロントエンド開発入門 # vue # typescript # spa # webdev 3 reactions Comments 6 comments 1 min read UI/UX - 大規模な CSS への対応 nabbisen nabbisen nabbisen Follow Jun 23 '25 UI/UX - 大規模な CSS への対応 # vue # webdev # design # css Comments 1 comment 1 min read UI/UX - CSS でスタイル定義 nabbisen nabbisen nabbisen Follow Jun 23 '25 UI/UX - CSS でスタイル定義 # vue # webdev # design # css 8 reactions Comments 4 comments 1 min read apimock-rs v4.3: Dynamic response generation support nabbisen nabbisen nabbisen Follow Jun 22 '25 apimock-rs v4.3: Dynamic response generation support # api # microservices # webdev # rust 7 reactions Comments Add Comment 1 min read UI/UX - デザインの基本的な原則 nabbisen nabbisen nabbisen Follow Jun 22 '25 UI/UX - デザインの基本的な原則 # vue # webdev # design # css 4 reactions Comments Add Comment 1 min read UI/UX - ユーザー視点デザイン nabbisen nabbisen nabbisen Follow Jun 22 '25 UI/UX - ユーザー視点デザイン # vue # webdev # design # css 7 reactions Comments 2 comments 1 min read Web API を操作してみよう nabbisen nabbisen nabbisen Follow Jun 21 '25 Web API を操作してみよう # vue # typescript # spa # webdev 5 reactions Comments 2 comments 2 min read Web API とは何か nabbisen nabbisen nabbisen Follow Jun 21 '25 Web API とは何か # vue # typescript # spa # webdev 3 reactions Comments Add Comment 1 min read Vue の TypeScript 親和性 nabbisen nabbisen nabbisen Follow Jun 18 '25 Vue の TypeScript 親和性 # vue # typescript # spa # webdev 2 reactions Comments 1 comment 1 min read TypeScript で型安全 nabbisen nabbisen nabbisen Follow Jun 18 '25 TypeScript で型安全 # vue # typescript # spa # webdev 5 reactions Comments Add Comment 1 min read Vue の状態管理 nabbisen nabbisen nabbisen Follow Jun 17 '25 Vue の状態管理 # vue # typescript # spa # webdev 3 reactions Comments 1 comment 1 min read Vue で SPA - ルーティング nabbisen nabbisen nabbisen Follow Jun 17 '25 Vue で SPA - ルーティング # vue # typescript # spa # webdev 7 reactions Comments 3 comments 1 min read Vue コンポーネント間 データ受渡し: 子 -> 親 nabbisen nabbisen nabbisen Follow Jun 16 '25 Vue コンポーネント間 データ受渡し: 子 -> 親 # vue # typescript # spa # webdev 3 reactions Comments 1 comment 1 min read Vue コンポーネント データ受渡し: 親 -> 子 nabbisen nabbisen nabbisen Follow Jun 16 '25 Vue コンポーネント データ受渡し: 親 -> 子 # vue # typescript # spa # webdev 4 reactions Comments 1 comment 1 min read Vue コンポーネント 階層 nabbisen nabbisen nabbisen Follow Jun 14 '25 Vue コンポーネント 階層 # vue # typescript # spa # webdev 4 reactions Comments Add Comment 1 min read Vue ディレクティブ 基本要素 nabbisen nabbisen nabbisen Follow Jun 14 '25 Vue ディレクティブ 基本要素 # vue # typescript # spa # webdev 7 reactions Comments 3 comments 1 min read Vue 3 Composition API エッセンス nabbisen nabbisen nabbisen Follow Jun 14 '25 Vue 3 Composition API エッセンス # vue # typescript # spa # webdev 6 reactions Comments Add Comment 1 min read Vue とはどのようなものか nabbisen nabbisen nabbisen Follow Jun 14 '25 Vue とはどのようなものか # vue # typescript # spa # webdev 6 reactions Comments Add Comment 1 min read Vue 初めてのプロジェクト作成 nabbisen nabbisen nabbisen Follow Jun 14 '25 Vue 初めてのプロジェクト作成 # vue # typescript # spa # webdev 3 reactions Comments Add Comment 1 min read フロントエンドフレームワーク 共通の考え方 nabbisen nabbisen nabbisen Follow Jun 14 '25 フロントエンドフレームワーク 共通の考え方 # vue # typescript # spa # webdev 6 reactions Comments 2 comments 1 min read Web アプリ 開発環境 nabbisen nabbisen nabbisen Follow Jun 14 '25 Web アプリ 開発環境 # vue # typescript # spa # webdev 3 reactions Comments 2 comments 1 min read Web アプリ 基本構成 nabbisen nabbisen nabbisen Follow Jun 14 '25 Web アプリ 基本構成 # vue # typescript # spa # webdev 7 reactions Comments 2 comments 1 min read はじめに - Vue フロントエンド開発入門 nabbisen nabbisen nabbisen Follow Jun 14 '25 はじめに - Vue フロントエンド開発入門 # vue # typescript # spa # webdev 2 reactions Comments Add Comment 1 min read ForskScope (diff viewer) 0.22 is in AUR nabbisen nabbisen nabbisen Follow Jun 1 '25 ForskScope (diff viewer) 0.22 is in AUR # diff # rust # tauri # svelte 2 reactions Comments Add Comment 1 min read API mock (apimock-rs) v4 - API dev workflows simplified ! nabbisen nabbisen nabbisen Follow May 25 '25 API mock (apimock-rs) v4 - API dev workflows simplified ! # api # microservices # webdev # rust 10 reactions Comments 2 comments 1 min read mdka v1.5 is out - HTML to Markdown converter developed with Rust nabbisen nabbisen nabbisen Follow May 22 '25 mdka v1.5 is out - HTML to Markdown converter developed with Rust # html # markdown # converter # rust 4 reactions Comments Add Comment 1 min read PDF Tile Viewer 1.1.2 nabbisen nabbisen nabbisen Follow May 16 '25 PDF Tile Viewer 1.1.2 # gui # rust # tauri # svelte 4 reactions Comments Add Comment 1 min read PostgreSQL on OpenBSD: Upgrade 16 to 17 with pg_upgrade nabbisen nabbisen nabbisen Follow Apr 27 '25 PostgreSQL on OpenBSD: Upgrade 16 to 17 with pg_upgrade # postgres # database # migration # upgrade 3 reactions Comments Add Comment 6 min read OpenBSD 7.6 を 7.7 へ アップグレード nabbisen nabbisen nabbisen Follow Apr 27 '25 OpenBSD 7.6 を 7.7 へ アップグレード # openbsd # os # upgrade # migration 2 reactions Comments Add Comment 3 min read OpenBSD Upgrade 7.6 to 7.7 nabbisen nabbisen nabbisen Follow Apr 27 '25 OpenBSD Upgrade 7.6 to 7.7 # openbsd # os # upgrade # migration 3 reactions Comments Add Comment 5 min read Quick Diff ME 1.1: Excel 比較 ツール nabbisen nabbisen nabbisen Follow Mar 20 '25 Quick Diff ME 1.1: Excel 比較 ツール # excel # comparison # rust # product 5 reactions Comments Add Comment 1 min read Quick Diff ME 1.1: MS Excel files comparison tool nabbisen nabbisen nabbisen Follow Mar 9 '25 Quick Diff ME 1.1: MS Excel files comparison tool # excel # comparison # rust # product 4 reactions Comments Add Comment 1 min read Lexical 0.24 with Vanilla JS: 始め方 nabbisen nabbisen nabbisen Follow Feb 24 '25 Lexical 0.24 with Vanilla JS: 始め方 # lexical # javascript # editor # bunjs 5 reactions Comments Add Comment 2 min read Svelte 5 on Bun 1.2: 始め方 nabbisen nabbisen nabbisen Follow Feb 12 '25 Svelte 5 on Bun 1.2: 始め方 # svelte # bunjs # javascript # typescript 4 reactions Comments Add Comment 2 min read Lexical 0.24 with Vanilla JS: Getting started nabbisen nabbisen nabbisen Follow Feb 9 '25 Lexical 0.24 with Vanilla JS: Getting started # lexical # javascript # editor # bunjs 6 reactions Comments Add Comment 3 min read Svelte 5 on Bun 1.2: Getting started nabbisen nabbisen nabbisen Follow Feb 8 '25 Svelte 5 on Bun 1.2: Getting started # svelte # bunjs # javascript # typescript 7 reactions Comments Add Comment 3 min read Loco 0.14 on Cathyos: 始め方 nabbisen nabbisen nabbisen Follow Jan 10 '25 Loco 0.14 on Cathyos: 始め方 # rust # loco # web # api 4 reactions Comments Add Comment 4 min read Loco 0.14 on Cathyos: Getting started nabbisen nabbisen nabbisen Follow Jan 10 '25 Loco 0.14 on Cathyos: Getting started # rust # loco # web # api 5 reactions Comments 1 comment 5 min read OpenBSD 7.5 を 7.6 へ アップグレード nabbisen nabbisen nabbisen Follow Jan 3 '25 OpenBSD 7.5 を 7.6 へ アップグレード # openbsd # os # upgrade # migration 4 reactions Comments Add Comment 3 min read OpenBSD Upgrade 7.5 to 7.6 nabbisen nabbisen nabbisen Follow Jan 3 '25 OpenBSD Upgrade 7.5 to 7.6 # openbsd # os # upgrade # migration 5 reactions Comments 2 comments 5 min read OpenBSD 7.4 を 7.5 へ アップグレード nabbisen nabbisen nabbisen Follow Aug 19 '24 OpenBSD 7.4 を 7.5 へ アップグレード # openbsd # os # upgrade # migration 3 reactions Comments Add Comment 3 min read PostgreSQL on OpenBSD: Upgrade 15 to 16 with pg_upgrade nabbisen nabbisen nabbisen Follow Aug 11 '24 PostgreSQL on OpenBSD: Upgrade 15 to 16 with pg_upgrade # postgres # database # migration # upgrade 3 reactions Comments Add Comment 6 min read OpenBSD Upgrade 7.4 to 7.5 nabbisen nabbisen nabbisen Follow Aug 10 '24 OpenBSD Upgrade 7.4 to 7.5 # openbsd # os # upgrade # migration 4 reactions Comments Add Comment 5 min read hyper (Rust) upgrade to v1: Higher-level Server / Client were removed nabbisen nabbisen nabbisen Follow May 28 '24 hyper (Rust) upgrade to v1: Higher-level Server / Client were removed # rust # hyper # api # microservices 3 reactions Comments Add Comment 3 min read hyper (Rust) upgrade to v1: Body became Trait nabbisen nabbisen nabbisen Follow May 21 '24 hyper (Rust) upgrade to v1: Body became Trait # rust # hyper # api # microservices 5 reactions Comments Add Comment 3 min read OpenBSD 7.3 を 7.4 へ アップグレード nabbisen nabbisen nabbisen Follow May 7 '24 OpenBSD 7.3 を 7.4 へ アップグレード # openbsd # os # upgrade # migration 2 reactions Comments Add Comment 4 min read OpenBSD Upgrade 7.3 to 7.4 nabbisen nabbisen nabbisen Follow Feb 17 '24 OpenBSD Upgrade 7.3 to 7.4 # openbsd # os # upgrade # migration 3 reactions Comments Add Comment 5 min read apimock-rs (former json-responder) 1.1: dynamic path resolution nabbisen nabbisen nabbisen Follow Feb 12 '24 apimock-rs (former json-responder) 1.1: dynamic path resolution # jsonresponder # rust # api # hyper 4 reactions Comments 1 comment 1 min read API mock (former JSON Responder) first stable release nabbisen nabbisen nabbisen Follow Jan 26 '24 API mock (former JSON Responder) first stable release # rust # hyper # jsonresponder # release 4 reactions Comments 2 comments 1 min read I pre-released my project "apimock-rs" (former json-responder) written in Rust nabbisen nabbisen nabbisen Follow Jan 21 '24 I pre-released my project "apimock-rs" (former json-responder) written in Rust # rust # json # webdev # api 11 reactions Comments 1 comment 1 min read mdka: Rust crate to convert HTML to Markdown nabbisen nabbisen nabbisen Follow Jan 6 '24 mdka: Rust crate to convert HTML to Markdown # rust # mdka # markdown # html 13 reactions Comments Add Comment 1 min read Quarkus 3.4 - Container-first Java Stack: Install with OpenJDK 21 and Create REST API nabbisen nabbisen nabbisen Follow Oct 16 '23 Quarkus 3.4 - Container-first Java Stack: Install with OpenJDK 21 and Create REST API # quarkus # microservices # kubernetes # java 6 reactions Comments Add Comment 5 min read Maven on Java 21 & Devuan 5 (Debian 12): インストール (手動で) nabbisen nabbisen nabbisen Follow Oct 15 '23 Maven on Java 21 & Devuan 5 (Debian 12): インストール (手動で) # maven # java # openjdk # devuan 2 reactions Comments Add Comment 2 min read Java 21 on Devuan 5 (Debian 12): インストール (手動で) nabbisen nabbisen nabbisen Follow Oct 15 '23 Java 21 on Devuan 5 (Debian 12): インストール (手動で) # java # openjdk # devuan # debian 2 reactions Comments Add Comment 2 min read Maven on Java 21 and Devuan 5 (Debian 12): Install manually nabbisen nabbisen nabbisen Follow Oct 15 '23 Maven on Java 21 and Devuan 5 (Debian 12): Install manually # maven # java # openjdk # devuan 3 reactions Comments Add Comment 3 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:31 |
https://brightdata.com/ | Bright Data - All in One Platform for Proxies and Web Scraping Accessibility Menu skip to content en 한국어 English Español Deutsch Français 日本語 Português 简体中文 Start Free Trial User Dashboard Products Web Access APIs Unlocker API Say goodbye to blocks and CAPTCHAs Crawl API Turn entire websites into AI-friendly data SERP API Get multi-engine search results on-demand Google Bing Duckduckgo Yandex Browser API Spin up remote browsers, stealth included Data Feeds Scrapers APIs Fetch real-time data from 100+ websites LinkedIn eComm Social media ChatGPT Scraper Studio Turn any website into a data pipeline Datasets Pre-collected data from 100+ domains LinkedIn eComm Social media Real estate Web Archive Filter +50PB of historical data, growing daily Data And Insights Retail Intelligence Unlock real-time eCommerce insights & AI-powered recommendations Managed Data Acquisition Tailored enterprise-grade data acquisition Deep Lookup Beta Run complex queries on web-scale data Proxy Services Residential Proxies 50% OFF 150M+ global IPs from real-peer devices ISP Proxies 1.3M+ blazing fast static residential proxies Datacenter Proxies 1.3M+ high-speed proxies for data extraction Mobile Proxies 7M Mobile IPs for targeted mobile collection Data for AI Data for AI Powerful web data infrastructure
for AI models, apps & agents Learn More solutions Video & Media Data Extract endless video, images and more Data Packages Get LLM-ready datasets for every industry Search & Extract Enable AI apps to search and crawl the web Agent Browser Let agents browse websites and take action Bright Data MCP Free All-in-one toolkit to unlock the web resources resources Startup Program New Data for AI Report 2025 AI for Good Integrations LangChain LlamaIndex Agno Dify n8n See all Pricing Web Access APIs Unlocker API Starts from $1/1k req Crawl API Starts from $1/1k req SERP API Starts from $1/1k req Browser API Starts from $5/GB Data Feeds Scrapers APIs 25% OFF Starts from $1.00 $0.75/1k rec Scraper Studio Starts from $1/1k req Datasets Starts from $250/100K rec Web Archive Starts from $0.2/1K HTMLs Data And Insights Retail Insights Starts from $250/mo Managed Data Acquisition Starts from $1500/mo Proxy Infrastructure Residential 50% OFF Starts from $5.00 $2.50/GB Datacenter Starts from $0.9/IP ISP Starts from $1.3/IP Mobile Starts from $5/GB Resources Tools Integrations Browser Extension Network Status Learning Hub Blog Case Studies Webinars Proxy Locations Masterclass Videos Company Partner Program Trust Center Bright SDK Bright Initiative Docs Log in User Dashboard Contact sales Start Free Trial Account Change password Sign out Web MCP launch week - see what's new The web's data, unlocked Discover, access, extract, and interact with any public website. Get structured, reliable, real-time or historical data at petabyte-scale. Ready for any model, pipeline, or workflow. Get started for free Talk to a data expert No credit card required Instant scraper APIs Unstoppable browsing infrastructure AI-ready BI-ready datasets 150M+ proxy IPs from 195 countries Introducing the Web MCP - now free! Limitless web data infrastructure for AI & BI Discover, access, extract, and interact with any public website. Get structured, reliable, real-time or historical data at petabyte-scale. Ready for any model, pipeline, or workflow. Instant scraper APIs Unstoppable browsing infrastructure AI-ready BI-ready datasets 150M+ proxy IPs from 195 countries Trusted by 20,000+ customers worldwide PLATFORM From DIY scraping to hands-off data delivery Dataset Marketplace High-quality datasets from popular domains Scraper APIs Pre-built or custom-made scraping endpoints Web Archive Ever-growing, petabyte scale web archive AI Scraper Studio Turn any website into a data pipeline Data Feeds Easily access structured, high-quality web data on demand.
Real-time, pre-collected or historical – tailored to your needs. 5B+ records regularly refreshed; 120+ domains Automated data quality validation checks Seamless API and webhook integration Minimize engineering effort required Get started Unlocker API Say goodbye to blocks and CAPTCHAs SERP API Get multi-engine search results on-demand Browser API Spin up remote browsers, stealth included Crawl API Turn entire websites into AI-friendly data Web Access APIs Build and scale advanced scraping operations effortlessly. Search, crawl and navigate reliably – without being blocked. Automatically avoid anti-bot measures and CAPTCHAs Advanced JS rendering and remote browsers High performance with near-zero downtime Minimize setup and maintenance required Get started Residential 150M+ diverse IPs from real user devices Datacenter High-speed IPs for large-scale extraction ISP 1,300,000+ fast, stable residential-grade IPs Mobile 7M+ mobile IPs for precise, targeted collection Proxy Infrastructure Leverage the world’s largest proxy network for reliable web data extraction at scale. 100% ethically-sourced and compliant. Full control, visibility and enterprise-grade security Integrated Proxy Manager and Management APIs Optimized routing for speed and reliability 99.99% uptime and 99.95% success rate Get started Popular use cases AI-ready data for every industry Data for AI Train and fine-tune models, power agents web access, enhance RAG, and fuel industry-specific AI solutions. eCommerce Access competitors’ prices, products and review data at scale. Marketing Master the art of social media marketing with web data. Travel Access competitor pricing, hotel availability and flight schedules. Market research Deeply understand your target audience. SERP tracking Maximize your SEO impact with real-time SERP ranking data. Financial Services Gain a competitive edge using high-quality reliable datasets. Data Security Fight fraud, mitigate risk, & achieve real-time visibility. Real Estate Predict how prices will move, anticipate market trends. Ad Tech Protect your brand, verify ads, & conduct real-time ad intelligence. Brand Protection Power your brand protection and anti-piracy efforts. Integrations Universal compatibility with all AI/ML workflows and data infrastructure AI Agents, ML/AI, Datasets, SERP API How I Built a Web Scraping AI Agent MCP Server My AI Sales Bot Made $596 Overnight | MCP Build MCP Server How I Scrape Any Site Using This MCP Server + Claude, LangGraph & AI Agents MCP Server Model Context Protocol (MCP): Web Search Agent using Google ADK and Bright Data MCP MCP Server AI Agents Are Getting Blocked? – Use Bright Data’s MCP Server MCP Server Scrape ANY Website In Realtime With This Powerful AI MCP Server! | Bright Data MCP ML/AI, Web Data, AI Agents OpenAI’s Operator Hitting Walls? Here’s the Key to Full Web Access Web Data, Datasets How to manage HUGE datasets – 3 tips to get stated ML/AI, Datasets, Real Estate How to Create Custom Datasets To Train LLMs using Bright Data! Web Data, Scraping Browser, Market Research I Turned Tinder Into A Pet Adoption App Web Data, Ecommerce, Scraping Browser 3 Million Dollar Project Ideas for Developers Python, Code, Web Scraping What’s the best Python Web Scraping library in 2024? Discover more Powered by an award-winning
proxy network Over 150M+ residential proxy IPs , best-in-class technology and the ability to target any country, city, carrier & ASN make our premium proxy services a top choice for developers. Proxy services All proxy locations Customer spotlight of the month How Yutori Powers AI Agents with Bright Data Bright Data’s browser infrastructure helps scale our AI agents for complex tasks. It lets us focus on delivering real value to our customers instead of wrestling with browser infrastructure. Devi Parikh Yutori, Co-Founder More customer stories SUPPORT We’ll support you every step of the way Talk to a web data expert to get the most out of your data Rated #1 by customers on G2 Under 10 minutes average response time 24/7 support anytime, anywhere COMPLIANCE Leading the way in ethical web data collection We have set the gold standard for ethical and compliant web data practices. Our peer network is built on trust, with every member personally opting in and the guarantee of zero personal data collection. We champion the collection of only publicly available data, backed by an industry-leading Know Your Customer process and a transparent Acceptable Use Policy. Our global, multilingual Compliance & Ethics team, the first of its kind, ensures we stay ahead of regulatory changes and best practices. Unwavering commitment to security and privacy Collaborations with security giants like VirusTotal, Avast, and AVG Monitoring of 30+ billion domains, blocking unapproved content and ensuring domain health Adherence to GDPR, CCPA, and SEC regulations, with a dedicated Privacy Center for user empowerment Proactive abuse prevention through global partnerships and multiple reporting channels A pro bono program using web data and data expertise to drive change across the world 700+ Partner Organizations 300+ Academic Institutions 180+ Nonprofit Organizations 135+ NGOs 25+ Public Sector Bodies Learn more Ready to get started? Get started for free Talk to a data expert No credit card required Products Unlocker API SERP API Browser API Crawl API Web Scraper APIs Scraper Studio Datasets Marketplace Web Archive Bright Insights Managed Data Acquisition Deep Lookup Top Scraper APIs LinkedIn Scraper eCommerce Scraper Social Media Scraper Proxy Services Residential Proxies Mobile Proxies ISP Proxies Datacenter Proxies Rotating Proxies Proxy Servers Proxy IP Locations Proxy Solutions Top Datasets LinkedIn Datasets eCommerce Datasets Social Media Datasets Programs Impact Report 2024 Affiliate Program Referral Program Partners SDK Security Vulnerabilities Legal Patents Privacy Policy Modern Slavery Statement Don’t Sell My Personal Info Service Agreement Learning Center Web Data Masterclass ScrapeCon Common Proxy Questions FAQ Webinars Data for Journalists Data for AI Report Company About Blog Use Cases Support Services Bright Data for Enterprise Customer Stories Trust Center Careers Contact Media Center Network Status Bright VPN Bright Initiative Start Free Trial Follow Us Contact Us Bright Data Ltd. (Headquarters), 4 Hamahshev St., Netanya 4250714, Israel (POB 8025). Bright Data, Inc., 500 7th Ave, 9th Floor Office 9A1234, New York, NY 10018, United States. IPPN Group Ltd. Cloud partnerships AWS Databricks Snowflake Customer excellence partnerships Capterra GetApp Software Advice Top Data Provider Partnerships WIPO Alert BDV MRS Gartner SOC ISO certified GDPR ready Tag Accessibility Menu © Copyright 2026 Bright Data Ltd. | All rights reserved | 2026-01-13T08:49:31 |
https://thepythoncodingstack.substack.com/p/python-function-parameters-arguments-args-kwargs-optional-positional-keyword | "AI Coffee" Grand Opening This Monday • A Story About Parameters and Arguments in Python Functions Subscribe Sign in A Story About Parameters and Arguments in Python Functions • "AI Coffee" Grand Opening This Monday Parameters and arguments • Positional and keyword arguments • Parameters with default values • *args and **kwargs • Positional-only and keyword-only arguments • Let's discuss all of this over coffee Stephen Gruppetta May 07, 2025 9 5 2 Share Alex had one last look around. You could almost see a faint smile emerge from the deep sigh—part exhaustion and part satisfaction. He was as ready as he could be. His new shop was as ready as it could be. There was nothing left to set up. He locked up and headed home. The grand opening was only seven hours away, and he'd better get some sleep. Grand Opening sounds grand—too grand. Alex had regretted putting it on the sign outside the shop's window the previous week. This wasn't a vanity project. He didn't send out invitations to friends, journalists, or local politicians. He didn't hire musicians or waiters to serve customers. Grand Opening simply meant opening for the first time. Alex didn't really know what to expect on the first day. Or maybe he did—he wasn't expecting too many customers. Another coffee shop on the high street? He may need some time to build a loyal client base. • • • He had arrived early on Monday. He'd been checking the lights, the machines, the labels, the chairs, the fridge. And then checking them all again. He glanced at the clock—ten minutes until opening time. But he saw two people standing outside. Surely they were just having a chat, only standing there by chance. He looked again. They weren't chatting. They were waiting. Waiting for his coffee shop to open? Surely not? But rather than check for the sixth time that the labels on the juice bottles were facing outwards, he decided to open the door a bit early. And those people outside walked in. They were AI Coffee 's first customers. Today's article is an overview of the parameters and arguments in Python's functions. It takes you through some of the key principles and discusses the various types of parameters you can define and arguments you can pass to a Python function. There are five numbered sections interspersed within the story in today's article: Parameters and Arguments Positional and Keyword Arguments Args and Kwargs Optional Arguments with Default Values Positional-Only and Keyword-Only Arguments Espressix ProtoSip v0.1 (AlphaBrew v0.1.3.7) Introducing the Espressix ProtoSip, a revolutionary coffee-making machine designed to elevate the art of brewing for modern coffee shops. With its sleek, futuristic design and cutting-edge technology, this prototype blends precision engineering with intuitive controls to craft barista-quality espresso, cappuccino, and more. Tailored for innovators, the Espressix delivers unparalleled flavour extraction and consistency, setting a new standard for coffee excellence while hinting at the bold future of café culture. Alex had taken a gamble with the choice of coffee machine for his shop. His cousin set up a startup some time earlier that developed an innovative coffee machine for restaurants and coffee shops. The company had just released its first prototype, and they offered Alex one at a significantly reduced cost since it was still a work in progress —and he was the founder's cousin! The paragraph you read above is the spiel the startup has on its website and on the front cover of the slim booklet that came with the machine. There was little else in the booklet. But an engineer from the startup company had spent some time explaining to Alex how to use the machine. The Espressix didn't have a user interface yet—it was still a rather basic prototype. Alex connected the machine to a laptop. He was fine calling functions from the AlphaBrew Python API directly from a terminal window—AlphaBrew is the software that came with the Espressix. What the Espressix did have, despite being an early prototype, is a sleek and futuristic look. One of the startup's cofounders was a product design graduate, so she went all out with style and looks. 1. Parameters and Arguments "You're AI Coffee 's first ever customer", Alex told the first person to walk in. "What can I get you?" "Wow! I'm honoured. Could I have a strong Cappuccino, please, but with a bit less milk?" "Sure", and Alex tapped at his laptop: All code blocks are available in text format at the end of this article • #1 • The code images used in this article are created using Snappify . [Affiliate link] And the Espressix started whizzing. A few seconds later, the perfect brew poured into a cup. Here's the signature for the brew_coffee() function Alex used: #2 Alex was a programmer before deciding to open a coffee shop. He was comfortable with this rudimentary API to use the machine, even though it wasn't ideal. But then, he wasn't paying much to lease the machine, so he couldn't complain! The coffee_type parameter accepts a string, which must match one of the available coffee types. Alex is already planning to replace this with enums to prevent typos, but that's not a priority for now. The strength parameter accepts integers between 1 and 5 . And milk also accepts integers up to 5 , but the range starts from 0 to cater for coffees with no milk. Terminology can be confusing, and functions come with plenty of terms. Parameter and argument are terms that many confuse. And it doesn't matter too much if you use one instead of the other. But, if you prefer to be precise, then: Use parameter for the name you choose to refer to values you pass into a function. The parameter is the name you place within parentheses when you define a function. This is the variable name you use within the function definition. The parameters in the above example are coffee_type , strength , and milk_amount . Use argument for the object you pass to the function when you call it. An argument is the value you pass to a function. In the example above, the arguments are "Cappuccino" , 4 , and 2 . When you call a function, you pass arguments. These arguments are assigned to the parameter names within the function. To confuse matters further, some people use formal parameters to refer to parameters and actual parameters to refer to arguments . But the terms parameters and arguments as described in the bullet points above are more common in Python, and they're the ones I use here and in all my writing. Alex's first day went better than he thought it would. He had a steady stream of customers throughout the day. And they all seemed to like the coffee. But let's see what happened on Alex's second day! 2. Positional and Keyword Arguments Chloezz @chloesipslife • 7m Just visited the new AI Coffee shop on my high street, and OMG, it’s like stepping into the future! The coffee machine is a total sci-fi vibe—sleek, futuristic, and honestly, I have no clue how it works, but it’s powered by AI and makes a mean latte! The coffee? Absolutely delish. If this is what AI can do for my morning brew, I’m here for it! Who’s tried it? #AICoffee #CoffeeLovers #TechMeetsTaste — from social media Alex hadn't been on social media after closing the coffee shop on the first day. Even if he had, he probably wouldn't have seen Chloezz's post. He didn't know who she was. But whoever she is, she has a massive following. Alex was still unaware his coffee shop had been in the spotlight when he opened up on Tuesday. There was a queue outside. By mid-morning, he was no longer coping. Tables needed cleaning, fridge shelves needed replenishing, but there had been no gaps in the queue of customers waiting to be served. And then Alex's sister popped in to have a look. "Great timing. Here, I'll show you how this works." Alex didn't hesitate. His sister didn't have a choice. She was now serving coffees while Alex dealt with everything else. • • • But a few minutes later, she had a problem. A take-away customer came back in to complain about his coffee. He had asked for a strong Americano with a dash of milk. Instead, he got what seemed like the weakest latte in the world. Alex's sister had typed the following code to serve this customer: #3 But the function's signature is: #4 I dropped the type hints, and I won't use them further in this article to focus on other characteristics of the function signature. Let's write a demo version of this function to identify what went wrong: #5 The first argument, "Americano" , is assigned to the first parameter, coffee_type . So far, so good… But the second argument, 1 , is assigned to strength , which is the second parameter. Python can only determine which argument is assigned to which parameter based on the position of the argument in the function call. Python is a great programming language, but it still can't read the user's mind! And then, the final argument, 4 , is assigned to the final parameter, milk_amount . Alex's sister had swapped the two integers. An easy mistake to make. Instead of a strong coffee with a little milk, she had input the call for a cup of hot milk with just a touch of coffee. Oops! Here's the output from our demo code to confirm this error: Coffee type: Americano Strength: 1 Milk Amount: 4 Alex apologised to the customer, and he made him a new coffee. "You can do this instead to make sure you get the numbers right," he showed his sister as he prepared the customer's replacement drink: #6 Note how the second and third arguments now also include the names of the parameters. "This way, it doesn't matter what order you input the numbers since you're naming them", he explained. Here's the output now: Coffee type: Americano Strength: 4 Milk Amount: 1 Even though the integer 1 is still passed as the second of the three arguments, Python now knows it needs to assign this value to milk_amount since the parameter is named in the function call. When you call a function such as brew_coffee() , you have the choice to use either positional arguments or keyword arguments . Arguments are positional when you pass the values directly without using the parameter names, as you do in the following call: brew_coffee("Americano", 1, 4) You don't use the parameter names. You only include the values within the parentheses. These arguments are assigned to parameter names depending on their order. Keyword arguments are the arguments you pass using the parameter names, such as the following call: brew_coffee(coffee_type="Americano", milk_amount=1, strength=4) In this example, all three arguments are keyword arguments. You pass each argument matched to its corresponding parameter name. The order in which you pass keyword arguments no longer matters. Keyword arguments can also be called named arguments . Positional and keyword arguments: Mixing and matching But look again at the code Alex used when preparing the customer's replacement drink: #7 The first argument doesn't have the parameter name. The first argument is a positional argument and, therefore, it's assigned to the first parameter, coffee_type . However, the remaining arguments are keyword arguments. The order of the second and third arguments no longer matters. Therefore, you can mix and match positional and keyword arguments. But there are some rules! Try the following call: #8 You try to pass the first and third arguments as positional and the second as a keyword argument, but… File "...", line 8 brew_coffee("Americano", milk_amount=1, 4) ^ SyntaxError: positional argument follows keyword argument Any keyword arguments must come after all the positional arguments. Once you include a keyword argument, all the remaining arguments must also be passed as keyword arguments. And this rule makes sense. Python can figure out which argument goes to which parameter if they're in order. But the moment you include a keyword argument, Python can no longer assume the order of arguments. To avoid ambiguity—we don't like ambiguity in programming—Python doesn't allow any more positional arguments once you include a keyword argument. 3. Args and Kwargs Last week, AI Coffee , a futuristic new coffee shop, opened its doors on High Street, drawing crowds with its sleek, Star Trek-esque coffee machine. This reporter visited to sample the buzzworthy brews and was wowed by the rich, perfectly crafted cappuccino, churned out by the shop’s mysterious AI-powered machine. Eager to learn more about the technology behind the magic, I tried to chat with the owner, but the bustling shop kept him too busy for a moment to spare. While the AI’s secrets remain under wraps for now, AI Coffee is already a local hit, blending cutting-edge tech with top-notch coffee. — from The Herald, a local paper Alex had started to catch up with the hype around his coffee shop—social media frenzy, articles in local newspapers, and lots of word-of-mouth. He wasn't complaining, but he was perplexed at why his humble coffee shop had gained so much attention and popularity within its first few days. Sure, his coffee was great, but was it so much better than others? And his prices weren't the highest on the high street, but they weren't too cheap, either. However, with the increased popularity, Alex also started getting increasingly complex coffee requests. Vanilla syrup, cinnamon powder, caramel drizzle, and lots more. Luckily, the Espressix ProtoSip was designed with the demanding urban coffee aficionado in mind. Args Alex made some tweaks to his brew_coffee() function: #9 There's a new parameter in brew_coffee() . This is the *args parameter, which has a leading * in front of the parameter name. This function can now accept any number of positional arguments following the first three. We'll explore what the variable name args refers to shortly. But first, let's test this new function: #10 You call the function with five arguments. And here's the output from this function call: Coffee type: Latte Strength: 3 Milk Amount: 2 Add-ons: cinnamon, hazelnut syrup The first argument, "Latte" , is assigned to the first parameter, coffee_type . The second argument, 3 , is assigned to the second parameter, strength . The third argument, 2 , is assigned to the third parameter, milk_amount . The remaining two arguments, "cinnamon" and "hazelnut syrup" , are assigned to args , which is a tuple. You can confirm that args is a tuple with a small addition to the function: #11 The first two lines of the output from this code are shown below: args=('cinnamon', 'hazelnut syrup') <class 'tuple'> The parameter name args is a tuple containing the remaining positional arguments in the function call once the function deals with the first three. There's nothing special about the name args What gives *args its features? It's not the name args . Instead, it's the leading asterisk, * , that makes this parameter one that can accept any number of positional arguments. The parameter name args is often used in this case, but you can also use a name that's more descriptive to make your code more readable: #12 Alex uses the name add_ons instead of args . This parameter name still has the leading * in the function signature. Colloquially, many Python programmers will still call a parameter with a leading * the args parameter, even though the parameter name is different. Therefore, you can now call this function with three or more arguments. You can add as many arguments as you wish after the third one, including none at all: #13 The output confirms that add_ons is now an empty tuple: add_ons=() <class 'tuple'> Coffee type: Latte Strength: 3 Milk Amount: 2 Add-ons: This coffee doesn't have any add-ons. We have a problem However, Alex's sister, who was now working in the coffee shop full time, could no longer use her preferred way of calling the brew_coffee() function: #14 This raises an error: File "...", line 9 brew_coffee("Latte", strength=3, milk_amount=2, "vanilla syrup") ^ SyntaxError: positional argument follows keyword argument This is a problem you've seen already. Positional arguments must come before keyword arguments in a function call. And *add_ons in the function signature indicates that Python will collect all remaining positional arguments from this point in the parameter list. Therefore, none of the parameters defined before *add_ons can be assigned a keyword argument if you also include args as arguments. They must all be assigned positional arguments. All arguments preceding the args arguments in a function call must be positional arguments. Alex refactored the code: #15 The *add_ons parameter is now right after coffee_type . The remaining parameters, strength and milk_amount , come next. Unfortunately, this affects how Alex and his growing team can use brew_coffee() in other situations, too. The strength and milk_amount arguments must now come after any add-ons, and they must be used as keyword arguments. See what happens if you try to pass positional arguments for strength and milk_amount : #16 This raises an error: Traceback (most recent call last): File "...", line 9, in <module> brew_coffee("Latte", "vanilla syrup", 3, 2) ~~~~~~~~~~~^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ TypeError: brew_coffee() missing 2 required keyword-only arguments: 'strength' and 'milk_amount' The args parameter, which is *add_ons in this example, marks the end of the positional arguments in a function. Therefore, strength and milk_amount must be assigned arguments using keywords. Alex instructed his team on these two changes: Any add-ons must go after the coffee type. They must use keyword arguments for strength and milk_amount . It's a bit annoying that they have to change how to call the function but they're all still learning and Alex feels this is a safer option. Kwargs But Alex's customers also had other requests. Some wanted their coffee extra hot, others needed oat milk, and others wanted their small coffee served in a large cup. Alex included this in brew_coffee() by adding another parameter: #17 The new parameter Alex added at the end of the signature, **kwargs , has two leading asterisks, ** . This parameter indicates that the function can accept any number of optional keyword arguments after all the other arguments. Whereas *args creates a tuple called args within the function, the double asterisk in **kwargs creates a dictionary called kwargs . The best way to see this is to call this function with additional keyword arguments: #18 The final two arguments use the keywords milk_type and temperature . These are not parameters in the function definition. Let's explore these six arguments: The first argument, "Latte" , is the required argument assigned to coffee_type . The second argument, "vanilla syrup" , is also a positional argument. Therefore, Python assigns this to add_ons . There's only one additional positional argument in this call but, in general, you can have more. Next, you have the two required keyword arguments, strength=3 and milk_amount=2 . But there are also two more keyword arguments, milk_type="oat" and temperature="extra hot" . These are the additional optional keyword arguments, and they're assigned to the dictionary kwargs . Here is the first part of the output from this call: kwargs={ 'milk_type': 'oat', 'temperature': 'extra hot' } <class 'dict'> This confirms that kwargs is a dictionary. The keywords are the keys, and the argument values are the dictionary values. The rest of the output shows the additional special instructions in the printout: Coffee type: Latte Strength: 3 Milk Amount: 2 Add-ons: vanilla syrup Instructions: milk type: oat temperature: extra hot There's nothing special about the name kwargs You've seen this when we talked about args . There's nothing special about the parameter name kwargs . It's the leading double asterisk that does the trick. So, you can use any descriptive name you wish in your code: #19 Warning: the following paragraph is dense with terminology! So, in its current form, this function needs a required argument assigned to coffee_type and two required keyword arguments assigned to strength and milk_amount . And you can also have any number of optional positional arguments, which you add after the first positional argument but before the required keyword arguments. These are the add-ons a customer wants in their coffee. But you can also add any number of keyword arguments at the end of the function call. These are the special instructions from the customer. Both args and kwargs are optional. So, you can still call the function with only the required arguments: #20 The output shows that this gives a strong espresso with no milk, no add-ons, and no special instructions: instructions={} <class 'dict'> Coffee type: Espresso Strength: 4 Milk Amount: 0 Add-ons: Instructions: Note that in this case, since there are no args , you can also pass the first argument as a keyword argument: #21 But this is only possible when there are no add-ons—no args . We'll revisit this case in a later section of this article. A quick recap before we move on. Args and kwargs are informal terms used for parameters with a leading single and double asterisk. The term args refers to a parameter with a leading asterisk in the function's signature, such as *args . This parameter indicates that the function can accept any number of optional positional arguments following any required positional arguments. The term args stands for arguments , but you've already figured that out! And kwargs refers to a parameter with two leading asterisks, such as **kwargs , which indicates that the function can accept any number of optional keyword arguments following any required keyword arguments. The 'kw' in kwargs stands for keyword . Coffee features often when talking about programming. Here's another coffee-themed article, also about functions: What Can A Coffee Machine Teach You About Python's Functions? 4. Optional Arguments with Default Values Alex's team grew rapidly. The coffee shop now had many regular customers and a constant stream of coffee lovers throughout the day. Debra, one of the staff members, had some ideas to share in a team meeting: "Alex, many customers don't care about the coffee strength. They just want a normal coffee. I usually type in 3 for the strength argument for these customers. But it's time-consuming to have to write strength=3 for all of them, especially when it's busy." "We can easily fix that", Alex was quick to respond: #22 The parameter strength now has a default value. This makes the argument corresponding to strength an optional argument since it has a default value of 3 . The default value is used by the function only if you don't pass the corresponding argument. Alex's staff can now leave this argument out if they want to brew a "normal strength" coffee: #23 This gives a medium strength espresso with no add-ons or special instructions: Coffee type: Espresso Strength: 3 Milk Amount: 0 Add-ons: Instructions: The output confirms that the coffee strength has a value of 3 , which is the default value. And here's a coffee with some add-ons that also uses the default coffee strength: #24 Here's the output confirming this normal-strength caramel-drizzle latte: Coffee type: Latte Strength: 3 Milk Amount: 2 Add-ons: caramel drizzle Instructions: Ambiguity, again Let's look at the function's signature again: #25 The coffee_type parameter can accept a positional argument. Then, *add_ons collects all remaining positional arguments, if there are any, that the user passes when calling the function. Any argument after this must be a keyword argument. Therefore, when calling the function, there's no ambiguity whether strength , which is optional, is included or not, since all the arguments after the add-ons are named. Why am I mentioning this? Consider a version of this function that doesn't have the args parameter *add_ons : #26 I commented out the lines with *add_ons to highlight they've been removed temporarily in this function version. When you run this code, Python raises an error. Note that the error is raised in the function definition before the function call itself: File "...", line 5 milk_amount, ^^^^^^^^^^^ SyntaxError: parameter without a default follows parameter with a default Python doesn't allow this function signature since this format introduces ambiguity. To see this ambiguity, let's use a positional argument for the amount of milk, since this would now be possible as *add_ons is no longer there. Recall that in the main version of the function with the parameter *add_ons , all the arguments that follow the args must be named: #27 As mentioned above, note that the error is raised by the function definition and not the function call. I'm showing these calls to help with the discussion. Is the value 0 meant for strength , or is your intention to use the default value for strength and assign the value 0 to milk_amount ? To avoid this ambiguity, Python function definitions don't allow parameters without a default value to follow a parameter with a default value. Once you add a default value, all the following parameters must also have a default value. Of course, there would be no ambiguity if you use a keyword argument. However, this would lead to the situation where the function call is ambiguous with a positional argument, but not when using a keyword argument, even though both positional and keyword arguments are possible. Python doesn't allow this to be on the safe side! This wasn't an issue when you had *add_ons as part of the signature. Let’s put *add_ons back in: #28 There's no ambiguity in this case since strength and milk_amount must both have keyword arguments. However, even though this signature is permitted in Python, it's rather unconventional. Normally, you don't see many parameters without default values after ones with default values, even when you're already in the keyword-only region of the function (after the args ). In this case, Debra's follow-up suggestion fixes this unconventional function signature: "And we also have to input milk_amount=0 for black coffees, which are quite common. Can we do a similar trick for coffees with no milk?" "Sure we can" #29 Now, there's also a default value for milk_amount . The default is a black coffee. In this version of the function, there's only one required argument—the first one that's assigned to coffee_type . All the other arguments are optional either because they're not needed to make a coffee, such as the add-ons and special instructions, or because the function has default values for them, such as strength and milk_amount . A parameter can have a default value defined in the function's signature. Therefore, the argument assigned to a parameter with a default value is an optional argument . And let's confirm you can still include add-ons and special instructions: #30 Here's the output from this function call: Coffee type: Cappuccino Strength: 3 Milk Amount: 2 Add-ons: chocolate sprinkles, vanilla syrup Instructions: temperature: extra hot cup size: large cup Note that you rely on the default value for strength in this example since the argument assigned to strength is not included in the call. A common pitfall with default values in function definitions is the mutable default value trap. You can read more about this in section 2, The Teleportation Trick, in this article: Python Quirks? Party Tricks? Peculiarities Revealed… Support The Python Coding Stack 5. Positional-Only and Keyword-Only Arguments Let's summarise the requirements for all the arguments in Alex's current version of the brew_coffee() function. Here's the current function signature: #31 The first parameter is coffee_type , and the argument you assign to this parameter can be either a positional argument or a keyword argument. But—and this is important—you can only use it as a keyword argument if you don't pass any arguments assigned to *add_ons . Remember that positional arguments must come before keyword arguments in function calls. Therefore, you can only use a keyword argument for the first parameter if you don't have args . We'll focus on this point soon. As long as the first argument, the one assigned to coffee_type , is positional, any further positional arguments are assigned to the tuple add_ons . Next, you can add named arguments (which is another term used for keyword arguments) for strength and milk_amount . Both of these arguments are optional, and the order in which you use them in a function call is not important. Finally, you can add more keyword arguments using keywords that aren't parameters in the function definition. You can include as many keyword arguments as you wish. Read point 1 above again. Alex thinks that allowing the first argument to be either positional or named is not a good idea, as it can lead to confusion. You can only use the first argument as a keyword argument if you don't have add-ons. Here's proof: #32 The first argument is a keyword argument, coffee_type="Cappuccino" . But then you attempt to pass two positional arguments, chocolate sprinkles and vanilla syrup . This call raises an error: File "...", line 25 ) ^ SyntaxError: positional argument follows keyword argument You can't have positional arguments following keyword arguments. Alex decides to remove this source of confusion by ensuring that the argument assigned to coffee_type is always a positional argument. He only needs to make a small addition to the function's signature: #33 The rogue forward slash, / , in place of a parameter is not a typo. It indicates that all parameters before the forward slash must be assigned positional arguments. Therefore, the object assigned to coffee_type can no longer be a keyword argument: #34 The first argument is a keyword argument. But this call raises an error: Traceback (most recent call last): File "...", line 19, in <module> brew_coffee( ~~~~~~~~~~~^ coffee_type="Cappuccino", ^^^^^^^^^^^^^^^^^^^^^^^^^ ...<2 lines>... cup_size="large cup", ^^^^^^^^^^^^^^^^^^^^^ ) ^ TypeError: brew_coffee() missing 1 required positional argument: 'coffee_type' The function has a required positional argument , the one assigned to coffee_type . The forward slash, / , makes the first argument a positional-only argument . It can no longer be a keyword argument: #35 This version works fine since the first argument is positional: Coffee type: Cappuccino Strength: 3 Milk Amount: 2 Add-ons: Instructions: temperature: extra hot cup size: large cup Alex feels that this function's signature is neater and clearer now, avoiding ambiguity. • • • The R&D team at the startup that's developing the Espressix ProtoSip were keen to see how Alex was using the prototype and inspect the changes he made to suit his needs. They implemented many of Alex's changes. However, they were planning to offer a more basic version of the Espressix that didn't have the option to include add-ons in the coffee. The easiest option is to remove the *add-ons parameter from the function's signature: #36 No *add_ons parameter, no add-ons in the coffee. Sorted? Sort of. The *add_ons parameter enabled you to pass optional positional arguments. However, *add_ons served a second purpose in the earlier version. All parameters after the args parameter, which is *add_ons in this example, must be assigned keyword arguments. The args parameter, *add_ons , forces all remaining parameters to be assigned keyword-only arguments. Removing the *add_ons parameter changes the rules for the remaining arguments. But you can still implement the same rules even when you're not using args . All you need to do is keep the leading asterisk but drop the parameter name: #37 Remember to remove the line printing out the add-ons, too. That’s the second of the highlighted lines in the code above. Notice how there's a lone asterisk in one of the parameter slots in the function signature. You can confirm that strength and milk_amount still need to be assigned keyword arguments: #38 When you try to pass positional arguments to strength and milk_amount , the code raises an error: Traceback (most recent call last): brew_coffee( ~~~~~~~~~~~^ "Espresso", ^^^^^^^^^^^ 3, ^^ 0, ^^ ) ^ TypeError: brew_coffee() takes 1 positional argument but 3 were given The error message tells you that brew_coffee() only takes one positional argument. All the arguments after the * are keyword-only. Therefore, only the arguments preceding it may be positional. And there's only one parameter before the rogue asterisk, * . A lone forward slash, / , among the function's parameters indicates that all parameters before the forward slash must be assigned positional-only arguments . A lone asterisk, * , among the function's parameters indicates that all parameters after the asterisk must be assigned keyword-only arguments . If you re-read the statements above carefully, you'll conclude that when you use both / and * in a function definition, the / must come before the * . Recall that positional arguments must come before keyword arguments. It's also possible to have parameters between the / and * : #39 You add a new parameter, another_param , in between / and * in the function's signature. Since this parameter is sandwiched between / and * , you can choose to assign either a positional or a keyword argument to it. Here's a function call with the second argument as a positional argument: #40 The second positional argument is assigned to another_param . But you can also use a keyword argument: #41 Both of these versions give the same output: Coffee type: Espresso another_param='testing another parameter' Strength: 4 Milk Amount: 0 Instructions: Any parameter between / and * in the function definition can have either positional or keyword arguments. So, in summary: Arguments assigned to parameters before a forward slash, / , are positional-only. Arguments assigned to parameters between a forward slash, / , and an asterisk, * , can be either positional or keyword. Arguments assigned to parameters after an asterisk, * , are keyword-only. Remember that the * serves a similar purpose as the asterisk in *args since both * and *args force any parameters that come after them to require keyword-only arguments. Remember this similarity if you find yourself struggling to remember what / and * do! Why use positional-only or keyword-only arguments? Positional-only arguments (using / ) ensure clarity and prevent misuse in APIs where parameter names are irrelevant to the user. Keyword-only arguments (using * ) improve readability and avoid errors in functions with many parameters, as names make the intent clear. For Alex, making coffee_type positional-only and strength and milk_amount keyword-only simplifies the API by enforcing a consistent calling style, reducing confusion for his team. Using positional-only arguments may also be beneficial in performance-critical code since the overhead to deal with keyword arguments is not negligible in these cases. Do you want to join a forum to discuss Python further with other Pythonistas? Upgrade to a paid subscription here on The Python Coding Stack to get exclusive access to The Python Coding Place 's members' forum. More Python. More discussions. More fun. Subscribe And you'll also be supporting this publication. I put plenty of time and effort into crafting each article. Your support will help me keep this content coming regularly and, importantly, will help keep it free for everyone. Final Words The reporter from The Herald did manage to chat to Alex eventually. She had become a regular at AI Coffee , and ever since Alex employed more staff, he's been able to chat to customers a bit more. "There's a question I'm curious about", she asked. "How does the Artificial Intelligence software work to make the coffee just perfect for each customer?" "I beg your pardon?" Alex looked confused. "I get it. It's a trade secret, and you don't want to tell me. This Artificial Intelligence stuff is everywhere these days." "What do you mean by Artificial Intelligence?" Alex asked, more perplexed. "The machine uses AI to optimise the coffee it makes, right?" "Er, no. It does not." "But…But the name of the coffee shop, AI Coffee …?" "Ah, that's silly, I know. I couldn't think of a name for the shop. So I just used my initials. I'm Alex Inverness." • • • Python functions offer lots of flexibility in how to define and use them. But function signatures can look cryptic with all the *args and **kwargs , rogue / and * , some parameters with default values and others without. And the rules on when and how to use arguments may not be intuitive at first. Hopefully, Alex's story helped you grasp all the minutiae of the various types of parameters and arguments you can use in Python functions. Now, I need to make myself a cup of coffee… #42 Photo by Viktoria Alipatova: https://www.pexels.com/photo/person-sitting-near-table-with-teacups-and-plates-2074130/ Code in this article uses Python 3.13 The code images used in this article are created using Snappify . [Affiliate link] You can also support this publication by making a one-off contribution of any amount you wish . Support The Python Coding Stack For more Python resources, you can also visit Real Python —you may even stumble on one of my own articles or courses there! Also, are you interested in technical writing? You’d like to make your own writing more narrative, more engaging, more memorable? Have a look at Breaking the Rules . And you can find out more about me at stephengruppetta.com Further reading related to this article’s topic: Coffee features often when talking about programming. Here's another coffee-themed article, also about functions: What Can A Coffee Machine Teach You About Python's Functions? Python Quirks? Party Tricks? Peculiarities Revealed… [in particular see section 2, The Teleportation Trick] Appendix: Code Blocks Code Block #1 brew_coffee("Cappuccino", 4, 2) Code Block #2 brew_coffee(coffee_type: str, strength: int, milk_amount: int) Code Block #3 brew_coffee("Americano", 1, 4) Code Block #4 brew_coffee(coffee_type, strength, milk_amount) Code Block #5 def brew_coffee(coffee_type: str, strength: int, milk_amount: int): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" ) brew_coffee("Americano", 1, 4) Code Block #6 brew_coffee("Americano", milk_amount=1, strength=4) Code Block #7 brew_coffee("Americano", milk_amount=1, strength=4) Code Block #8 brew_coffee("Americano", milk_amount=1, 4) Code Block #9 def brew_coffee(coffee_type, strength, milk_amount, *args): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(args)}\n" ) Code Block #10 brew_coffee("Latte", 3, 2, "cinnamon", "hazelnut syrup") Code Block #11 def brew_coffee(coffee_type, strength, milk_amount, *args): print(f"{args=}") print(type(args)) print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(args)}\n" ) brew_coffee("Latte", 3, 2, "cinnamon", "hazelnut syrup") Code Block #12 def brew_coffee(coffee_type, strength, milk_amount, *add_ons): print(f"{add_ons=}") print(type(add_ons)) print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" ) brew_coffee("Latte", 3, 2, "cinnamon", "hazelnut syrup") Code Block #13 brew_coffee("Latte", 3, 2) Code Block #14 def brew_coffee(coffee_type, strength, milk_amount, *add_ons): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" ) brew_coffee("Latte", strength=3, milk_amount=2, "vanilla syrup") Code Block #15 def brew_coffee(coffee_type, *add_ons, strength, milk_amount): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" ) brew_coffee("Latte", "vanilla syrup", strength=3, milk_amount=2) Code Block #16 brew_coffee("Latte", "vanilla syrup", 3, 2) Code Block #17 def brew_coffee( coffee_type, *add_ons, strength, milk_amount, **kwargs, ): print(f"{kwargs=}") print(type(kwargs)) print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in kwargs.items(): print(f"\t{key.replace('_', ' ')}: {value}") Code Block #18 brew_coffee( "Latte", "vanilla syrup", strength=3, milk_amount=2, milk_type="oat", temperature="extra hot", ) Code Block #19 def brew_coffee( coffee_type, *add_ons, strength, milk_amount, **instructions, ): print(f"{instructions=}") print(type(instructions)) print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in instructions.items(): print(f"\t{key.replace('_', ' ')}: {value}") Code Block #20 brew_coffee("Espresso", strength=4, milk_amount=0) Code Block #21 brew_coffee(coffee_type="Espresso", strength=4, milk_amount=0) Code Block #22 def brew_coffee( coffee_type, *add_ons, strength=3, milk_amount, **instructions, ): # ... Code Block #23 brew_coffee("Espresso", milk_amount=0) Code Block #24 brew_coffee("Latte", "caramel drizzle", milk_amount=2) Code Block #25 def brew_coffee( coffee_type, *add_ons, strength=3, milk_amount, **instructions, ): # ... Code Block #26 def brew_coffee_variant( coffee_type, # *add_ons, strength=3, milk_amount, **instructions, ): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" # f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in instructions.items(): print(f"\t{key.replace('_', ' ')}: {value}") brew_coffee_variant("Espresso", milk_amount=0) Code Block #27 brew_coffee_variant("Espresso", 0) Code Block #28 def brew_coffee( coffee_type, *add_ons, strength=3, milk_amount, **instructions, ): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in instructions.items(): print(f"\t{key.replace('_', ' ')}: {value}") brew_coffee("Espresso", milk_amount=0) Code Block #29 def brew_coffee( coffee_type, *add_ons, strength=3, milk_amount=0, **instructions, ): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in instructions.items(): print(f"\t{key.replace('_', ' ')}: {value}") brew_coffee("Espresso") Code Block #30 brew_coffee( "Cappuccino", "chocolate sprinkles", "vanilla syrup", milk_amount=2, temperature="extra hot", cup_size="large cup", ) Code Block #31 def brew_coffee( coffee_type, *add_ons, strength=3, milk_amount=0, **instructions, ): # ... Code Block #32 brew_coffee( coffee_type="Cappuccino", "chocolate sprinkles", "vanilla syrup", milk_amount=2, temperature="extra hot", cup_size="large cup", ) Code Block #33 def brew_coffee( coffee_type, /, *add_ons, strength=3, milk_amount=0, **instructions, ): # ... Code Block #34 brew_coffee( coffee_type="Cappuccino", milk_amount=2, temperature="extra hot", cup_size="large cup", ) Code Block #35 brew_coffee( "Cappuccino", milk_amount=2, temperature="extra hot", cup_size="large cup", ) Code Block #36 def brew_coffee( coffee_type, /, # *add_ons, strength=3, milk_amount=0, **instructions, ): Code Block #37 def brew_coffee( coffee_type, /, *, strength=3, milk_amount=0, **instructions, ): print( f"Coffee type: {coffee_type}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" # f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in instructions.items(): print(f"\t{key.replace('_', ' ')}: {value}") brew_coffee( "Cappuccino", milk_amount=2, temperature="extra hot", cup_size="large cup", ) Code Block #38 brew_coffee( "Espresso", 3, 0, ) Code Block #39 def brew_coffee( coffee_type, /, another_param, *, strength=3, milk_amount=0, **instructions, ): print( f"Coffee type: {coffee_type}\n" f"{another_param=}\n" f"Strength: {strength}\n" f"Milk Amount: {milk_amount}\n" # f"Add-ons: {', '.join(add_ons)}\n" f"Instructions:" ) for key, value in instructions.items(): print(f"\t{key.replace('_', ' ')}: {value}") Code Block #40 brew_coffee( "Espresso", "testing another parameter", strength=4, ) Code Block #41 brew_coffee( "Espresso", another_param="testing another parameter", strength=4, ) Code Block #42 brew_coffee( "Macchiato", strength=4, milk_amount=1, cup="Stephen's espresso cup", ) For more Python resources, you can also visit Real Python —you may even stumble on one of my own articles or courses there! Also, are you interested in technical writing? You’d like to make your own writing more narrative, more engaging, more memorable? Have a look at Breaking the Rules . And you can find out more about me at stephengruppetta.com 9 5 2 Share Previous Next Discussion about this post Comments Restacks Wyrd Smythe May 13, 2025 I did this the first time around but didn't comment because it was well-known territory to me. But after seeing your email about the confusion the title caused, I'd thought I'd offer something from left field that you should consider an outlier from far out on the flats of the distribution curve and not take too seriously... The story about the coffee shop, and the other stories you embed your lessons in, don't do anything for me. In fact, to me they something I have to wade through to get to the information content. Noise in the signal, as it were. That said, I realize you may be writing for a very different audience than I, and I also realize you may really enjoy the storytelling. So, please don't take this as any suggestion for change, just a weird 2¢ from a weirdo. Expand full comment Reply Share 4 replies by Stephen Gruppetta and others 4 more comments... Top Latest Discussions No posts Ready for more? Subscribe © 2026 Stephen Gruppetta · Privacy ∙ Terms ∙ Collection notice Start your Substack Get the app Substack is the home for great culture This site requires JavaScript to run correctly. Please turn on JavaScript or unblock scripts | 2026-01-13T08:49:31 |
https://core.forem.com/t/interview/page/10 | Interview Page 10 - Forem Core 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 Core Close # interview Follow Hide Create Post Older #interview posts 7 8 9 10 11 12 13 14 15 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/t/career/page/829 | Career Page 829 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Career Follow Hide This tag is for anything relating to careers! Job offers, workplace conflict, interviews, resumes, promotions, etc. Create Post submission guidelines All articles and discussions should relate to careers in some way. Pretty much everything on dev.to is about our careers in some way. Ideally, though, keep the tag related to getting, leaving, or maintaining a career or job. about #career A career is the field in which you work, while a job is a position held in that field. Related tags include #resume and #portfolio as resources to enhance your #career Older #career posts 826 827 828 829 830 831 832 833 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://status.bitbucket.org | Atlassian Bitbucket Status Report a problem Organization administrators can now receive personalized incident information in Atlassian Administration. Subscribe to System Health (currently in Beta) to receive notifications if a reliability incident affects your organization. Try Now Subscribe to Updates Subscribe x Get email notifications whenever Atlassian Bitbucket creates , updates or resolves an incident. Email address: Enter OTP: Resend OTP in: seconds Didn't receive the OTP? Resend OTP This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Get text message notifications whenever Atlassian Bitbucket creates or resolves an incident. Country code: Afghanistan (+93) Albania (+355) Algeria (+213) American Samoa (+1) Andorra (+376) Angola (+244) Anguilla (+1) Antigua and Barbuda (+1) Argentina (+54) Armenia (+374) Aruba (+297) Australia/Cocos/Christmas Island (+61) Austria (+43) Azerbaijan (+994) Bahamas (+1) Bahrain (+973) Bangladesh (+880) Barbados (+1) Belarus (+375) Belgium (+32) Belize (+501) Benin (+229) Bermuda (+1) Bolivia (+591) Bosnia and Herzegovina (+387) Botswana (+267) Brazil (+55) Brunei (+673) Bulgaria (+359) Burkina Faso (+226) Burundi (+257) Cambodia (+855) Cameroon (+237) Canada (+1) Cape Verde (+238) Cayman Islands (+1) Central Africa (+236) Chad (+235) Chile (+56) China (+86) Colombia (+57) Comoros (+269) Congo (+242) Congo, Dem Rep (+243) Costa Rica (+506) Croatia (+385) Cyprus (+357) Czech Republic (+420) Denmark (+45) Djibouti (+253) Dominica (+1) Dominican Republic (+1) Egypt (+20) El Salvador (+503) Equatorial Guinea (+240) Estonia (+372) Ethiopia (+251) Faroe Islands (+298) Fiji (+679) Finland/Aland Islands (+358) France (+33) French Guiana (+594) French Polynesia (+689) Gabon (+241) Gambia (+220) Georgia (+995) Germany (+49) Ghana (+233) Gibraltar (+350) Greece (+30) Greenland (+299) Grenada (+1) Guadeloupe (+590) Guam (+1) Guatemala (+502) Guinea (+224) Guyana (+592) Haiti (+509) Honduras (+504) Hong Kong (+852) Hungary (+36) Iceland (+354) India (+91) Indonesia (+62) Iraq (+964) Ireland (+353) Israel (+972) Italy (+39) Jamaica (+1) Japan (+81) Jordan (+962) Kenya (+254) Korea, Republic of (+82) Kosovo (+383) Kuwait (+965) Kyrgyzstan (+996) Laos (+856) Latvia (+371) Lebanon (+961) Lesotho (+266) Liberia (+231) Libya (+218) Liechtenstein (+423) Lithuania (+370) Luxembourg (+352) Macao (+853) Macedonia (+389) Madagascar (+261) Malawi (+265) Malaysia (+60) Maldives (+960) Mali (+223) Malta (+356) Martinique (+596) Mauritania (+222) Mauritius (+230) Mexico (+52) Monaco (+377) Mongolia (+976) Montenegro (+382) Montserrat (+1) Morocco/Western Sahara (+212) Mozambique (+258) Namibia (+264) Nepal (+977) Netherlands (+31) New Zealand (+64) Nicaragua (+505) Niger (+227) Nigeria (+234) Norway (+47) Oman (+968) Pakistan (+92) Palestinian Territory (+970) Panama (+507) Paraguay (+595) Peru (+51) Philippines (+63) Poland (+48) Portugal (+351) Puerto Rico (+1) Qatar (+974) Reunion/Mayotte (+262) Romania (+40) Russia/Kazakhstan (+7) Rwanda (+250) Samoa (+685) San Marino (+378) Saudi Arabia (+966) Senegal (+221) Serbia (+381) Seychelles (+248) Sierra Leone (+232) Singapore (+65) Slovakia (+421) Slovenia (+386) South Africa (+27) Spain (+34) Sri Lanka (+94) St Kitts and Nevis (+1) St Lucia (+1) St Vincent Grenadines (+1) Sudan (+249) Suriname (+597) Swaziland (+268) Sweden (+46) Switzerland (+41) Taiwan (+886) Tajikistan (+992) Tanzania (+255) Thailand (+66) Togo (+228) Tonga (+676) Trinidad and Tobago (+1) Tunisia (+216) Turkey (+90) Turks and Caicos Islands (+1) Uganda (+256) Ukraine (+380) United Arab Emirates (+971) United Kingdom (+44) United States (+1) Uruguay (+598) Uzbekistan (+998) Venezuela (+58) Vietnam (+84) Virgin Islands, British (+1) Virgin Islands, U.S. (+1) Yemen (+967) Zambia (+260) Zimbabwe (+263) Phone number: Change number Enter OTP: Resend OTP in: 30 seconds Didn't receive the OTP? Resend OTP Message and data rates may apply. By subscribing you agree to the Atlassian Terms of Service , and the Atlassian Privacy Policy . This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Get incident updates and maintenance status messages in Slack. Subscribe via Slack By subscribing you agree to the Atlassian Cloud Terms of Service and acknowledge Atlassian's Privacy Policy . Get webhook notifications whenever Atlassian Bitbucket creates an incident, updates an incident, resolves an incident or changes a component status. Webhook URL: The URL we should send the webhooks to Email address: We'll send you email if your endpoint fails This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Follow @BitbucketStatus or view our profile . Visit our support site . Get the Atom Feed or RSS Feed . All Systems Operational Website ? Operational API ? Operational Git via SSH ? Operational Authentication and user management Operational Git via HTTPS ? Operational Webhooks ? Operational Source downloads ? Operational Pipelines ? Operational Git LFS ? Operational Email delivery Operational Purchasing & Licensing Operational Signup Operational Operational Degraded Performance Partial Outage Major Outage Maintenance Past Incidents Jan 13 , 2026 No incidents reported today. Jan 12 , 2026 No incidents reported. Jan 11 , 2026 No incidents reported. Jan 10 , 2026 No incidents reported. Jan 9 , 2026 No incidents reported. Jan 8 , 2026 No incidents reported. Jan 7 , 2026 Unable to reach bitbucket site Resolved - On Wednesday, January 7, 2026, Bitbucket Cloud experienced a disruption, and services were unavailable to affected users. The issue has now been resolved, and the service is operating normally for all affected customers. Jan 7 , 18:53 UTC Monitoring - The issue has now been resolved, and the service is operating normally for all affected customers. We will continue to monitor closely to confirm stability. Jan 7 , 17:49 UTC Update - We are actively investigating reports of a service disruption affecting Bitbucket Cloud. We'll share updates here within the next hour or as more information is available. Jan 7 , 16:38 UTC Investigating - We are actively investigating reports of a partial service disruption affecting Bitbucket Cloud for some customers. We'll share updates here within the next hour or as more information is available. Jan 7 , 16:23 UTC Bitbucket workspace invitations failing for all users Resolved - We have successfully mitigated the incident and the affected service is now fully operational. Our teams have verified that normal functionality has been restored. Thank you for your patience and understanding while we worked to resolve this issue. Jan 7 , 06:40 UTC Identified - Users of Bitbucket Cloud currently face difficulties when trying to invite new users to their workspaces. This issue is resulting in a '400 Client Error: Bad Request' message, which stems from a recent change in the invitation flow. The team is actively working on a resolution and is deploying a hotfix. We will provide an update within the next hour. Jan 7 , 06:05 UTC Jan 6 , 2026 No incidents reported. Jan 5 , 2026 No incidents reported. Jan 4 , 2026 No incidents reported. Jan 3 , 2026 No incidents reported. Jan 2 , 2026 No incidents reported. Jan 1 , 2026 No incidents reported. Dec 31 , 2025 No incidents reported. Dec 30 , 2025 No incidents reported. ← Incident History Powered by Atlassian Statuspage © Atlassian. Privacy policy Terms of use | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/inbox-flutter#initialization | Flutter (Headless) - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Notification Inbox Flutter (Headless) Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Notification Inbox Flutter (Headless) OpenAI Open in ChatGPT Integrate SuprSend inbox in Flutter using the headless SDK and hooks. OpenAI Open in ChatGPT SuprSend uses flutter hooks to provide inbox functionality in flutter applications. Installation 1 Project's pubspec.yaml changes Add the following line of code inside dependencies in the pubspec.yaml file under the dependencies section pubspec.yaml Copy Ask AI dependencies : flutter : sdk : flutter suprsend_flutter_inbox : "^0.0.1" 2 Run flutter pub get in the terminal Bash Copy Ask AI $ flutter pub get Initialization Enclose your Material App inside SuprSendProvider and pass the workspace key, workspace secret, distinct_id, and subscriber_id . main.dart Copy Ask AI import 'package:suprsend_flutter_inbox/main.dart' ; SuprSendProvider ( workspaceKey : < your workspace key > , workspaceSecret: < your workspace secret > , distinctId: distinct_id, subscriberId: subscriber_id, child: YourAppComponent() ) SuprSend hooks can only be used inside of SuprSendProvider. Adding SuprSend inbox component useBell hook This hook provides unSeenCount, markAllSeen which is related to the Bell icon in the inbox unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markAllSeen : Used to mark seen for all notifications. Call this method on clicking the bell icon so that it will reset the notification count to 0. bell.dart Copy Ask AI import 'package:suprsend_flutter_inbox/main.dart' ; final bellData = useBell (); // bellData structure: { "unSeenCount" : int , "markAllSeen" : () =>void } useNotifications hook This hook provides a notifications list, unSeenCount, markClicked, and markAllSeen. notifications : List of all notifications. This array can be looped and notifications can be displayed. unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markClicked : Method used to mark a notification as clicked. Pass notification id which is clicked as the first param. code.dart Copy Ask AI import 'package:suprsend_flutter_inbox/main.dart' ; final notifData = useNotifications (); // notifData structure: { "notifications" : List < Notification > , "unSeenCount" : int , "markAllSeen" : () =>void "markClicked" :( n_id ) =>void } // Notification structure: { "n_id" : string , "n_category" : string , "created_on" : int , "seen_on" : int , "message" : { "header" : string , "text" : string , "url" : string , "extra_data" : string , "avatar" : { "action_url" : string , "avatar_url" : string }, "subtext" : { "text" : string , "action_url" : string } "actions" :[ { "name" : string , "url" : string } ] } } Example implementation Example implementation can be found here . Was this page helpful? Yes No Suggest edits Raise issue Previous Embedded Preference Centre How to integrate a Notification Preference Center into your website and add its link to your notification templates. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Adding SuprSend inbox component useBell hook useNotifications hook Example implementation | 2026-01-13T08:49:31 |
https://dev.to/t/webdev/page/3#main-content | Web Development Page 3 - 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 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 Service as Architecture Reversal djuleayo djuleayo djuleayo Follow Jan 12 Service as Architecture Reversal # discuss # architecture # webdev Comments Add Comment 3 min read What we intentionally removed when building a feature flag service Illia Illia Illia Follow Jan 12 What we intentionally removed when building a feature flag service # programming # saas # startup # webdev Comments Add Comment 3 min read How to Build SEO-Friendly Ecommerce Product Pages ar abid ar abid ar abid Follow Jan 12 How to Build SEO-Friendly Ecommerce Product Pages # frontend # performance # tutorial # webdev Comments Add Comment 3 min read Multi-dimensional Arrays & Row-major Order: A Deep Dive ali ehab algmass ali ehab algmass ali ehab algmass Follow Jan 12 Multi-dimensional Arrays & Row-major Order: A Deep Dive # webdev # programming # computerscience # learning Comments Add Comment 5 min read Getting Started with ReactGrid in React: Building Your First Spreadsheet Michael Turner Michael Turner Michael Turner Follow Jan 12 Getting Started with ReactGrid in React: Building Your First Spreadsheet # react # webdev # javascript # tutorial Comments Add Comment 5 min read Building Feature-Rich Data Tables with jQWidgets React Grid Michael Turner Michael Turner Michael Turner Follow Jan 12 Building Feature-Rich Data Tables with jQWidgets React Grid # react # webdev # javascript # beginners Comments Add Comment 6 min read Advanced Spreadsheet Implementation with RevoGrid in React Michael Turner Michael Turner Michael Turner Follow Jan 12 Advanced Spreadsheet Implementation with RevoGrid in React # react # webdev # beginners # tutorial Comments Add Comment 6 min read Understanding Dead Letter Queues: Your Safety Net for Message Processing sizan mahmud0 sizan mahmud0 sizan mahmud0 Follow Jan 12 Understanding Dead Letter Queues: Your Safety Net for Message Processing # webdev # devops # programming # distributedsystems 1 reaction Comments Add Comment 4 min read Advanced Data Management with GigaTables React: Building Enterprise-Grade Tables Michael Turner Michael Turner Michael Turner Follow Jan 12 Advanced Data Management with GigaTables React: Building Enterprise-Grade Tables # webdev # programming # beginners # tutorial Comments Add Comment 6 min read Building a Job Board with Next.js and Supabase: The Backbone of PMHNP Hiring Sathish Sathish Sathish Follow Jan 12 Building a Job Board with Next.js and Supabase: The Backbone of PMHNP Hiring # buildinpublic # webdev # nextjs Comments Add Comment 2 min read Getting Started with Fortune Sheet in React: Building Your First Spreadsheet Michael Turner Michael Turner Michael Turner Follow Jan 12 Getting Started with Fortune Sheet in React: Building Your First Spreadsheet # react # webdev # programming # tutorial Comments Add Comment 5 min read 🚀 Where AI Helps Backend Developers — And Where It Doesn’t Manu Kumar Pal Manu Kumar Pal Manu Kumar Pal Follow Jan 12 🚀 Where AI Helps Backend Developers — And Where It Doesn’t # ai # backend # developers # webdev Comments Add Comment 2 min read Understanding custom auth flow and its implementation.. Sourav Mahato Sourav Mahato Sourav Mahato Follow Jan 12 Understanding custom auth flow and its implementation.. # webdev # programming # zod # authentication Comments Add Comment 1 min read Notifications Are Not Just Messages. They Are Memory Triggers. Surhid Amatya Surhid Amatya Surhid Amatya Follow Jan 12 Notifications Are Not Just Messages. They Are Memory Triggers. # webdev # programming # productivity Comments Add Comment 3 min read From Rusty to Release: How an Infinite Loop Taught Me to Respect React DevTools Beleke Ian Beleke Ian Beleke Ian Follow Jan 12 From Rusty to Release: How an Infinite Loop Taught Me to Respect React DevTools # react # webdev # beginners # programming 1 reaction Comments Add Comment 2 min read Why Should We Optimize JSON for LLMs Del Rosario Del Rosario Del Rosario Follow Jan 12 Why Should We Optimize JSON for LLMs # json # llm # webdev # performance Comments Add Comment 5 min read Scrapy Log Files: Save, Rotate, and Organize Your Crawler Logs Muhammad Ikramullah Khan Muhammad Ikramullah Khan Muhammad Ikramullah Khan Follow Jan 12 Scrapy Log Files: Save, Rotate, and Organize Your Crawler Logs # webdev # programming # beginners # python Comments Add Comment 9 min read TR Adres (PHP): Turkey address hierarchy without SQL imports / SQL’siz Türkiye adres verisi Mehmet Bulat Mehmet Bulat Mehmet Bulat Follow Jan 12 TR Adres (PHP): Turkey address hierarchy without SQL imports / SQL’siz Türkiye adres verisi # webdev # opensource # php # composer Comments Add Comment 3 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 How I Get Better UI from Claude: Research First, Build Second hassantayyab hassantayyab hassantayyab Follow Jan 12 How I Get Better UI from Claude: Research First, Build Second # webdev # ai # productivity # frontend 1 reaction Comments 1 comment 3 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 Best Python Web Scraping Libraries 2026 Rodrigo Bull Rodrigo Bull Rodrigo Bull Follow Jan 12 Best Python Web Scraping Libraries 2026 # webdev # python # webscraping # programming Comments Add Comment 7 min read Advanced Data Table Implementation with ka-table in React Michael Turner Michael Turner Michael Turner Follow Jan 12 Advanced Data Table Implementation with ka-table in React # react # webdev # programming # javascript Comments Add Comment 6 min read My attempt on Cloud Resume Challenge in 2026 Janice Janice Janice Follow Jan 12 My attempt on Cloud Resume Challenge in 2026 # webdev # cloudresumechallenge # aws Comments Add Comment 5 min read Why Version Control Exists: The Pen Drive Problem Anoop Rajoriya Anoop Rajoriya Anoop Rajoriya Follow Jan 12 Why Version Control Exists: The Pen Drive Problem # git # beginners # webdev # programming 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:31 |
https://dev.to/vishdevwork | Vishwajeet Kondi - 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 Vishwajeet Kondi An engineer who learns something new every day, always eager to explore and share knowledge. Location 127.0.0.1 Joined Joined on Jul 29, 2024 Personal website https://vishwajeetkondi.vercel.app/ github website More info about @vishdevwork 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 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 GitHub Repositories vkondi.github.io A modern, responsive portfolio website built with React, TypeScript, and Material-UI. Features dark/light theme, interactive project previews, and professional presentation of work experience and skills. TypeScript • 1 star everyday-ai AI-powered productivity suite featuring Smart Email Assistant, Travel Planner, and News Digest. Built with Next.js, TypeScript, and DeepSeek AI for intelligent daily task automation. TypeScript • 1 star Skills/Languages React Currently learning Python, SwiftUI Post 13 posts published Comment 1 comment written Tag 0 tags followed Hello World to GitHub Actions: Your First Automated Workflow Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Dec 25 '25 Hello World to GitHub Actions: Your First Automated Workflow # githubactions # cicd # automation # devops Comments Add Comment 7 min read Want to connect with Vishwajeet Kondi? Create an account to connect with Vishwajeet Kondi. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in React Interviews: The Skills That REALLY Matter Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Nov 29 '25 React Interviews: The Skills That REALLY Matter # react # interview # frontend # typescript 1 reaction Comments Add Comment 4 min read AI Coding Assistants: Boon or Bane? Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Nov 8 '25 AI Coding Assistants: Boon or Bane? # ai # futureoftech # codingassistants # productivity Comments Add Comment 3 min read JSON Schema in the Wild: Real World Applications & HAL 🌍 Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Oct 7 '25 JSON Schema in the Wild: Real World Applications & HAL 🌍 # jsonschema # datavalidation # ajv # typescript Comments Add Comment 6 min read JSON Schema with AJV: Implementation Deep Dive ⚡ Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Oct 2 '25 JSON Schema with AJV: Implementation Deep Dive ⚡ # jsonschema # ajv # datavalidation # typescript 1 reaction Comments 1 comment 5 min read Update JSON Schema: Your Data's New Best Friend 🛡️ Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Sep 27 '25 Update JSON Schema: Your Data's New Best Friend 🛡️ # jsonschema # ajv # datavalidation # typescript Comments Add Comment 3 min read Authentication Tokens: Your Digital VIP Pass 🎫 Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Sep 24 '25 Authentication Tokens: Your Digital VIP Pass 🎫 # tokens # jwt # webdev # authentication 2 reactions Comments Add Comment 4 min read Frontend 2025: Make It Fast, Keep It Simple Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Sep 2 '25 Frontend 2025: Make It Fast, Keep It Simple # webdev # frontend # ai # react 1 reaction Comments Add Comment 3 min read GitHub Repo Security: Your Easy Go-To Checklist Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Aug 16 '25 GitHub Repo Security: Your Easy Go-To Checklist # github # security # opensource # versioncontrol 1 reaction Comments Add Comment 3 min read What’s New in React 19? A Beginner’s Guide to the Latest Features Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Aug 15 '25 What’s New in React 19? A Beginner’s Guide to the Latest Features # react # tutorial # reactjsdevelopment # webdev Comments Add Comment 5 min read 🦙 Ollama + OpenWebUI: Your Local AI Setup Guide Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Aug 6 '25 🦙 Ollama + OpenWebUI: Your Local AI Setup Guide # ai # ollama # programming # tutorial Comments Add Comment 3 min read 🎪 So I Built This AI Thing That Doesn't Suck Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Aug 5 '25 🎪 So I Built This AI Thing That Doesn't Suck # ai # nextjs # python # webdev Comments Add Comment 5 min read My Journey Building a Data Analysis Agent with Local AI Models Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Aug 5 '25 My Journey Building a Data Analysis Agent with Local AI Models # ai # python # nlp 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:31 |
https://www.linkedin.com/company/moengage?trk=organization_guest_main-feed-card_reshare-text | MoEngage | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Register now MoEngage Technology, Information and Internet San Francisco, California 99,494 followers Insights-led customer engagement platform for the customer-obsessed marketers & product owners. See jobs Follow Discover all 892 employees Report this company Overview Jobs Life About us MoEngage is an insights-led customer engagement platform for the customer-obsessed marketers and product owners. We help you delight your customers and retain them for longer. With MoEngage you can analyze customer behavior and engage them with personalized communication across the web, mobile, and email. MoEngage is a full-stack solution consisting of powerful customer analytics, AI-powered customer journey orchestration, and personalization - in one dashboard From Fortune 500 enterprises such as Deutsche Telekom, Samsung, and Ally to mobile-first brands such as Flipkart, OLA, and bigbasket - MoEngage has helped amplify customer engagement for all. Product managers and growth marketers can use MoEngage to provide a personalized experience throughout the customer lifecycle stages – from onboarding to retention to growth. What makes MoEngage different, is a full-stack solution consisting of powerful customer analytics, AI-powered customer journey orchestration and personalization capabilities - in one dashboard. Website http://www.moengage.com/ External link for MoEngage Industry Technology, Information and Internet Company size 501-1,000 employees Headquarters San Francisco, California Type Privately Held Specialties Marketing Automation, Customer Engagement, Mobile Marketing, personalization, Cross-Channel Engagement , Omni-channel Marketing, Push Notifications, and Email Marketing Products MoEngage MoEngage Customer Engagement Software MoEngage is an insights-led customer engagement platform, built for customer-obsessed marketers and product owners. MoEngage enables hyper-personalization at scale across multiple channels like mobile push, email, SMS, web push, on-site messaging, Facebook Audiences, in-app messaging, app inbox cards, and connectors to other technologies. With AI-powered automation and optimization, brands can analyze audience behavior, segment the right audiences, and engage consumers with personalized communication at every touchpoint across their lifecycle. Forrester recognized MoEngage as a “Strong Performer” in the latest Forrester Wave™: Cross-Channel Campaign Management (Independent Platforms), Q3 2021 report. Read more: https://www.moengage.com/blog/strong-performer-in-forrester-wave-report-cccm-2021 Locations Primary 315 Montgomery St San Francisco, California 94104, US Get directions Bengaluru, Karnataka 560034, IN Get directions London, GB Get directions Berlin, DE Get directions Dubai, AE Get directions Singapore, SG Get directions Jakarta, ID Get directions Boston, US Get directions Ho Chi Minh City, VN Get directions Bangkok, TH Get directions Hyderabad, IN Get directions São Paulo, BR Get directions Kuala Lumpur, MY Get directions Sydney, AU Get directions Show more locations Show fewer locations Employees at MoEngage Rahul Chandra Sweta Duseja Chris Robin Rohit Kumar Garodia See all employees Updates MoEngage 99,494 followers 5d Report this post G2’s fresh report on AI Decision Intelligence in Marketing highlights MoEngage as a trusted partner for brands aiming to master customer engagement through data-led decisions. Get the full picture of what’s next in marketing here: https://ow.ly/30NJ50XTh7a AI Decision Intelligence in Marketing: G2’s 2026 Industry Report learn.g2.com 12 Like Comment Share MoEngage 99,494 followers 6d Edited Report this post Adapt or Die started as a question. It became a book, with 3,000+ copies ordered by marketers looking to understand how customer engagement is changing. It became a summit in NYC, where leaders came together to talk about what adaptation really looks like in practice. As we head into 2026, that theme is evolving. The challenge is no longer just adapting to change. It is building marketing systems that can stay resilient as scale, complexity, and expectations continue to rise. That is why we commissioned the Adapt or Die: The Resilient Marketer survey and why we are hosting a live sneak peek on January 28 to share early insights before the report launches. Moderated by Scott Brinker , with Reed Kuhn from Branch , Tracy Meyer from Movable Ink and Aditya Vempaty , this conversation is designed to help marketing teams plan what comes next. Join us for the sneak peek: https://ow.ly/5CHl50XSwkm 22 Like Comment Share MoEngage 99,494 followers 1w Report this post As we step into 2026, our mission stays the same — being the trusted partner you can rely on. Thank you for every idea, challenge, and milestone we achieved together in 2025. This year is all about growing together. 🙌 Happy New Year from all of us at MoEngage! 🎉 68 Like Comment Share MoEngage 99,494 followers 1w Report this post In case you missed it, here’s a quick video walkthrough of MoEngage’s latest updates👇 Nano Banana, Gemini’s newest AI image model, is now live on Merlin AI Designer — making it easier to generate stylized product images and campaign banners with powerful prompts. New no-code in-app messaging templates let you capture leads or gamify offers with spin the wheel, countdown timers, and scratch codes — all without writing a single line of code. And with configurable alerts, you can track campaign performance in real time through Slack or Teams. Click here for the full rundown: https://lnkd.in/gsdVUrqs …more 67 1 Comment Like Comment Share MoEngage 99,494 followers 1w Edited Report this post We are thrilled to see Fibe.India (Formerly EarlySalary) secure $35 million in their Series F funding round. This investment is a strong testament to Fibe's consistent growth and its mission to provide accessible financial solutions for aspirational India. It is inspiring to watch the team strengthen its impact in critical sectors, such as healthcare and education financing. Kudos to Akshay Mehrotra , Ashish Goyal , Sudesh Shetty and the entire Fibe team on this milestone. We are proud to support your journey! 42 2 Comments Like Comment Share MoEngage 99,494 followers 2w Report this post This season, we celebrate you — our incredible customers, partners and community who inspire us every day. Your trust and collaboration have made 2025 truly special and we can’t wait to create even more meaningful experiences together in 2026. Season’s Greetings from all of us at MoEngage! ❄️✨ 38 Like Comment Share MoEngage 99,494 followers 3w Edited Report this post 🎄 Joy, Laughter & Loads of Christmas Spirit at MoEngage!🎄 This year, we didn’t just deck the halls… we filled them with smiles that could light up the season! As part of our festive celebrations, we invited a group of kids from a local children’s home to join us for a day they (and we!) will never forget. There was a delicious Christmas lunch, a card–making competition bursting with creativity, and a beautiful tradition each child gifting their handmade greeting card to one of our team members right on the office floor. 🥹✨ The energy was infectious laughter echoing through the corridors, colourful cards in every hand, and the kind of joy you just can’t fake. And because the spirit of Christmas is also about giving, we extended our support by donating a month’s supply of food staples and essential items to the children’s home, ensuring the love continues well beyond the season. Here are some of our favourite moments from a day where the real magic wasn’t in the decorations… it was in the connections we made. ❤️ #LifeAtMoEngage #OneVibeOneTribe #MoEngage 131 3 Comments Like Comment Share MoEngage 99,494 followers 3w Report this post Speaking to CNBC-TV18 , our CEO Raviteja Dodda shared insights on MoEngage ’s latest milestone — adding $180M to our Series F, taking the total to $280M. He spoke about scaling AI-led engagement, expanding across North America and EMEA, and deepening innovation in Merlin AI. He also discussed the $15M employee tender offer and our commitment to building long-term value for customers and the team. Watch the full conversation here: https://lnkd.in/gfXDKxf5 CNBC-TV18 (@CNBCTV18News) on X x.com 39 Like Comment Share MoEngage 99,494 followers 3w Edited Report this post A huge congratulations to our partner, Lawyered , for an incredible appearance on Ideabaaz ! Watching the team secure ₹8.5 Crore in funding—one of the largest ever on Indian TV—was a proud moment for all of us. At MoEngage, we’ve seen firsthand the dedication and hard work the Lawyered team puts into scaling their platform. We are honored to be the growth partner helping them drive engagement and reach this historic milestone. 🤝🚀 The legal-tech revolution is in full swing, and we can't wait to see what’s next! Congratulations to the visionaries: Himanshu Gupta , Syed Asif Iqbal , Mahendra Singh , Samik Chaudhuri , Amit Katyal , Maninder Singh Bawa , Ranjoy Dey , Gautam Saraf , Mohd. Ata Hasan , Sudip Mehra , and Neil Priyadarshi . #Ideabaaz #BharatKaApnaStartupManch #Lawyered #ChallanPay #LOTS247 #MoEngage #CustomerSuccess #FundingNews #StartupIndia 109 3 Comments Like Comment Share MoEngage 99,494 followers 3w Edited Report this post Collaboration is where the real magic happens. ✨ Amazon Web Services (AWS) re:Invent 2025 wasn't just about the tech—it was about the synergy. Sharing the stage with our amazing partners at Twilio Segment . It’s one thing to talk about scaling customer engagement with AI, it’s another to demonstrate AI-powered Marketing Campaign Decisioning agents live. During our joint session, “Beyond Recommendations: AI Decisioning as the New Growth Engine,” we got to show exactly how our ecosystems connect to drive real value. We showcased the full journey: 🤝 Twilio Segment handling the data. 🧠 AWS SageMaker & Bedrock powering the intelligence. 🚀 MoEngage delivering the hyper-personalized campaigns. It was inspiring to see how well the "better together" story resonated with the audience. A massive thank you to the Twilio team for the partnership, and to everyone who stopped by for the demo. Read the full recap of our time at re:Invent here: https://ow.ly/UOP750XMabY Patrick Logan , Kevin Harris , Venky Krishnan , Rani Meshram, Bhupesh Chadha , Raviteja Dodda , Hastu Kshitij , Nick Ippel , Nishan Das , Narasimha Reddy , Sanjay Kupae , Archana Leo , Karthik Baile , Nalin Goel , 51 2 Comments Like Comment Share Join now to see what you are missing Find people you know at MoEngage Browse recommended jobs for you View all updates, news, and articles Join now Similar pages CleverTap Technology, Information and Internet San Francisco, California WebEngage Technology, Information and Internet Mumbai, Maharashtra Whatfix Software Development San Jose, CA Freshworks Software Development San Mateo, California Netcore Cloud Marketing Services Mumbai, Maharashtra Yellow.ai Software Development San Mateo, California Razorpay Software Development Bangalore, Karnataka BrowserStack Software Development Dublin, Dublin Placewit E-learning Salesforce Software Development San Francisco, California Show more similar pages Show fewer similar pages Browse jobs Manager jobs 1,880,925 open jobs Engineer jobs 555,845 open jobs Analyst jobs 694,057 open jobs Developer jobs 258,935 open jobs Account Manager jobs 121,519 open jobs Marketing Manager jobs 106,879 open jobs Project Manager jobs 253,048 open jobs Associate jobs 1,091,945 open jobs Salesperson jobs 172,678 open jobs Implementation Manager jobs 138,098 open jobs Sales Manager jobs 310,050 open jobs Account Executive jobs 71,457 open jobs Specialist jobs 768,666 open jobs Intern jobs 71,196 open jobs Executive jobs 690,514 open jobs Consultant jobs 760,907 open jobs Engineering Manager jobs 145,990 open jobs Research Analyst jobs 62,874 open jobs Key Account Manager jobs 41,260 open jobs Software Engineer jobs 300,699 open jobs Show more jobs like this Show fewer jobs like this Funding MoEngage 11 total rounds Last Round Secondary market Jul 25, 2025 External Crunchbase Link for last round of funding Investors TR Capital See more info on crunchbase More searches More searches Engineer jobs Manager jobs Analyst jobs Developer jobs Sales Manager jobs Account Manager jobs Marketing Manager jobs Specialist jobs Business Development Specialist jobs Key Account Manager jobs Associate jobs Engineering Manager jobs Account Executive jobs Executive jobs Research Analyst jobs Intern jobs Founder jobs Software Engineer jobs Solutions Engineer jobs Head of Sales jobs Director jobs Project Manager jobs Sales Director jobs User Experience Designer jobs Senior Manager jobs Head of Engineering jobs Consultant jobs Marketing Specialist jobs Scientist jobs Product Designer jobs Android Developer jobs Customer Director jobs Frontend Developer jobs Senior Software Engineer jobs Business Development Representative jobs Talent Acquisition Specialist jobs Implementation Manager jobs Product Manager jobs Director of Engineering jobs Python Developer jobs Writer jobs Technical Account Manager jobs Assistant Manager jobs Market Research Analyst jobs Senior Solutions Engineer jobs Sales Specialist jobs Data Analyst jobs Salesperson jobs Sales Lead jobs Head jobs Data Engineer jobs Senior Data Engineer jobs Architect jobs Recruiter jobs Senior Product Designer jobs Solutions Consultant jobs Human Resources Specialist jobs Business Analyst jobs Team Lead jobs Chief Executive Officer jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at MoEngage Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:31 |
https://popcorn.forem.com/t/recommendations#main-content | Recommendations - Popcorn Movies and TV Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Popcorn Movies and TV Close # recommendations Follow Hide Crowdsourced film and TV recommendations Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu The Conformity Gate Phenomenon: Exploration of Fan Theories Following the Stranger Things Season 5 Finale Om Shree Om Shree Om Shree Follow Jan 7 The Conformity Gate Phenomenon: Exploration of Fan Theories Following the Stranger Things Season 5 Finale # streaming # movies # recommendations # analysis 26 reactions Comments Add Comment 4 min read Ringer Movies: The Robert Redford Hall of Fame Movie News Movie News Movie News Follow Nov 28 '25 Ringer Movies: The Robert Redford Hall of Fame # movies # streaming # recommendations Comments Add Comment 1 min read Ringer Movies: ‘Snake Eyes’ With Bill Simmons, Sean Fennessey, and Van Lathan | Ringer Movies Movie News Movie News Movie News Follow Nov 17 '25 Ringer Movies: ‘Snake Eyes’ With Bill Simmons, Sean Fennessey, and Van Lathan | Ringer Movies # movies # marketing # recommendations Comments Add Comment 1 min read Ringer Movies: The 25 Best Movies of the Century: No. 5 - 'Lady Bird’ Movie News Movie News Movie News Follow Nov 13 '25 Ringer Movies: The 25 Best Movies of the Century: No. 5 - 'Lady Bird’ # movies # recommendations # reviews # analysis Comments Add Comment 1 min read Ringer Movies: Is 'Bugonia' A Best Picture Contender? Movie News Movie News Movie News Follow Oct 31 '25 Ringer Movies: Is 'Bugonia' A Best Picture Contender? # movies # reviews # recommendations Comments Add Comment 1 min read Ringer Movies: The 25 Best Movies of the Century: No. 7 - 'In The Mood for Love’ Movie News Movie News Movie News Follow Oct 29 '25 Ringer Movies: The 25 Best Movies of the Century: No. 7 - 'In The Mood for Love’ # movies # reviews # analysis # recommendations Comments Add Comment 1 min read Ringer Movies: The “Should I See It in a Movie Theater?” Test Movie News Movie News Movie News Follow Oct 18 '25 Ringer Movies: The “Should I See It in a Movie Theater?” Test # movies # reviews # analysis # recommendations Comments Add Comment 1 min read Ringer Movies: ‘Jeremiah Johnson’ With Bill Simmons, Chris Ryan, and Bill’s Dad | The Rewatchables Movie News Movie News Movie News Follow Oct 8 '25 Ringer Movies: ‘Jeremiah Johnson’ With Bill Simmons, Chris Ryan, and Bill’s Dad | The Rewatchables # movies # streaming # recommendations Comments Add Comment 1 min read Mid-October 2025 Movie and TV Roundup: Releases, Trailers, and Buzz Om Shree Om Shree Om Shree Follow Oct 12 '25 Mid-October 2025 Movie and TV Roundup: Releases, Trailers, and Buzz # streaming # marketing # recommendations # movies 20 reactions Comments Add Comment 4 min read ‘Lilo &amp; Stitch' Becomes Hollywood's First Movie to Hit $1 Billion in 2025 Movie News Movie News Movie News Follow Jul 18 '25 ‘Lilo &amp; Stitch' Becomes Hollywood's First Movie to Hit $1 Billion in 2025 # offtopic # analysis # introduction # recommendations Comments Add Comment 1 min read Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture Movie News Movie News Movie News Follow Jul 9 '25 Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture # movies # boxoffice # reviews # recommendations 3 reactions Comments 1 comment 1 min read Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture Movie News Movie News Movie News Follow Jul 10 '25 Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture # movies # boxoffice # filmindustry # recommendations Comments Add Comment 1 min read Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture Movie News Movie News Movie News Follow Jul 10 '25 Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture # movies # filmindustry # recommendations # hollywood Comments Add Comment 1 min read Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture Movie News Movie News Movie News Follow Jul 10 '25 Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture # movies # filmindustry # recommendations # biography Comments Add Comment 1 min read Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture Movie News Movie News Movie News Follow Jul 10 '25 Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture # movies # reviews # boxoffice # recommendations Comments Add Comment 1 min read Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture Movie News Movie News Movie News Follow Jul 9 '25 Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture # movies # recommendations # recap # hollywood Comments Add Comment 1 min read The NYTimes Readers' 100 Top Movies of the 21st Century Movie News Movie News Movie News Follow Jul 9 '25 The NYTimes Readers' 100 Top Movies of the 21st Century # movies # polls # filmhistory # recommendations Comments Add Comment 1 min read Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture Movie News Movie News Movie News Follow Jul 8 '25 Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture # movies # reviews # boxoffice # recommendations Comments Add Comment 1 min read Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture Movie News Movie News Movie News Follow Jul 8 '25 Ringer Movies: The 2025 Movie Auction Returns! | The Big Picture # movies # hollywood # recommendations # celebrities Comments Add Comment 1 min read The NYTimes Readers' 100 Top Movies of the 21st Century Movie News Movie News Movie News Follow Jul 8 '25 The NYTimes Readers' 100 Top Movies of the 21st Century # movies # polls # recommendations # filmhistory Comments Add Comment 1 min read Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture Movie News Movie News Movie News Follow Jul 7 '25 Ringer Movies: The 10 Best Movies of the Year ... So Far | The Big Picture # movies # reviews # recommendations # boxoffice Comments Add Comment 1 min read The NYTimes Readers' 100 Top Movies of the 21st Century Movie News Movie News Movie News Follow Jul 7 '25 The NYTimes Readers' 100 Top Movies of the 21st Century # movies # polls # recommendations # filmhistory Comments Add Comment 1 min read loading... trending guides/resources Ringer Movies: The Robert Redford Hall of Fame Ringer Movies: Is 'Bugonia' A Best Picture Contender? Ringer Movies: The 25 Best Movies of the Century: No. 5 - 'Lady Bird’ The Conformity Gate Phenomenon: Exploration of Fan Theories Following the Stranger Things Season ... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account | 2026-01-13T08:49:31 |
https://docs.n8n.io/hosting/?utm_source=devto&utm_medium=devchallenge | n8n Hosting Documentation and Guides | n8n Docs Skip to content n8n Docs Chat with the docs Initializing search Using n8n Integrations Hosting n8n Code in n8n Advanced AI API Embed n8n home ↗ Forum ↗ Tutorials (blog) ↗ Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. --> n8n Docs Using n8n Using n8n Getting started Getting started Learning path Choose your n8n Quickstarts Quickstarts A very quick quickstart A longer introduction Video courses Text courses Text courses Level one Level one Navigating the editor UI Building a mini-workflow Automating a (real-world) use case Designing the workflow Building the workflow Building the workflow Getting data from the data warehouse Inserting data into airtable Filtering orders Setting values for processing orders Calculating booked orders Notifying the team Scheduling the workflow Activating and examining the workflow Exporting and importing workflows Test your knowledge Level two Level two Understanding the data structure Processing different data types Merging and splitting data Dealing with errors in workflows Automating a business workflow Automating a business workflow Use case Workflow 1 Workflow 2 Workflow 3 Test your knowledge Using the app Using the app Understand workflows Understand workflows Create and run Save and publish Components Components Nodes Connections Sticky Notes Executions Executions Manual, partial, and production executions Dirty nodes Workflow-level executions All executions Custom executions data Debug executions Tags Export and import Templates Sharing Settings Streaming responses Workflow history Workflow ID Sub-workflow conversion Manage credentials Manage credentials Create and edit Credential sharing Manage users and access Manage users and access Cloud setup Manage users Account types Role-based access control Role-based access control Role types Projects Best practices 2FA LDAP OIDC OIDC Set up OIDC Troubleshooting SAML SAML Set up SAML Okta Workforce Identity SAML setup Manage users with SAML Troubleshooting Keyboard shortcuts Key concepts Key concepts Flow logic Flow logic Splitting with conditionals Merging data Looping Waiting Sub-workflows Error handling Execution order in multi-branch workflows Data Data Data structure Data flow within nodes Transforming data Process data using code Data mapping Data mapping Data mapping in the UI Data mapping in the expressions editor Data item linking Data item linking Item linking concepts Item linking in the Code node Item linking errors Item linking for node creators Data pinning Data editing Data filtering Data mocking Data tables Binary data Schema preview Glossary n8n Cloud n8n Cloud Overview Cloud free trial Access the Cloud admin dashboard Update your n8n Cloud version Set the timezone Cloud IP addresses Cloud data management Change ownership or username Concurrency Download workflows AI Assistant Enterprise features Enterprise features Source control and environments Source control and environments Understand Understand Environments Git in n8n Branch patterns Set up Using Using Push and pull Compare workflow changes Copy work between environments Tutorial: Create environments with source control External secrets Log streaming Insights License key Releases Releases Release notes Release notes 2.x 1.x 0.x v2.0 breaking changes v2.0 Migration tool v1.0 migration guide Help and community Help and community Where to get help Contributing Licenses and privacy Licenses and privacy Privacy and security Privacy and security Privacy Security Incident response What you can do Sustainable use license Integrations Integrations Built-in nodes Built-in nodes Node types Core nodes Core nodes Activation Trigger Aggregate AI Transform Code Code Keyboard shortcuts Common issues Compare Datasets Compression Chat Trigger Chat Trigger Common issues Convert to File Crypto Data table Date & Time Debug Helper Edit Fields (Set) Edit Image Email Trigger (IMAP) Error Trigger Evaluation Evaluation Trigger Execute Command Execute Command Common issues Execute Sub-workflow Execute Sub-workflow Trigger Execution Data Extract From File Filter FTP Git GraphQL Guardrails HTML HTTP Request HTTP Request Common issues If JWT LDAP Limit Local File Trigger Loop Over Items (Split in Batches) Manual Trigger Markdown MCP Client MCP Server Trigger Merge n8n n8n Form n8n Form Trigger n8n Trigger No Operation, do nothing Read/Write Files from Disk Remove Duplicates Remove Duplicates Templates and examples Rename Keys Respond to Chat Respond to Webhook RSS Read RSS Feed Trigger Schedule Trigger Schedule Trigger Common issues Send Email Sort Split Out SSE Trigger SSH Stop And Error Summarize Switch TOTP Wait Webhook Webhook Workflow development Common issues Workflow Trigger XML Actions Actions Action Network ActiveCampaign Adalo Affinity Agile CRM Airtable Airtable Common issues Airtop AMQP Sender Anthropic APITemplate.io Asana Autopilot AWS Certificate Manager AWS Cognito AWS Comprehend AWS DynamoDB AWS Elastic Load Balancing AWS IAM AWS Lambda AWS Rekognition AWS S3 AWS SES AWS SNS AWS SQS AWS Textract AWS Transcribe Azure Cosmos DB Azure Storage BambooHR Bannerbear Baserow Beeminder Bitly Bitwarden Box Brandfetch Brevo Bubble Chargebee CircleCI Webex by Cisco Clearbit ClickUp Clockify Cloudflare Cockpit Coda CoinGecko Contentful ConvertKit Copper Cortex CrateDB crowd.dev Customer.io DeepL Demio DHL Discord Discord Common issues Discourse Disqus Drift Dropbox Dropcontact E-goi Elasticsearch Elastic Security Emelia ERPNext Facebook Graph API FileMaker Flow Freshdesk Freshservice Freshworks CRM GetResponse Ghost GitHub GitLab Gmail Gmail Draft operations Label operations Message operations Thread operations Common issues Gong Google Ads Google Analytics Google BigQuery Google Books Google Business Profile Google Calendar Google Calendar Calendar operations Event operations Google Chat Google Cloud Firestore Google Cloud Natural Language Google Cloud Realtime Database Google Cloud Storage Google Contacts Google Docs Google Drive Google Drive File operations File and folder operations Folder operations Shared drive operations Common issues Google Gemini Google Perspective Google Sheets Google Sheets Document operations Sheet within Document operations Common issues Google Slides Google Tasks Google Translate Google Workspace Admin Gotify GoToWebinar Grafana Grist Hacker News HaloPSA Harvest Help Scout HighLevel Home Assistant HubSpot Humantic AI Hunter Intercom Invoice Ninja Iterable Jenkins Jina AI Jira Software Kafka Keap Kitemaker KoboToolbox Lemlist Line Linear LingvaNex LinkedIn LoneScale Magento 2 Mailcheck Mailchimp MailerLite Mailgun Mailjet Mandrill marketstack Matrix Mattermost Mautic Medium MessageBird Metabase Microsoft Dynamics CRM Microsoft Entra ID Microsoft Excel 365 Microsoft Graph Security Microsoft OneDrive Microsoft Outlook Microsoft SharePoint Microsoft SQL Microsoft Teams Microsoft To Do Mindee MISP Mistral AI Mocean monday.com MongoDB Monica CRM MQTT MSG91 MySQL MySQL Common issues Customer Datastore (n8n Training) Customer Messenger (n8n Training) NASA Netlify Netscaler ADC Nextcloud NocoDB Notion Notion Common issues npm Odoo Okta One Simple API Onfleet OpenAI OpenAI Assistant operations Audio operations Conversation operations File operations Image operations Text operations Video operations Common issues OpenThesaurus OpenWeatherMap Oracle Database Oracle Database Oura Paddle PagerDuty PayPal Peekalink Perplexity PhantomBuster Philips Hue Pipedrive Plivo PostBin Postgres Postgres Common issues PostHog ProfitWell Pushbullet Pushcut Pushover QuestDB Quick Base QuickBooks Online QuickChart RabbitMQ Raindrop Reddit Redis Rocket.Chat Rundeck S3 Salesforce Salesmate SeaTable SecurityScorecard Segment SendGrid Sendy Sentry.io ServiceNow seven Shopify SIGNL4 Slack Snowflake Splunk Spotify Stackby Storyblok Strapi Strava Stripe Supabase Supabase Common issues SyncroMSP Taiga Tapfiliate Telegram Telegram Chat operations Callback operations File operations Message operations Common issues TheHive TheHive 5 TimescaleDB Todoist Travis CI Trello Twake Twilio Twist Unleashed Software UpLead uProc UptimeRobot urlscan.io Venafi TLS Protect Cloud Venafi TLS Protect Datacenter Vero Vonage Webflow Wekan WhatsApp Business Cloud WhatsApp Business Cloud Common issues Wise WooCommerce WordPress X (Formerly Twitter) Xero Yourls YouTube Zammad Zendesk Zoho CRM Zoom Zulip Triggers Triggers ActiveCampaign Trigger Acuity Scheduling Trigger Affinity Trigger Airtable Trigger AMQP Trigger Asana Trigger Autopilot Trigger AWS SNS Trigger Bitbucket Trigger Box Trigger Brevo Trigger Calendly Trigger Cal Trigger Chargebee Trigger ClickUp Trigger Clockify Trigger ConvertKit Trigger Copper Trigger crowd.dev Trigger Customer.io Trigger Emelia Trigger Eventbrite Trigger Facebook Lead Ads Trigger Facebook Trigger Facebook Trigger Ad Account Application Certificate Transparency Group Instagram Link Page Permissions User WhatsApp Business Account Workplace Security Figma Trigger (Beta) Flow Trigger Form.io Trigger Formstack Trigger GetResponse Trigger GitHub Trigger GitLab Trigger Gmail Trigger Gmail Trigger Poll Mode options Common issues Google Calendar Trigger Google Drive Trigger Google Drive Trigger Common issues Google Business Profile Trigger Google Sheets Trigger Google Sheets Trigger Common issues Gumroad Trigger Help Scout Trigger Hubspot Trigger Invoice Ninja Trigger Jira Trigger JotForm Trigger Kafka Trigger Keap Trigger KoboToolbox Trigger Lemlist Trigger Linear Trigger LoneScale Trigger Mailchimp Trigger MailerLite Trigger Mailjet Trigger Mautic Trigger Microsoft OneDrive Trigger Microsoft Outlook Trigger Microsoft Teams Trigger MQTT Trigger Netlify Trigger Notion Trigger Onfleet Trigger PayPal Trigger Pipedrive Trigger Postgres Trigger Postmark Trigger Pushcut Trigger RabbitMQ Trigger Redis Trigger Salesforce Trigger SeaTable Trigger Shopify Trigger Slack Trigger Strava Trigger Stripe Trigger SurveyMonkey Trigger Taiga Trigger Telegram Trigger Telegram Trigger Common issues TheHive 5 Trigger TheHive Trigger Toggl Trigger Trello Trigger Twilio Trigger Typeform Trigger Venafi TLS Protect Cloud Trigger Webex by Cisco Trigger Webflow Trigger WhatsApp Trigger Wise Trigger WooCommerce Trigger Workable Trigger Wufoo Trigger Zendesk Trigger Cluster nodes Cluster nodes Root nodes Root nodes AI Agent AI Agent Conversational Agent OpenAI Functions Agent Plan and Execute Agent ReAct Agent SQL Agent Tools Agent Common issues Basic LLM Chain Question and Answer Chain Question and Answer Chain Common issues Summarization Chain Information Extractor Text Classifier Sentiment Analysis LangChain Code Azure AI Search Vector Store Simple Vector Store Milvus Vector Store MongoDB Atlas Vector Store PGVector Vector Store Pinecone Vector Store Qdrant Vector Store Redis Vector Store Supabase Vector Store Weaviate Vector Store Zep Vector Store Sub-nodes Sub-nodes Default Data Loader GitHub Document Loader Embeddings AWS Bedrock Embeddings Azure OpenAI Embeddings Cohere Embeddings Google Gemini Embeddings Google PaLM Embeddings Google Vertex Embeddings HuggingFace Inference Embeddings Mistral Cloud Embeddings Ollama Embeddings OpenAI Anthropic Chat Model AWS Bedrock Chat Model Azure OpenAI Chat Model Cohere Chat Model DeepSeek Chat Model Google Gemini Chat Model Google Vertex Chat Model Groq Chat Model Mistral Cloud Chat Model Ollama Chat Model Ollama Chat Model Common issues OpenAI Chat Model OpenAI Chat Model Common issues OpenRouter Chat Model Vercel AI Gateway Chat Model xAI Grok Chat Model Cohere Model Ollama Model Ollama Model Common issues Hugging Face Inference Model Chat Memory Manager Simple Memory Simple Memory Common issues Motorhead MongoDB Chat Memory Redis Chat Memory Postgres Chat Memory Xata Zep Auto-fixing Output Parser Item List Output Parser Structured Output Parser Structured Output Parser Common issues Contextual Compression Retriever MultiQuery Retriever Vector Store Retriever Workflow Retriever Character Text Splitter Recursive Character Text Splitter Token Splitter AI Agent Tool Calculator Custom Code Tool MCP Client Tool SearXNG Tool SerpApi (Google Search) Think Tool Vector Store Question Answer Tool Wikipedia Wolfram|Alpha Call n8n Workflow Tool Reranker Cohere Model Selector Credentials Credentials Action Network credentials ActiveCampaign credentials Acuity Scheduling credentials Adalo credentials Affinity credentials Agile CRM credentials Airtable credentials Airtop credentials AlienVault credentials AMQP credentials Anthropic credentials APITemplate.io credentials Asana credentials Auth0 Management credentials Autopilot credentials AWS credentials Azure OpenAI credentials Azure Cosmos DB credentials Azure AI Search credentials Azure Storage credentials BambooHR credentials Bannerbear credentials Baserow credentials Beeminder credentials Bitbucket credentials Bitly credentials Bitwarden credentials Box credentials Brandfetch credentials Brevo credentials Bubble credentials Cal.com credentials Calendly credentials Carbon Black credentials Chargebee credentials CircleCI credentials Cisco Meraki credentials Cisco Secure Endpoint credentials Cisco Umbrella credentials Clearbit credentials ClickUp credentials Clockify credentials Cloudflare credentials Cockpit credentials Coda credentials Cohere credentials Contentful credentials ConvertAPI credentials ConvertKit credentials Copper credentials Cortex credentials CrateDB credentials crowd.dev credentials CrowdStrike credentials Customer.io credentials Datadog credentials DeepL credentials DeepSeek credentials Demio credentials DFIR-IRIS credentials DHL credentials Discord credentials Discourse credentials Disqus credentials Drift credentials Dropbox credentials Dropcontact credentials Dynatrace credentials E-goi credentials Elasticsearch credentials Elastic Security credentials Emelia credentials ERPNext credentials Eventbrite credentials F5 Big-IP credentials Facebook App credentials Facebook Graph API credentials Facebook Lead Ads credentials Figma credentials FileMaker credentials Filescan credentials Flow credentials Form.io Trigger credentials Formstack Trigger credentials Fortinet FortiGate credentials Freshdesk credentials Freshservice credentials Freshworks CRM credentials FTP credentials GetResponse credentials Ghost credentials Git credentials GitHub credentials GitLab credentials Gong credentials Google Google Google OAuth2 single service Google OAuth2 generic Google Service Account Google Gemini(PaLM) credentials Gotify credentials GoToWebinar credentials Grafana credentials Grist credentials Groq credentials Gumroad credentials HaloPSA credentials Harvest credentials Help Scout credentials HighLevel credentials Home Assistant credentials HTTP Request credentials HubSpot credentials Hugging Face credentials Humantic AI credentials Hunter credentials Hybrid Analysis credentials IMAP IMAP Gmail Outlook.com Yahoo Imperva WAF credentials Intercom credentials Invoice Ninja credentials Iterable credentials Jenkins credentials Jina AI credentials Jira credentials JotForm credentials JWT credentials Kafka credentials Keap credentials Kibana credentials Kitemaker credentials KoboToolbox credentials LDAP credentials Lemlist credentials Line credentials Linear credentials LingvaNex credentials LinkedIn credentials LoneScale credentials Magento 2 credentials Mailcheck credentials Mailchimp credentials MailerLite credentials Mailgun credentials Mailjet credentials Malcore credentials Mandrill credentials Marketstack credentials Matrix credentials Mattermost credentials Mautic credentials Medium credentials MessageBird credentials Metabase credentials Microsoft credentials Microsoft Azure Monitor credentials Microsoft Entra ID credentials Microsoft SQL credentials Milvus credentials Mindee credentials Miro credentials MISP credentials Mist credentials Mistral Cloud credentials Mocean credentials monday.com credentials MongoDB credentials Monica CRM credentials Motorhead credentials MQTT credentials MSG91 credentials MySQL credentials NASA credentials Netlify credentials Netscaler ADC credentials Nextcloud credentials NocoDB credentials Notion credentials npm credentials Odoo credentials Okta credentials Ollama credentials One Simple API credentials Onfleet credentials OpenAI credentials OpenCTI credentials OpenRouter credentials OpenWeatherMap credentials Oracle Database credentials Oura credentials Paddle credentials PagerDuty credentials PayPal credentials Peekalink credentials Perplexity credentials PhantomBuster credentials Philips Hue credentials Pinecone credentials Pipedrive credentials Plivo credentials Postgres credentials PostHog credentials Postmark credentials ProfitWell credentials Pushbullet credentials Pushcut credentials Pushover credentials QRadar credentials Qdrant credentials Qualys credentials QuestDB credentials Quick Base credentials QuickBooks credentials RabbitMQ credentials Raindrop credentials Rapid7 InsightVM credentials Recorded Future credentials Reddit credentials Redis credentials Rocket.Chat credentials Rundeck credentials S3 credentials Salesforce credentials Salesmate credentials SearXNG credentials SeaTable credentials SecurityScorecard credentials Segment credentials Sekoia credentials Send Email Send Email Gmail Outlook.com Yahoo SendGrid credentials Sendy credentials Sentry.io credentials Serp credentials ServiceNow credentials seven credentials Shopify credentials Shuffler credentials SIGNL4 credentials Slack credentials Snowflake credentials SolarWinds IPAM credentials SolarWinds Observability SaaS credentials Splunk credentials Spotify credentials SSH credentials Stackby credentials Storyblok credentials Strapi credentials Strava credentials Stripe credentials Supabase credentials SurveyMonkey credentials SyncroMSP credentials Sysdig credentials Taiga credentials Tapfiliate credentials Telegram credentials TheHive credentials TheHive 5 credentials TimescaleDB credentials Todoist credentials Toggl credentials TOTP credentials Travis CI credentials Trellix ePO credentials Trello credentials Twake credentials Twilio credentials Twist credentials Typeform credentials Unleashed Software credentials UpLead credentials uProc credentials UptimeRobot credentials urlscan.io credentials Venafi TLS Protect Cloud credentials Venafi TLS Protect Datacenter credentials Vercel AI Gateway credentials Vero credentials VirusTotal credentials Vonage credentials Weaviate credentials Webex by Cisco credentials Webflow credentials Webhook credentials Wekan credentials WhatsApp Business Cloud credentials Wise credentials Wolfram|Alpha credentials WooCommerce credentials WordPress credentials Workable credentials Wufoo credentials X (formerly Twitter) credentials xAI credentials Xata credentials Xero credentials Yourls credentials Zabbix credentials Zammad credentials Zendesk credentials Zep credentials Zoho credentials Zoom credentials Zscaler ZIA credentials Zulip credentials Custom API actions for existing nodes Handle rate limits Community nodes Community nodes Installation and management Installation and management Install verified community nodes GUI installation Manual installation Risks Blocklist Using community nodes Troubleshooting Building community nodes Creating nodes Creating nodes Overview Plan your node Plan your node Choose a node type Choose a node building style Node UI design Choose node file structure Build your node Build your node Set up your development environment Using the n8n-node tool Tutorial: Build a declarative-style node Tutorial: Build a programmatic-style node Reference Reference Node UI elements Code standards Error handling Versioning Choose node file structure Base files Base files Structure Standard parameters Declarative-style parameters Programmatic-style parameters Programmatic-style execute method Codex files Credentials files HTTP request helpers Item linking UX guidelines Verification guidelines Test your node Test your node Run your node locally Node linter Troubleshooting Deploy your node Deploy your node Submit community nodes Install private nodes Hosting n8n Hosting n8n Community vs Enterprise Installation Installation npm Docker Server setups Server setups Digital Ocean Heroku Hetzner Amazon Web Services Azure Google Cloud Run Google Kubernetes Engine Docker Compose Updating Configuration Configuration Environment variables Environment variables AI Assistant Binary data Credentials Database Deployment Endpoints Executions External data storage External hooks External secrets Insights Logs License Nodes Queue mode Security Source control Task runners Timezone and localization User management and 2FA Workflows Workflow history Configuration methods Configuration examples Configuration examples Isolate n8n Configure the Base URL Configure custom SSL certificate authorities Set a custom encryption key Configure workflow timeouts Specify custom nodes location Enable modules in Code node Set the timezone Specify user folder path Configure webhook URLs with reverse proxy Enable Prometheus metrics Supported databases and settings Task runners User management Logging and monitoring Logging and monitoring Logging Monitoring Security audit Scaling and performance Scaling and performance Overview Performance and benchmarking Configuring queue mode Concurrency control Execution data Binary data External storage for binary data Memory-related errors Securing n8n Securing n8n Overview Set up SSL Set up SSO Security audit Disable the API Opt out of data collection Blocking nodes Hardening task runners Restrict account registration to email-verified users Starter Kits Starter Kits AI Starter Kit Architecture Architecture Overview Database structure Using the CLI Using the CLI CLI commands Code in n8n Code in n8n Expressions Using the Code node AI coding Built in methods and variables Built in methods and variables Overview Current node input Output of other nodes Date and time JMESPath HTTP node LangChain Code node n8n metadata Convenience methods Data transformation functions Data transformation functions Arrays Booleans Dates Numbers Objects Strings Custom variables Custom variables Create custom variables Cookbook Cookbook Handling dates Query JSON with JMESPath Built-in methods and variables examples Built-in methods and variables examples execution getWorkflowStaticData Retrieve linked items from earlier in the workflow (node-name).all vars Expressions Expressions Check incoming data Common issues Code node Code node Get number of items returned by last node Get the binary data buffer Output to the browser console HTTP Request node HTTP Request node Pagination Advanced AI Advanced AI AI Workflow Builder Chat Hub Accessing n8n MCP server Tutorial: Build an AI workflow in n8n RAG in n8n LangChain in n8n LangChain in n8n Overview Langchain concepts in n8n LangChain learning resources Use LangSmith with n8n Evaluations Evaluations Overview Light evaluations Metric-based evaluations Tips and common issues Examples and concepts Examples and concepts Introduction What is a chain? What is an agent? Agents vs chains example What is memory? What is a tool? Use Google Sheets as a data source Call an API to fetch data Set a human fallback for AI workflows Let AI specify tool parameters What is a vector database? Populate a Pinecone vector database from a website API API Authentication Pagination Using an API playground API reference Embed Embed Prerequisites Deployment Configuration Workflow management Workflows templates White labelling Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. --> Self-hosting n8n # This section provides guidance on setting up n8n for both the Enterprise and Community self-hosted editions. The Community edition is free, the Enterprise edition isn't. See Community edition features for a list of available features. Installation and server setups Install n8n on any platform using npm or Docker. Or follow our guides to popular hosting platforms. Docker installation guide Configuration Learn how to configure n8n with environment variables. Environment Variables Users and authentication Choose and set up user authentication for your n8n instance. Authentication Scaling Manage data, modes, and processes to keep n8n running smoothly at scale. Scaling Securing n8n Secure your n8n instance by setting up SSL, SSO, or 2FA or blocking or opting out of some data collection or features. Securing n8n guide Starter kits New to n8n or AI? Try our Self-hosted AI Starter Kit. Curated by n8n, it combines the self-hosted n8n platform with compatible AI products and components to get you started building self-hosted AI workflows. Starter kits Self-hosting knowledge prerequisites Self-hosting n8n requires technical knowledge, including: Setting up and configuring servers and containers Managing application resources and scaling Securing servers and applications Configuring n8n n8n recommends self-hosting for expert users. Mistakes can lead to data loss, security issues, and downtime. If you aren't experienced at managing servers, n8n recommends n8n Cloud . Back to top Previous Install private nodes Next Community vs Enterprise Made with Material for MkDocs Insiders | 2026-01-13T08:49:31 |
https://dev.to/hb/react-vs-vue-vs-angular-vs-svelte-1fdm#svelte | React vs Vue vs Angular vs Svelte - 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 Henry Boisdequin Posted on Nov 29, 2020 React vs Vue vs Angular vs Svelte # react # vue # angular # svelte In this article, I'm going to cover which of the top Javascript frontend frameworks: React, Vue, Angular, or Svelte is the best at certain factors and which one is the best for you. There are going to be 5 factors which we are going to look at: popularity, community/resources, performance, learning curve, and real-world examples. Before diving into any of these factors, let's take a look at what these frameworks are. 🔵 React Developed By : Facebook Open-source : Yes Licence : MIT Licence Initial Release : March 2013 Github Repo : https://github.com/facebook/react Description : React is a JavaScript library for building user interfaces. Pros : Easy to learn and use Component-based: reusable code Performant and fast Large community Cons : JSX is required Poor documentation 🟢 Vue Developed By : Evan You Open-source : Yes Licence : MIT Licence Initial Release : Feburary 2014 Github Repo : https://github.com/vuejs/vue Description : Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web. Pros : Performant and fast Component-based: reusable code Easy to learn and use Good and intuitive documentation Cons : Fewer resources compared to a framework like React Over flexibility at times 🔴 Angular Developed By : Google Open-source : Yes Licence : MIT Licence Initial Release : September 2016 Github Repo : https://github.com/angular/angular Description : Angular is a development platform for building mobile and desktop web applications using Typescript/JavaScript and other languages. Pros : Fast server performance MVC Architecture implementation Component-based: reusable code Good and intuitive documentation Cons : Steep learning curve Angular is very complex 🟠 Svelte Developed By : Rich Harris Open-source : Yes Licence : MIT Licence Initial Release : November 2016 Github Repo : https://github.com/sveltejs/svelte Description : Svelte is a new way to build web applications. It's a compiler that takes your declarative components and converts them into efficient JavaScript that surgically updates the DOM. Pros : No virtual DOM Truly reactive Easy to learn and use Component-based: reusable code Cons : Small community Confusion in variable names and syntax The 1st Factor: Popularity All of these options are extremely popular and are used by loads of developers. I'm going to compare these 4 frameworks in google trends, NPM trends, and the Stackoverflow 2020 survey results to see which one is the most popular. Note: Remember that popularity doesn't mean it has the largest community and resources. Google Trends Google trends measures the number of searches for a certain topic. Let's have a look at the results: Note: React is blue, Angular is red, Svelte is gold, Vue is green. The image above contains the trends for these 4 frontend frameworks over the past 5 years. As you can see, Angular and React are by far the most searched, with React being searched more than Angular. While Vue sits in the middle, Svelte is the clear least searched framework. Although Google Trends gives us the number of search results, it may be a bit deceiving so lets of on to NPM trends. NPM Trends NPM Trends is a tool created by John Potter, used to compare NPM packages popularity. This measures how many times a certain NPM package was downloaded. As you can see, React is clearly the most popular in terms of NPM package downloads. Angular and Vue are very similar on the chart, with them going back and forth while Svelte sits at the bottom once again. Stackoverflow 2020 Survey In February of 2020, close to 65 thousand developers filled out the Stackoverflow survey. This survey is the best in terms of what the actual developer community uses, loves, dreads, and wants. Above is the info for the most popular web frameworks. As you can see React and Angular are 2nd and 3rd but React still has a monumental lead. Vue sits happily in the middle but Svelte is nowhere to be seen. Above are the results for the most loved web frameworks. As you can see, React is still 2nd and this time Vue sits in 3rd. Angular is in the middle of the bunch, but yet again Svelte is not there. Note: Angular.js is not Angular Above are the most dreaded web frameworks. As you can see React and Vue are towards the bottom (which is good) while Angular is one of the most dreaded web frameworks. This is because React and Vue developers tend to make fun of Angular, mostly because of its predecessor Angular.js . Svelte is not on this list which is good for the framework. Explaining Svelte's "Bad" Results Some may say that Svelte performed poorly compared to the other 3 frameworks in this category. You would be right. Svelte is the new kid on the block, not many people are using it or know about it. Think of React, Vue, or Angular in their early stages: that's what Svelte is currently. Most of these frontend frameworks comparisons are between React, Vue, or Angular but since I think that Svelte is promising, I wanted to include it in this comparison. Most of the other factors, Svelte is ranking quite highly in. Wrapping up the 1st Factor: Popularity From the three different trends/surveys, we can conclude that React is the most popular out of the three but with Vue and Angular just behind. Popularity: React Angular Vue Svelte Note: it was very hard to choose between Angular and Vue since they are very close together but I think Angular just edges out Vue in the present day. The 2nd Factor: Community & Resources This factor will be about which framework has the best community and resources. This is a crucial factor as this helps you learn the technology and get help when you are stuck. We are going to be looking at the courses available and the community size behind these frameworks. Let's jump right into it! React React has a massive amount of resources and community members behind it. Firstly, they have a Spectrum chat which usually has around 200 developers looking to help you online. Also, they have a massive amount of Stackoverflow developers looking to help you. There are 262,951 Stackoverflow questions on React, one of the most active Stackoverflow tags. React also has a bunch of resources and tutorials. If you search up React tutorial there will be countless tutorials waiting for you. Here are my recommended React tutorials for getting started: Free: https://youtu.be/4UZrsTqkcW4 Paid: https://www.udemy.com/course/complete-react-developer-zero-to-mastery/ Vue Vue also has loads of resources and a large community but not as large as React. Vue has a Gitter chat with over 19,000 members. In addition, they have a massive Stackoverflow community with 68,778 questions. Where Vue really shines is its resources. Vue has more resources than I could imagine. Here are my recommended Vue tutorials for getting started: Free: https://youtu.be/e-E0UB-YDRk Paid: https://www.udemy.com/course/vuejs-2-the-complete-guide/ Angular Angular has a massive community. Their Gitter chat has over 22,489 people waiting to help you. Also, their Stackoverflow questions asked is over 238,506. Like React and Vue, Angular has a massive amount of resources to help you learn the framework. A downfall to these resources is that most of them are outdated (1-2 years old) but you can still find some great tutorials. Here are my recommended Angular tutorials for getting started: Free: https://youtu.be/Fdf5aTYRW0E Paid: https://www.udemy.com/course/the-complete-guide-to-angular-2/ Svelte Svelte has a growing community yet still has many quality tutorials and resources. An awesome guide to Svelte and their community is here: https://svelte-community.netlify.app . They have a decent Stackoverflow community with over 1,300 questions asked. Also, they have an awesome Discord community with over 1,500 members online on average. Svelte has a lot of great tutorials and resources, despite it only coming on to the world stage quite recently. Here are my recommended Svelte tutorials for getting started: Free: https://www.youtube.com/watch?v=zojEMeQGGHs&list=PL4cUxeGkcC9hlbrVO_2QFVqVPhlZmz7tO Paid: https://www.udemy.com/course/sveltejs-the-complete-guide/ Wrapping up the 2nd Factor: Community & Resources From just looking at the Stackoverflow community and the available resources, we can conclude that all of these 4 frameworks have a massive community and available resources. Community & Resources: React Vue & Angular* Svelte *I really couldn't decide between the two! The 3rd Factor: Performance In this factor, I will be going over which of these frameworks are the most performant. There are going to be three main components to this factor: speed test, startup test, and the memory allocation test. I will be using this website to compare the speed of all frameworks. Speed Test This test will compare each of the frameworks in a set of tasks and find out the speed of which they complete them. Let's have a look at the results. As you can see, just by the colours that Svelte and Vue are indeed the most performant in this category. This table has the name of the actions on one side and the results on the other. At the bottom of the table, we can see something called slowdown geometric mean. Slowdown geometric mean is an indicator of overall performance and speed by a framework. From this, we can conclude that this category ranking: Vue - 1.17 slowdown geometric mean Svelte - 1.19 slowdown geometric mean React & Angular - 1.27 slowdown geometric mean Startup Test The startup test measures how long it takes for one of these frameworks to "startup". Let's see the table. As you can see, Svelte is the clear winner. For every single one of these performance tests, Svelte is blazing fast (if you want to know how Svelte does this, move to the "Why is Svelte so performant?" section). From these results, we can create this category ranking. Svelte Vue React Angular Memory Test The memory test sees which framework takes up the least amount of memory for the same test. Let's jump into the results. Similarly to the startup test, Svelte is clearly on top. Vue and React are quite similar while Angular (once again) is the least performant. From this, we can derive this category ranking. Svelte Vue React Angular Why is Svelte so performant? TL;DR: No Virtual DOM Compiled to just JS Small bundles Before looking at why Svelte is how performant, we need to understand how Svelte works. Svelte is not compiled to JS, HTML, and CSS files. You might be thinking: what!? But that's right, instead of doing that it compiles highly optimized JS files. This means that the application needs no dependencies to start and it's blazing fast. This way no virtual DOM is needed. Your components are compiled to Javascript and the DOM doesn't need to update. Also, it also takes up little memory as it complies in highly optimized, small bundles of Javascript. Wrapping up the 3rd Factor: Performance Svelte made a huge push in this factor, blowing away the others! From the three categories, let's rank these frameworks in terms of performance. Svelte Vue React Angular The 4th Factor: Learning Curve In this factor, we will be looking at how long and how easy it is to be able to build real-world (frontend-only) applications. This is one of the most important factors if you are looking to get going with this framework quickly. Let's dive right into it. React React is super easy to learn. React almost takes no time to learn, I would even say if you are proficient at Javascript and HTML, you can learn the basics in a day. Since we are looking about how long it takes to build a real-world project, this is the list of things you need to learn: How React works JSX State Props Main Hooks useState useEffect useRef useMemo Components NPM, Bebel, Webpack, ES6+ Functional Components vs Class Components React Router Create React App, Next.js, or Gatsby Optional but recommended: Redux, Recoil, Zustand, or Providers Vue In my opinion, Vue takes a bit more time than React to build a real project. With a bit of work, you could learn the Vue fundamentals in less than 3 days. Although Vue takes longer to learn, it is definitely one of the fastest popular Javascript frameworks to learn. Here is the list of things you need to learn: How Vue Works .vue files NPM, Bebel, Webpack, ES6+ State management Vuex Components create-vue-app/Vue CLI Vue Router Declarative Rendering Conditionals and Loops Vue Instance Vue Shorthands Optional: Nuxt.js, Vuetify, NativeScript-Vue Angular Angular is a massive framework, much larger than any other in this comparison. This may be why Angular is not as performant as other frameworks such as React, Svelte, or Vue. To learn the basics of Angular, it could take a week or more. Here are the things you need to learn to build a real-world app in Angular: How Angular Works Typescript Data Types Defining Types Type Inference Interfaces Union Types Function type definitions Two-way data binding Dependency Injection Components Routing NPM, Bebel, Webpack, ES6+ Directives Templates HTTP Client Svelte One could argue that Svelte is the easiest framework to learn in this comparison. I would agree with that. Svelte's syntax is very similar to an HTML file. I would say that you could learn the Svelte basics in a day. Here are the things you need to learn to build a real-world app in Svelte: How Svelte Works .svelte files NPM, Bebel, Webpack, ES6+ Reactivity Props If, Else, Else ifs/Logic Events Binding Lifecycle Methods Context API State in Svelte Svelte Routing Wrapping up the 4th Factor: Learning Curve All these frameworks (especially Vue, Svelte, and React) are extremely easy to learn, very much so when one is already proficient with Javascript and HTML. Let's rank these technologies in terms of their learning curve! (ordered in fastest to learn to longest to learn) Svelte React Vue Angular The 5th Factor: Real-world examples In this factor, the final factor, we will be looking at some real-world examples of apps using that particular framework. At the end of this factor, the technologies won't be ranking but it's up to you to see which of these framework's syntax and way of doing things you like best. Let's dive right into it! React Top 5 Real-world companies using React : Facebook, Instagram, Whatsapp, Yahoo!, Netflix Displaying "Hello World" in React : import React from ' react ' ; function App () { return ( < div > Hello World </ div > ); } Enter fullscreen mode Exit fullscreen mode Vue Top 5 Real-world companies using Vue : NASA, Gitlab, Nintendo, Grammarly, Adobe Displaying "Hello World" in Vue : < template > <h1> Hello World </h1> </ template > Enter fullscreen mode Exit fullscreen mode Angular Top 5 Real-world companies using Angular : Google, Microsoft, Deutsche Bank, Forbes, PayPal Displaying "Hello World" in Angular : import { Component } from ' @angular/core ' ; @ Component ({ selector : ' my-app ' , template : &lt;h1&gt;Hello World&lt;/h1&gt; , }) export class AppComponent ; Enter fullscreen mode Exit fullscreen mode Svelte Top 5 Real-world companies using Svelte : Alaska Air, Godaddy, Philips, Spotify, New York Times Displaying "Hello World" in Svelte : <h1> Hello world </h1> Enter fullscreen mode Exit fullscreen mode Wrapping up the 5th Factor: Real-world Examples Wow! Some huge companies that we use on a daily basis use the frameworks that we use. This shows that all of these frameworks can be used to build apps as big as these household names. Also, the syntax of all of these frameworks is extremely intuitive and easy to learn. You can decide which one you like best! Conculsion I know, you're looking for a ranking of all of these frameworks. It really depends but to fulfil your craving for a ranking, I'll give you my personal opinion : Svelte React Vue Angular This would be my ranking but based on these 5 factors, choose whichever framework you like best and feel yourself coding every day in, all of them are awesome. I hope that you found this article interesting and maybe picked a new framework to learn (I'm going to learn Svelte)! Please let me know which frontend framework you use and why you use it. Thanks for reading! Henry Top comments (47) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand stefanovualto stefanovualto stefanovualto Follow Joined Feb 5, 2018 • Nov 29 '20 Dropdown menu Copy link Hide Hi Henry, I mostly agree with the point 1,2,3. But point 4 is subjective depending on your background and previous knowledge. To improve your post, you should add a note explaining what's your background. Finally point 5 are not similar at all. The vue example is a complete page using a reactive property. Anyway as @johnpapa said in a talk, you can achieve almost the same result with any framework, pick the one which feels right for you... :) Like comment: Like comment: 13 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide Yes, I agree with you! I would recommend anyone to learn the framework which feels right for you. For the Vue example, I'm not an expert at Vue and don't know a better way to do it (if you have a smaller, more concise 'hello world' example, please comment it). I will definitely work an a 'what's my background section'. To explain it know: I've been using React in all my web dev projects. I have basic knowledge of Vue, Angular, and Svelte. After looking at these 5 factors, I plan to use Svelte for my coming projects. Thanks, @stefanovualto for the feedback! Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand Christopher Wray Christopher Wray Christopher Wray Follow Email chris@sol.company Location Pasco, WA Education Western Governors University Work Senior Software Engineer at Soltech Joined Jan 14, 2020 • Nov 29 '20 • Edited on Nov 29 • Edited Dropdown menu Copy link Hide In the Vue example you are using data components. For the others just plain html. You could have a Vue component with a template of just the h1 tag and no script. It would look more like the svelte example. Like comment: Like comment: 2 likes Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide ✅ Like comment: Like comment: 1 like Like Thread Thread stefanovualto stefanovualto stefanovualto Follow Joined Feb 5, 2018 • Nov 29 '20 • Edited on Nov 29 • Edited Dropdown menu Copy link Hide In your vue example, I think that you should expect to be in a .vue file lik le it seems to be in the others (I mean that you have the whole bundling machinery working under the hood). Then something similar would be: <template> <h1> Hello world! </h1> </template> Enter fullscreen mode Exit fullscreen mode Maybe a pro' for vue is that it can be adopted/used progressively without having to rely on building process (which I am assuming are mandatory for react, svelte and maybe angular). What I mean is that your previous example worked, but it wasn't comparable to the others. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Zen Zen Zen Follow Mahasiswa Psikologi Email muhzaini30@gmail.com Location Samarinda Education Psikologi, TI Work Developer Android at Toko sepeda Sinar Jaya Joined Mar 25, 2019 • Nov 30 '20 Dropdown menu Copy link Hide I'm usually using Svelte for my projects. Because, it's simple, write less, and get more Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 3 '20 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide A couple thoughts. "Requires JSX" a downside??? I almost stopped reading at that point. Template DSLs are more or less the same. If that's a con, doesn't support JSX could easily be seen as one. There are reasonable arguments for both sides and this shows extreme bias. Vue is "truly reactive" as well. Whatever that means. Your JS Framework Benchmark results are over 2 years old. Svelte and Vue 3 are both out and in the current results. He now publishes them per Chrome version. Here are the latest: krausest.github.io/js-framework-be... . It doesn't change the final positions much, but Svelte and Vue look much more favorable in newer results. If anyone is interested in how those benchmarks work in more detail I suggest reading: dev.to/ryansolid/making-sense-of-t... Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide I'm a React dev and it's my favourite framework out of the bunch. When I did some research and asked some other developers when they think of React they think of needing to learn JSX. For something like Svelte, all you need to know is HTML, CSS, and JS. I know that my benchmarks were two years old and I addressed this multiple times before: For the performance factor, I knew that the frameworks were a bit outdated but the general gist stated the same. Svelte 3 was released some time ago and that blows all of the other frameworks out of the water in terms of performance hence Svelte would stay on top. Vue and React are very similar in performance, Vue even says so themselves: vuejs.org/v2/guide/comparison.html. Since, Angular is a massive framework with built-in routing, etc, its performance didn't become better than Vue, React, or Svelte in its newer versions. Thanks for the new benchmark website, I will definitely be using that in the future. Also, I just read your benchmark article and its a good explanation on how these benchmarks work. Thanks for your input. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 3 '20 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide Here's the index page where he posts new results as they come up: krausest.github.io/js-framework-be... When I did some research and asked some other developers when they think of React they think of needing to learn JSX. For something like Svelte, all you need to know is HTML, CSS, and JS. Svelte has good marketing clearly. Is this HTML? <label> <input type= "checkbox" bind:checked= {visible} > visible </label> {#if visible} <p transition:fade > Fades in and out </p> {/if} Enter fullscreen mode Exit fullscreen mode Or this HTML? <a @ [event]= "doSomething" > ... </a> <ul id= "example-1" > <li v-for= "item in items" :key= "item.message" > {{ item.message }} </li> </ul> Enter fullscreen mode Exit fullscreen mode How about this? <form onSubmit= {handleSubmit} > <label htmlFor= "new-todo" > What needs to be done? </label> <input id= "new-todo" onChange= {handleChange} value= {text} /> <button> Add #{items.length + 1} </button> </form> Enter fullscreen mode Exit fullscreen mode Like comment: Like comment: 4 likes Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide That's why a con of Svelte is its syntax (I added that in my post). This is more explanation to that point: Firstly, for confusion in variable names, I'm talking about how Svelte handles state. Coming from React, state would only be initialized with the useState hook. In Svelte, all the variables you make is state which could be confusing for someone just learning Svelte. Also, for the confusion in syntax, I'm talking about the confusion in logic. For example, if statements in Svelte are different than the usual Javascript if statements which could cause some confusion/more learning time for beginners. There are also other examples of this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Zen Zen Zen Follow Mahasiswa Psikologi Email muhzaini30@gmail.com Location Samarinda Education Psikologi, TI Work Developer Android at Toko sepeda Sinar Jaya Joined Mar 25, 2019 • Nov 29 '20 Dropdown menu Copy link Hide why svelte is not seen in search trend? because, svelte's docs is very easy to new comer in this framework Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide I'm not really sure @mzaini30 . A great pro of Svelte is its docs and tutorial on its website. I think in 1-2 years, you are going to see Svelte at least where Vue is in the search trends. Most of the search trends come from developers asking questions like how to fix this error, or how to do this but since not many people use Svelte (compared to the other frameworks) there are not many questions being asked. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Bergamof Bergamof Bergamof Follow Location Bordeaux, France Education 3iL Work Senior Developer at IPPON Technologies Joined Nov 30, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Sure! Too bad the great Svelte tutorial was not mentioned. Like comment: Like comment: 1 like Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide It's a great tutorial, but I decided to just add video tutorials. In the community factor, I give a link to the Svelte community website which features that tutorial! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 3 '20 Dropdown menu Copy link Hide Sad that Solid not even mentioned, although it's the one of the best performing frameworks. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide I've never actually heard of solid. I'll check it out! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 3 '20 Dropdown menu Copy link Hide Well, author of the Solid is even commented in this topic. Like comment: Like comment: 3 likes Like Thread Thread Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 16 '20 Dropdown menu Copy link Hide To be fair, performance is only one area and arguably the least important. Even if Solid completely dominates across the board in all things performance by a considerable margin, we have a long way before popularity, community, or realworld usage really makes it worth even being in a comparison of this nature. But I appreciate the sentiment. Like comment: Like comment: 4 likes Like Thread Thread Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 16 '20 Dropdown menu Copy link Hide Well, good performance across the board usually is a clear sign of high technical quality of design and implementation. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand dallgoot dallgoot dallgoot Follow Location France Joined Oct 3, 2017 • Jan 2 '21 Dropdown menu Copy link Hide I don't want to start a flamewar but i see a trend where React is considered the -only- viable framework and -some- people reacting like religious zealots against any critics because "it's the best ! it's made by Facebook!" React is too hyped IMHO. Svelte is a a true innovation. And yes performance matters. Angular and Vue may lose traction with time... i think... i fail to see their distinctive useful points. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Jan 2 '21 Dropdown menu Copy link Hide I completely agree with you. Most React devs now will not try any other framework and just make fun of the others. I completely agree that React is too hyped. Unfortunately, as you stated, Angular and Vue are losing some traction. I also agree with you that Svelte is a true innovation, this is why I put Svelte at number 1! For 2021, I will focus on using Svelte. Thanks for reading! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sylvain Simao Sylvain Simao Sylvain Simao Follow Building kuizto.co 🥦🍄🥔🥕 • Fractional CTO sylvainsimao.com • Prev CTO at Travis, Tech Director at ClemengerBBDO • Love building for the web! Location Brisbane, Australia Work Founder at kuizto.co Joined Mar 7, 2019 • Dec 3 '20 Dropdown menu Copy link Hide React with a smaller learning curve than Vue.js 🤔 Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide They were very tight but I would say that React has a smaller learning curve as its more intuitive and has easier syntax than Vue. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Sylvain Simao Sylvain Simao Sylvain Simao Follow Building kuizto.co 🥦🍄🥔🥕 • Fractional CTO sylvainsimao.com • Prev CTO at Travis, Tech Director at ClemengerBBDO • Love building for the web! Location Brisbane, Australia Work Founder at kuizto.co Joined Mar 7, 2019 • Dec 4 '20 Dropdown menu Copy link Hide Sorry @hb , you've decided to go on a touchy subject by writing this article! I will have to disagree with you on that point. I think it's perfectly okay to prefer using React. There are many reasons why it is a good choice. However, an easy learning curve isn't part of it. Just so there is no ambiguity, after having used all the Frameworks from this article - my choice goes towards Vue.js and Svelte, but I'll try to remain as objective as possible. 1) According to the State of JS survey 2018 (not using 2019, because that same question wasn't part of last year's survey). From 20,268 developers interrogated, the number #1 argument about Vue.js is an easy learning curve. For React it comes at position #11 (top 3 beings: elegant programming style, rick package ecosystem, and well-established): 2018.stateofjs.com/front-end-frame... 2018.stateofjs.com/front-end-frame... 2) Main reason why Vue.js is labelled "The Progressive JavaScript Framework", is because it is progressive to implement and to learn. Before you can get started with React, you need to know about JSX and build systems. On the other end, Vue.js can be used just by dropping a single script tag into your page and using plain HTML and CSS. This makes a huge difference in terms of approachability of the Framework. 3) Maybe less objective on this one - but from my own professional experience with both Frameworks and leading teams of developers - it usually takes Junior Developers almost twice the time to become proficient with React than with Vue.js. Firstly because of what I mentioned in point number 2. Secondly, because React has few abstraction leaks that makes performance optimisation something developers have to deal with themselves (using memoize hooks). It's a concept that is hard to understand, but essentials if working on large applications. Thirdly, because of the documentation (as you mentioned in your article). And lastly because of the fragmented ecosystem of libraries that can quickly be overwhelming for Junior Devs. Again, I think there are a lot of reasons why React can be a good choice. But not because of the learning curve. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Thorsten Hirsch Thorsten Hirsch Thorsten Hirsch Follow Joined Feb 5, 2017 • Nov 29 '20 Dropdown menu Copy link Hide Angular 6? Well, they just released version 11 and there was the switch to Ivy since version 6, so what about a more recent benchmark? And looking at the Google trends chart I wonder why all 3 (React/Angular/Vue) lost quite a bit of their popularity during the past months... any new kid on the block? It's obviously not Svelte, which could hardly benefit from the others' losses. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide For the performance factor, I knew that the frameworks were a bit outdated but the general gist stated the same. Svelte 3 was released some time ago and that blows all of the other frameworks out of the water in terms of performance hence Svelte would stay on top. Vue and React are very similar in performance, Vue even says so themselves: vuejs.org/v2/guide/comparison.html . Since, Angular is a massive framework with built-in routing, etc, its performance didn't become better than Vue, React, or Svelte in its newer versions. For the search results, they are unpredictable. To my knowledge, there is no new kid on the block in terms of frontend Javascript frameworks. If anything, more people are using Web Assembly. As you can see from the search results graph, it goes up and down, changing all the time. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 29 '20 Dropdown menu Copy link Hide Also, it would be great if you could give a little explanation of this point Confusion in variable names and syntax Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Firstly, for confusion in variable names, I'm talking about how Svelte handles state. Coming from React, state would only be initialized with the useState hook. In Svelte, all the variables you make is state which could be confusing for someone just learning Svelte. Also, for the confusion in syntax, I'm talking about the confusion in logic. For example, if statements in Svelte are different than the usual Javascript if statements which could cause some confusion/more learning time for beginners. There are also other examples of this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 30 '20 Dropdown menu Copy link Hide It makes syntax simpler TBH. React isn't even a direct comparison to Svelte. The only syntax that users will get accustomed to is $ assignments. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 29 '20 Dropdown menu Copy link Hide You forgot to mention that Svelte has a great discord :) Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide I just had a look at it, a great tool! I'll add it to the post! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikola Nikola Nikola Follow Work Angular developer at Cinnamon Agency Joined Jan 21, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Angular con: it is complex? what.... Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nathan Cai Nathan Cai Nathan Cai Follow A JavaScript one trick pony who loves to code. I live and breath NodeJS, currently learning React and Angular. Location Toronto, Ontario, Canada Education High School Work Back End Developer at Ensemble Education Joined Jun 18, 2020 • Dec 1 '20 Dropdown menu Copy link Hide Learning Angular is actually no that bad until RXJS comes in Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 1 '20 Dropdown menu Copy link Hide You need to learn Typescript Smart/Dumb Components One-way Dataflow and Immutability And much more It's much more complex and harder to understand than the other frameworks on this list. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikola Nikola Nikola Follow Work Angular developer at Cinnamon Agency Joined Jan 21, 2020 • Dec 1 '20 Dropdown menu Copy link Hide learn typescript? You mean to start writing it... it's easy and intuitive, I'm writing Angular, React, and Node code only in typescript. Smart/Dumb Components? I really don't understand what is this referred to? Angular has two-way data biding, and even easier data passing to the child and back to the parent. And of course, it has more features, its framework, React is more like a library compared to Angular. Like comment: Like comment: 2 likes Like Thread Thread Hanster Hanster Hanster Follow Joined Oct 19, 2021 • Oct 19 '21 Dropdown menu Copy link Hide I fully agree. Comparing framework e.g angular against library e.g react, is like comparing a smart tv against a traditional tv. Of course smart tv is more challenging to learn it's usage, not because it's lousy, but it has more features beyond watching tv. Like comment: Like comment: 2 likes Like Comment button Reply View full discussion (47 comments) 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 Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Joined Oct 12, 2020 More from Henry Boisdequin Weekly Update #1 - 10th Jan 2021 # devjournal # rust # typescript # svelte The 6 Month Web Development Mastery Plan in 2020 — For Free # webdev # react # javascript # 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:31 |
https://docs.suprsend.com/docs/inbox-react-native#3-useevent-hook | React Native (Headless) - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native React Native (Headless) HMAC Authentication DEPRECATED Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation React Native React Native (Headless) Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog React Native React Native (Headless) OpenAI Open in ChatGPT Integrate SuprSend inbox in React Native using the headless library and hooks. OpenAI Open in ChatGPT The Headless Inbox library provides hooks that can be integrated into React Native components for building inbox, and toast functionality in your applications. Installation npm yarn Copy Ask AI npm install @suprsend/react-headless Initialization Enclose your app in SuprSendProvider like below and pass the workspace key , distinct_id , and subscriber_id . App.js Copy Ask AI import { SuprSendProvider } from "@suprsend/react-headless" ; function App () { return ( < SuprSendProvider workspaceKey = "<workspace_key>" subscriberId = "<subscriber_id>" distinctId = "<distinct_id>" > < YourAppCode /> </ SuprSendProvider > ); } SuprSend hooks can only be used inside of SuprSendProvider. Adding SuprSend inbox component 1) useBell hook This hook provides unSeenCount, markAllSeen which is related to the Bell icon in the inbox unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markAllSeen : Used to mark seen for all notifications. Call this method on clicking the bell icon so that it will reset the bell count to 0. Bell.js Copy Ask AI import { useBell } from "@suprsend/react-headless" ; function Bell () { const { unSeenCount , markAllSeen } = useBell (); return < p onClick = { () => markAllSeen () } > { unSeenCount } </ p > ; } 2) useNotifications hook This hook provides a notifications list, unSeenCount, markClicked, markAllSeen. notifications : List of all notifications. This array can be looped and notifications can be displayed. unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markClicked : Method used to mark a notification as clicked. Pass notification id which is clicked as the first param. markAllRead : This method is used to mark all individual notifications as seen. Add a button anywhere in your notification tray as Mark all as read and on clicking of that call this method. mark all read sample Notifications.js Copy Ask AI import { useNotifications } from "@suprsend/react-headless" ; function Notifications () { const { notifications , markAllRead } = useNotifications (); return ( < div > < h3 > Notifications </ h3 > < p onClick = { () => { markAllRead ()} } > Mark all read </ p > { notifications . map (( notification ) => { return ( < NotificationItem notification = { notification } key = { notification . n_id } markClicked = { markClicked } /> ); }) } </ div > ); } function NotificationItem ({ notification , markClicked }) { const message = notification . message ; const created = new Date ( notification . created_on ). toDateString (); return ( < div onClick = { () => { markClicked ( notification . n_id ); } } style = { { backgroundColor: "lightgray" , margin: 2 , borderRadius: 5 , padding: 4 , cursor: "pointer" , } } > < div style = { { display: "flex" } } > < p > { message . header } </ p > { ! notification . seen_on && < p style = { { color: "green" } } > * </ p > } </ div > < div > < p > { message . text } </ p > </ div > < div > < p style = { { fontSize: "12px" } } > { created } </ p > </ div > </ div > ); } Notification object structure: Notification.js Copy Ask AI interface IRemoteNotification { n_id : string n_category : string created_on : number seen_on ?: number message : IRemoteNotificationMessage } interface IRemoteNotificationMessage { header : string schema : string text : string url : string extra_data ?: string actions ?: { url : string ; name : string }[] avatar ?: { avatar_url ?: string ; action_url ?: string } subtext ?: { text ?: string ; action_url ?: string } } 3) useEvent hook This hook is an event emitter when and takes arguments event type and callback function when the event happens. Must be called anywhere inside SuprSendProvider Handled Events: new_notification: Called when the new notification occurs can be used to show toast in your application. Sample.js Copy Ask AI import { useEvent } from "@suprsend/react-headless" ; function Home () { useEvent ( "new_notification" , ( newNotification ) => { console . log ( "new notification data: " , newNotification ); alert ( "You have new notifications" ); }); return < p > Home </ p > ; } Example implementation Check the example implementation. Was this page helpful? Yes No Suggest edits Raise issue Previous HMAC Authentication Steps to safely authenticate users and generate subscriber-id in headless Inbox implementation. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Adding SuprSend inbox component 1) useBell hook 2) useNotifications hook 3) useEvent hook Example implementation | 2026-01-13T08:49:31 |
https://dev.to/t/bunjs/page/8#main-content | Bunjs Page 8 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # bunjs Follow Hide Create Post Older #bunjs posts 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 Bun hype. How we learned nothing from Yarn The Jared Wilcurt The Jared Wilcurt The Jared Wilcurt Follow Sep 16 '23 Bun hype. How we learned nothing from Yarn # bunjs # javascript # node # npm 567 reactions Comments 126 comments 19 min read Creating Typescript Safe APIs in 2023 Ma Jerez Ma Jerez Ma Jerez Follow Oct 15 '23 Creating Typescript Safe APIs in 2023 # bunjs # fastify # typescript # trpc 2 reactions Comments Add Comment 4 min read Bum - Bun Version Manager Ryan Owen Thionanda Ryan Owen Thionanda Ryan Owen Thionanda Follow Oct 15 '23 Bum - Bun Version Manager # bunjs # typescript # javascript # rust 2 reactions Comments 4 comments 1 min read Bun- All in one JavaScript runtime balankdharan balankdharan balankdharan Follow Sep 15 '23 Bun- All in one JavaScript runtime # webdev # bunjs # javascript # code Comments Add Comment 3 min read Make Dependency Management Better with URL Imports & Ree.js! Ren Hiyama Ren Hiyama Ren Hiyama Follow Oct 13 '23 Make Dependency Management Better with URL Imports & Ree.js! # node # webdev # javascript # bunjs 16 reactions Comments 1 comment 4 min read Bun vs. Node.js: Which JavaScript Runtime Is Better? Alexey Kalachik Alexey Kalachik Alexey Kalachik Follow for Fively Oct 11 '23 Bun vs. Node.js: Which JavaScript Runtime Is Better? # webdev # javascript # bunjs # node 12 reactions Comments 6 comments 15 min read Bun.js e Deno.js: uma comparação detalhada matheus fortunato matheus fortunato matheus fortunato Follow Oct 10 '23 Bun.js e Deno.js: uma comparação detalhada # javascript # deno # bunjs # node 1 reaction Comments Add Comment 3 min read Using Github Actions with Bun Jonas Scholz Jonas Scholz Jonas Scholz Follow Oct 7 '23 Using Github Actions with Bun # webdev # bunjs # devops # javascript 22 reactions Comments 2 comments 1 min read O Futuro do Desenvolvimento Web: Node.js vs Bun. Fran Borges Fran Borges Fran Borges Follow Oct 2 '23 O Futuro do Desenvolvimento Web: Node.js vs Bun. # javascript # braziliandevs # node # bunjs 149 reactions Comments 4 comments 6 min read My Buns are hot. Bun + NextJS Varun D Varun D Varun D Follow Oct 3 '23 My Buns are hot. Bun + NextJS # bunjs # nextjs # tailwindcss # react Comments Add Comment 1 min read Complete Guide to Deploying Next.js Standalone with Bun and Docker Imamuzzaki Abu Salam Imamuzzaki Abu Salam Imamuzzaki Abu Salam Follow Oct 2 '23 Complete Guide to Deploying Next.js Standalone with Bun and Docker # nextjs # bunjs # docker # tutorial 21 reactions Comments 2 comments 2 min read BunJs a New JS Runtime Jino Antony Jino Antony Jino Antony Follow Oct 2 '23 BunJs a New JS Runtime # bunjs # javascript # node Comments Add Comment 5 min read Bun vs Node.js: Everything you need to know Yoav Ganbar Yoav Ganbar Yoav Ganbar Follow for Builder.io Sep 21 '23 Bun vs Node.js: Everything you need to know # javascript # node # bunjs # tutorial 98 reactions Comments 15 comments 12 min read RealTime Bespoke QA Application Calum Knott Calum Knott Calum Knott Follow Sep 29 '23 RealTime Bespoke QA Application # vue # javascript # bunjs # node 1 reaction Comments Add Comment 1 min read Promises, async, and await in ReScript (with Bun!) Josh Derocher-Vlk Josh Derocher-Vlk Josh Derocher-Vlk Follow Sep 26 '23 Promises, async, and await in ReScript (with Bun!) # rescript # javascript # bunjs # tutorial 24 reactions Comments 10 comments 6 min read Run Bun Run! Building an AWS CDK Template with Bun JoLo JoLo JoLo Follow Sep 28 '23 Run Bun Run! Building an AWS CDK Template with Bun # aws # typescript # bunjs # lambda 7 reactions Comments Add Comment 6 min read The Rise Of Bun 1.0: Is Node.js In Trouble? Lena Everly Lena Everly Lena Everly Follow Sep 26 '23 The Rise Of Bun 1.0: Is Node.js In Trouble? # webdev # bunjs # node # javascript 1 reaction Comments Add Comment 7 min read What is BUN Akilesh Akilesh Akilesh Follow Sep 26 '23 What is BUN # bunjs # webdev # javascript 5 reactions Comments Add Comment 3 min read Why use Vite when Bun is also a bundler? - Vite vs. Bun Magne Magne Magne Follow for This is Learning Sep 19 '23 Why use Vite when Bun is also a bundler? - Vite vs. Bun # vite # bunjs # node # javascript 99 reactions Comments 12 comments 5 min read Your first API with Bun, Express and Prisma Clerivaldo Junior Clerivaldo Junior Clerivaldo Junior Follow Sep 20 '23 Your first API with Bun, Express and Prisma # bunjs # express # prisma # api 117 reactions Comments 6 comments 7 min read Yet Another Newsletter LOL: Getting Saucy Nick Taylor Nick Taylor Nick Taylor Follow Sep 24 '23 Yet Another Newsletter LOL: Getting Saucy # bunjs # github # vscode # html 7 reactions Comments Add Comment 4 min read Introducing Bun 1.0: A Game-Changer in Web Development ANUHASDEV ANUHASDEV ANUHASDEV Follow Sep 21 '23 Introducing Bun 1.0: A Game-Changer in Web Development # news # bunjs # javascript # tutorial 4 reactions Comments 1 comment 3 min read How to send emails using Bun and React Zeno Rocha Zeno Rocha Zeno Rocha Follow Sep 20 '23 How to send emails using Bun and React # email # bunjs # resend # react 1 reaction Comments Add Comment 3 min read I'm going ALL IN on Bun.js Jack Le Hamster Jack Le Hamster Jack Le Hamster Follow Sep 20 '23 I'm going ALL IN on Bun.js # bunjs # javascript # node # typescript Comments Add Comment 4 min read ¿Qué es Bun? Diego Enríquez Puig Diego Enríquez Puig Diego Enríquez Puig Follow for DegCode💻 Sep 19 '23 ¿Qué es Bun? # javascript # programming # bunjs # español 5 reactions 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:31 |
https://github.com/python/cpython/blob/23acadcc1c75eb74b2459304af70d97a35001b34/Modules/_collectionsmodule.c#L34 | cpython/Modules/_collectionsmodule.c at 23acadcc1c75eb74b2459304af70d97a35001b34 · python/cpython · GitHub Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} python / cpython Public Uh oh! There was an error while loading. Please reload this page . Notifications You must be signed in to change notification settings Fork 33.9k Star 71k Code Issues 5k+ Pull requests 2.1k Actions Projects 31 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Projects Security Insights Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:31 |
https://dev.to/stack_overflowed/the-best-google-coding-interview-platform-19hf | The best Google coding interview platform - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Stack Overflowed Posted on Dec 8, 2025 The best Google coding interview platform # webdev # programming # google # interview You passed the resume screen. You nailed the phone call. Now you face the real test: the Google coding interview platform. Code will run, problem statements will drop, and interviewers will evaluate not just your solution — but your reasoning, communication, edge-case awareness, and ability to adapt under pressure. Here is the truth few people talk about: Google interview success is not about grinding a thousand random LeetCode problems. It is about building structured thinking, pattern recognition, communication flow, and a performance mindset. That is exactly what a real Google coding interview platform should train — and Educative.io is one of the few that actually does. This guide is your practical roadmap to navigating (and beating) the Google interview loop. What You Will Learn What Google’s coding interviews actually test What makes a strong coding interview prep platform A comparison of popular prep platforms A proven 4-week prep plan using Educative.io Common interview mistakes and how to avoid them Real candidate transformation stories Advanced loop performance strategies A final readiness checklist Let’s turn your prep from chaotic to strategic. What Google’s Coding Interviews Really Assess Google evaluates far more than your ability to write a function. Here’s the full breakdown: Pattern Recognition Google reuses fundamental problem types. If you can recognize patterns — BFS, DFS, sliding window, prefix sum, topological sort, DP — you immediately gain leverage. Narrative Skill You must speak your thinking aloud. “Here’s my plan: I’ll use a sliding window because…” Strong narratives win interviews. Production-Grade Code Readable. Modular. Predictable. Your interview code should look like real engineering work, not last-minute hackathon output. Edge-Case Awareness Nulls. Duplicates. Negative values. Large input sizes. Overflow. Unicode. Google expects you to address them proactively. Performance Awareness State complexity early and confidently: “This approach is O(n) time, O(1) space. Here’s why that matters…” Adaptability Google interviews are conversations. You must pivot smoothly when prompted to optimize or revise. Without training these skills intentionally, practice stays random and inconsistent. Essential Traits of a Great Google Coding Interview Platform A solid prep tool should include: A pattern-based curriculum In-browser coding Prompts for narration and reasoning Built-in edge-case testing Prompts for time/space complexity A guided loop-like problem flow Reflection and correction tools Options to mock interview with others If a platform lacks these elements, you risk preparing passively instead of deliberately. Comparing Major Google Coding Interview Prep Platforms Here’s how the leading contenders stack up: Educative.io (Recommended) Teaches 24 core algorithmic patterns 200+ interactive problems Browser-based coding with test cases Prompts for describing approach, assumptions, clarity Encourages edge-case awareness Enforces time/space complexity explanations Simulates 45-minute interview flow Built-in reflection after each problem Weakness: No built-in live interviewer Best use: The foundation of Google prep; combine with mocks for realism LeetCode Massive problem library Strong tagging, including many “Google” problems Ideal for volume practice Weaknesses: No narration guidance No loop structure Edge-case testing depends entirely on you Best use: After mastering patterns — for speed and variety HackerRank Beginner-friendly environment Good starter platform Weakness: Not designed around Google’s loop structure No interview narration training Best use: Early comfort-building AlgoExpert Very polished videos Clean explanations Weakness: Passive learning No interactive narration No loop simulation Best use: Supplementary learning, not full prep Interviewing.io / Pramp Real-time mock interviews with humans Amazing for simulating Google pressure Weakness: Requires strong problem-solving foundation Can be overwhelming if you start too early Best use: Final-stage prep after structured study YouTube, Blogs, GitHub Repos Great free resources for inspiration Useful for conceptual overviews Weakness: Passive Not structured Not loop-representative Best use: Supplement learning, don’t rely on them exclusively A 4-Week Google Loop Prep Plan Using Educative.io This plan builds true interview fluency — not just problem count. Week 1: Core Patterns Goal: Learn essential building blocks. Focus on: Sliding window, two pointers, hash maps. Solve 12–15 targeted problems Narrate aloud while solving Summarize time/space after each Identify 3–5 common mistakes Outcome: Pattern recognition becomes natural. Use their Grokking the Coding Interview course to get started! Week 2: Medium-Level Structures + Code Quality Goal: Strengthen problem-solving discipline. Focus on: Recursion, graphs, stacks, trees. Solve ~10 problems Follow the structure: clarify → plan → code → test → analyze complexity Prioritize clean naming, helper functions, readability Outcome: Your code begins to resemble production-level engineering. Week 3: Optimization Thinking Goal: Understand why solutions work. Focus on: DP, prefix sums, greedy strategies, rate-limiter-style problems. Compare naive and optimal solutions Record yourself explaining problems Review your pacing and clarity Outcome: Strong optimization narratives and confidence under pressure. Week 4: Full Loop Simulation Goal: Replicate Google conditions. Pick 3–5 hard problems Run full 45–60 minute loops Use mock interviews (peer or Interviewing.io) Evaluate pacing, clarity, testing, complexity discussion Outcome: You will know exactly how to start, structure, and finish an interview. Common Pitfalls (and How Educative.io Helps Avoid Them) Mistake Fix Staying silent Narration prompts guide your talking. Jumping into code Forced outline step prevents panic-coding. Forgetting edge cases Built-in tests expose weaknesses. Writing messy code Browser IDE structures your approach. Ignoring complexity Prompts require complexity articulation. Freezing under pressure Loop practice builds pacing confidence. Bonus Strategies for Peak Loop Performance Always clarify constraints before coding Narrate your plan before typing a line Modularize aggressively (tiny helpers = clarity) Test cases aloud before running code State complexity clearly and confidently Offer optimizations proactively Wrap with next-step engineering considerations Final Checklist: Are You Loop-Ready? [ ] Fluent in core patterns [ ] Comfortable narrating your solutions [ ] Strong at edge-case identification [ ] Confident writing clean, modular code [ ] Always discuss complexity [ ] Practiced full loop simulations [ ] Completed at least one mock interview If you can check these boxes, you are no longer guessing — you are prepared. Why Educative.io Is the Ideal Google Interview Prep Partner Because it is: Pattern-first Interactive, not passive Designed for narration Structured for loop simulation Focused on edge-case thinking Reflection-oriented Pair Educative.io with LeetCode for volume and 1–2 mock interviews for polish, and your Google loop will feel less like an ambush and more like a familiar sequence. Structured thinking wins loops — not brute-force problem grinding. Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Stack Overflowed Follow ☕ Full-stack survivor. 🐛 Bug magnet. 💻 Developer who writes so you don’t repeat my mistakes (though you probably will). Joined Aug 19, 2025 More from Stack Overflowed Here Are the 7 Best Resources to Master Docker # webdev # programming # docker # containers Palindrome Partitioning: Coding Problem Explained # programming # coding # challenge # learning Clone Graph: Coding Problem Solution Explained # programming # coding # tutorial # 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:31 |
https://axerosolutions.com/ | Company intranet and social collaboration platform - Axero Intranet Skip to content --> Meet Axero Copilot , a game-changer for AI knowledge management! Tell me more --> Platform Feature Tour Mobile Intranet Security and Compliance Integrations Use Cases AI Knowledge Management Intranet Software Internal Communications Software Knowledge Management Software Team Collaboration Software Workplace Culture Software Industries Banks and Finance Education Healthcare Insurance Companies Life Sciences Companies Professional Services Companies Nonprofit Organizations Government Agencies Real Estate and Construction Client Experience Overview Client Stories Intranet Services Client Support Implementation Resources Blog eBooks & Guides Workplace communication tips Improve employee experience Improve company culture Build knowledge base Internal comms examples Enterprise social networking ROI calculator About Us Pricing Get Demo More than an intranet Axero intranet is built for building Axero is the only intranet solution that empowers developers, marketers, communications, and HR professionals to build and manage digital work experiences that get results. Watch a demo Request a demo How Axero is powering workplace success x Increase in engagement % Fewer emails 240 Minutes saved weekly % Increase in knowledge sharing Design & Build Establish Permissions Publish & Integrate Celebrate Design & Build Use our platform as a base to develop without limits! Stay on brand with HTML, CSS, and JS, or work with pre-made building blocks to create dynamic sites. Watch a demo Request a demo Design & Build Establish permissions Publish & Integrate Celebrate Establish permissions Persona or role-based permission matrix keeps all communications and information targeted and secure. Dynamic pages only show relevant information and are highly personalized automatically. Watch a demo Request a demo Design & Build Establish permissions Publish & Integrate Celebrate Publish & Integrate Populate Axero with all the content needed to make your company thrive, ingest data from other systems, or use one of our 500+ REST API endpoints to integrate and allow flexible information exchange between your systems. Watch a demo Request a demo Design & Build Establish Permissions Publish & Integrate Celebrate Celebrate Now that you’re launched, enjoy all of the benefits of having an intranet tailored to you that increases communication, collaboration, and productivity. Watch a demo Request a demo Intranet Buyer’s Guide 2026 Here’s everything you need to know when assessing intranet software for your business! Design and launch digital workspaces for your employee communications Use Axero to unify everything that powers your business. Our fully customizable intranet software integrates enterprise data and third-party content into a secure, scalable single source of truth. With developer-friendly tools and intuitive access to all the information and applications employees need for daily work, Axero helps your teams find answers faster, collaborate more effectively, and make better decisions. Watch a demo Request a demo Integrate your intranet with the tools you already use today See all integrations Don’t just take our word for it! Hear what our happy customers have to say. “With Axero, we host the TEDx community from around the world under one social platform. Axero’s customer service is the best. We always have someone to answer our questions.” Sina Sima Technical Program Manager, TEDx “The biggest difference is the ease of use for content contributors. People are creating blogs, wikis, and events without any training. It fosters a culture of accountability and content ownership.” Neeraj Kumar Vice President of IT and CIO, Roosevelt University “We’re very happy with Axero. The functionality gives us so much more than we could have asked for. Employee communication and the ticketing system has been key. A huge benefit for us.” Michelle Mazurkewich Chief Innovation Officer, Fusion Credit Union Useful intranet resources Best practices on all things intranet, employee engagement, collaboration, communications, culture, and knowledge management. What is intranet? Here’s everything you need to know. Explore what an intranet is, how it can unite your teams, and what key features to look for if you’re going to get one for your company! Read more 37 Company intranet examples to create the best employee intranet Say goodbye to a ghost town, and say hello to the most buzzing digital hub for your employees! Read more 31 benefits of an intranet for your entire workforce Intranet centralizes communications, information, and resources employees need to be successful. Discover how to leverage intranet benefits in your workplace. Read more See all posts Wanna get started? Talk to someone who works here info@axerosolutions.com 1-855-AXERO-55 401 Park Avenue South 10th Floor New York, NY 10016 +1-855-AXERO-55 Company About Axero Newsroom Careers Contact Us Why Axero? Platform Feature Tour Mobile Intranet App Security and Compliance Intranet Integrations Intranet Pricing Use Cases Employee Intranet Internal Communications Knowledge Management Team Collaboration Workplace Culture Remote Work On Premise Intranet All intranet solutions Client Experience Client Stories Intranet Services Client Support Intranet Implementation Industries Bank & Finance Education Healthcare Insurance Life Sciences Nonprofit Government Real Estate & Construction Resources What is an Intranet? How to Launch an Intranet Intranet Blog Intranet ROI Calculator Free Intranet eBooks & Guides Company intranet ideas HR Glossary Insights Compare Intranet Software Comparison Axero vs Happeo Axero vs Simpplr Axero vs SharePoint Axero vs MangoApps Axero vs Powell Axero vs Igloo © Axero Solutions Terms | Privacy | GDPR | Cookies | Security | Support | Site Map | 2026-01-13T08:49:31 |
https://dev.to/t/programming/page/3605 | Programming Page 3605 - 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 Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 3602 3603 3604 3605 3606 3607 3608 3609 3610 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:31 |
https://golf.forem.com/ben/hindsight-at-bethpage-the-principles-keegan-usa-looked-past-j8k#comments | Hindsight at Bethpage: The Principles Keegan Looked Past - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Ben Halpern Posted on Oct 3, 2025 Hindsight at Bethpage: The Principles Keegan Looked Past # pgatour # rydercup # coursearchitecture # coursestrategy The dust has settled on a tough Ryder Cup loss at Bethpage Black, and the finger-pointing has commenced. U.S. Captain Keegan Bradley fell on the sword, taking the blame for a course setup that backfired spectacularly. He wanted to give his long-hitting American team an edge by cutting down the notoriously thick rough, but soggy conditions turned the course into a soft, scoreable track that played right into Europe's hands. It's always easy to be a captain from the couch. Hindsight is 20/20, and guessing how weather and course conditions will play out is a tricky business. But the problem with the Bethpage setup wasn't just a tactical miscalculation; it was a failure to adhere to a few core principles that should have been non-negotiable. 1. Build the Course for Your Best Player When you have the undisputed best player in the world, you don't get cute. You build the entire strategy around him. Scottie Scheffler's superpower is his relentless, metronomic tee-to-green accuracy. He consistently puts himself in the best position to score, wearing opponents down with his precision. The setup at Bethpage actively worked against this. By cutting down the rough, the captainate removed the penalty for inaccuracy. Suddenly, wayward drives from European bombers like Rory McIlroy and Jon Rahm weren't punished. The course became a simple contest of distance and putting, neutralizing the single greatest advantage on the American squad. Instead of creating a test that would reward Scheffler's elite ball-striking, we created a free-for-all. The first principle should have been simple: create a setup where Scottie's strengths shine, and let the rest of the team fall in line. 2. Let the Course Be Itself Bethpage Black has a reputation. It's a monster. There's a literal warning sign on the first tee telling average golfers not to even try it. That mythos, that fearsome identity, is a massive home-field advantage. The European team should have arrived on Long Island knowing they were in for a brutal, soul-crushing test of golf. By "neutering" the course, Team USA sacrificed its most powerful psychological weapon. The intimidation factor vanished. Instead of a beast that demanded respect and rewarded survival, it became just another long golf course. The goal shouldn't have been to create a specific advantage; it should have been to unleash the Black Course in all its glory and force the Europeans to contend with the legend. A difficult course, true to its design, would have been the ultimate home-field advantage. 3. Give the Crowd What It Wants: Carnage The New York crowd is the 13th man. They are loud, intense, and ready to be a factor. What does a crowd like that feed on? Not a quiet birdie-fest. They thrive on drama, tension, and grit. They want to see a fight. A brutally difficult Bethpage, where making par is a monumental achievement, would have electrified the galleries. Every saved par would have been met with a roar. Every European bogey would have fueled the chaos. The intensity of watching the world's best players struggle against the course would have created a much more intimidating atmosphere than watching them trade birdies on softened greens. The early U.S. deficit combined with the less-dramatic-than-expected course conditions seemed to take the air out of the crowd. The principle is to know your environment; the Bethpage crowd came for a battle, and a setup that produced pars-as-victories would have given them the fuel they needed. 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 Ben Halpern Follow A Canadian software developer who thinks he’s funny. Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 More from Ben Halpern I am so not looking forward to the discourse leading up to next Ryder Cup. The tournament itself is great, but the discussion is grating. # golfmedia # rydercup 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/thejaredwilcurt/bun-hype-how-we-learned-nothing-from-yarn-2n3j | Bun hype. How we learned nothing from Yarn - 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 The Jared Wilcurt Posted on Sep 16, 2023 Bun hype. How we learned nothing from Yarn # node # bunjs # npm # javascript Here we go again, making the same mistake. I'm constantly reminded that every 5 years the amount of programmers in the world doubles, which means at any point, 50% of the industry has less than 5 years experience. Which is probably why we keep falling for stuff like Bun. But I've seen this movie before, and I know how it ends. Part one - The story of Yarn I see a lot of parallels between Yarn and Bun. Both targeted existing open source systems, and instead of actually contributing to them, just went off to create their own competing technology. Both sold themselves on being way faster. Both went in with the goal of splitting the ecosystem. Neither had good backwards compatibility support. And both announced that they were officially v1.0 and ready for production! ...while not actually supporting Windows (read: not actually remotely production ready). So what happened to Yarn? Well, they came out with about a dozen cool new features that npm didn't have. And they were many times faster than npm. But then... only a year later, npm was already faster than Yarn. And another year later, Yarn would create a blog post explaining how it would ultimately be impossible for them to ever be faster than npm, due to the npm CLI being created by the same people in charge of the npm servers where the packages were stored and downloaded from. And that is still true to this day. In 2023, npm is still faster than Yarn. Its original big selling point.... has not been relevant for 5 years. But what about the other features Yarn offered? With each passing year, more and more of them were implemented and released in npm, and as of today, all of the formerly-unique features Yarn offered, are built in to npm. Sure the implementations of the features are slightly different and for those that really care about the subtle nuance between how Yarn, Lerna, Turbo, and npm handle mono-repo management, you may prefer one over the other. But for the vast majority of use cases, the way npm implements these features is perfectly fine for almost all users. Ah, but Bun is surely different? Right? I mean, it's written with ZIG! And ZIG! is super fast.... right? Eh, not really. It isn't doing anything magical, ultimately any performance you can achieve with it could be achieved with C++ (what Node.js is written in). So, just like with the story of old slow npm, once performance was prioritized, npm was able to go just as fast (faster even) than the competition. I can see a similar thing happening with Node. If given the proper attention, roughly equivalent speeds should be possible to the point where the differences are negligible. Well... kinda. I mean, we should probably acknowledge the fact that some of the benchmarks Bun brags about are cherry-picked or misrepresentative . So, even Bun doesn't live up to its own marketing hype. But you get the point. Back to the parable of Yarn. When Yarn came out, it said it supported Windows. But none of the Facebook developers working on Yarn used Windows for their primary OS. So they quickly found out that Yarn, in fact did not run on that platform when released. A short aside: Hi there, Primagen (the rest of you can skip this). Now I know, you've already made a snarky comment about Windows. But perhaps you should try to really value diversity in our society, and accept different ways of life. I mean, I get it. I totally do, Windows users make up a very very tiny minority of only 90% of computer users. But maybe... we should be respectful of that barely noticeable minority. :) Back to the story. So after about 2 weeks or so, they finally "fixed" it and Yarn could install and run on Windows.... kinda. I actually was never able to get Yarn to run reliably on Windows myself until they switched over to using corepack . Once you could install corepack via npm, and then install Yarn (or pnpm) on top of it, it was finally Windows compatible in a reliable, non-buggy, non-crashing, way. But by that point, Facebook had already dropped Yarn, and slowly, so did everyone else, it was already dying off by the time it ran on Windows. I've still, to this day, never been able to get a Yarn mono-repo to run on Windows. I'm convinced it is not possible. Anyone who says they got it to work is lying to you. Sure, maybe in some Windows VM with nothing installed (not even Windows Updates), maybe someone got a Yarn monorepo to run on Windows, for a few glorious seconds. And maybe they also saw Sasquatch in the woods. Anything can happen. But on a real developer laptop, with random shit in the PATH, and Node and nvm-windows and volta and who knows what other random things installed, no, it doesn't work. Okay, so Yarn came around, forced npm to get better, and then died. What's the problem? If that's all it did, then Yarn would have been great, but sadly it wasn't. npm was focused on developing and releasing the features the vast majority of users needed. But Yarn was focused on the features Facebook needed. Many of which were not important for 99% of people using npm. However, once people started using Yarn, npm had to repriortize what features they would develop and release. Instead of delivering higher value features that would be more relevant to more users, they had to quickly play catch up and add equivalent features to what Yarn was offering, as to avoid a split in the ecosystem. But Yarn marketed itself very well, and people bought into the hype. Even I was hyped for Yarn when it came out, until I found out it didn't actually run on Windows. But others didn't realize, or didn't care about that, and adopted it... and... and... ... And then Yarn became tribal. Stupid humans. Everything has to become tribal. And for several years there were thousands of README's created on projects that only told you the Yarn instructions for how to install the project. Confusing new developers. I can't tell you the amount of junior devs that have come to me asking for clarification on what this "Yarn thing" is, and if they need it. Thinking the project(s) they found would only work with Yarn. What a waste of everyone's time and mental space. I always assumed someone at Facebook just found that convincing their boss to let them spend time adding features to an open source project they couldn't take credit for was a hard sell. It was probably easier for them to get approval to work on these features if they could use it for marketing for job recruitment or something. It always smelled of Not Invented Here syndrome . Had Facebook just contributed to npm the features they wanted, then their features would have been released along side the ones npm was already working on. But instead it delayed the release of these other features by many years, resulting in duplicated efforts. And all for what? Yarn is basically dead at this point, except for a few niche edge cases. But I haven't seen a yarn add in a README in the past year or two. It's a sign of a past era. Part two - Bun is actually much worse Unlike Yarn, which offered speed and a dozen new features, Bun offers speed and like 3 new features. Let's briefly go over them. Macros - Used during a build process. They've been called a mistake by some. My biggest concern is that your build process is now stuck with Bun. You can't switch to something else unless it has an equivalent macro system, or you re-write your build process. You're opting into future tech debt. bun.x APIs - These are new API's that do literally the same thing the Node.js APIs do, "but faster". This is worse than the macros because now your code is a Bun virus. If I npm install your package and run it in Node, I'll get ReferenceError: Bun is not defined when trying to use your library. Forcing all users of your library to adopt Bun. This is another forced split of the ecosystem, similar to what Yarn was doing, but much worse. I could maybe see some wrapper library you import that checks if bun exists and if so it uses the faster API and if not it falls back to Node. If Bun gets remotely popular I imagine this would be very common. But that's just one more dependency to maintain in your project, which sort of defeats the point of an "all in one" system that lets you skip having tooling dependencies if everyone that uses it has to install additional tooling libraries to make it easier to use. Meta-language support - Should Node.js have the Vue-Template-Compiler built in? It sounds absolutely insane to ask that. What about Markdown, or Sass, or CoffeeScript? Yeah, that would be pretty stupid for the main platform that everything is built on top of to just build in. It would feel very short-sighted. Meta-languages exist to fill in a gap in the original languages, they are by their nature impermanent and flexible. They're like adding really good suspension to your car as your drive over the potholes in the original language. Until the original language can come by and fill the potholes. There is a reason we don't use CoffeeScript anymore, most of the features it offered were added into the language in ES6. CSS has slowly added "good enough" equivalents to a few high value Sass features, and we've seen the first decline in Sass usage ever afterwards. But here we are with the worst templating system, JSX and the most contentious of all frontend tooling, TypeScript built in to Bun. TypeScript's usage plateaued around 2020 (at a little over a 3rd of the JS ecosystem having adopted it), and in the past year finally showing its first signs of decline as it is replaced with better, simpler alternatives like eslint-plugin-jsdocs ( get started here ), and a potential comment based ES202X official type system that will likely lead to a rapid decline in the need for creating .ts files. With these potholes filled, TypeScript will need to either find new potholes to try to smooth out and justify it's existence, or accept that it's job is done and slowly fade away. Never actually dying, the same way CoffeeScript is still technically around, but ultimately being another sign of an older era. Like all the other once-useful technologies we've evolved beyond the utility of (LESS, Stylus, Sass, CoffeeScript, Yarn, Grunt, etc.). Sass is a great example. It was at one point used by ~96% of frontend devs and had an over 90% satisfaction rate ( State of CSS 2019 ). But has dropped in usage and satisfaction as the Meta-Language's API evolved to become much more complex in order to solve more complex problems. It is no longer focused on being the dead-simple tool for everyone, and is now focused on being a very advanced tool for people doing very advanced things. A much more niche use. I keep wondering what weird mishmash of technologies Bun would have been made out of it it came out in a previous year, and what weird legacy code they would be stuck maintaining today. If it came out in 2019 at the peak of Sass, used by basically everyone, it would totally make sense as a candidate to build into Bun right? But then what do you do when all of the Sass API's change and the old import system is completely deprecated? Normally you'd just npm install the version of Sass you need for your project, and pin the old version if that's what your code worked with and you don't want to upgrade. But if you were using Bun for this, and then you come back to it a few years later and now the project just won't build because the Sass version in Bun isn't compatible with the Sass code you wrote, you need to spend a day trying to figure out what version your code actually needs and manually installing the correct version of Sass to get your project to run again. That's why it would be insane to build a meta-language into Node.js, or by extension, Bun. But that's what they've done, and I forsee pain in the future for those that rely heavily on it instead of as a simple quick convenience. That last one, built-in meta-languages, sort of leans into what Bun really is. It's just an abstraction layer for a bunch of technologies. It isn't an actual alternative, or competitor, it's literally the same thing, just already built in. Which sounds nice on paper, but ultimately is pretty bad. Abstractions can be great, and simplify things. Let's look at Webpack for example. Webpack is... well just awful. NO ONE likes dealing with it. And that's why every JS Framework had to build an abstraction layer for it, because no wants to touch Webpack. Like the Angular-CLI, or Create-React-App, or Svelte-CLI, or the phenomenal Vue-CLI (which even has a GUI). We'll use Vue as the example, since it did the best job out of all of these abstractions. The vue.config.js file was a simple config that abstracted away all of the complexity of Webpack, while still giving you the exact same level of control if you needed it. It also reduced the amount of dependencies down from around 30-ish to like 3-ish. But then Vue's creator, Evan You, went and made Vite. And the vite.config.js was basically the same exact level of complexity as the vue.config.js except it didn't require them to maintain an entirely separate project (the Vue-CLI) to make it that way. Switching from Vue-CLI over to Vite, I ended up with the same amount of dependencies, and the same amount of config code. The end result is Vite is an abstraction layer for ESBuild that is as easy to use as the best abstraction layer for what it was replacing. But Bun isn't doing that. It isn't taking something hard, and making a simpler abstraction for it. It's taking ESBuild and abstracting it just like how Vite is. It's not an improvement, it's basically the same thing. This is also the case for unit tests. Where they don't even pretend to offer something new, instead telling you to write your code as Jest or Vitest like normal, and they'll just hijack the imports and replace them with their own faster code under the hood. Bun is just an abstraction layer on top of the tools we already have. Meaning it will always be behind the curve and can introduce additional bugs at that layer. Not ideal for such mission critical systems like installing dependencies , testing code , and building the code to be sent to production . But we haven't even gotten to the two worst things Bun does, and the really scary parts. Windows I picked on Yarn for it's poor Windows support. But they look amazing compared to Bun. At least they kind of had Windows support when they released it. It only barely worked some of the time, but it was there. However, of the dozens of features that Bun brags about, not even one of them is supported on Windows when it was released as "version 1.0". "The Windows build is highly experimental and not production-ready. Only the JavaScript runtime is enabled; the package manager, test runner, and bundler have been disabled. Performance is not optimized." - Official Bun 1.0 blog post So imagine this, they just launched and are showing off all these cool features that they are excited about and want people to use. What is more likely to happen? As thousands of people start using it and giving feedback, finding bugs, requesting features, needing support, do you think they will: A. Completely ignore all of the new users for the next year and focus solely on getting complete feature parity and making a polished, rock-solid, reliable, ultra-fast, Windows compatible build. Likely killing off any momentum they built from their initial hype-cycle, and maybe even losing them the VC funding they've been living off of. B. Focus almost all of their very small team's efforts on keeping their existing user's happy by improving the Linux/OSX versions that already mostly work so that the product looks well maintained and can slowly gain adoption within those communities, while being virally spread by tribal developers intentionally creating non-portable code, knowing that it will not work in Node, or even on Windows. I genuinely believe they have every intent on getting a Windows version up and working. I just do not believe for a second that a year after 1.0 is released that they will have feature parity in the Windows version. Maybe the Windows version will have feature parity with version 1.0 by then, but I doubt they will be stopping all work on the Linux version for a year. At that point the two flavors of Bun will be out of sync with each other, leading to confusion. This leads us into the biggest missing feature of Bun. There is no Bun Version Manager Of all the tools they put into Bun, the one tool they didn't build in is a version manager. That is INSANE to me. I think it's actually insane that Node.js doesn't have a version manager built in. Let's break this down. On Node.js I have: nvm - Which mostly works fine on linux/osx, but has some annoyances. nodist - Which is great, but only works on older versions of Windows. nvm-windows - For newer Windows versions, but barely works and is buggy as hell. volta - Which has the worst API of all of them, but is also the most stable and reliable and runs on all OS's, even really old versions of Windows. Why do I have to know about these 4 tools? This is stupid. But what's considerably worse than having to deal with 4 tools that do the same thing is just not having any tool at all. Node.js is WAY more focused on backwards compatibility than Bun is. But as time has gone on, even Node has deprecated parts of their API. Many times this is a result of the V8 engine itself deprecating features. Node.js is actually involved somewhat in the direction of V8 at this point, and even with having some level of input, it isn't possible for them to avoid all breaking changes and deprecations, leading to old Node.js code straight up not working on newer versions of Node. So I don't believe for a second that Bun got everything right on the first try, and nothing about it will change over time, and all code you write in it, will always work forever. Especially since they are inheriting whatever deprecations will come with the Apple Webkit JS engine they are using. What about a year from now when Bun 1.8 on Linux is out, but Windows just hits 1.0. Where I work, the devs on my team use different OS's (Linux, OSX, Windows). If we can't freely switch between versions of bun, then our Linux user's won't be able to downgrade to version 1.0 so we are all working with the same features (generously assuming a Windows version is released by then). We as web developers used Grunt for our build tooling. Then Gulp came out and made the process simpler and we switched over to it. Then Gulp 4 came out and completely changed the API and no one wanted to deal with that so we switched to npm scripts for our basic build automation. But then we wanted actual bundling abilities and tree shaking. So we, as an entire JS community, switched to Webpack (or more accurately, abstractions on top of it). But Webpack was slow and annoying, so when Vite came out we all switched over to it. But ya know what? I'm not in love with Vite. Is it the best thing right now? Yeah it is. But there are things about it I wish were better. And over the coming years more and more of those things will be identified and someone will inevitably make a new tool that is better than Vite, and I will happily switch to it. Not because I like changing tooling, but because from a practical stand point it will be better, and I will see the value in it and switch. That's it. Even if you think "nope, there is nothing left to do with our tooling, we've perfected minification". Do you think we have perfected everything on the web? What features of the web exist today that did not 10 years ago? What if, hypothetically, 10 years from now we finally have something in the browser that replaces Web Components and doesn't suck ? Won't we need some form of new build tooling to transform our code and take advantage of these native features? Just like we have today? As networks and internet protocols change and improve, how we optimize our bundles for them will change too. The web has always changed and evolved. It's never stopped. It will continue to change, and our tooling will continue to react to those changes. That will also be the case with everything that Bun is abstracting. When does it decide to drop its ESBuild abstraction and switch to whatever that new thing will be? What if it switches too soon, and the community goes with something else, and it needs to switch again? There's only so much you can do to guard against API changes for your end users. If all of Bun's users need to maintain a bunch of ESBuild plugins to work with Bun, and then ESBuild is removed from under the hood and replaced, then those users are stuck on the old Bun version. What happens when you use Bun to handle your build AND also your core JS runtime AND your testing tools. Then Bun does a major breaking change to one of those systems requiring a lot of tech debt to update your codebase to be able to switch over. Maybe your tests all need upgraded to work with the new system (I've done 3 major test refactors in my work codebase, the longest taking ~6 months to complete, this stuff happens). It could take months, maybe even a full year to upgrade all your code. And in the mean time you're stuck on the old version of Bun until everything works with the new version. BUT OH NO! A big security issue is found in the JS Runtime. So you need to update the JS Runtime, but you can't do that because your JS Runtime and your build tool and your testing tool are all the same. Until your major test refactor is complete, your code is vulnerable. In some industries you are required to address security issues in a certain window of time. Bun is a no-go for those folks. There are ways for them to deal with this, like shipping multiple build tools, or testing tools, and letting you switch to the new one or old one via a CLI argument. But how long do they support multiple alternative tools being built in? Can they afford to support all of them? With all the various abstractions for tools they have built in to Bun, it is only a matter of time until the glue holding it all together becomes too much to manage. Node, npm, Jest, Vite, etc. These are all large and very complex problem spaces each tool is separately solving. Even Vitest, under the hood is like 80% shared code with Jest, and just trying to handle the other 20% is a major effort. What happens when JavaScript Shadow Realms are released? Vitest is already planning on adopting Shadow Realms as a way to isolate JavaScript tests without having to spin up new Node processes. If my Vitest code is reliant on running in this isolation mode and Bun decides to hijack my imports instead of using the actual Vitest imports suddenly my tests could start randomly failing and there won't be anything I can do about it without removing Bun from the equation until they can update their code under the hood to use Shadow Realms. But what if realms are added into V8, but then Apple drags their feet on adding support into Safari for several years (they do that a lot ). There's literally nothing Bun could do in that scenario other then make their own internal native implementation of shadow realms until the feature is built in to Webkit. Which would be a pretty major undertaking and not a very scalable solution long term for other similar problems that come up. All of these reasons and more are why Bun Version Management is so important. And why having so many tools combined into one isn't as nice as it sounds on paper. Part Three - Random thoughts If Bun came out in 2012, it would have had Grunt built in. If Bun came out in 2014, it would have had Gulp built in. If Bun came out in 2016, it would have had Webpack built in. If Bun came out in 2018, it would have had Rollup built in. If Bun came out in 2020, it would have had ESBuild built in. What will happen in 2026? Back in 2014 Meteor JS came out and promised to do everything in one frontend/backend framework. It would handle websockets for you, and do reactive updating of the DOM and assume backend success but automatically rollback the UI if the request failed, to make the UI feel real fast and snappy. It let you have multiple people interacting with content on the same page in real time. And all you had to do was use their all-in-one CLI to run your project locally and deploy it to a free online test bed using your own custom project name. In 2023 I tried to run my 2014 Meteor project again and the version of the CLI that is compatible with the project doesn't exist any more and the project cannot be ran locally or deployed without completely re-writing the entire project to the latest version of Meteor. All documentation for the 2014 version is just gone. I have seen this movie before, and I know how it ends. Part Four - Final thoughts I've been very hard on Bun in this post, not because it sucks, but because it's almost good. And people will be excited to try it out and not realize all the downsides. Again, just like with Yarn, I was pretty hyped for Bun too. But I've since tempered my excitement and looked at it from a practical, and historical, standpoint. If Bun actually did everything it claimed, then I would 100% be on board. But the non-portable code, the complete lack of Windows support, and some of the shortsighted choices they've made bring me back to reality. I hope these critiques will lead to improvements in Bun. I hope that this thought process will allow others to look at Bun from a more cautious and thoughtful perspective. I hope these tales of Yarn and Meteor will allow us as a community to learn from our past. Part Five - My predictions for the future Most of the projects Bun picked on will get performance improvements over the next year or so and tighten the gap between them and Bun. You will start seeing more and more repos that mention Bun in their README's, maybe exclusively. All developers that quit their first dev job after 6 months to become a YouTube Coding Influencer will make a "BUN IS THE FUTURE OMG" video with this thumbnail . In the hope that it will trick people into watching their 12 part tutorial series on Bun. Like & Subscribe. We have not perfected our tools yet. As we continue to evolve and invent newer and better options Bun will struggle to keep up and people will slowly use it less as they get impatient and are willing to just install a dependency if it means a better, more practical solution to their problems than what they had. Bun will probably be around for about 5 years. That seems to be the life span for most similar tooling. Bun will eventually have really really great Windows support... probably right as people stop using it. For some reason Bun never adds in a version manager and instead 4 competing options show up all sucking in different ways. The year is 20XX and we have finally converted the last CJS Node Module to ESM. This was only possible after humanity finally gave in and let the AI take over. Was it worth it? Joe Biden will get a second term, but like, no one is really happy about it. It turns out that Yarn guy really did see Sasquatch. Now I feel bad for making fun of him. Honestly, Harry and the Hendersons may be worth a rewatch. Vue is still better than everything else, but people will just use whatever the youtube coders said was the hot new thing because if it wasn't, why would they have made 20 tutorial videos about it? They're going to remake Breaking Bad and it won't be very good. Someone in Primagen's chat is actually right about something for the first time ever. Did you know he works at Netflix? Top comments (125) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Barry Michael Doyle Barry Michael Doyle Barry Michael Doyle Follow 👨💻 Senior Frontend Engineer @ Crypto Exchange 💻 Boosting Tech Careers 🚀 Sharing Developer Insights 🛤️ Explore ⚛️ ReactJS, 📱 React Native, 🌐 NextJS & 🔷 TypeScript with me. Let's grow! 🌱 Location Cape Town, South Africa Education Bachelor of Science in Computing Pronouns He/Him Work Senior Frontend Engineer at Crypto Exchange Joined Nov 13, 2017 • Sep 16 '23 Dropdown menu Copy link Hide I don't know about all the points made in this post. Bun is not the solution to everything, but the speed benefits it give to scenarios like a replacement to jest are well worth it for me and my team. I love that fact that is a set of tools that you don't NEED to buy fully into. Regarding No Version Manager , I don't believe it is a priority to built a version manager when version 1 is only 1 week old, I think that would probably be more useful later on. I believe they're being pragmatic and releasing something usable that is stable. It's probably better than delaying a stable release with slightly more feature by 6 months. Otherwise great article and I look forward to coming back here and seeing how many of your predictions come true, especially the Breaking Bad part. Keep up the good writing! I enjoyed this and just wanted to mention my thoughts on some of the points here :) I do hope (and believe) that some of the things that Bun brings to the table does make it's way back to improving NodeJS. Like comment: Like comment: 35 likes Like Comment button Reply Collapse Expand The Jared Wilcurt The Jared Wilcurt The Jared Wilcurt Follow Cross-Platform Desktop App (XPDA) Engineer, Senior Frontend Web Developer. Maintainer of Scout-App. Editor of XPDA.net. Location Indianapolis, IN Joined Jul 27, 2017 • Sep 16 '23 Dropdown menu Copy link Hide The smaller the dosage you use Bun, the lower the risk. If you go all in, and use every feature it offers exclusively, then you are at high risk for running into the pain points outlined in this article. If you are able to replace a feature Bun offers with a different approach in a reasonable amount of time, and be back to normal, then I think it's totally valid to adopt it for that use. I hope you and your team get some value out of Bun and don't run into any of the problems I'm worried about. Like comment: Like comment: 10 likes Like Comment button Reply Collapse Expand Barry Michael Doyle Barry Michael Doyle Barry Michael Doyle Follow 👨💻 Senior Frontend Engineer @ Crypto Exchange 💻 Boosting Tech Careers 🚀 Sharing Developer Insights 🛤️ Explore ⚛️ ReactJS, 📱 React Native, 🌐 NextJS & 🔷 TypeScript with me. Let's grow! 🌱 Location Cape Town, South Africa Education Bachelor of Science in Computing Pronouns He/Him Work Senior Frontend Engineer at Crypto Exchange Joined Nov 13, 2017 • Sep 16 '23 Dropdown menu Copy link Hide That's a very mature point. Yeah in our specific case we've given it a shot to replace jest and it was as simple as a plug and play, it works pretty much exactly the (except it's quicker) and we haven't had to change any of our existing tests. The only difference of using Bun has been that we don't need use all the config for setting up jest that we had before. For now we'll keep the Jest config in-case we try to revert. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ediur Ediur Ediur Follow Location Albania Joined Oct 21, 2019 • Sep 25 '23 Dropdown menu Copy link Hide I totally agree with you. I would just add that if, according to this article, it took NPM 5 years to catch up with Yarn, probably it would have taken 10 year to achieve the same progress if yarn was not introduced. I would say the same thing for Node.js even if some day catches up with Bun. IMHO, In overall, competition is the driving force behind remarkable innovations and progress and these diverging paths from the mainstream often bring significant value and who knows, It might become the main stream itself. Speaking of Tailwind, I was one of those developers that thought, it was the worst thing that had happened to web development, until I " suppressed the urge to retch" it and tried it. Now I can not go back to writing vanilla CSS. Like comment: Like comment: 12 likes Like Comment button Reply Collapse Expand Dave Rogers Dave Rogers Dave Rogers Follow Joined Sep 28, 2022 • Oct 4 '23 Dropdown menu Copy link Hide i'd imagine the idea is that the Yarn devs should've contributed those features to NPM directly. that said, idk how contributor-friendly the NPM team is. some core teams, like PHP Core, sort of meander until they're pushed by the threat of competing projects (in PHP they had to contend with Hack, which was much faster and had some nice features PHP lacked, and PHP quickly addressed these in PHP 7 which kept most PHP devs around; Hack now looks like a different language to a degree, afaik is only useful to Facebook). sometimes the threat of splitting the ecosystem is a good thing, but shouldn't be wielded as a first option. and in defense of core teams, having companies like Facebook threaten to split your ecosystem if they don't get their super specific features/changes (that sometimes don't benefit anybody but them) is also pretty gross so i don't always disagree with telling them where to stick it. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Rahul Dey Rahul Dey Rahul Dey Follow Joined Sep 18, 2023 • Sep 18 '23 Dropdown menu Copy link Hide Nodejs has a fast built in test runner. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Adaptive Shield Matrix Adaptive Shield Matrix Adaptive Shield Matrix Follow Joined May 22, 2021 • Oct 26 '23 Dropdown menu Copy link Hide But it does not work with typescript code. If you have to compile your code first -> its like 10x slower instead. Like comment: Like comment: 2 likes Like Thread Thread Barry Michael Doyle Barry Michael Doyle Barry Michael Doyle Follow 👨💻 Senior Frontend Engineer @ Crypto Exchange 💻 Boosting Tech Careers 🚀 Sharing Developer Insights 🛤️ Explore ⚛️ ReactJS, 📱 React Native, 🌐 NextJS & 🔷 TypeScript with me. Let's grow! 🌱 Location Cape Town, South Africa Education Bachelor of Science in Computing Pronouns He/Him Work Senior Frontend Engineer at Crypto Exchange Joined Nov 13, 2017 • Oct 26 '23 Dropdown menu Copy link Hide Ah right, that makes sense why the bun hype is there. Yeah I'm pretty much all in on TypeScript so I guess that puts bun right back up there for my test runner of choice :) Like comment: Like comment: 3 likes Like Thread Thread The Jared Wilcurt The Jared Wilcurt The Jared Wilcurt Follow Cross-Platform Desktop App (XPDA) Engineer, Senior Frontend Web Developer. Maintainer of Scout-App. Editor of XPDA.net. Location Indianapolis, IN Joined Jul 27, 2017 • Nov 11 '23 Dropdown menu Copy link Hide You have identified a problem with TypeScript, not with Node. TS has always been excruciatingly slow. Many are now switching over to JSDocs for type management. It has many benefits over the TS Language while still being completely compatible with the TS Engine and tsc . However there is no build or runtime cost. You can do enforcement of keeping your JSDoc comments up-to-date via a simple linting plugin. If you don't want to configure all the linting rules yourself, this is the easiest 2 step process to get started github.com/tjw-lint/eslint-config-... Like comment: Like comment: 3 likes Like Thread Thread Barry Michael Doyle Barry Michael Doyle Barry Michael Doyle Follow 👨💻 Senior Frontend Engineer @ Crypto Exchange 💻 Boosting Tech Careers 🚀 Sharing Developer Insights 🛤️ Explore ⚛️ ReactJS, 📱 React Native, 🌐 NextJS & 🔷 TypeScript with me. Let's grow! 🌱 Location Cape Town, South Africa Education Bachelor of Science in Computing Pronouns He/Him Work Senior Frontend Engineer at Crypto Exchange Joined Nov 13, 2017 • Nov 11 '23 Dropdown menu Copy link Hide Bun still seems like a more elegant solution to my TypeScript problem though. I'm personally not a big fan of JSDocs as a replacement for TypeScript in its current state. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Barry Michael Doyle Barry Michael Doyle Barry Michael Doyle Follow 👨💻 Senior Frontend Engineer @ Crypto Exchange 💻 Boosting Tech Careers 🚀 Sharing Developer Insights 🛤️ Explore ⚛️ ReactJS, 📱 React Native, 🌐 NextJS & 🔷 TypeScript with me. Let's grow! 🌱 Location Cape Town, South Africa Education Bachelor of Science in Computing Pronouns He/Him Work Senior Frontend Engineer at Crypto Exchange Joined Nov 13, 2017 • Sep 18 '23 Dropdown menu Copy link Hide How fast is it compared to bun and how much config setup does it require to run alongside things like RTL? Like comment: Like comment: 2 likes Like Thread Thread Matt Ellen-Tsivintzeli Matt Ellen-Tsivintzeli Matt Ellen-Tsivintzeli Follow Ultra-fullstack software developer. Python, JavaScript, C#, C. Location Earth Education I am a master of science Pronouns He/him/his/his Work Software Engineer Joined May 2, 2017 • Sep 18 '23 Dropdown menu Copy link Hide I saw a comparison in this video . Like comment: Like comment: 12 likes Like Comment button Reply Collapse Expand Ed Rutherford Ed Rutherford Ed Rutherford Follow IT Support Engineer, Cybersecurity Journeyman, Multi-Language Programmer. Avid learner of all things, and enjoy sharing with those willing to listen! Location Columbus, Ohio Education Devry University; The Ohio State University; Google IT Support Certification Work IT Support Engineer Joined Dec 1, 2022 • Sep 22 '23 Dropdown menu Copy link Hide Definitely an interesting article, and @barrymichaeldoyle I definitely agree that while Bun isn't the end-all-be-all, it certainly offers an excellent (and fast!) alternative for devs to utilize instead of the vast web of Node components. I've recently started building a number of project updates with Bun as a drop in and the reduction of time to test and build has been pretty darn impressive! Granted, most of these projects aren't exactly "huge".... even still, it's extremely noticeable how much quicker the process is regardless of the overall project complexity! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Sep 16 '23 • Edited on Sep 16 • Edited Dropdown menu Copy link Hide I can't find on Bun's site that they use WebKit engine. I see: At its core is the Bun runtime, a fast JavaScript runtime designed as a drop-in replacement for Node.js. It's written in Zig and powered by JavaScriptCore under the hood, dramatically reducing startup times and memory usage. My personal opinion is that Bun is trying to build too many things around it, like TypeScript. Which effectively leads to so many distractions instead of focusing on core, stability, and performance. It will be a huge ballon that will eat memory with probably 70% of features not used. There will be quantity over quality. At the moment of writing this comment, there are 1590 open issues and 1703 closed. At this rate of bug growth , Bun will spend more and more time fighting bugs rather than stability and performance. Let's assume that it takes 4 hours to fix each bug (extremely optimistic), that's already 6360 hours spent just on fixing bugs. Let's keep counting, 8 hours a day, that's 795 days! 795 / 365 gives you over 2 years of work just to fix 1590 bugs! And it will keep growing, as implementing too many features is just a consequence of that. To the whole great post, I'd also add the overhyped Tailwind, which literally does nothing new and makes the whole development even worse. See example: flex transition-all dark:bg-darkNight bg-white duration-1000 relative 4xl:max-w-11xl 4xl:mx-auto 4xl:shadow-xl 4xl:rounded dark:shadow-4xl vs. chat-message Tailwind complicated development 10 times by moving from logical to illogical order. What's wrong with reusable classes? What's wrong with named CSS classes? Instead of first looking at named classes to understand what follows, the engineer now needs to spend time decrypting the intention of the implementation behind all CSS classes. It should be the opposite: Read the name of the class. Interested? Dive into implementation details. Not interested? Keep searching. That approach allows you to quickly scan the app logic without diving into implementation. Like comment: Like comment: 18 likes Like Comment button Reply Collapse Expand Matt Ellen-Tsivintzeli Matt Ellen-Tsivintzeli Matt Ellen-Tsivintzeli Follow Ultra-fullstack software developer. Python, JavaScript, C#, C. Location Earth Education I am a master of science Pronouns He/him/his/his Work Software Engineer Joined May 2, 2017 • Sep 18 '23 Dropdown menu Copy link Hide To quote trac.webkit.org/wiki/JavaScriptCore JavaScriptCore is the built-in JavaScript engine for WebKit. Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Sep 18 '23 Dropdown menu Copy link Hide @mellen Thank you! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Andrzej Kowal Andrzej Kowal Andrzej Kowal Follow Senior Frontend Developer Location Poland, Krakow Pronouns He/His Work Senior Frontend Developer Joined Sep 17, 2023 • Sep 18 '23 Dropdown menu Copy link Hide You can always compose your own additional css class from tailwind css utility classes. What’s wrong with that approach which can be applied to such cases with classes that are too long/unreadable? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand The Jared Wilcurt The Jared Wilcurt The Jared Wilcurt Follow Cross-Platform Desktop App (XPDA) Engineer, Senior Frontend Web Developer. Maintainer of Scout-App. Editor of XPDA.net. Location Indianapolis, IN Joined Jul 27, 2017 • Sep 20 '23 Dropdown menu Copy link Hide This is outside of the scope of this article. However, I would note that Tailwind's create (Adam Wathan) has specifically said that what you are advising is an anti-pattern and that @apply was only added to trick people into using Tailwind that did not like their HTML being littered with dozens of classes. His words, not mine. Source Like comment: Like comment: 5 likes Like Thread Thread Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Sep 20 '23 Dropdown menu Copy link Hide @thejaredwilcurt This is outside of the scope of this article. That's for sure. However, I'd really love to hear what kind of problems Tailwind resolves that existed before. Like comment: Like comment: 2 likes Like Thread Thread Rocky Kev Rocky Kev Rocky Kev Follow Blog Location Portland Work Senior Dev at 2Barrels Joined Feb 17, 2019 • Sep 21 '23 Dropdown menu Copy link Hide If your company was using a css framework before, tailwind is solving that. pb-3 in bootstrap... what does the 3 mean? It means whatever your default size is. But what if you want something bigger? pb-4 ? But that's too big. Tailwind solves a lot of that. Like comment: Like comment: 1 like Like Thread Thread Andrzej Kowal Andrzej Kowal Andrzej Kowal Follow Senior Frontend Developer Location Poland, Krakow Pronouns He/His Work Senior Frontend Developer Joined Sep 17, 2023 • Sep 21 '23 Dropdown menu Copy link Hide I thing it should not be that much treated as the only way. If you need couple of composes classes - world will not break. You definitely don’t need to make own class for each element in the tree - it’s for sure is not as it supposed to be done. But just few classes for very long class names - it’s fine I think. Like comment: Like comment: 1 like Like Thread Thread Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Sep 21 '23 Dropdown menu Copy link Hide Because this Tailwind is more understandable? h-screen xl:min-w-282pxl xl:w-260pxl hidden xl:block overflow-y-hidden dark:bg-darkNight dark:border-matteGray font-ubuntu Like comment: Like comment: 2 likes Like Thread Thread Pablets Pablets Pablets Follow Learnig, all the time Location Buenos Aires Work Software engineer at Santander, Argentina Joined Nov 24, 2020 • Oct 20 '23 Dropdown menu Copy link Hide I love Tailwind and SASS, but they have trade-offs. Tailwind offers scalability and maintainability, reducing the complexity of naming conventions. If your project doesn't scale, then Tailwind may have more cons than pros, as it truly shines when maintaining large codebases with specific needs like SSR or performance. I understand that it can be cumbersome and verbose to write styles like this, but using them at the right moment can be a lifesaver. I think it's really important to know and experiment about everything that you can to know what these cons/pros are and understand what it's the right tool for the job. Like comment: Like comment: 2 likes Like Thread Thread Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Oct 20 '23 • Edited on Oct 20 • Edited Dropdown menu Copy link Hide @pablets Would you mind to explain what kinds of problems exactly does Tailwind solve? The "scalability and maintainability, reducing the complexity of naming conventions" doesn't explain the issue and what kind of solution was invented by Tailwind to resolve it. Is this bg-white dark:bg-darkNight dark:border-matteGray border-b border-grayLighter w-full flex justify-between px-2 py-3 items-center xl:hidden fixed top-0 z-20 called a "reducing the complexity of naming conventions"? If so, how so? Can you give an example of scalability challenges and how Tailwind resolves them? I'd appreciate it. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Sep 19 '23 Dropdown menu Copy link Hide @andrzej_kowal Composing your own CSS class was available long before Tailwind was born. My primary question is: what kind of problems does Tailwind resolve that weren't resolved before? Like comment: Like comment: 5 likes Like Thread Thread Stephen Hebert Stephen Hebert Stephen Hebert Follow Joined Jul 9, 2021 • Sep 20 '23 Dropdown menu Copy link Hide By making styling more visible and flexible, and limiting cognitive load. When working with a massive component-based SaaS codebase and an immature, unstable design system, I want to see styles in the DOM template of the component where they’re being applied without having to reference several different CSS files written by different authors at different times all applying globally what they thought could be taken for granted finding myself in CSS cascade hell trying to implement something new without breaking existing legacy UIs or take on the complexity of the entire system. Pure CSS is beautiful and I can’t wait to ditch Tailwind… later, when the design system is mature and my UI is all nice, clean components, and what a joy it will be (and so easy too) to replace all of those tailwind classes with clean, structured CSS. But | 2026-01-13T08:49:31 |
https://axerosolutions.com/platform | A suite of intranet features for every team - Axero Intranet Skip to content --> Meet Axero Copilot , a game-changer for AI knowledge management! Tell me more --> Platform Feature Tour Mobile Intranet Security and Compliance Integrations Use Cases AI Knowledge Management Intranet Software Internal Communications Software Knowledge Management Software Team Collaboration Software Workplace Culture Software Industries Banks and Finance Education Healthcare Insurance Companies Life Sciences Companies Professional Services Companies Nonprofit Organizations Government Agencies Real Estate and Construction Client Experience Overview Client Stories Intranet Services Client Support Implementation Resources Blog eBooks & Guides Workplace communication tips Improve employee experience Improve company culture Build knowledge base Internal comms examples Enterprise social networking ROI calculator About Us Pricing Get Demo More than an intranet Welcome to the feature tour. You get it all! See everything you’re going to get when you choose Axero intranet. Centralized and secure intranet platform for connecting and engaging your workplace. Watch a mini walkthrough Book a personalized demo Search Locate documents, files, content, and people across your entire intranet with Axero’s elastic search engine. AI chatbots Get answers and accelerate learning curves with AI conversational chatbots. It’s like a personal assistant for your teams. Page builder Match your brand, customize tools, and tailor the entire user experience with drag-and-drop widgets. Make your intranet your own. REST APIs Axero has over 500 REST APIs, empowering you to pull data, pages, and content from third-party platforms so everything is in one place. Your intranet, your way Not one Axero intranet is the same. That’s because no one works like you do. Take on the day with a platform that’s tailored to your organizational workflows, without building from scratch. Homepage Log into happiness with a fully branded homepage that connects your users to company-wide announcements or targeted information as soon as they start the day. Custom workspaces Give your departments, projects, and special initiatives their own digital hub. Align employees to specific resources with special spaces, which can be public or private. Go mobile Take your intranet on-the-go no matter the device. Axero branded and white labeled app options are available. Axero Mobile App Integrations Integrate with the tools you use today. Axero has 30+ integrations and over 500 REST APIs. Axero Integrations Extranet Build semi-public sites, manage external access, control visibility, and shape user experiences that support employees, customers, partners, and communities. Or create something entirely your own! User governance Granular permissions give you detailed control over who can see what and who can do what, so everyone stays in their lane without being held back. Host on your terms Host your intranet the way you prefer: on your own servers or within your chosen cloud environment. Axero gives you the control, flexibility, and technical support options to meet your security, performance, and infrastructure requirements. Learn more about Axero intranet Manage knowledge with one single source of truth Power peak productivity by bringing all of your resources, knowledge, and documents together in one platform. Federated search Use Axero’s powerful elastic search engine to find what you need across your entire intranet, all of your connected file repositories, and all integrations. Files & Documents Organize documents, files, and content in easy-to-access repositories. Keep confidential content secure with tight permission-based control. AI chatbots Lean on the power of AI to answer questions and find information faster. Axero Copilot has access to your intranet’s knowledge, serving as an internal agent for your users. Cases & Tickets Use Axero’s native cases tool to set up help desks, manage questions, and move projects forward. Assign them, collaborate, track status, set due dates, and much more. Form builder *New* Use our integrated form builder to create, send out, and track form submissions within Axero. Receive automatic actions and notifications from every response. Journeys Streamline onboarding, role transitions, and skill development with guided workflows that brings users up to speed. Content workflows Ensure every piece of content is reviewed, approved, version-controlled, and kept up to date, so people can always trust what they’re reading. Launchpad & Quick links Any app is one click away. Launch into third-party tools and pages anywhere on your intranet. Learn more about Axero’s knowledge management tools The communication headquarters for your people Axero makes it easy to segment communications exactly how you need. Bring alignment to your teams with a platform that supports communication of all scopes. Announcements & Broadcasts Whether it’s urgent news or top level announcements, reach the right people with targeted updates or open it up to the entire organization. Newsletter builder *New* Connect all the important happenings in your intranet with branded newsletters. Boost awareness and easily customize templates to match your brand. AI content publisher Easily create content with a personal AI editor. With Axero’s AI Assistant for Content Editors, craft, refine, and polish your work with grammar, tone, and language suggestions. Wikis, articles, and blogs Pick from different content options to ensure information is displayed in a digestible way. Embed media, attachments, and images. Version control & Expiration dates Maintain fresh, current, and relevant content. Set expiration dates and automatically notify authors when content is aging. Required Reading Ensure important items are read and acted on. Flag important content as mandatory and track progress with built-in analytics. Calendars & Events Track deadlines, promote team events, and get everyone on the same page. Integrate with Outlook or Google to keep all schedules synced. Likes, comments, and ratings With intuitive tools that encourage feedback, discussion, and exploration, your knowledge base becomes a living, always evolving library shaped by the people who rely on it. Learn more about Axero’s internal communication tools "Working with Axero has been an absolute pleasure. Right from the start, their team demonstrated incredible knowledge and warmth. They rapidly set us up with a new intranet platform that fits our unique requirements. Their strategic approach to implementation, combined with quality support, made them a true partner in our digital transformation. It's been a seamless experience!" Jesus Rivera Internal Communications Manager, University of Wisconsin–Madison "The support services provided by Axero are both responsive and highly efficient, demonstrating a deep commitment to customer satisfaction. This combination of a powerful platform and superior support underscores Axero's reputation as a leading choice for businesses seeking to optimize their operations and communication strategies." Abdullah Alipour Jeddi Digital Platform Associate, OPEC "The bi-weekly meetings with our business account manager have been invaluable, ensuring seamless communication and support. Axero's commitment to improving our internal communication and employee engagement is palpable and effective." Gabrielle deBruler Social Media Coordinator, America's First Federal Credit Union "Working with Axero has been an impressive journey. Their dedicated team is incredibly attentive and handles any issues swiftly, ensuring minimal disruption. The platform itself is a powerhouse, and the customization options allowed our organization to tailor it to our unique needs." Tatiana Pacheco Policy and Procedures Manager, Mariner Finance “With Axero, we host the TEDx community from around the world under one social platform. Axero’s customer service is the best. We always have someone to answer our questions.” Sina Sima Technical Program Manager, TEDx Connect, unite, and engage your workforce Inspire people and drive engagement with a purposeful built hub centered around your culture. Employee directory Go beyond basic contact info with rich, searchable profiles that help your team truly connect. Customize fields to highlight the skills and interests that matter most to your culture. Organizational Chart Help employees navigate the company, find subject matter experts, and understand where they fit, all with a dynamic chart that scales as you grow. Analytics Keep a constant pulse on performance. Evaluate user engagement, content activity, space management, search, queries and recognition programs to measure what resonates. Ideas Capture insights, gather feedback, and build richer human connections that foster loyalty and trust. Generate ideas from your employees where users can upvote, downvote, comment and like posts. Birthdays & Anniversaries From milestones to meaningful moments, make everyone feel seen, appreciated, and part of the team by displaying employee birthdays and work anniversaries on any page. Badges & Recognition programs Boost morale with a simple “thank you” or create custom recognition programs that reward participation and turn engagement into a habit. Learn more about Axero’s employee engagement tools Customize your entire user experience Axero is built for building. Take advantage of flexible customization tools to make your intranet your own from look, feel, and functionality. Page builder Axero’s Page Builder gives you the utmost flexibility to build pages that look and work the way you need it to with rich drag-and-drop prebuilt widgets. Permissions Axero uses fine-grained, role-based permissions to manage access to different parts of your digital workplace. You have full control over who can see or do what. Personas Create custom groups to automate specialized permissions and deliver hyper-targeted news. Personas help you create a relevant experience for every employee. CSS overrides Don’t just brand it, build it. Fine-tune design elements with full CSS control. Match complex brand guides or optimize the layout. The power to customize is entirely in your hands. White labeled mobile app Keep brand identity consistent on your mobile intranet. Fully customize your app’s name, icon, and splash screen to match your corporate identity. It’s not just an intranet app, it’s your company app. Language options Bridge the gap between global offices. Whether through dynamic on-the-fly translation or a dedicated multi-language content manager, ensure every employee feels at home by delivering news and tools in their preferred language. Integrate your intranet with the tools you already use today Slack Seamlessly connect Axero with Slack channels to empower collaboration and unify updates. SharePoint Access SharePoint documents and folders from Axero. Upload and edit files in either platform. Microsoft Teams Launch into Axero from your Teams app or connect on Teams through profiles and employee hover cards. Single sign-on (SSO) Axero integrates with Okta, Active Directory, ADFS, Okta, OneLogin, and more! See all integrations Security is built into your intranet Axero’s security is built into the foundation of the platform, so there are no gaps, backdoors, or weak links for attackers to exploit. Cloud environment Axero is SOC 2 Type II compliant, and our cloud hosting environments meet SSAE 16 (SOC 1, SOC 2 Type II) and ISO 27001 standards HIPPA compliant Our hosting environment complies to HIPAA standards. Axero will execute a BAA to become joint custodians of PHI. Single-tenant architecture & Data isolation Axero provides a single-tenant architecture. Each customer gets their own independent database and software instance. High-grade encryption standards AES-256 FIPS 140-2 Level 3 for data at rest and SSL/TLS 1.3 for all data in transit. Robust identity management Axero supports SSO with major providers and enforces MFA for internal access to production environments. Private cloud or Self-hosted deployment Axero offers a private Azure cloud or an on-premise option, giving you total control over your organization’s infrastructure. Disaster recovery Axero runs daily and weekly backups stored in separate redundant zones, combined with a formal Disaster Recovery Program, ensuring data can be restored quickly. Security & Vulnerability management Axero performs ongoing third-party penetration testing and vulnerability scans. The platform is explicitly hardened against common web attacks, ensuring the software code itself is secure. Explore all Axero security components Don’t just take our word for it! Hear what our happy customers have to say. “With Axero, we host the TEDx community from around the world under one social platform. Axero’s customer service is the best. We always have someone to answer our questions.” Sina Sima Technical Program Manager, TEDx “The biggest difference is the ease of use for content contributors. People are creating blogs, wikis, and events without any training. It fosters a culture of accountability and content ownership.” Neeraj Kumar Vice President of IT and CIO, Roosevelt University “We’re very happy with Axero. The functionality gives us so much more than we could have asked for. Employee communication and the ticketing system has been key. A huge benefit for us.” Michelle Mazurkewich Chief Innovation Officer, Fusion Credit Union Wanna get started? Talk to someone who works here info@axerosolutions.com 1-855-AXERO-55 401 Park Avenue South 10th Floor New York, NY 10016 +1-855-AXERO-55 Company About Axero Newsroom Careers Contact Us Why Axero? Platform Feature Tour Mobile Intranet App Security and Compliance Intranet Integrations Intranet Pricing Use Cases Employee Intranet Internal Communications Knowledge Management Team Collaboration Workplace Culture Remote Work On Premise Intranet All intranet solutions Client Experience Client Stories Intranet Services Client Support Intranet Implementation Industries Bank & Finance Education Healthcare Insurance Life Sciences Nonprofit Government Real Estate & Construction Resources What is an Intranet? How to Launch an Intranet Intranet Blog Intranet ROI Calculator Free Intranet eBooks & Guides Company intranet ideas HR Glossary Insights Compare Intranet Software Comparison Axero vs Happeo Axero vs Simpplr Axero vs SharePoint Axero vs MangoApps Axero vs Powell Axero vs Igloo © Axero Solutions Terms | Privacy | GDPR | Cookies | Security | Support | Site Map | 2026-01-13T08:49:31 |
https://status.suprsend.com/default/history/1 | Notice history - SuprSend - Status SuprSend - Notice history Report an issue Get updates Email Slack Microsoft Teams Discord Google Chat Webhook RSS Atom API Report an issue Get updates Dark mode All systems operational SuprSend App - Operational SuprSend App 100% - uptime 100.0% uptime Read uptime graph for SuprSend App Nov 2025 · 100.0 % Dec · 100.0 % Jan 2026 · 100.0 % Previous page Next page Nov 2025 100.0 % uptime Dec 2025 100.0 % uptime Jan 2026 100.0 % uptime Notification Engine - Operational Notification Engine 100% - uptime 99.95% uptime Read uptime graph for Notification Engine Nov 2025 · 99.84 % Dec · 100.0 % Jan 2026 · 100.0 % Previous page Next page Nov 2025 99.84 % uptime Dec 2025 100.0 % uptime Jan 2026 100.0 % uptime Expand group APIs 100% - uptime 99.98% uptime Read uptime graph for undefined Nov 2025 · 99.83 % Dec · 99.97 % Jan 2026 · 100.0 % Previous page Next page Nov 2025 99.83 % uptime Dec 2025 99.97 % uptime Jan 2026 100.0 % uptime Expand group Third Party Dependencies Operational Notice history Jan 2026 Object/Users/Preferences API is down Resolved January 04, 2026 at 9:34 PM Resolved January 04, 2026 at 9:34 PM Object/Preferences API is back up. This incident was automatically resolved by Instatus monitoring. Investigating January 04, 2026 at 9:34 PM Investigating January 04, 2026 at 9:34 PM Object/Preferences API is down at the moment. This incident was automatically created by Instatus monitoring. Dec 2025 Management API is down Resolved December 29, 2025 at 10:14 PM Resolved December 29, 2025 at 10:14 PM Management API is back up. This incident was automatically resolved by Instatus monitoring. Investigating December 29, 2025 at 10:13 PM Investigating December 29, 2025 at 10:13 PM Management API is down at the moment. This incident was automatically created by Instatus monitoring. Object/Users/Preferences API is down Resolved December 29, 2025 at 10:13 PM Resolved December 29, 2025 at 10:13 PM Object/Preferences API is back up. This incident was automatically resolved by Instatus monitoring. Investigating December 29, 2025 at 10:13 PM Investigating December 29, 2025 at 10:13 PM Object/Preferences API is down at the moment. This incident was automatically created by Instatus monitoring. Scheduled Maintenance to upgrade critical hardware components Completed December 26, 2025 at 1:40 AM Completed December 26, 2025 at 1:40 AM Maintenance has completed successfully. In progress December 26, 2025 at 1:30 AM In progress December 26, 2025 at 1:30 AM Maintenance is now in progress Planned December 26, 2025 at 1:30 AM Planned December 26, 2025 at 1:30 AM We will be performing scheduled maintenance to upgrade critical hardware components of the SuprSend platform. What to expect • Workflow processing will be temporarily unavailable • APIs will be inaccessible during the maintenance window • All workflow triggers during this period will be safely queued Once the maintenance is complete and services are fully restored, all queued workflows will be processed automatically. No data will be lost. Why this maintenance is required This upgrade is part of our ongoing efforts to improve the reliability, performance, and scalability of the SuprSend platform. We will update this status page as the maintenance progresses and once services are fully operational. Thank you for your patience and continued trust in SuprSend. Object/Users/Preferences API is down Resolved December 22, 2025 at 6:33 PM Resolved December 22, 2025 at 6:33 PM Object/Preferences API is back up. This incident was automatically resolved by Instatus monitoring. Investigating December 22, 2025 at 6:33 PM Investigating December 22, 2025 at 6:33 PM Object/Preferences API is down at the moment. This incident was automatically created by Instatus monitoring. Webhooks Infrastructure outage Resolved December 18, 2025 at 7:00 PM Resolved December 18, 2025 at 7:00 PM Webhooks Infrastructure is now operational! This update was created by an automated monitoring service. Investigating December 18, 2025 at 6:54 PM Investigating December 18, 2025 at 6:54 PM Webhooks Infrastructure cannot be accessed at the moment. This incident was created by an automated monitoring service. Load more Nov 2025 Object/Users/Preferences API is down Resolved November 24, 2025 at 3:24 PM Resolved November 24, 2025 at 3:24 PM Object/Preferences API is back up. This incident was automatically resolved by Instatus monitoring. Investigating November 24, 2025 at 3:24 PM Investigating November 24, 2025 at 3:24 PM Object/Preferences API is down at the moment. This incident was automatically created by Instatus monitoring. Webhooks Infrastructure outage Resolved November 24, 2025 at 1:43 PM Resolved November 24, 2025 at 1:43 PM Webhooks Infrastructure is now operational! This update was created by an automated monitoring service. Investigating November 24, 2025 at 1:38 PM Investigating November 24, 2025 at 1:38 PM Webhooks Infrastructure cannot be accessed at the moment. This incident was created by an automated monitoring service. Object/Users/Preferences API is down Resolved November 22, 2025 at 12:39 AM Resolved November 22, 2025 at 12:39 AM Object/Preferences API is back up. This incident was automatically resolved by Instatus monitoring. Investigating November 22, 2025 at 12:37 AM Investigating November 22, 2025 at 12:37 AM Object/Preferences API is down at the moment. This incident was automatically created by Instatus monitoring. 2 or more locations failed on 'Event Collector' Postmortem November 19, 2025 at 7:57 AM Postmortem November 19, 2025 at 7:57 AM Our upstream vendor Cloudflare was experiencing issues : https://www.cloudflarestatus.com/incidents/8gmgl950y3h7 Resolved November 18, 2025 at 2:37 PM Resolved November 18, 2025 at 2:37 PM Notification Engine is now operational! This update was created by an automated monitoring service. Investigating November 18, 2025 at 2:36 PM Investigating November 18, 2025 at 2:36 PM Notification Engine cannot be accessed at the moment. This incident was created by an automated monitoring service. 2 or more locations failed on 'Event Collector' Postmortem November 19, 2025 at 7:57 AM Postmortem November 19, 2025 at 7:57 AM Our upstream vendor Cloudflare was experiencing issues : https://www.cloudflarestatus.com/incidents/8gmgl950y3h7 Resolved November 18, 2025 at 12:48 PM Resolved November 18, 2025 at 12:48 PM Notification Engine is now operational! This update was created by an automated monitoring service. Investigating November 18, 2025 at 12:40 PM Investigating November 18, 2025 at 12:40 PM Notification Engine cannot be accessed at the moment. This incident was created by an automated monitoring service. Load more Nov 2025 to Jan 2026 Next Show current status Powered by Instatus | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/inbox-react-native#initialization | React Native (Headless) - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native React Native (Headless) HMAC Authentication DEPRECATED Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation React Native React Native (Headless) Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog React Native React Native (Headless) OpenAI Open in ChatGPT Integrate SuprSend inbox in React Native using the headless library and hooks. OpenAI Open in ChatGPT The Headless Inbox library provides hooks that can be integrated into React Native components for building inbox, and toast functionality in your applications. Installation npm yarn Copy Ask AI npm install @suprsend/react-headless Initialization Enclose your app in SuprSendProvider like below and pass the workspace key , distinct_id , and subscriber_id . App.js Copy Ask AI import { SuprSendProvider } from "@suprsend/react-headless" ; function App () { return ( < SuprSendProvider workspaceKey = "<workspace_key>" subscriberId = "<subscriber_id>" distinctId = "<distinct_id>" > < YourAppCode /> </ SuprSendProvider > ); } SuprSend hooks can only be used inside of SuprSendProvider. Adding SuprSend inbox component 1) useBell hook This hook provides unSeenCount, markAllSeen which is related to the Bell icon in the inbox unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markAllSeen : Used to mark seen for all notifications. Call this method on clicking the bell icon so that it will reset the bell count to 0. Bell.js Copy Ask AI import { useBell } from "@suprsend/react-headless" ; function Bell () { const { unSeenCount , markAllSeen } = useBell (); return < p onClick = { () => markAllSeen () } > { unSeenCount } </ p > ; } 2) useNotifications hook This hook provides a notifications list, unSeenCount, markClicked, markAllSeen. notifications : List of all notifications. This array can be looped and notifications can be displayed. unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markClicked : Method used to mark a notification as clicked. Pass notification id which is clicked as the first param. markAllRead : This method is used to mark all individual notifications as seen. Add a button anywhere in your notification tray as Mark all as read and on clicking of that call this method. mark all read sample Notifications.js Copy Ask AI import { useNotifications } from "@suprsend/react-headless" ; function Notifications () { const { notifications , markAllRead } = useNotifications (); return ( < div > < h3 > Notifications </ h3 > < p onClick = { () => { markAllRead ()} } > Mark all read </ p > { notifications . map (( notification ) => { return ( < NotificationItem notification = { notification } key = { notification . n_id } markClicked = { markClicked } /> ); }) } </ div > ); } function NotificationItem ({ notification , markClicked }) { const message = notification . message ; const created = new Date ( notification . created_on ). toDateString (); return ( < div onClick = { () => { markClicked ( notification . n_id ); } } style = { { backgroundColor: "lightgray" , margin: 2 , borderRadius: 5 , padding: 4 , cursor: "pointer" , } } > < div style = { { display: "flex" } } > < p > { message . header } </ p > { ! notification . seen_on && < p style = { { color: "green" } } > * </ p > } </ div > < div > < p > { message . text } </ p > </ div > < div > < p style = { { fontSize: "12px" } } > { created } </ p > </ div > </ div > ); } Notification object structure: Notification.js Copy Ask AI interface IRemoteNotification { n_id : string n_category : string created_on : number seen_on ?: number message : IRemoteNotificationMessage } interface IRemoteNotificationMessage { header : string schema : string text : string url : string extra_data ?: string actions ?: { url : string ; name : string }[] avatar ?: { avatar_url ?: string ; action_url ?: string } subtext ?: { text ?: string ; action_url ?: string } } 3) useEvent hook This hook is an event emitter when and takes arguments event type and callback function when the event happens. Must be called anywhere inside SuprSendProvider Handled Events: new_notification: Called when the new notification occurs can be used to show toast in your application. Sample.js Copy Ask AI import { useEvent } from "@suprsend/react-headless" ; function Home () { useEvent ( "new_notification" , ( newNotification ) => { console . log ( "new notification data: " , newNotification ); alert ( "You have new notifications" ); }); return < p > Home </ p > ; } Example implementation Check the example implementation. Was this page helpful? Yes No Suggest edits Raise issue Previous HMAC Authentication Steps to safely authenticate users and generate subscriber-id in headless Inbox implementation. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Adding SuprSend inbox component 1) useBell hook 2) useNotifications hook 3) useEvent hook Example implementation | 2026-01-13T08:49:31 |
https://docs.github.com/en/code-security/dependabot | Keeping your supply chain secure with Dependabot - GitHub Docs Skip to main content GitHub Docs Version: Free, Pro, & Team Search or ask Copilot Search or ask Copilot Select language: current language is English Search or ask Copilot Search or ask Copilot Open menu Open Sidebar Security and code quality / Dependabot Home Security and code quality Getting started GitHub security features Dependabot quickstart Secure repository quickstart Add a security policy GitHub secret types GitHub Code Quality Get started Quickstart Reference Metrics and ratings CodeQL analysis CodeQL queries C# queries Go queries Java queries JavaScript queries Python queries Ruby queries Tutorials Fix findings in PRs Improve your codebase Improve recent merges Responsible use Code quality Secure your organization Introduction Choose security configuration Manage organization security Interpret security data Exposure to leaked secrets Export risk report CSV Risk report CSV contents Secret protection pricing Organize leak remediation Fix alerts at scale Create security campaigns Track security campaigns Secret scanning Introduction Supported patterns Enable features Enable secret scanning Enable push protection Enable validity checks Enable metadata checks Manage alerts View alerts Resolve alerts Monitor alerts Work with secret scanning Push protection for users Push protection on the command line Push protection in the GitHub UI Advanced features Exclude folders and files Non-provider patterns Enable for non-provider patterns Custom patterns Define custom patterns Manage custom patterns Custom pattern metrics Delegated bypass Enable delegated bypass Manage bypass requests Delegated alert dismissal Copilot secret scanning Generic secret detection Enable generic secret detection Generate regular expressions with AI Regular expression generator Troubleshoot Troubleshoot secret scanning Partner program Partner program Code scanning Enable code scanning Configure code scanning Create advanced setup Configure advanced setup Customize advanced setup CodeQL for compiled languages Hardware resources for CodeQL Code scanning in a container Manage alerts Copilot Autofix for code scanning Disable Copilot Autofix Assess alerts Resolve alerts Fix alerts in campaign Triage alerts in pull requests Manage code scanning Code scanning tool status Edit default setup Set merge protection Enable delegated alert dismissal Configure larger runners View code scanning logs Integrate with code scanning Using code scanning with your existing CI system Upload a SARIF file SARIF support Troubleshooting code scanning Code Security must be enabled Alerts in generated code Analysis takes too long Automatic build failed C# compiler failing Cannot enable CodeQL in a private repository Enabling default setup takes too long Extraction errors in the database Fewer lines scanned than expected Logs not detailed enough No source code seen during build Not recognized Out of disk or memory Resource not accessible Results different than expected Server error Some languages not analyzed Two CodeQL workflows Unclear what triggered a workflow Unnecessary step found Kotlin detected in no build Troubleshooting SARIF uploads GitHub Code Security disabled Default setup is enabled GitHub token missing SARIF file invalid Results file too large Results exceed limits Reference CodeQL queries About built-in queries Actions queries C and C++ queries C# queries Go queries Java and Kotlin queries JavaScript and TypeScript queries Python queries Ruby queries Rust queries Swift queries CodeQL CLI Getting started Setting up the CodeQL CLI Preparing code for analysis Analyzing code Uploading results to GitHub Customizing analysis Advanced functionality Advanced setup of the CodeQL CLI Using custom queries with the CodeQL CLI Creating CodeQL query suites Testing custom queries Testing query help files Creating and working with CodeQL packs Publishing and using CodeQL packs Specifying command options in a CodeQL configuration file CodeQL CLI SARIF output CodeQL CLI CSV output Extractor options Exit codes Creating CodeQL CLI database bundles CodeQL CLI manual bqrs decode bqrs diff bqrs hash bqrs info bqrs interpret database add-diagnostic database analyze database bundle database cleanup database create database export-diagnostics database finalize database import database index-files database init database interpret-results database print-baseline database run-queries database trace-command database unbundle database upgrade dataset check dataset cleanup dataset import dataset measure dataset upgrade diagnostic add diagnostic export execute cli-server execute language-server execute queries execute query-server execute query-server2 execute upgrades generate extensible-predicate-metadata generate log-summary generate overlay-changes generate query-help github merge-results github upload-results pack add pack bundle pack ci pack create pack download pack init pack install pack ls pack packlist pack publish pack resolve-dependencies pack upgrade query compile query decompile query format query run resolve database resolve extensions resolve extensions-by-pack resolve extractor resolve files resolve languages resolve library-path resolve metadata resolve ml-models resolve packs resolve qlpacks resolve qlref resolve queries resolve ram resolve tests resolve upgrades test accept test extract test run version CodeQL for VS Code Getting started Extension installation Manage CodeQL databases Run CodeQL queries Explore data flow Queries at scale Advanced functionality CodeQL model editor Custom query creation Manage CodeQL packs Explore code structure Test CodeQL queries Customize settings CodeQL workspace setup CodeQL CLI access Telemetry Troubleshooting CodeQL for VS Code Access logs Problem with controller repository Security advisories Global security advisories Browse Advisory Database Edit Advisory Database Repository security advisories Permission levels Configure for a repository Configure for an organization Create repository advisories Edit repository advisories Evaluate repository security Temporary private forks Publish repository advisories Add collaborators Remove collaborators Delete repository advisories Guidance on reporting and writing Best practices Privately reporting Manage vulnerability reports Supply chain security Understand your supply chain Dependency graph ecosystem support Customize dependency review action Enforce dependency review Troubleshoot dependency graph End-to-end supply chain Overview Securing accounts Securing code Securing builds Dependabot Dependabot ecosystems Dependabot ecosystem support Dependabot alerts View Dependabot alerts Enable delegated alert dismissal Dependabot auto-triage rules Manage auto-dismissed alerts Dependabot version updates Optimize PR creation Customize Dependabot PRs Work with Dependabot Use Dependabot with Actions Multi-ecosystem updates Dependabot options reference Configure ARC Configure VNET Troubleshoot Dependabot Viewing Dependabot logs Dependabot stopped working Troubleshoot Dependabot on Actions Security overview View security insights Assess adoption of features Assess security risk of code Filter security overview Export data View Dependabot metrics View secret scanning metrics View PR alert metrics Review bypass requests Review alert dismissal requests Concepts Secret security Secret scanning Push protection Secret protection tools Secret scanning alerts Delegated bypass Secret scanning for partners Push protection and the GitHub MCP server Push protection from the REST API Code scanning Introduction Code scanning alerts Evaluate code scanning Integration with code scanning CodeQL CodeQL code scanning CodeQL query suites CodeQL CLI CodeQL for VS Code CodeQL workspaces Query reference files GitHub Code Quality Supply chain security Supply chain features Dependency best practices Dependency graph Dependency review Dependabot alerts Dependabot security updates Dependabot version updates Dependabot auto-triage rules Dependabot on Actions Immutable releases Vulnerability reporting GitHub Advisory database Repository security advisories Global security advisories Coordinated disclosure Vulnerability exposure Security at scale Organization security Security overview Security campaigns Audit security alerts How-tos Secure at scale Configure enterprise security Configure specific tools Allow Code Quality Configure organization security Establish complete coverage Apply recommended configuration Create custom configuration Apply custom configuration Configure global settings Manage your coverage Edit custom configuration Filter repositories Detach security configuration Delete custom configuration Configure specific tools Assess your secret risk View risk report Push protection cost savings Protect your secrets Code scanning at scale CodeQL advanced setup at scale Manage usage and access Give access to private registries Manage paid GHAS use Troubleshoot security configurations Active advanced setup Unexpected default setup Find attachment failures Not enough GHAS licenses Secure your supply chain Secure your dependencies Configure Dependabot alerts Configure security updates Configure version updates Auto-update actions Configure dependency graph Explore dependencies Submit dependencies automatically Use dependency submission API Verify release integrity Manage your dependency security Auto-triage Dependabot alerts Prioritize with preset rules Customize Dependabot PRs Control dependency update Configure dependency review action Optimize Java packages Configure Dependabot notifications Configure access to private registries Remove access to public registries Manage Dependabot PRs Manage Dependabot on self-hosted runners List configured dependencies Configure private registries Troubleshoot dependency security Troubleshoot Dependabot errors Troubleshoot vulnerability detection Establish provenance and integrity Prevent release changes Export dependencies as SBOM Maintain quality code Enable Code Quality Interpret results Set PR thresholds Unblock your PR Reference Tutorials Secure your organization Prevent data leaks Fix alerts at scale Prioritize alerts in production code Interpret secret risk assessment Remediate leaked secrets Evaluate alerts Remediate a leaked secret Trial GitHub Advanced Security Plan GHAS trial Trial Advanced Security Enable security features in trial Trial Secret Protection Trial Code Security Manage security alerts Prioritize Dependabot alerts using metrics Best practices for campaigns Responsible use Security and code quality / Dependabot Keeping your supply chain secure with Dependabot Monitor vulnerabilities in dependencies used in your project and keep your dependencies up-to-date with Dependabot. Ecosystems supported by Dependabot Dependabot supported ecosystems and repositories Identifying vulnerabilities in your project's dependencies with Dependabot alerts Viewing and updating Dependabot alerts Enabling delegated alert dismissal for Dependabot Prioritizing Dependabot alerts with Dependabot auto-triage rules Managing alerts that have been automatically dismissed by a Dependabot auto-triage rule Keeping your dependencies updated automatically with Dependabot version updates Optimizing the creation of pull requests for Dependabot version updates Customizing Dependabot pull requests to fit your processes Working with Dependabot Automating Dependabot with GitHub Actions Configuring multi-ecosystem updates for Dependabot Dependabot options reference Setting up Dependabot to run on self-hosted action runners using the Actions Runner Controller Setting up Dependabot to run on github-hosted action runners using the Azure Private Network Troubleshooting Dependabot Viewing Dependabot job logs Dependabot update pull requests no longer generated Troubleshooting Dependabot on GitHub Actions Help and support Did you find what you needed? Yes No Privacy policy Help us make these docs great! All GitHub docs are open source. See something that's wrong or unclear? Submit a pull request. Make a contribution Learn how to contribute Still need help? Ask the GitHub community Contact support Legal © 2026 GitHub, Inc. Terms Privacy Status Pricing Expert services Blog | 2026-01-13T08:49:31 |
https://dev.to/aditya_singh_172b37651201 | Aditya singh - 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 Aditya singh 404 bio not found Joined Joined on Dec 29, 2025 More info about @aditya_singh_172b37651201 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 8 posts published Comment 0 comments written Tag 0 tags followed 30 Core Algorithm:Ep-08:Round Robin Scheduling Aditya singh Aditya singh Aditya singh Follow Dec 30 '25 30 Core Algorithm:Ep-08:Round Robin Scheduling # algorithms # architecture # computerscience 1 reaction Comments Add Comment 2 min read 30 Core Algorithm :Ep-07:Kadane’s Algorithm Aditya singh Aditya singh Aditya singh Follow Dec 30 '25 30 Core Algorithm :Ep-07:Kadane’s Algorithm # algorithms # computerscience # learning 1 reaction Comments Add Comment 2 min read 30 Core Algorithm : Ep-06 :Prefix Sum Aditya singh Aditya singh Aditya singh Follow Dec 30 '25 30 Core Algorithm : Ep-06 :Prefix Sum # algorithms # computerscience # performance Comments Add Comment 2 min read 30 Core Algorithm:EP-05: Sliding Window Algorithm Aditya singh Aditya singh Aditya singh Follow Dec 30 '25 30 Core Algorithm:EP-05: Sliding Window Algorithm # algorithms # computerscience # performance Comments Add Comment 3 min read 30 Core Algorithm :Ep-03: Depth First Search (DFS) Aditya singh Aditya singh Aditya singh Follow Dec 30 '25 30 Core Algorithm :Ep-03: Depth First Search (DFS) # algorithms # computerscience # tutorial Comments Add Comment 3 min read 30 Core Algorithm Ep:04- Two Pointers Technique Aditya singh Aditya singh Aditya singh Follow Dec 29 '25 30 Core Algorithm Ep:04- Two Pointers Technique # algorithms # computerscience # tutorial Comments Add Comment 3 min read 30 Core Algorithm: EP-02:Breadth-First Search (BFS) Aditya singh Aditya singh Aditya singh Follow Dec 29 '25 30 Core Algorithm: EP-02:Breadth-First Search (BFS) # algorithms # computerscience # tutorial Comments Add Comment 3 min read 30 Core Algorithm:EP-01: Binary Search Aditya singh Aditya singh Aditya singh Follow Dec 29 '25 30 Core Algorithm:EP-01: Binary Search # algorithms # beginners # computerscience # tutorial 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:31 |
https://open.forem.com/incobaninsights/infrastructure-workforce-development-in-india-a-roadmap-to-2030-18p8 | Infrastructure Workforce Development in India: A Roadmap to 2030 - Open 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 Open Forem Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Incoban Insights Posted on Dec 27, 2025 Infrastructure Workforce Development in India: A Roadmap to 2030 # management # career # productivity India’s infrastructure ambitions for the next decade are defined by scale, speed, and complexity. Highways, metros, ports, industrial corridors, and urban infrastructure are being executed in parallel across regions. While technology, funding, and policy frameworks continue to evolve, one foundational system determines whether these projects succeed or fail on the ground: infrastructure workforce development India. Infrastructure delivery is not just an engineering challenge. It is a human systems challenge, where outcomes depend on how effectively people interact with processes, tools, and constraints. Infrastructure Projects Are Human-Centric Systems Every infrastructure project operates as a complex system of interdependent activities. Design intent flows into planning, planning into execution, and execution into physical assets. At every stage, people translate information into action. When workforce capability is inconsistent, the system becomes unstable. Minor execution errors propagate into delays, rework, and safety incidents. As projects scale, these inefficiencies multiply rather than average out. A resilient infrastructure system therefore requires a workforce that performs predictably under pressure. Why Traditional Workforce Models No Longer Scale For decades, construction in India has relied on informal workforce models. Skills were acquired through experience, supervision compensated for gaps, and productivity depended on individual effort. This model struggles under modern conditions: Project timelines are compressed Trade coordination is more complex Mechanization and prefabrication are increasing Digital tools are embedded into planning and monitoring Informal learning cannot keep pace with these demands. Supervisors become bottlenecks, quality becomes variable, and safety outcomes deteriorate as scale increases. Treating Workforce Capability as a Design Input In engineering, systems are designed around predictable inputs. Workforce capability must be treated the same way. This requires clearly defining: Role-specific skill expectations Minimum execution standards Supervisor responsibilities Skill progression pathways When capability is explicitly designed rather than assumed, execution variability reduces and system reliability improves. The Supervisor Layer: The Critical Control Point One of the most overlooked aspects of workforce systems is the supervisor and foreman layer. These individuals control task sequencing, productivity flow, and safety behavior. Yet many supervisors are promoted based on tenure rather than system understanding. This creates gaps in planning discipline, quality control, and risk management. Any serious workforce roadmap must prioritize structured development for supervisors, as improvements at this level amplify across the entire workforce. Continuous Capability Instead of One-Time Training One-time training interventions fail because construction environments are dynamic. Materials, methods, equipment, and standards change continuously. A future-ready workforce system must support: Modular, task-focused learning Periodic skill refresh cycles On-site coaching and mentoring Role-based progression paths Infrastructure workforce development India must function as a continuous capability engine, not a one-off training event. Integrating Digital and Safety Into Execution Skills Digital tools and safety systems often fail due to poor adoption. The root cause is not resistance, but lack of integration. When workers understand how digital reporting improves coordination or how safety controls reduce disruptions, adoption increases naturally. This requires embedding digital awareness and safety thinking directly into task execution rather than treating them as external requirements. Integration, not enforcement, drives sustainable behavior change. Using Data as a Feedback Mechanism No system improves without feedback. Workforce systems require the same discipline. Productivity metrics, quality deviations, rework trends, and safety data should directly inform: Skill gap identification Training focus areas Supervisor development priorities Without feedback loops, workforce development operates disconnected from real performance outcomes. The 2030 Workforce Vision By 2030, infrastructure execution will demand: Multi-skilled and adaptable workers Digitally aware site teams Strong, system-oriented supervisors Predictable productivity and quality performance This vision cannot be achieved through incremental fixes. It requires deliberate system design, long-term commitment, and industry-wide alignment. Infrastructure workforce development India is not a peripheral initiative. It is a core execution system that determines whether infrastructure ambitions translate into durable assets or persistent bottlenecks. Final Perspective Infrastructure systems fail not because people are unwilling, but because they are unsupported by structured capability frameworks. As India accelerates infrastructure delivery, informal workforce models will increasingly break under pressure. A well-designed workforce system transforms labor from a variable risk into a stable execution asset. The roadmap to 2030 must therefore place workforce capability at the same level of importance as design, finance, and technology. The future of infrastructure will be built not just with better plans, but with better systems for the people who execute them. 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 Incoban Insights Follow Joined Nov 4, 2025 More from Incoban Insights How Skill Development Can Improve Construction Quality in India # career # learning # productivity How Construction Workforce Development Is Transforming India’s Infrastructure Growth in 2026 # career # learning # management 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:49:31 |
https://golf.forem.com/ben | Ben Halpern - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Follow User actions Ben Halpern A Canadian software developer who thinks he’s funny. Location NY Joined Joined on Dec 27, 2015 Email address ben@forem.com Personal website http://benhalpern.com github website twitter website Education Mount Allison University Pronouns He/him Work Co-founder at Forem 10,000 Thumbs Up Milestone Awarded for giving 10,000 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close 15 Top 7 Awarded for having a post featured in the weekly "must-reads" list. 🙌 Got it Close #Discuss Awarded for sharing the top weekly post under the #discuss tag. Got it Close 24 Week Community Wellness Streak You're a consistent community enthusiast! Keep up the good work by posting at least 2 comments per week for 24 straight weeks. The next badge you'll earn is the coveted 32! Got it Close Frontend Challenge Completion Badge Awarded for completing at least one prompt in a Frontend Challenge. Thank you for participating! 💖 Got it Close Mod Welcome Party Rewarded to mods who leave 5+ thoughtful comments across new members’ posts during March 2024. This badge is only available to earn during the DEV Mod “Share the Love” Contest 2024. Got it Close we_coded Modvocate Rewarded to mods who leave 5+ thoughtful comments across #wecoded posts during March 2024. This badge is only available to earn during the DEV Mod “Share the Love” Contest 2024. 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 5,000 Thumbs Up Milestone Awarded for giving 5,000 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close 1,000 Thumbs Up Milestone Awarded for giving 1,000 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close 500 Thumbs Up Milestone Awarded for giving 500 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close 100 Thumbs Up Milestone Awarded for giving 100 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close Icebreaker This badge rewards those who regularly leave the first comment on other folks' posts, helping to "break the ice" and get discussions going. Got it Close 32 Week Community Wellness Streak You're a true community hero! You've maintained your commitment by posting at least 2 comments per week for 32 straight weeks. Now enjoy the celebration! 🎉 Got it Close Warm Welcome This badge is awarded to members who leave wonderful comments in the Welcome Thread. Every week, we'll pick individuals based on their participation in the thread. Which means, every week you'll have a chance to get awarded! 😊 Got it Close CodeNewbie This badge is for tag purposes only. Got it Close Tag Moderator 2022 Awarded for being a tag moderator in 2022. Got it Close Trusted Member 2022 Awarded for being a trusted member in 2022. Got it Close X (Twitter) Awarded to the top X/Twitter author each week Got it Close 16 Week Community Wellness Streak You're a dedicated community champion! Keep up the great work by posting at least 2 comments per week for 16 straight weeks. The prized 24-week badge is within reach! 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 8 Week Community Wellness Streak Consistency pays off! Be an active part of our community by posting at least 2 comments per week for 8 straight weeks. Earn the 16 Week Badge next. Got it Close Kubernetes Awarded to the top Kubernetes author each week Got it Close 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close Git Awarded to the top git author each week Got it Close Go Awarded to the top Go author each week Got it Close Rust Awarded to the top Rust author each week Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close Ruby on Rails Awarded to the top Ruby on Rails author each week Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Vue Awarded to the top Vue author each week Got it Close Ruby Awarded to the top Ruby author each week Got it Close Hacktoberfest 2019 Awarded for successful completion of the 2019 Hacktoberfest challenge. 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 CSS Awarded to the top CSS author each week Got it Close 16 Week Writing Streak You are a writing star! You've written at least one post per week for 16 straight weeks. Congratulations! Got it Close She Coded Rewarded to participants in our annual International Women's Day event, either via #shecoded, #theycoded or #shecodedally Got it Close 8 Week Writing Streak The streak continues! You've written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close 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 Fab 5 Awarded for having at least one comment featured in the weekly "top 5 posts" list. Got it Close DEV Contributor Awarded for contributing code or technical docs/guidelines to the Forem open source project Got it Close Beloved Comment Awarded for making a well-loved comment, as voted on with 25 heart (❤️) reactions by the community. Got it Close 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 Show all 59 badges More info about @ben Organizations The DEV Team Byte Sized CodeNewbie AI Pulse The Future Team GitHub Repositories benhalpern.github.io Ben Halpern's personal page HTML • 30 stars Skills/Languages I mostly do web development in Ruby and JavaScript, but I'm curious about a lot of other languages and tools. Experiment with lots. Currently learning Dabbling in all the technology needed to scale our site, on the human side and the computer side. Currently hacking on I'm working on this website that you're reading. It's fun. Post 10 posts published Comment 11082 comments written Tag 0 tags followed Welcome to the Golf Forem! Ben Halpern Ben Halpern Ben Halpern Follow Oct 9 '25 Welcome to the Golf Forem! # welcome 10 reactions Comments 7 comments 1 min read Want to connect with Ben Halpern? Create an account to connect with Ben Halpern. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Hindsight at Bethpage: The Principles Keegan Looked Past Ben Halpern Ben Halpern Ben Halpern Follow Oct 3 '25 Hindsight at Bethpage: The Principles Keegan Looked Past # pgatour # rydercup # coursearchitecture # coursestrategy 11 reactions Comments Add Comment 3 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/fosres/week-2-scripting-challenge-caesarian-cipher-5916 | Week 2 Scripting Challenge: Caesarian Cipher - 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 fosres Posted on Dec 25, 2025 Week 2 Scripting Challenge: Caesarian Cipher # python # security # tutorial # interview AppSec Series (13 Part Series) 1 API Request Limiter Challenge 2 Password Generator Challenge ... 9 more parts... 3 JWT Token Validator Challenge 4 OWASP Top 10 2025 Quiz: Week 1 (51 Questions) 5 OWASP Top Ten 2025 Quiz 2 Week 1 (51 Questions) 6 SQL Injection Audit Challenge Week 1 7 Computer Networking for Security Engineers Week 1 8 Port Numbers Quiz Week 1 -- Ports Every Security Engineer Should Know 9 Scripting Challenge Week 1: Port Scanning 10 Week 2 Scripting Challenge: Log Parser 11 Week 2 Scripting Challenge: Caesarian Cipher 12 Week 3 Firewall Challenge: Set iptables Rules 13 Week 3 VPN Security: A Complete Quiz on Protocols, Attack Vectors & Defense Strategies Week 2 Security Challenge: Caesar Cipher 💡 Following along? All exercises are open source! Star the AppSec-Exercises repo to track my 48-week journey from Intel Security to AppSec Engineer. "Why would a security engineer need to know a cipher that's been broken for 2,000 years?" Because Grace Nolan's security interview list explicitly includes "Caesar cipher and basic crypto" as a common coding challenge. Here's why it matters. Why Caesar Cipher in Security Interviews? 1. Tests String Manipulation Fundamentals Security engineers parse logs, analyze malware, and process network data - all requiring strong string skills. Caesar cipher tests: Character iteration ASCII/Unicode manipulation Modular arithmetic Case preservation 2. Reveals Cryptography Understanding Interviewers want to see if you understand: Encryption vs Encoding : Caesar is symmetric encryption (requires key) Key Space : Only 26 possible keys = trivially brute-forceable Frequency Analysis : Statistical attacks on substitution ciphers Why Modern Crypto Exists : Understanding what makes AES-256 different 3. Foundation for Real Security Concepts Caesar cipher introduces: Shift operations → ROT13, XOR operations Symmetric keys → Shared secret cryptography Cryptanalysis → Breaking weak crypto Defense in Depth → Why we don't rely on single encryption methods The Challenge Used by Julius Caesar to protect military messages in 58 BC, the Caesar cipher shifts each letter by a fixed number of positions in the alphabet. Example: HELLO + shift(3) = KHOOR XYZ + shift(3) = ABC (wraparound!) Enter fullscreen mode Exit fullscreen mode The challenge is figuring out how to implement this transformation while preserving case and handling edge cases. Your Mission: Build It Part 1: Encryption """ Exercise 3: Caesar Cipher Encoder/Decoder Week 2 - Python Strings Practice Inspired by: Python Workout, Second Edition by Reuven M. Lerner - Chapter 3 (Strings), pages 962-1200 - Exercise 5 (Pig Latin), demonstrating string transformation Security Context: Grace Nolan ' s Security Coding Challenges Reference: Extended 48 Week Security Engineering Curriculum, Week 90 """ def caesar_encrypt ( plaintext , shift ): """ Encrypt text using Caesar cipher. Args: plaintext (str): Text to encrypt shift (int): Number of positions to shift Returns: str: Encrypted ciphertext """ # Your code here pass Enter fullscreen mode Exit fullscreen mode Part 2: Decryption def caesar_decrypt ( ciphertext , shift ): """ Decrypt Caesar cipher text. Args: ciphertext (str): Encrypted text shift (int): Number of positions used in encryption Returns: str: Decrypted plaintext """ # Your code here pass Enter fullscreen mode Exit fullscreen mode Requirements ✅ Preserve case : Hello → Khoor (not khoor ) ✅ Keep non-letters : Hello, World! → Khoor, Zruog! ✅ Handle wraparound : XYZ + 3 → ABC ✅ Support negative shifts : shift(-3) = decrypt with shift(3) ✅ Work with any shift : Including shift(26) , shift(0) , shift(100) Sample Test Cases (10 from 95) # Test 1: Basic encryption assert caesar_encrypt ( " HELLO " , 3 ) == " KHOOR " # Test 2: Wraparound assert caesar_encrypt ( " XYZ " , 3 ) == " ABC " # Test 3: Mixed case preserved assert caesar_encrypt ( " Hello, World! " , 13 ) == " Uryyb, Jbeyq! " # Test 4: Non-alphabetic preserved assert caesar_encrypt ( " test@example.com " , 5 ) == " yjxy@jcfruqj.htr " # Test 5: Negative shift (decrypt) assert caesar_encrypt ( " KHOOR " , - 3 ) == " HELLO " # Test 6: Decryption assert caesar_decrypt ( " KHOOR " , 3 ) == " HELLO " # Test 7: Round-trip assert caesar_decrypt ( caesar_encrypt ( " SECURITY " , 7 ), 7 ) == " SECURITY " # Test 8: ROT13 (shift 13) assert caesar_encrypt ( " HELLO " , 13 ) == " URYYB " # Test 9: ROT13 property (apply twice = original) assert caesar_encrypt ( caesar_encrypt ( " Python " , 13 ), 13 ) == " Python " # Test 10: Large shift (modulo 26) assert caesar_encrypt ( " HELLO " , 29 ) == " KHOOR " # 29 % 26 = 3 Enter fullscreen mode Exit fullscreen mode Security Lessons from Caesar Cipher Lesson 1: Brute Force is Trivial def brute_force_caesar ( ciphertext ): """ Try all 26 possible shifts """ for shift in range ( 26 ): plaintext = caesar_decrypt ( ciphertext , shift ) print ( f " Shift { shift } : { plaintext } " ) brute_force_caesar ( " KHOOR " ) # Output: # Shift 0: KHOOR # Shift 1: JGNNQ # Shift 2: IFMMP # Shift 3: HELLO ← Found it! # ... Enter fullscreen mode Exit fullscreen mode Real-world parallel : Weak passwords with small key spaces (4-digit PIN = 10,000 possibilities) Lesson 2: Frequency Analysis Breaks It def frequency_analysis ( ciphertext ): """ English: E is most common (12.7%), T is second (9.1%) """ freq = {} for char in ciphertext . upper (): if char . isalpha (): freq [ char ] = freq . get ( char , 0 ) + 1 # Most common letter in ciphertext is likely 'E' most_common = max ( freq , key = freq . get ) likely_shift = ( ord ( most_common ) - ord ( ' E ' )) % 26 return likely_shift Enter fullscreen mode Exit fullscreen mode Real-world parallel : Side-channel attacks, timing attacks, traffic analysis Lesson 3: Security Through Obscurity Fails The Caesar cipher relies on the shift value being secret. But even without knowing the shift, it's easily broken. Real-world parallel : Hiding API endpoints doesn't secure them Obfuscating code doesn't prevent reverse engineering "Security by obscurity" is not a defense What Makes Modern Crypto Different? Caesar Cipher AES-256 26 possible keys 2^256 possible keys Frequency analysis Resistant to known-plaintext attacks Same letter → same output CBC/GCM modes prevent patterns Broken in seconds Computationally infeasible to break Interview Follow-Up Questions Be prepared to answer: Q: "How would you break this cipher without knowing the shift?" A: (1) Brute force all 26 shifts, (2) Frequency analysis comparing to English letter frequencies Q: "What's the difference between Caesar cipher and XOR cipher?" A: Both are symmetric, but XOR uses binary operations and can have variable-length keys Q: "Why do we call ROT13 a special case?" A: Shift of 13 is self-inverse: encrypt(encrypt(x)) = x because 13 + 13 = 26 ≡ 0 (mod 26) Q: "How would you extend this to support Unicode/emoji?" A: Need to handle different code point ranges, or use a lookup table instead of modular arithmetic Real-World Applications (Historical) 1. ROT13 (Still Used Today!) # Hide spoilers on forums, email, Usenet rot13 = lambda s : caesar_encrypt ( s , 13 ) print ( rot13 ( " Darth Vader is Luke ' s father " )) # "Qnegu Inqre vf Yhxr'f sngure" Enter fullscreen mode Exit fullscreen mode 2. Simple Obfuscation # Hide config values (NOT secure, just obscured) api_key = caesar_encrypt ( " secret_key_12345 " , 7 ) # Decode when needed real_key = caesar_decrypt ( api_key , 7 ) Enter fullscreen mode Exit fullscreen mode Warning : Never use Caesar for real security! Python Skills You'll Practice From Python Workout Chapter 3 (pages 962-1200): ✅ String iteration : for char in text ✅ Character checking : .isalpha() , .isupper() , .islower() ✅ ASCII conversions : ord() , chr() ✅ String building : Concatenation vs list joining ✅ Modular arithmetic : (x + shift) % 26 From Grace Nolan's Interview Prep : ✅ Algorithmic thinking : Shift operations ✅ Edge case handling : Empty strings, special characters ✅ Code clarity : Clean, readable implementation ✅ Testing mindset : Comprehensive test coverage Next Steps: Breaking Crypto After completing this exercise: 1. Build a Cryptanalysis Tool def crack_caesar ( ciphertext ): """ Automatically crack Caesar cipher using: 1. Brute force (try all 26 shifts) 2. Frequency analysis 3. Dictionary matching (check if result contains English words) """ pass Enter fullscreen mode Exit fullscreen mode 2. Extend to Vigenère Cipher Multi-character keys: HELLO with key ABC → HFNLP Key repeats: H+A, E+B, L+C, L+A, O+B More secure than Caesar (but still breakable!) 3. Compare with Modern Crypto Implement simple XOR cipher, then research: Why XOR with random key (one-time pad) is theoretically unbreakable Why reusing keys breaks XOR How AES differs from substitution ciphers Resources Cryptography: "The Code Book" by Simon Singh - Excellent history of cryptography "Cryptography Engineering" by Ferguson, Schneier, Kohno - Modern crypto Stanford Cryptography I (Coursera) - Dan Boneh's course Python String Manipulation: Python Workout, Second Edition by Reuven M. Lerner - Chapter 3 (pages 962-1200) Effective Python by Brett Slatkin - Item 11: Slicing sequences Security Interview Prep: Grace Nolan's Notes (gracenolan/Notes on GitHub) "Cracking the Coding Interview" - Security-focused problems PortSwigger Web Security Academy - Modern crypto vulnerabilities Get the Full Exercise ⭐ Star the AppSec-Exercises repo on GitHub to get all 95 test cases and follow my security engineering journey! What's in the repo: exercise_03_caesar_cipher_rough.py - Complete exercise with 95 test cases My solution - Full implementation with detailed code Weekly security challenges aligned with my 48-week curriculum LeetCode-style format perfect for interview prep Why star it? Track my progress from Intel Security → AppSec Engineer Get notified when new exercises drop weekly Contribute your own solutions and test cases Build your portfolio alongside mine All exercises are MIT licensed - use them for your own interview prep! My Progress: Week 2 of 48 ✅ DNS Fundamentals ✅ TLS/SSL Security ✅ Python Workout Chapters 3-4 (Strings, Lists) ✅ 8 PortSwigger SQL Injection Labs 🔄 Currently: Caesar cipher + cipher suite analyzer 📚 Grace Nolan's coding challenges: 1/10 complete Goal : Transition to AppSec Engineer by June 2026 ⭐ Follow my journey on GitHub - New exercises every week! The Big Picture Understanding why Caesar cipher is broken teaches you: ✅ What makes cryptography secure (key space, resistance to attacks) ✅ How to think like an attacker (frequency analysis, brute force) ✅ Why we don't roll our own crypto (use proven algorithms instead) ✅ Foundation for learning modern cryptography (AES, RSA, elliptic curves) In Week 5, we'll tackle real cryptography : AES, RSA, password hashing with bcrypt/Argon2, and the mistakes that lead to vulnerabilities. For now, master the fundamentals by building something broken - then learn why it's broken. 🚀 Take Action ⭐ Star AppSec-Exercises on GitHub - Get weekly security coding challenges 💬 Drop a comment - Have you seen Caesar cipher in interviews? What other "broken" security concepts appear? 🔔 Follow me on Dev.to and GitHub for my full 48-week journey Currently seeking: Remote Security Engineering roles Python #Security #Cryptography #Interview #CyberSecurity #AppSec AppSec Series (13 Part Series) 1 API Request Limiter Challenge 2 Password Generator Challenge ... 9 more parts... 3 JWT Token Validator Challenge 4 OWASP Top 10 2025 Quiz: Week 1 (51 Questions) 5 OWASP Top Ten 2025 Quiz 2 Week 1 (51 Questions) 6 SQL Injection Audit Challenge Week 1 7 Computer Networking for Security Engineers Week 1 8 Port Numbers Quiz Week 1 -- Ports Every Security Engineer Should Know 9 Scripting Challenge Week 1: Port Scanning 10 Week 2 Scripting Challenge: Log Parser 11 Week 2 Scripting Challenge: Caesarian Cipher 12 Week 3 Firewall Challenge: Set iptables Rules 13 Week 3 VPN Security: A Complete Quiz on Protocols, Attack Vectors & Defense Strategies 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 fosres Follow Studied at UCLA Worked at Intel Corporation as a Security Software Engineer Education UCLA Pronouns He/him/his Joined Nov 21, 2025 More from fosres Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables # security # linux # networking # cybersecurity Week 4 SQL Injection Audit Challenge # security # python # tutorial # sql Week 4 Network Packet Tracing Challenge # security # networking # linux # 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:31 |
https://www.hcompany.ai/ | H Company - The future of autonomous, agentic AI Use Cases Team Blog Careers Tech Hub Book a demo ')"> Use Cases Team Blog Careers Tech Hub Book a demo Pioneering the future of autonomous, agentic AI. We are a frontier AI research company that designs, builds, and deploys cost-efficient agentic AI systems in enterprises, to remove operational bottlenecks and create long-term value. Book a demo Book a demo View use cases View use cases Discover our technology H Company uniquely blends leading-edge research in computer-use agents and proprietary AI models, with forward-deployed implementation firepower, ensuring not only tangible ROI but also rapid, seamless adoption for our clients. Discover our technology H Company uniquely blends leading-edge research in computer-use agents and proprietary AI models, with forward-deployed implementation firepower, ensuring not only tangible ROI but also rapid, seamless adoption for our clients. Discover our technology H Company uniquely blends leading-edge research in computer-use agents and proprietary AI models, with forward-deployed implementation firepower, ensuring not only tangible ROI but also rapid, seamless adoption for our clients. H Platform H Platform H Platform H Platform is an integrated stack providing the infrastructure, orchestration engine and applications to run end-to-end agentic workflows in enterprise environments. Configure, deploy and run specialized computer-use agents Create and execute multi-step agentic workflows combining agents and business logic Monitor agent and workflow performance View use cases H Platform is an integrated stack providing the infrastructure, orchestration engine and applications to run end-to-end agentic workflows in enterprise environments. Configure, deploy and run specialized computer-use agents Create and execute multi-step agentic workflows combining agents and business logic Monitor agent and workflow performance View use cases H Platform is an integrated stack providing the infrastructure, orchestration engine and applications to run end-to-end agentic workflows in enterprise environments. Configure, deploy and run specialized computer-use agents Create and execute multi-step agentic workflows combining agents and business logic Monitor agent and workflow performance View use cases H Agents H Agents H Agents Surfer2 is a general-purpose agent framework for cross-platform computer-use on web, desktop, and mobile. Surfer2 is used to create specialized agents, optimized for specific tasks. Book demo Surfer2 is a general-purpose agent framework for cross-platform computer-use on web, desktop, and mobile. Surfer2 is used to create specialized agents, optimized for specific tasks. Book demo Surfer2 is a general-purpose agent framework for cross-platform computer-use on web, desktop, and mobile. Surfer2 is used to create specialized agents, optimized for specific tasks. Book demo Holo Models Holo Models Holo Models Holo2 is a cost-efficient cross-platform model family for computer-use. Our models come in different sizes, for different use-cases. When used in our Surfer2 agent framework, Holo2 models provide state-of-the-art results on computer-use benchmarks. Holo2 models are open-source and can be called directly via our API endpoints. Read more Holo2 is a cost-efficient cross-platform model family for computer-use. Our models come in different sizes, for different use-cases. When used in our Surfer2 agent framework, Holo2 models provide state-of-the-art results on computer-use benchmarks. Holo2 models are open-source and can be called directly via our API endpoints. Read more Holo2 is a cost-efficient cross-platform model family for computer-use. Our models come in different sizes, for different use-cases. When used in our Surfer2 agent framework, Holo2 models provide state-of-the-art results on computer-use benchmarks. Holo2 models are open-source and can be called directly via our API endpoints. Read more More than just research. Forward Deployed Engineers (FDEs) are dedicated to maximizing the real-world impact of our software and agents. Working directly within your enterprise and teams, they integrate, tune, and build custom solutions, doing whatever is needed, to ensure our AI delivers measurable, seamless integration specifically integrated to your company’s workflows. More than just research. Forward Deployed Engineers (FDEs) are dedicated to maximizing the real-world impact of our software and agents. Working directly within your enterprise and teams, they integrate, tune, and build custom solutions, doing whatever is needed, to ensure our AI delivers measurable, seamless integration specifically integrated to your company’s workflows. More than just research. Forward Deployed Engineers (FDEs) are dedicated to maximizing the real-world impact of our software and agents. Working directly within your enterprise and teams, they integrate, tune, and build custom solutions, doing whatever is needed, to ensure our AI delivers measurable, seamless integration specifically integrated to your company’s workflows. Forward Deployed Engineers Forward Deployed Engineers FDE View use cases View use cases View use cases Trusted by Backed by Talk to an expert Contact us Twitter Linkedin Founded in Paris, built around the world. Privacy Policy | Cookie Policy © 2026 H Company Talk to an expert Contact us Twitter Linkedin Founded in Paris, built around the world. Privacy Policy | Cookie Policy © 2026 H Company Talk to an expert Contact us Twitter Linkedin Founded in Paris, built around the world. Privacy Policy | Cookie Policy © 2026 H Company | 2026-01-13T08:49:31 |
https://open.forem.com/t/career#main-content | Career - Open 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 Open Forem Close Career Follow Hide This tag is for anything relating to careers! Job offers, workplace conflict, interviews, resumes, promotions, etc. Create Post submission guidelines All articles and discussions should relate to careers in some way. Pretty much everything on dev.to is about our careers in some way. Ideally, though, keep the tag related to getting, leaving, or maintaining a career or job. about #career A career is the field in which you work, while a job is a position held in that field. Related tags include #resume and #portfolio as resources to enhance your #career Older #career posts 1 2 3 4 5 6 7 8 9 … 75 … 833 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Working With Images That Outlive Their Stories Aaron Cole Aaron Cole Aaron Cole Follow Dec 27 '25 Working With Images That Outlive Their Stories # watercooler # career # photography Comments Add Comment 5 min read Infrastructure Workforce Development in India: A Roadmap to 2030 Incoban Insights Incoban Insights Incoban Insights Follow Dec 27 '25 Infrastructure Workforce Development in India: A Roadmap to 2030 # career # management # productivity Comments Add Comment 3 min read Clinical Project Associate: Understanding the Key Roles and Responsibilities Clinilaunch Bangalore Clinilaunch Bangalore Clinilaunch Bangalore Follow Dec 23 '25 Clinical Project Associate: Understanding the Key Roles and Responsibilities # career Comments Add Comment 5 min read Managing the Energy of Regional Food Truck Events Marcus Delgado Marcus Delgado Marcus Delgado Follow Dec 15 '25 Managing the Energy of Regional Food Truck Events # career # management # productivity Comments Add Comment 8 min read How to Search Academic Articles to Invalidate a Patent: A Practical Guide for IP Professionals Zainab Imran Zainab Imran Zainab Imran Follow for PatentScanAI Dec 15 '25 How to Search Academic Articles to Invalidate a Patent: A Practical Guide for IP Professionals # career # learning # productivity 1 reaction Comments Add Comment 8 min read Mushroom Revenue Brian Kim Brian Kim Brian Kim Follow Dec 12 '25 Mushroom Revenue # career # productivity Comments Add Comment 2 min read Mushroom Revenue Brian Kim Brian Kim Brian Kim Follow Dec 12 '25 Mushroom Revenue # discuss # career # watercooler Comments Add Comment 2 min read How Driving Lab Samples Shaped My Sense Of Purpose Calvin Mercer Calvin Mercer Calvin Mercer Follow Dec 11 '25 How Driving Lab Samples Shaped My Sense Of Purpose # watercooler # career # motivation Comments Add Comment 9 min read Keeping Flow Steady in a Busy Treatment Plant Harold Danner Harold Danner Harold Danner Follow Dec 11 '25 Keeping Flow Steady in a Busy Treatment Plant # discuss # career # watercooler Comments Add Comment 7 min read How Skill Development Can Improve Construction Quality in India Incoban Insights Incoban Insights Incoban Insights Follow Dec 11 '25 How Skill Development Can Improve Construction Quality in India # career # learning # productivity Comments Add Comment 3 min read Life Behind the Bubble Tea Counter Mira Linton Mira Linton Mira Linton Follow Dec 4 '25 Life Behind the Bubble Tea Counter # watercooler # career Comments Add Comment 7 min read Seeking Guidance: A 21-Year-Old’s Fight to Build a Future in Tech yahya karakaya yahya karakaya yahya karakaya Follow Dec 3 '25 Seeking Guidance: A 21-Year-Old’s Fight to Build a Future in Tech # webdev # career # learning # leadership Comments Add Comment 1 min read Taliban’s Silent Cage: Afghan Girls’ Futures Locked Away Skye Wright Skye Wright Skye Wright Follow Dec 1 '25 Taliban’s Silent Cage: Afghan Girls’ Futures Locked Away # discuss # career Comments Add Comment 1 min read Looking for a Blockchain Developer to Upgrade Our Web Game (EVM Integration) Elony James Elony James Elony James Follow Dec 1 '25 Looking for a Blockchain Developer to Upgrade Our Web Game (EVM Integration) # gamedev # software # webdev # career Comments Add Comment 1 min read Nitin Joshi: Navigating Market Cycles with Rationality and Discipline Delhi Financial Ledger Delhi Financial Ledger Delhi Financial Ledger Follow Dec 2 '25 Nitin Joshi: Navigating Market Cycles with Rationality and Discipline # career # motivation # productivity Comments Add Comment 4 min read Beginner’s Guide to IT Support Ticketing Systems Amit khan Amit khan Amit khan Follow Nov 27 '25 Beginner’s Guide to IT Support Ticketing Systems # beginners # career # helpedesk # productivity Comments 1 comment 3 min read ## ⏳ From Dot-Com Bubble to Digital Hype: Learning from the Past Jean Klebert de A Modesto Jean Klebert de A Modesto Jean Klebert de A Modesto Follow Nov 27 '25 ## ⏳ From Dot-Com Bubble to Digital Hype: Learning from the Past # discuss # productivity # career # beginners 3 reactions Comments Add Comment 2 min read Attracting Top Talent: Strategies for Dairy Industry Recruitment Success Alyssa Miller Alyssa Miller Alyssa Miller Follow Nov 28 '25 Attracting Top Talent: Strategies for Dairy Industry Recruitment Success # career # management Comments Add Comment 5 min read HOW TO BECOME AN INTELLIGENT MAN. arunabraham9947 arunabraham9947 arunabraham9947 Follow Nov 27 '25 HOW TO BECOME AN INTELLIGENT MAN. # career # motivation # productivity Comments Add Comment 7 min read Securing Legacy: Effective Succession Planning for Dairy Farms Alyssa Miller Alyssa Miller Alyssa Miller Follow Nov 26 '25 Securing Legacy: Effective Succession Planning for Dairy Farms # career # leadership # management Comments Add Comment 5 min read Workaholic: risque essa palavra da sua vida! Anderson Contreira Anderson Contreira Anderson Contreira Follow Nov 23 '25 Workaholic: risque essa palavra da sua vida! # career # brazil Comments Add Comment 4 min read When I Grow Up, I Want to Be a Bid Writer! Bid_solution Bid_solution Bid_solution Follow Nov 19 '25 When I Grow Up, I Want to Be a Bid Writer! # discuss # career # writing Comments Add Comment 2 min read Why Working at a Smoothie Bar Feels Like a Party Jordan Hale Jordan Hale Jordan Hale Follow Dec 2 '25 Why Working at a Smoothie Bar Feels Like a Party # discuss # career # watercooler 5 reactions Comments Add Comment 8 min read Leaders – Wake Up and Smell the Coffee Bid_solution Bid_solution Bid_solution Follow Nov 19 '25 Leaders – Wake Up and Smell the Coffee # career # leadership # management Comments Add Comment 2 min read How to start a speech like a PRO Shyam sunder Mittal Shyam sunder Mittal Shyam sunder Mittal Follow Nov 19 '25 How to start a speech like a PRO # career # leadership # learning Comments Add Comment 4 min read loading... trending guides/resources Clinical Project Associate: Understanding the Key Roles and Responsibilities Attracting Top Talent: Strategies for Dairy Industry Recruitment Success Looking for a Blockchain Developer to Upgrade Our Web Game (EVM Integration) How Skill Development Can Improve Construction Quality in India From Awkward Adolescence to Professional Maturity Accountability Counts Nitin Joshi: Navigating Market Cycles with Rationality and Discipline Starting my MBA How to start a speech like a PRO 📍Un Viaje Continuo: De Córdoba a Barcelona HOW TO BECOME AN INTELLIGENT MAN. Securing Legacy: Effective Succession Planning for Dairy Farms Mushroom Revenue How ESG-Linked Salary Is Changing Corporate Leadership How to Search Academic Articles to Invalidate a Patent: A Practical Guide for IP Professionals How to Audit Your AI Skill Gaps With a One-Page Matrix Infrastructure Workforce Development in India: A Roadmap to 2030 Three Decades of Bidding: At the Edge of Transformation Taking Responsibility Making Money: Explained! 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:49:31 |
https://www.linkedin.com/company/devcyclehq?trk=organization_guest_main-feed-card_feed-actor-image | DevCycle | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join now DevCycle Software Development Toronto, Ontario 1,008 followers A feature flag management platform built for developers 👩💻 🚩 | Part of the OpenFeature Ecosystem 🌎 Follow View all 21 employees Report this company About us A feature flag management platform built for developers 👩💻 🚩 | Part of the OpenFeature Ecosystem 🌎 Website https://devcycle.com External link for DevCycle Industry Software Development Company size 11-50 employees Headquarters Toronto, Ontario Type Privately Held Founded 2021 Specialties feature flags, feature management, and developer productivity Locations Primary 49 Spadina Ave Suite 304 Toronto, Ontario 55V 2J1, US Get directions Employees at DevCycle Mark Allen Bryan Clark Chris Aniszczyk Julia Gilinets See all employees Updates DevCycle 1,008 followers 3w Report this post 🧑💻 Engineering managers: 😬 If every deploy makes your team nervous, the problem isn’t confidence — it’s tooling. 🧗 Feature flags turn production into a controlled environment, not a cliff edge. https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com Like Comment Share DevCycle 1,008 followers 3w Report this post ⏱️ Every hour your engineers spend maintaining a homegrown feature flag system 🏗️ Is an hour they’re not building features users actually pay for. DIY flags aren’t free. 🐢 They’re paid for in lost velocity, focus, and morale. https://lnkd.in/eqWXpDfE #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why a Homegrown Feature Flag System is a Trap blog.devcycle.com Like Comment Share DevCycle 1,008 followers 3w Report this post ✅ The era of smashing the big green deploy button and praying is over. When AI writes code, you don’t launch it wide. You wrap it in a feature flag. Ship to prod. Turn it on for 3 people. Watch it breathe. Then roll it out. This is how AI code survives production. 🏕️ https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 4 Like Comment Share DevCycle 1,008 followers 3w Report this post 👾 Engineering teams don’t slow down because of code 🐌 They slow down because every deployment is treated like a launch 🏎️ Feature flags fix that 👯♂️ Decouple deploy from release → ship faster, fear less, validate sooner 🔥 If you’re still shipping big-bang style… you’re burning velocity https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com 1 Like Comment Share DevCycle 1,008 followers 4w Report this post The real data is brutal: • 30% of engineering time lost to DIY flag maintenance 🚧 • 73% of flags never removed 🔒 • Thousands of hours per year navigating flag technical debt and bloat 🫃 Homegrown feature flags aren’t “lightweight.” They’re a slow bleed. 🩸 🩸 🩸 https://lnkd.in/eqWXpDfE #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why a Homegrown Feature Flag System is a Trap blog.devcycle.com 2 1 Comment Like Comment Share DevCycle 1,008 followers 1mo Report this post 🔁 The modern dev loop (or cycle 😉) isn’t write → test → ship anymore. It’s: 🤖 generate → 🏁wrap behind feature flag → 🚀 deploy → 🍰 test on a tiny slice → 🛼 roll out 🏃💨 That loop is why AI-driven teams ship faster without lighting prod on 🔥🚒. https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 2 Like Comment Share DevCycle 1,008 followers 1mo Report this post ⚔️ Most teams think they have a product/engineering alignment problem. 🏁 Really, they just don’t have feature flags. 🎚️ Flags turn launches into decisions, not deployments—PMs own timing, engineers own flow, and everyone sleeps better. https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com 5 Like Comment Share DevCycle reposted this Mark Allen 1mo Report this post I’ve always wrestled with building meaningful frontend + backend demos. Nothing breaks the illusion faster than fake auth flows or placeholder tokens. In the real world, we rely on proper JWTs; therefore, our demos should reflect that. To fix the gap, I built a small Express middleware that issues real JWTs for an email address, mimicking a lightweight IDP. With that, I’ve taken the next step and created an example app using OpenFeature and DevCycle across both the frontend and the backend. The app uses middleware to generate the token and pass it through the stack, end-to-end evaluating the user's feature flags as you would in a real app. If this helps you, I’d love a ⭐ or two and PRs are always welcome. #DevOps #FeatureFlags #OpenFeature #DevCycle #NodeJS #JavaScript #SoftwareEngineering #DevEx 22 1 Comment Like Comment Share DevCycle reposted this Andrew Norris 1mo Report this post 6 months ago our onboarding looked “fine.” Nice UI, polished tutorial, solid drop-off rates. But devs still weren’t hitting SDK install. So we nuked the tutorial and rebuilt around MCP — where onboarding happens in your editor. 3× more installs. https://lnkd.in/gGShAmhK MCP Onboarding for Feature Flagging: 3x SDK Installs blog.devcycle.com 15 1 Comment Like Comment Share DevCycle reposted this Andrew Norris 2mo Report this post We learned something big about onboarding: Even great tutorials can break if they pull developers away from their real workflow. So we rebuilt onboarding around MCP to bring DevCycle into the IDE. 3× more users now reach SDK install. How it works → https://lnkd.in/gGShAmhK MCP Onboarding for Feature Flagging: 3x SDK Installs blog.devcycle.com 8 1 Comment Like Comment Share Join now to see what you are missing Find people you know at DevCycle Browse recommended jobs for you View all updates, news, and articles Join now Similar pages Taplytics Software Development Toronto, Ontario Reprompt (YC W24) Technology, Information and Internet San Francisco, California sync. Software Development San Francisco, California FlexDesk Technology, Information and Internet New York City, NY Wasp Information Technology & Services Capi Money Financial Services VectorShift Technology, Information and Internet Sully.ai Hospitals and Health Care Mountain View, California TeamOut (YC W22) Software Development San Francisco, CA Optery Technology, Information and Internet Show more similar pages Show fewer similar pages Browse jobs Engineer jobs 555,845 open jobs Senior Product Designer jobs 20,576 open jobs User Experience Specialist jobs 7,714 open jobs User Interface Designer jobs 13,154 open jobs Product Designer jobs 45,389 open jobs Product Manager jobs 199,941 open jobs Business Partner jobs 188,284 open jobs User Experience Designer jobs 13,659 open jobs Developer jobs 258,935 open jobs Designer jobs 65,273 open jobs Business Intelligence Analyst jobs 43,282 open jobs Senior Software Engineer jobs 78,145 open jobs Business Development Associate jobs 31,101 open jobs President jobs 92,709 open jobs Salesperson jobs 172,678 open jobs Software Engineer jobs 300,699 open jobs Analyst jobs 694,057 open jobs Application Tester jobs 5,112 open jobs Embedded System Engineer jobs 116,786 open jobs Full Stack Engineer jobs 38,546 open jobs Show more jobs like this Show fewer jobs like this Funding DevCycle 1 total round Last Round Pre seed Feb 1, 2021 External Crunchbase Link for last round of funding See more info on crunchbase More searches More searches Engineer jobs Web Producer jobs Digital Product Manager jobs Intern jobs Training Specialist jobs Customer Experience Manager jobs Strategy Manager jobs President jobs Product Management Intern jobs Data Scientist jobs Project Manager jobs Developer jobs Software Engineer jobs Scientist jobs Full Stack Engineer jobs C Developer jobs Senior Software Engineer jobs Enterprise Account Executive jobs Key Account Manager jobs Buyer jobs Account Manager jobs Senior Product Manager jobs Manager jobs Business Development Representative jobs Site Reliability Engineer jobs Machine Learning Engineer jobs Technical Sales Specialist jobs Claims Adjuster jobs Support Representative jobs Application Developer jobs Support Specialist jobs Lead jobs Specialist jobs Lead Engineer jobs Geographic Information System Specialist jobs Account Executive jobs Geographic Information Systems Analyst jobs Analyst jobs Support Engineer jobs Engineering Manager jobs Product Manager jobs Frontend Developer jobs Software Engineering Manager jobs Senior Tax Manager jobs Technology Lead jobs Tax Attorney jobs Associate Attorney jobs Associate Brand Manager jobs Scout jobs Operations Manager jobs Marketing Coordinator jobs User Experience Designer jobs Science Manager jobs Product Associate jobs Ruby on Rails Developer jobs Quality Assurance Automation Engineer jobs Sourcer jobs Director jobs Data Engineer jobs Research Analyst jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at DevCycle Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:31 |
https://open.forem.com/t/photography | Photography - Open 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 Open Forem Close # photography Follow Hide Using and creating photography in design projects Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Working With Images That Outlive Their Stories Aaron Cole Aaron Cole Aaron Cole Follow Dec 27 '25 Working With Images That Outlive Their Stories # watercooler # career # photography Comments Add Comment 5 min read The Moments I Didn’t Want To Forget Evan Reddick Evan Reddick Evan Reddick Follow Nov 24 '25 The Moments I Didn’t Want To Forget # watercooler # beginners # photography Comments Add Comment 30 min read What I Learned From Photographing the Readers Who Walk Into My Shop Lena Brook Lena Brook Lena Brook Follow Nov 22 '25 What I Learned From Photographing the Readers Who Walk Into My Shop # watercooler # photography # books # learning Comments Add Comment 7 min read Turning a DivePhotoGuide Profile into a Real Underwater Portfolio Sonia Bobrik Sonia Bobrik Sonia Bobrik Follow Nov 20 '25 Turning a DivePhotoGuide Profile into a Real Underwater Portfolio # design # photography # showcase Comments Add Comment 6 min read The Runner Who Learned to Slow Down for Sunrise Photos Rachel Tomlin Rachel Tomlin Rachel Tomlin Follow Nov 21 '25 The Runner Who Learned to Slow Down for Sunrise Photos # watercooler # photography # motivation # beginners 1 reaction Comments Add Comment 8 min read Trying To Capture The Songs We Carry Jenna Whitmore Jenna Whitmore Jenna Whitmore Follow Nov 22 '25 Trying To Capture The Songs We Carry # watercooler # photography # writing # music 5 reactions Comments Add Comment 7 min read From Random Shots to Living Archive: Why Your Underwater Portfolio Deserves Real Strategy Sonia Bobrik Sonia Bobrik Sonia Bobrik Follow Nov 21 '25 From Random Shots to Living Archive: Why Your Underwater Portfolio Deserves Real Strategy # learning # photography # productivity 4 reactions Comments 1 comment 6 min read How to Store and Protect Your Photo Film Orwo Shop Orwo Shop Orwo Shop Follow Oct 8 '25 How to Store and Protect Your Photo Film # photography # resources Comments Add Comment 2 min read loading... trending guides/resources From Random Shots to Living Archive: Why Your Underwater Portfolio Deserves Real Strategy The Moments I Didn’t Want To Forget What I Learned From Photographing the Readers Who Walk Into My Shop Turning a DivePhotoGuide Profile into a Real Underwater Portfolio Working With Images That Outlive Their Stories The Runner Who Learned to Slow Down for Sunrise Photos Trying To Capture The Songs We Carry 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:49:31 |
https://golf.forem.com/privacy#8-supplemental-disclosures-for-california-residents | Privacy Policy - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:31 |
https://dev.to/wellallytech/accessible-visuals-how-inclusive-charts-empower-patient-health-5740#quick-checklist-is-your-health-chart-accessible | Accessible Visuals: How Inclusive Charts Empower Patient Health - 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 wellallyTech Posted on Jan 9 • Originally published at wellally.tech Accessible Visuals: How Inclusive Charts Empower Patient Health # frontend # react # a11y # healthtech In the world of health technology, data visualizations are essential tools for clarity. They translate complex biometrics—like heart rate trends or sleep cycles—into manageable insights that empower us to take action. However, when these dashboards are not designed for accessibility, we inadvertently create barriers for users with disabilities. Ensuring your data is readable for everyone is the first step toward a more inclusive understanding of your results . The Hidden Barrier in Health Dashboards Many health tech platforms rely heavily on "visual-first" designs that can exclude those using screen readers or living with color vision deficiencies. A standard chart often appears as a "black box" to assistive technology if it lacks proper semantic markers. Research suggests that accessible design is not just a compliance requirement; it is associated with better health literacy. When data is structured correctly, every user can interpret their health trends regardless of how they interact with the screen. Moving Beyond Color-Only Data A common pitfall in health apps is using color as the only way to convey meaning—such as red for "high risk" or green for "optimal." For many, these distinctions are invisible. To solve this, developers are encouraged to use patterns and textures to differentiate data points. For example, a striped bar vs. a solid bar ensures that information remains clear even in grayscale or high-contrast modes. Navigating with Intention Interactive charts should be fully navigable via keyboard, not just a mouse. By implementing tabIndex and custom keyboard hooks, users can "tab" through their health metrics one by one. This level of control allows for a focused review of specific data points, such as a single day's step count. This structured approach is often suggested for reducing "information overload" during health tracking. Quick Checklist: Is Your Health Chart Accessible? Feature Requirement Purpose ARIA Roles role="img" or role="listitem" Narrates data to screen readers. Contrast Minimum 3:1 ratio Ensures visibility for low-vision users. Labels aria-label for every data point Provides context for specific values. Keyboard Full Arrow Key support Allows navigation without a mouse. Conclusion: Building for Every User Creating accessible health visualizations is a commitment to ethical design. By focusing on semantic code, keyboard navigation, and color independence, we ensure that health data remains a tool for empowerment rather than a source of frustration. 3 Key Takeaways: Semantics Matter : Use ARIA roles to describe the "story" the chart is telling. Go Beyond Color : Use shapes or patterns to define different health metrics. Ensure Keyboard Focus : Every interactive data point must be reachable via the "Tab" key. For a deeper dive into the technical implementation and code examples, read WellAlly’s full 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 wellallyTech Follow an AI-powered lifelong health data platform helping individuals and families track, analyze, and optimize their wellness. Joined Jan 23, 2025 More from wellallyTech Component Libraries for Scaling Health Tech: Build a Consistent Dashboard with React, Storybook, and Tailwind # react # frontend # tailwindcss # storybook Offline-First PWAs: Build Resilient Apps That Never Lose Data # javascript # pwa # frontend # nextjs Health Data Visualization: Building High-Performance Charts for Millions of Points # react # performance # dataviz # frontend 💎 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:31 |
https://dev.to/t/webdev/page/74 | Web Development Page 74 - 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 71 72 73 74 75 76 77 78 79 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I Built a Clean Age Calculator Because Most of Them Get the Details Wrong Momin Ali Momin Ali Momin Ali Follow Dec 18 '25 I Built a Clean Age Calculator Because Most of Them Get the Details Wrong # programming # webdev # javascript 1 reaction Comments 1 comment 2 min read JAMstack Forms: Building Dynamic User Interactions in Static Sites HostSpica HostSpica HostSpica Follow Dec 17 '25 JAMstack Forms: Building Dynamic User Interactions in Static Sites # webdev # javascript # tutorial # serverless Comments Add Comment 13 min read What I Learned Building and Maintaining a Free Tools Website as a Developer Mohit Kumar Mohit Kumar Mohit Kumar Follow Dec 17 '25 What I Learned Building and Maintaining a Free Tools Website as a Developer # webdev # productdevelopment # javascript # sideprojects Comments Add Comment 4 min read 😂I Missed the Hackathon Deadline, But Solved a Bigger Problem: Finding the Right Project Partner. Hala Kabir Hala Kabir Hala Kabir Follow Dec 23 '25 😂I Missed the Hackathon Deadline, But Solved a Bigger Problem: Finding the Right Project Partner. # webdev # python # fullstack # opensource 3 reactions Comments 2 comments 3 min read YAML Formatter Pineapple Pineapple Pineapple Follow Dec 22 '25 YAML Formatter # webdev # programming # beginners # kubernetes Comments Add Comment 2 min read What If Your Website Could Think? Okoye Ndidiamaka Okoye Ndidiamaka Okoye Ndidiamaka Follow Dec 18 '25 What If Your Website Could Think? # machinelearning # webdev # ai # softwareengineering 1 reaction Comments Add Comment 3 min read Beyond the Screen: Why LLMs Don't Need Browsers (And Why We Think They Do) Edward Burton Edward Burton Edward Burton Follow Dec 17 '25 Beyond the Screen: Why LLMs Don't Need Browsers (And Why We Think They Do) # webdev # programming # ai # browser 1 reaction Comments Add Comment 8 min read Implementing VAD and Turn-Taking for Natural Voice AI Flow: My Experience CallStack Tech CallStack Tech CallStack Tech Follow Dec 17 '25 Implementing VAD and Turn-Taking for Natural Voice AI Flow: My Experience # ai # voicetech # machinelearning # webdev Comments Add Comment 12 min read How I Use AI to Build Full-Stack Apps (The Pipeline Nobody Talks About) Edjere Evelyn Oghenetejiri Edjere Evelyn Oghenetejiri Edjere Evelyn Oghenetejiri Follow Dec 17 '25 How I Use AI to Build Full-Stack Apps (The Pipeline Nobody Talks About) # webdev # ai # programming # nextjs 1 reaction Comments Add Comment 3 min read I Built a Deterministic Life Tool (and Intentionally Removed “AI” From the Loop) FlameAI Studio FlameAI Studio FlameAI Studio Follow Dec 17 '25 I Built a Deterministic Life Tool (and Intentionally Removed “AI” From the Loop) # webdev # programming # productivity # beginners Comments Add Comment 2 min read 智力题——高空抛鸡蛋 liuxiao-guan liuxiao-guan liuxiao-guan Follow Dec 18 '25 智力题——高空抛鸡蛋 # webdev # ai # learning Comments Add Comment 1 min read Apertre 3.0: A 30-Day Open-Source Journey for Developers 🚀 Soumyajit Mondal Soumyajit Mondal Soumyajit Mondal Follow for Apertre 3.0 Dec 17 '25 Apertre 3.0: A 30-Day Open-Source Journey for Developers 🚀 # webdev # programming # opensource # github 1 reaction Comments Add Comment 1 min read A deep dive into LacertaDB Matias Affolter Matias Affolter Matias Affolter Follow Dec 17 '25 A deep dive into LacertaDB # webdev # javascript # security # database 1 reaction Comments 1 comment 6 min read 🚀 I Built a PDF Tool That Lets You Choose: Local Processing or Server Processing GoAps In GoAps In GoAps In Follow Dec 17 '25 🚀 I Built a PDF Tool That Lets You Choose: Local Processing or Server Processing # webdev # productivity # sideprojects # privacy 5 reactions Comments Add Comment 2 min read I Built an AI Studying Website as a Student — Meet Studex AI Studexaidev Studexaidev Studexaidev Follow Dec 17 '25 I Built an AI Studying Website as a Student — Meet Studex AI # webdev # ai # programming # beginners 1 reaction Comments 1 comment 2 min read Building a Daily Python Lesson Telegram Bot with Supabase and React Ajit Kumar Ajit Kumar Ajit Kumar Follow Dec 17 '25 Building a Daily Python Lesson Telegram Bot with Supabase and React # react # telegram # supabase # webdev Comments Add Comment 3 min read Why Building Software Should Be as Easy as Ordering Pizza Anup Singh Anup Singh Anup Singh Follow Dec 18 '25 Why Building Software Should Be as Easy as Ordering Pizza # showdev # webdev # vibecoding # ai Comments Add Comment 3 min read Why Monorepo Is a Powerful Choice for Next.js & Node.js Projects Mohammad Khayata Mohammad Khayata Mohammad Khayata Follow Dec 17 '25 Why Monorepo Is a Powerful Choice for Next.js & Node.js Projects # webdev # fullstack # node # architecture Comments Add Comment 2 min read Building a Midnight App with ViteJS Giovanni Giovanni Giovanni Follow Dec 17 '25 Building a Midnight App with ViteJS # webdev Comments Add Comment 5 min read My Dev Multirepo Setup for JS projects with dependencies Joaquim Monserrat Companys Joaquim Monserrat Companys Joaquim Monserrat Companys Follow Dec 17 '25 My Dev Multirepo Setup for JS projects with dependencies # git # productivity # javascript # webdev 1 reaction Comments Add Comment 3 min read The Vibe Coding Hangover Is Real: What Nobody Tells You About AI-Generated Code in Production Paul Courage Labhani Paul Courage Labhani Paul Courage Labhani Follow Jan 8 The Vibe Coding Hangover Is Real: What Nobody Tells You About AI-Generated Code in Production # ai # webdev # programming # career 11 reactions Comments 6 comments 6 min read Why Event-Driven Systems Fail in Production Deji Odetayo Deji Odetayo Deji Odetayo Follow Dec 17 '25 Why Event-Driven Systems Fail in Production # webdev 1 reaction Comments Add Comment 3 min read WordPress Plugins for Small Sites - What Actually Works Bianca Rus Bianca Rus Bianca Rus Follow Dec 18 '25 WordPress Plugins for Small Sites - What Actually Works # webdev # wordpress # performance # seo 1 reaction Comments Add Comment 4 min read Understanding Python Data Structures: Lists, Tuples, Sets, and Dictionaries Made Simple Nomidl Official Nomidl Official Nomidl Official Follow Dec 18 '25 Understanding Python Data Structures: Lists, Tuples, Sets, and Dictionaries Made Simple # webdev # programming # ai # python Comments Add Comment 4 min read I built a privacy-first IP API and it's free. Arshvir Arshvir Arshvir Follow Dec 17 '25 I built a privacy-first IP API and it's free. # discuss # programming # webdev # opensource 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:31 |
https://dev.to/t/performance/page/4#main-content | Performance 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 Performance Follow Hide Tag for content related to software performance. Create Post submission guidelines Articles should be obviously related to software performance in some way. Possible topics include, but are not limited to: Performance Testing Performance Analysis Optimising for performance Scalability Resilience But most of all, be kind and humble. 💜 Older #performance 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 Cloud Engineering Improves Scalability, Security, and Performance Cygnet.One Cygnet.One Cygnet.One Follow Jan 7 How Cloud Engineering Improves Scalability, Security, and Performance # architecture # cloud # performance # security Comments Add Comment 8 min read Scrapy Performance Optimization: Make Your Spider 10x Faster Muhammad Ikramullah Khan Muhammad Ikramullah Khan Muhammad Ikramullah Khan Follow Jan 5 Scrapy Performance Optimization: Make Your Spider 10x Faster # webdev # programming # performance # web Comments Add Comment 7 min read Moving FFmpeg to the Browser: How I Saved 100% on Server Costs Using WebAssembly Baojian Yuan | 袁保健 Baojian Yuan | 袁保健 Baojian Yuan | 袁保健 Follow Jan 6 Moving FFmpeg to the Browser: How I Saved 100% on Server Costs Using WebAssembly # javascript # performance # privacy Comments Add Comment 4 min read Why Your Salesforce Triggers Are Slower Than They Should Be: A Performance Debugging Guide Sathish Kumar Velayudam Sathish Kumar Velayudam Sathish Kumar Velayudam Follow Jan 5 Why Your Salesforce Triggers Are Slower Than They Should Be: A Performance Debugging Guide # salesforce # apex # trigger # performance Comments Add Comment 8 min read I Built FoxyFy — A Modern, Performance-First Web Platform Christian Ahrweiler Christian Ahrweiler Christian Ahrweiler Follow Jan 6 I Built FoxyFy — A Modern, Performance-First Web Platform # showdev # performance # tooling # webdev Comments Add Comment 1 min read Cache Layers vs Storage Classes for Performance Mathew Pregasen Mathew Pregasen Mathew Pregasen Follow Jan 6 Cache Layers vs Storage Classes for Performance # aws # cloud # performance # devops Comments Add Comment 4 min read Semantic Cache: Como Otimizar Aplicações RAG com Cache Semântico Alberto Luiz Souza Alberto Luiz Souza Alberto Luiz Souza Follow Jan 5 Semantic Cache: Como Otimizar Aplicações RAG com Cache Semântico # ai # llm # performance # rag 1 reaction Comments Add Comment 5 min read SQL Server Indexes Explained: Column Order, INCLUDE, and the Mistakes That Taught Me Mashrul Haque Mashrul Haque Mashrul Haque Follow Jan 10 SQL Server Indexes Explained: Column Order, INCLUDE, and the Mistakes That Taught Me # sqlserver # performance # database # dotnet 3 reactions Comments Add Comment 14 min read Best Caching Plugins for WordPress Agencies Bianca Rus Bianca Rus Bianca Rus Follow Jan 5 Best Caching Plugins for WordPress Agencies # webdev # plugins # performance # wordpress 1 reaction Comments Add Comment 4 min read Home Assistant langsam? So rettest du deine SD-Karte & machst das Dashboard wieder schnell Tim Alex Tim Alex Tim Alex Follow Jan 5 Home Assistant langsam? So rettest du deine SD-Karte & machst das Dashboard wieder schnell # homeassistant # database # performance # raspberrypi Comments Add Comment 3 min read How Python Strings Actually Work Samuel Ochaba Samuel Ochaba Samuel Ochaba Follow Jan 4 How Python Strings Actually Work # python # beginners # programming # performance Comments Add Comment 2 min read Introducing atec Plugins — A Introducing atec Plugins — High-Performance, Handcrafted WordPress Plugin Suite Christian Ahrweiler Christian Ahrweiler Christian Ahrweiler Follow Jan 6 Introducing atec Plugins — A Introducing atec Plugins — High-Performance, Handcrafted WordPress Plugin Suite # showdev # performance # tooling # wordpress Comments Add Comment 2 min read Building a High-Performance Link Shortener with Next.js 16, Supabase, and Edge Functions Marius Memu Marius Memu Marius Memu Follow Jan 4 Building a High-Performance Link Shortener with Next.js 16, Supabase, and Edge Functions # architecture # nextjs # performance # tutorial Comments Add Comment 3 min read Web3 Wealth Creation by Geography: Where Millionaires of 2025 Are Emerging Emir Taner Emir Taner Emir Taner Follow Jan 5 Web3 Wealth Creation by Geography: Where Millionaires of 2025 Are Emerging # news # web3 # career # performance 4 reactions Comments Add Comment 2 min read Why and How to Remove Unused WordPress Plugins Safely Meghna Meghwani Meghna Meghwani Meghna Meghwani Follow for ServerAvatar Jan 5 Why and How to Remove Unused WordPress Plugins Safely # wordpress # webdev # performance # security Comments Add Comment 3 min read Most APIs still handle oversized payloads incorrectly (and it’s a DoS problem) Liudas Liudas Liudas Follow Jan 4 Most APIs still handle oversized payloads incorrectly (and it’s a DoS problem) # api # architecture # performance # security Comments Add Comment 1 min read Deep Dive into QuantMesh Core Implementation: Technical Architecture of a High-Performance Grid Trading System ghostsworm ghostsworm ghostsworm Follow Jan 3 Deep Dive into QuantMesh Core Implementation: Technical Architecture of a High-Performance Grid Trading System # architecture # cryptocurrency # go # performance Comments Add Comment 6 min read Why Modern Browsers Eat So Much RAM Ravish Kumar Ravish Kumar Ravish Kumar Follow Jan 3 Why Modern Browsers Eat So Much RAM # webbrowsers # computers # performance Comments Add Comment 2 min read Financial Pipeline Maruti Jhawar Maruti Jhawar Maruti Jhawar Follow Jan 4 Financial Pipeline # showdev # automation # datascience # performance Comments Add Comment 1 min read Why Does My Code Work on Small Test Cases But Fail on Large Ones? (Time Complexity Explained) Alex Hunter Alex Hunter Alex Hunter Follow Jan 4 Why Does My Code Work on Small Test Cases But Fail on Large Ones? (Time Complexity Explained) # timecomplexity # performance # optimization # leetcode Comments Add Comment 9 min read I Built a Scalable Financial Transaction System That Stays Correct Under Load Praval Parikh Praval Parikh Praval Parikh Follow Jan 3 I Built a Scalable Financial Transaction System That Stays Correct Under Load # architecture # database # performance # systemdesign 1 reaction Comments Add Comment 4 min read ⚡ Jetpack Compose Performance: Macrobenchmark & Baseline Profile ViO Tech ViO Tech ViO Tech Follow Jan 2 ⚡ Jetpack Compose Performance: Macrobenchmark & Baseline Profile # android # jetpackcompose # kotlin # performance Comments Add Comment 3 min read 🚀 Jetpack Compose Performance Audit ViO Tech ViO Tech ViO Tech Follow Jan 2 🚀 Jetpack Compose Performance Audit # android # jetpackcompose # kotlin # performance Comments Add Comment 3 min read Our GPU Was Idle 77% of the Time. Here's How We Fixed It Pranav Sateesh Pranav Sateesh Pranav Sateesh Follow Jan 3 Our GPU Was Idle 77% of the Time. Here's How We Fixed It # deeplearning # performance # python # tutorial Comments Add Comment 4 min read Website Speed Directly Impacts Your Revenue (Here's the Math) Joshua Matthews Joshua Matthews Joshua Matthews Follow Jan 3 Website Speed Directly Impacts Your Revenue (Here's the Math) # performance # webdev # javascript 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:31 |
https://docs.suprsend.com/docs/tenants | Tenants - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation CORE CONCEPTS Tenants Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog CORE CONCEPTS Tenants OpenAI Open in ChatGPT Learn what tenants stand for and how you can customize notifications for each tenant. OpenAI Open in ChatGPT If you handle communications to end users on behalf of your customers, you might be tasked with handling custom styling in the messages. This can be quite cumbersome if you have to maintain these customisation for every tenant in your codebase. Tenants empower you to send personalized communication on behalf of your customers using a single API. You just have to store tenant guidelines like logo, name, colors, social links and other custom properties for your customers once and then use your tenant variables in templates to dynamically render the template for each of your customer. You can programmatically create / update tenant using either one of our backend SDKs ( Python , Node , Java , Go ) or through SuprSend dashboard. We’ll cover the method to create tenant using SuprSend dashboard. Creating / Updating tenant on SuprSend platform Go to Tenants page from Side Navigation panel. On the tenants page, you’ll see a default tenant created. For every organization, we create a default tenant which represents org level settings like org logo, colors, social links etc. You can create a new tenant by clicking on “New Tenant” button. This will open a form to add tenant id and tenant name . Add the required fields and click on Create tenant Tenant id is a unique identifier for your tenant and can’t be changed once the tenant is created. You’ll have to pass tenant_id in your workflow / event calls to render tenant level customization in your templates. (if no tenant_id is passed, default tenant properties are picked). So, add a tenant_id which is unique and easily identifiable for you. Tenant name can be your customer company / organization name This will open tenant details page. Fill tenant details and Save changes. You can always come back and edit it again later Here are the form fields and its description Field Type Description Tenant ID string of max character length of 64 characters with allowed characters ([a-z0-9_-] that is alphanumeric characters, _ (underscore) and - (hyphen).) tenant_id is used to identify tenant in workflow and event call Tenant Name single line text Name of the company / organization Logo image Tenant logo. Used to render logo in email tenant header Tenant colors 6 digit color code Tenant color settings are mainly used while designing templates. Primary tenant color is used in button, header and footer border in tenant email template. If you don’t provide any of the colors for the tenant, SuprSend will assume you want to use the default values, so color settings will automatically be set to the color settings of default tenant. Social Links URL URLs of social media accounts of the tenant It is used to render social media logos in tenant email footer. if the link is not passed, that logo will not be shown in the footer. Custom Properties JSON Custom properties associated with the tenant. The option to add custom properties is currently not available on the dashboard but you can update it using backend SDK or APIs You can use HTTP API or manage tenants using one of our backend SDKs: Update tenant using python SDK Update tenant using node SDK Update tenant using java SDK Update tenant using go SDK Using tenant components in templates 1. Ready-to-use tenant components in email You can use tenant component in email to add ready-to-use header, footer and buttons in your email template. Tenant component automatically uses tenant logo, social links and primary color to style the email template. You’ll find the tenant component in right side content menu in email editor. You can add tenant component and change block type to switch between header, footer and buttons You can change the component using standard customization options like padding, background color etc. to best suit your email template. 2. Use Tenant variable for all channels You can add tenant variables in all channel templates as $tenant.<property> . e.g., if you have to add tenant_name in your template, you can add it as $tenant.tenant_name . Also, when you type { , tenant variable will automatically come up in auto-suggestions for your to add in the template Triggering notification for your Tenant After adding the tenant variables in your template, you can add tenant_id in your workflow or event trigger to trigger notification for that tenant. This will replace tenant variables with the properties of that tenant at run time. 1. Adding tenant_id in workflow trigger python Node go Copy Ask AI from suprsend import Workflow # Prepare Workflow body workflow_body = { ... } # Add tenant_id in workflow instance wf = Workflow( body = workflow_body, tenant_id = '_tenant_id' ) # Trigger workflow response = supr_client.trigger_workflow(wf) print (response) 2. Adding tenant_id in event trigger python Node go Copy Ask AI from suprsend import Event distinct_id = "distinct_id" # Mandatory, Unique id of user in your application event_name = "event_name" # Mandatory, name of the event you're tracking # Properties: Optional, default=None, a dict representing event-attributes properties = { "key1" : "value1" , "key2" : "value2" } # Add tenant_id in event instance event = Event( distinct_id = distinct_id, event_name = event_name, properties = properties, tenant_id = '_tenant_id_' ) # Track event response = supr_client.track_event(event) print (response) Possible customizations at Tenant Level Custom Template Designs for Each Tenant : You can create unique template designs for each tenant using tenant-specific properties. Refer to the above section for details on how to implement this. Route Tenant messages from their own vendors : You can direct messages through a tenant’s designated vendors by configuring tenant vendors on the vendor settings page. Messages will be sent via the vendor associated with the tenant_id provided in the trigger. If no tenant vendor is set, the system will use the default vendor settings. Tenant level preference setting : Tenants can control what notifications should be sent to their associated users and the their default preference setting. It can be used for cases where admin wants to control the notifications that their teammates receive or when you are sending notifications to multiple tenant’s users and tenant wants to control the notifications their users receive, on which channels and at what frequency. Read more about tenant preferences here . Was this page helpful? Yes No Suggest edits Raise issue Previous Manage Lists Create and manage subscriber lists for bulk notifications and campaigns. Next ⌘ I x github linkedin youtube Powered by On this page Creating / Updating tenant on SuprSend platform Using tenant components in templates 1. Ready-to-use tenant components in email 2. Use Tenant variable for all channels Triggering notification for your Tenant 1. Adding tenant_id in workflow trigger 2. Adding tenant_id in event trigger Possible customizations at Tenant Level | 2026-01-13T08:49:31 |
https://postmarkapp.com/ | Postmark: Fast, Reliable Email Delivery Service | SMTP | API 🐙 Check out Postmark's new MCP Server! Try it out x Postmark Log In Why Postmark? Product Features Email API SMTP Service Message Streams Transactional Email Email Delivery Email Templates Inbound Email Analytics & Retention Integrations Postmark For Agencies Enterprise Startups Bootstrapped Startups Side Projects Postmark vs. SendGrid Mailgun Amazon SES SparkPost Mandrill Pricing Resources Blog API Documentation Getting Started Email Guides Email Comic Webinars Videos Podcast Labs DMARC Digests Glossary Help Support Center Contact Support Talk to Sales Status Log in Start free trial Why Postmark? Product Features Email API SMTP Service Message Streams Transactional Email Email Delivery Email Templates Inbound Email Analytics & Retention Integrations Postmark For Agencies Enterprise Startups Bootstrapped Startups Side Projects Postmark vs. SendGrid Mailgun Amazon SES SparkPost Mandrill Pricing Resources Blog API Documentation Getting Started Email Guides Email Comic Webinars Videos Podcast Labs DMARC Digests Glossary Help Support Center Contact Support Talk to Sales Status Log in Start free trial Start free trial Already have an account? Log in → I’ve been so impressed with @postmarkapp since migrating almost all Smart Order Notifications transactional email to them last month. The peace of mind is amazing and the responsiveness of their support team is next level. – Kieran Masterton Sendgrid = Frustration Postmark = 💌 – Mike Verbruggen I have nothing but huge love for Postmark, one of my heroes in the bootstrapped world. – Anna Maste Ripped out Sendgrid and moved Growform's transactional emails over to @postmarkapp today. Their app is ridiculously easy to use, they have a clear focus on deliverability and great docs. Highly recommend so far. – Harvey Carpenter I just implemented @postmarkapp in like 5 minutes. Email received in Yahoo in seconds. I am sold. – Lola Spent the weekend shifting @SeshMysteries across from SendGrid to @postmarkapp and couldn't be happier with the experience so far ✨📩 – Dan Foster Been a postmark customer for a veeeerry long time. Stability and deliverability is so good I sometimes go months without thinking about it… just works(tm). – Ben Webster I’ve had great success with @postmarkapp and the API is solid as gold. – Tyson Lawrie Just tried out @postmarkapp and boy is it blazing fast. Transactional emails that previously took 5-10s to reach my inbox with Mailgun are now hitting my inbox in less than 1s. 11/10 would recommend. – Steven Tey I’ve been so impressed with @postmarkapp since migrating almost all Smart Order Notifications transactional email to them last month. The peace of mind is amazing and the responsiveness of their support team is next level. – Kieran Masterton Sendgrid = Frustration Postmark = 💌 – Mike Verbruggen I have nothing but huge love for Postmark, one of my heroes in the bootstrapped world. – Anna Maste Ripped out Sendgrid and moved Growform's transactional emails over to @postmarkapp today. Their app is ridiculously easy to use, they have a clear focus on deliverability and great docs. Highly recommend so far. – Harvey Carpenter I just implemented @postmarkapp in like 5 minutes. Email received in Yahoo in seconds. I am sold. – Lola Spent the weekend shifting @SeshMysteries across from SendGrid to @postmarkapp and couldn't be happier with the experience so far ✨📩 – Dan Foster Been a postmark customer for a veeeerry long time. Stability and deliverability is so good I sometimes go months without thinking about it… just works(tm). – Ben Webster I’ve had great success with @postmarkapp and the API is solid as gold. – Tyson Lawrie Just tried out @postmarkapp and boy is it blazing fast. Transactional emails that previously took 5-10s to reach my inbox with Mailgun are now hitting my inbox in less than 1s. 11/10 would recommend. – Steven Tey The email delivery service that people actually like Stop worrying if your emails made it to the inbox, and get back to focusing on what matters—building great products. Start free trial API documentation → Since 2010, we've delivered billions of emails for companies of all sizes Paddle Indie Hackers Faire.com IKEA litmus desk minecraft livestream UNICEF Asana Moz Code Climate LiveChat 1Password Wistia Betterment Webflow InVision Start sending in minutes With API libraries for pretty much every programming language you can think of, Postmark fits seamlessly into any stack. More # Send an email with curl # Copy and paste this into terminal curl "https://api.postmarkapp.com/email" \ -X POST \ -H "Accept: application/json" \ -H "Content-Type: application/json" \ -H "X-Postmark-Server-Token: server token" \ -d '{ "From": "sender@example.com", "To": "receiver@example.com", "Subject": "Postmark test", "TextBody": "Hello dear Postmark user.", "HtmlBody": "<html><body><strong>Hello</strong> dear Postmark user.</body></html>", "MessageStream": "outbound" }' # Send an email with the Postmark Rails Gem # Learn more -> https://postmarkapp.com/developer/integration/official-libraries#rails-gem # Add this to your gemfile gem 'postmark-rails' # Add this to your config/application.rb file: config.action_mailer.delivery_method = :postmark config.action_mailer.postmark_settings = { :api_token => "POSTMARK_API_TEST" } # Send the email class TestMailer < ActionMailer::Base def hello mail( :subject => 'Hello from Postmark', :to => 'receiver@example.com', :from => 'sender@example.com', :html_body => '<strong>Hello</strong> dear Postmark user.', :track_opens => 'true' ) end end # Send an email with the Postmark Ruby Gem # Learn more -> https://postmarkapp.com/developer/integration/official-libraries#ruby-gem # Add the Postmark Ruby Gem to your Gemfile gem 'postmark' # Require gem require 'postmark' # Create an instance of Postmark::ApiClient client = Postmark::ApiClient.new('POSTMARK_API_TEST') # Example request client.deliver( from: 'sender@example.com', to: 'receiver@example.com', subject: 'Hello from Postmark', html_body: '<strong>Hello</strong> dear Postmark user.', track_opens: true ) // Send an email with the Postmark .NET library // Learn more -> https://postmarkapp.com/developer/integration/official-libraries#dot-net // Install with NuGet PM> Install-Package Postmark // Import using PostmarkDotNet; // Example request PostmarkMessage message = new PostmarkMessage { From = "sender@example.com", To = "receiver@example.com", Subject = "Hello from Postmark", HtmlBody = "<strong>Hello</strong> dear Postmark user.", TextBody = "Hello dear postmark user.", ReplyTo = "reply@example.com", TrackOpens = true, Headers = new NameValueCollection {{ "CUSTOM-HEADER", "value" }} }; PostmarkClient client = new PostmarkClient("POSTMARK_API_TEST"); PostmarkResponse response = client.SendMessage(message); if(response.Status != PostmarkStatus.Success) { Console.WriteLine("Response was: " + response.Message); } // Send an email with the Postmark-PHP library // Learn more -> https://postmarkapp.com/developer/integration/official-libraries#php // Install with composer composer require wildbit/postmark-php // Import use Postmark\PostmarkClient; // Example request $client = new PostmarkClient("server token"); $sendResult = $client->sendEmail( "sender@example.com", "receiver@example.com", "Hello from Postmark!", "This is just a friendly 'hello' from your friends at Postmark." ); // Send an email with the Postmark.js library // Learn more -> https://postmarkapp.com/developer/integration/official-libraries#node-js // Install with npm npm install postmark --save // Require var postmark = require("postmark"); // Example request var client = new postmark.ServerClient("server token"); client.sendEmail({ "From": "sender@example.com", "To": "receiver@example.com", "Subject": "Test", "TextBody": "Hello from Postmark!" }); Switching to Postmark? Check out our handy migration guides I’m switching from I’m switching from… SendGrid Mailgun Amazon SES SparkPost Mailchimp Transactional Stellar deliverability (without paying for a dedicated IP) You might say that Postmark has serious street cred with inbox providers. That's because we vet every new sender carefully, help you follow deliverability best practices, and never, ever let spammers use Postmark. Learn more → Promotional and transactional emails never mix Our API and SMTP service help you send your emails with ease, whether that's password reset emails, notifications, newsletters, or anything in between. To protect the deliverability of your crucial transactional emails—and make sure they arrive lightning fast—we route promotional messages like newsletters through a parallel but separate sending infrastructure. Learn more about Message Streams → 86% Customer Happiness Rating 😃 Great (86%) 🙂 Okay (4%) 😔 Not Good (10%) Customer feedback gathered through Help Scout over the past 60 days. Great support as a standard It's not just our email delivery that's fast and reliable. Our knowledgeable customer success team is here for you should you need us (and we never make you pay extra for premium support.) Paddle Indie Hackers Faire.com IKEA litmus desk minecraft livestream UNICEF Asana Moz Code Climate LiveChat 1Password Wistia Betterment Webflow InVision Since 2010 we've delivered billions of emails for companies of all sizes → Explore our features Email API SMTP Service Message Streams Transactional Email Email Delivery Email Templates Inbound Email Analytics Webhooks Security Email Experts Rebound Ready to get started? Join thousands of businesses that already trust their email delivery to Postmark. Try Postmark free No Credit Card Required Product Pricing Customers Reviews Dedicated IPs Referral Partner Program Latest Updates Features Email API SMTP Service Message Streams Transactional Email Email Delivery Templates Inbound Email Analytics & Retention Integrations Webhooks Security Email Experts Rebound Postmark For Agencies Startups Enterprise Bootstrapped Startups Side Projects Developers Postmark vs. SendGrid SparkPost Mailgun Amazon SES Mandrill Resources Blog API Documentation Getting Started Email Guides Email Comic Videos Podcast DMARC Digests Webinars Labs Migration Guides Newsletter Glossary Help Support Center Contact Support Talk to Sales Service Status Visit ActiveCampaign for: Marketing Automation CRM & Sales Automation Landing Pages SMS Automation Made with ♥ at ActiveCampaign Privacy Policy ↗ Cookie Policy Terms of Service EU Data Protection © ActiveCampaign, LLC , 2026. | 2026-01-13T08:49:31 |
https://dev.to/devteam/congrats-to-the-runner-h-ai-agent-prompting-challenge-winners-3aap | Congrats to the Runner H "AI Agent Prompting" Challenge Winners! - 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 dev.to staff for The DEV Team Posted on Jul 17, 2025 Congrats to the Runner H "AI Agent Prompting" Challenge Winners! # devchallenge # runnerhchallenge # ai # machinelearning The wait is over! We are thrilled to announce the winners of the Runner H "AI Agent Prompting" Challenge . From culinary assistants to sports analysis tools to hackathon discovery agents, our submissions were full of diverse use cases! We were impressed by how participants embraced Runner H's accessible, no-code approach while building sophisticated automations that could genuinely improve daily productivity and decision-making. Regardless of whether or not you're crowned a winner, we hope you enjoyed exploring Runner H's capabilities and building agents that transform how we approach everyday tasks and complex workflows. Without further ado, our talented twenty: Congratulations To… Overall Prompt Winners Autonomous Chess Analysis Agent: From PGN to YouTube in Minutes 🏆♟️ Ben Sato ・ Jun 13 #devchallenge #runnerhchallenge #ai #machinelearning This AI Prompt Finds Your Team’s Matches and Plans the Whole Trip for You Touhidul Islam Protik ・ Jun 18 #devchallenge #runnerhchallenge #ai #machinelearning Automate anything - Making research analysis effortless Chirag Aggarwal ・ Jun 14 #devchallenge #runnerhchallenge #ai #machinelearning The "Grant Guardian": Automated Grant Proposal Assistant Taki Tajwaruzzaman Khan ・ Jun 7 #devchallenge #runnerhchallenge #ai #machinelearning SaaS Pain Point Hunting with Runner H Arjun Vijay Prakash ・ Jun 16 #devchallenge #runnerhchallenge #ai #machinelearning Tillage fields Analysis and Alerts with Runner H Samuel Ferreira da Costa ・ Jul 7 #devchallenge #runnerhchallenge #ai #machinelearning No More Surprises: Get Notified on Terraform Deprecations Aravind d ・ Jun 28 #runnerhchallenge #ai #machinelearning #sre 🎓 ScholarTrack — An AI-Powered Scholarship Management Dashboard Eztosin ・ Jun 22 #devchallenge #runnerhchallenge #ai #machinelearning 💸 Anti-Salesman - My personal Smart Purchase Advisor & Deal Forecaster Himanshu ・ Jun 24 #devchallenge #runnerhchallenge #ai #machinelearning DevMatch — Your Open Source Project Finder with Runner H pulkitgovrani ・ Jun 24 #devchallenge #runnerhchallenge #ai #machinelearning Community Champion Prize Category Winners Runner H Helped Me Save $$$💸💸💸 on My Round-Trip to Toronto in 2025 [✈️Flight Search Demo Included 🎥] Mohamed Nizzad ・ Jul 6 #devchallenge #runnerhchallenge #ai #machinelearning Runner H Viral Content Factory Agent Nikoloz Turazashvili (@axrisi) ・ Jun 6 #devchallenge #runnerhchallenge #ai #machinelearning 🤖 Runner H x You: A Tactical Life Overhaul Agent ❤️🔥📜✨ Divya ・ Jul 4 #devchallenge #runnerhchallenge #ai #machinelearning The Automated Opportunity Scout: How Runner H Became My Personal Business Analyst miku iwai ・ Jun 13 #devchallenge #runnerhchallenge #ai #machinelearning Runner H Exposed the Truth: Your 100K Salary Isn’t All What You Deserve by Law ⚖️ Shan F ・ Jul 7 #devchallenge #runnerhchallenge #ai #machinelearning 🦺 CrisisCopilot – Your AI Agent for Personal Emergency Management Sai Shravan Vadla ・ Jul 4 #devchallenge #runnerhchallenge #ai #machinelearning How I Automated My Tech Blog Workflow Using Runner H and AI Aditya ・ Jun 7 #devchallenge #runnerhchallenge #ai #machinelearning Bitcoin Intelligence Daily Brief - Automated Market & Industry Intelligence Kai Chew ・ Jul 4 #devchallenge #runnerhchallenge #ai #machinelearning How I Built an AI Agent That Writes Personalised Freelance Cover Letters with Runner H Pravesh Sudha ・ Jun 12 #devchallenge #runnerhchallenge #ai #machinelearning DebtDestroyer Pro: The AI Agent That Pays Off Your Debt While You Sleep Scova Traker ・ Jul 6 #devchallenge #runnerhchallenge #ai #machinelearning Prizes Each winner will receive: $500 USD DEV++ Membership Exclusive DEV Badge All participants with valid submissions will receive a completion badge on their DEV profile. Our Sponsor ❤️ Thank you to H Company for their generous partnership and for providing such an powerful platform that made this challenge possible. We are truly impressed by Runner H's ability to enable users to build complex workflows without writing a single line of code! What's Next? We have so many more challenges live right now for you to check out: Join the Algolia MCP Server Challenge: $3,000 in Prizes! Jess Lee for The DEV Team ・ Jul 10 #devchallenge #algoliachallenge #ai #webdev Join the AssemblyAI Voice Agents Challenge: $3,000 in Prizes! Jess Lee for The DEV Team ・ Jul 16 #assemblyaichallenge #devchallenge #api #ai Join Our Newest Frontend Challenge: Office Edition! Sponsored by Axero with $3,000 in Prizes 💸 Jess Lee for The DEV Team ・ Jul 2 #frontendchallenge #devchallenge #webdev #css And if none of these are for you, be sure to follow the DEV Challenge tag so you don't miss the next one: # devchallenge Follow This is the official tag for submissions and announcements related to DEV Challenges. We hope you had fun, felt challenged, and maybe discovered new ways AI agents can improve your daily workflows. See you next time! Interested in being a volunteer judge for future challenges? Learn more here ! Top comments (37) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jul 18 '25 • Edited on Jul 18 • Edited Dropdown menu Copy link Hide Congratulations everyone, I know there were many submissions and it feels bad when you are not selected as winner but here's the silver lining, You Won the challenge just by posting because there are many people who thought of participating in challenge but didn't because of many excuses. You did the right, and I hope you learned a lot during the journey. PS: This is my third challenge, I failed at Postmark and Pulumi challenge but I didn't lose. I learned my shortcomings and improved this time. Kudos to Dev Team and our efforts for organising amazing challenges and spreading learning around the world Like comment: Like comment: 10 likes Like Comment button Reply Collapse Expand Aravind d Aravind d Aravind d Follow Cloud-native engineer ☁️ DevOps + SRE | K8s wizard | Multi-cloud mindset Location India Work Site Reliability Engineer @SES Joined Jul 1, 2024 • Jul 19 '25 Dropdown menu Copy link Hide Congrats!! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jul 24 '25 Dropdown menu Copy link Hide Thanks @aravind_d Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand dineshrajdhanapathyDD dineshrajdhanapathyDD dineshrajdhanapathyDD Follow I’m passionate about quality assurance, automation, and cloud technologies. Currently diving deep into AWS, DevOps practices, and AI-powered workflows. Email dineshrajdhanapathy@gmail.com Location India Education Anna university Work Testing & AWS-DevOps Joined Sep 10, 2022 • Jul 20 '25 • Edited on Jul 20 • Edited Dropdown menu Copy link Hide Congrats 🎉 @pravesh_sudha_3c2b0c2b5e0 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jul 20 '25 Dropdown menu Copy link Hide Thanks mate! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nizzad Nizzad Nizzad Follow Data Scientist / AWS Certified (2X) ML Specialist | AWS ABW Grant Recipient '24 | 2 (Masters + Bachelors) | Researcher - NLP (Bias & Fairness) | Attorney-at-Law | Supervised 100+ Location Abu Dhabi, United Arab Emirates Education BIT (UOM), MSc in IT (SLIIT), MBA (SEUSL), LL.B (OUSL), Attorney-at-Law Pronouns He/Him Work Data Scientist, AI Engineer, Machine Learning Engineer, Research Supervisor Joined Jan 9, 2025 • Jul 18 '25 • Edited on Jul 18 • Edited Dropdown menu Copy link Hide Thank you for hosting the Runner H "AI Agent Prompting" Challenge and I am happy to be among one of the 20 winners. I understand there were more than 200 submissions and appreciate everyone's effort. The moment you're determined to hit the publish button you have won your mind. I take this moment to thank Dev.to team for announcing the winners on time despite there are many competitions and updates being released around the clock. Congrats to all the winners. BTW, I want to thank all those who engaged with my submission, without them all, my post wouldn't have reached to a large number of audience. Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jul 18 '25 Dropdown menu Copy link Hide Congratulations Mohamed 🙌 Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Nizzad Nizzad Nizzad Follow Data Scientist / AWS Certified (2X) ML Specialist | AWS ABW Grant Recipient '24 | 2 (Masters + Bachelors) | Researcher - NLP (Bias & Fairness) | Attorney-at-Law | Supervised 100+ Location Abu Dhabi, United Arab Emirates Education BIT (UOM), MSc in IT (SLIIT), MBA (SEUSL), LL.B (OUSL), Attorney-at-Law Pronouns He/Him Work Data Scientist, AI Engineer, Machine Learning Engineer, Research Supervisor Joined Jan 9, 2025 • Jul 18 '25 Dropdown menu Copy link Hide Thank you and Congratulations to you too. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Pooja Bhavani Pooja Bhavani Pooja Bhavani Follow Hi, I am Pooja, an enthusiastic DevOps Engineer Passionate about building production-ready solutions that simplify workflows using DevOps tools, automation, and AI agents. Email poojabhavani19@gmail.com Joined Apr 20, 2025 • Jul 18 '25 Dropdown menu Copy link Hide Congratulations Mohamed Nizzad Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Aravind d Aravind d Aravind d Follow Cloud-native engineer ☁️ DevOps + SRE | K8s wizard | Multi-cloud mindset Location India Work Site Reliability Engineer @SES Joined Jul 1, 2024 • Jul 19 '25 Dropdown menu Copy link Hide Congrats!! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand dineshrajdhanapathyDD dineshrajdhanapathyDD dineshrajdhanapathyDD Follow I’m passionate about quality assurance, automation, and cloud technologies. Currently diving deep into AWS, DevOps practices, and AI-powered workflows. Email dineshrajdhanapathy@gmail.com Location India Education Anna university Work Testing & AWS-DevOps Joined Sep 10, 2022 • Jul 20 '25 Dropdown menu Copy link Hide Congrats @mohamednizzad Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Jess Lee The DEV Team Jess Lee The DEV Team Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Jul 17 '25 Dropdown menu Copy link Hide Congratulations to all TWENTY winners 👏 👏 👏 Like comment: Like comment: 11 likes Like Comment button Reply Collapse Expand Divya Divya Divya Follow A curious lifelong learner, currently a full-time Masters student persuing Computer Science stream. Enthusiastic about development. Joined Jul 9, 2022 • Jul 17 '25 Dropdown menu Copy link Hide Thank you ma'am 😊 It was a great experience overall. Thank you for hosting these challenges. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Follow Founder & CTO at NikoLabs LLC, building Axrisi—an AI-powered browser extension for seamless on-page text processing and productivity. Opened Chicos restaurant in Tbilisi, Georgia. Email turazashvili@gmail.com Location Tbilisi, Georgia Education EXCELIA La Rochelle Pronouns He/Him Work Founder & CTO at NikoLabs LLC and Axrisi Joined May 30, 2025 • Jul 17 '25 Dropdown menu Copy link Hide Was this also the highest number of submissions ever received for Challenges? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Shan F Shan F Shan F Follow I am a Computer Science Professional exploring Generative AI Solutions. Location Sri Lanka Pronouns She / Her Work Freelance Consultant Joined Apr 9, 2025 • Jul 20 '25 Dropdown menu Copy link Hide Hi. I am super excited as this is my first challenge win in dev.to. Congratulations to all the winners and appreciate everyone's effort. Thank you. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Fayaz Fayaz Fayaz Follow Software Engineer 𑁍 Thinker 𑁍 Problem Solver. Interests: AI, Software Development, Web Security, Privacy, Nature, Philosophy, History, Spirituality, Politics, Conversation. Location Bangladesh Education BSc. in Computer Science & Engineering Work Building a new SaaS Joined Nov 12, 2017 • Jul 17 '25 Dropdown menu Copy link Hide Congrats to all the winners! 20 winners huh, cool! 🥳 Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Fayaz Fayaz Fayaz Follow Software Engineer 𑁍 Thinker 𑁍 Problem Solver. Interests: AI, Software Development, Web Security, Privacy, Nature, Philosophy, History, Spirituality, Politics, Conversation. Location Bangladesh Education BSc. in Computer Science & Engineering Work Building a new SaaS Joined Nov 12, 2017 • Jul 17 '25 Dropdown menu Copy link Hide BTW, check my Runner-H prompt as well! I didn't expect it to win, and it didn't, as the idea is kind of dull (a very common use case) - but the end result can be very useful to some. And I really enjoyed working on it! I think all the winning projects are very diverse and cool. I myself would've picked any of them over my project 🥰 Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Futuritous Futuritous Futuritous Follow Life is a canvas, we all draw on it together. Location USA Joined Jan 18, 2025 • Jul 17 '25 Dropdown menu Copy link Hide Actually your prompt was really helpful to me. Better luck next time! Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Follow Founder & CTO at NikoLabs LLC, building Axrisi—an AI-powered browser extension for seamless on-page text processing and productivity. Opened Chicos restaurant in Tbilisi, Georgia. Email turazashvili@gmail.com Location Tbilisi, Georgia Education EXCELIA La Rochelle Pronouns He/Him Work Founder & CTO at NikoLabs LLC and Axrisi Joined May 30, 2025 • Jul 17 '25 Dropdown menu Copy link Hide Yoooo. Let's goooo! Congrats everyone! and me :) Checking all of the winners now :) following everyone <3 Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Divya Divya Divya Follow A curious lifelong learner, currently a full-time Masters student persuing Computer Science stream. Enthusiastic about development. Joined Jul 9, 2022 • Jul 17 '25 Dropdown menu Copy link Hide Congratulations 🎊 👏 Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jul 18 '25 Dropdown menu Copy link Hide Congrats Nikoloz :) Recently I have been watching broklynn 99, and in that sitcom, Detective Boyle son name is also nikoloz (with Russian accent). It was nice to see your submission up here. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Follow Founder & CTO at NikoLabs LLC, building Axrisi—an AI-powered browser extension for seamless on-page text processing and productivity. Opened Chicos restaurant in Tbilisi, Georgia. Email turazashvili@gmail.com Location Tbilisi, Georgia Education EXCELIA La Rochelle Pronouns He/Him Work Founder & CTO at NikoLabs LLC and Axrisi Joined May 30, 2025 • Jul 18 '25 Dropdown menu Copy link Hide Ahaha. This is hilarious. I'm Nikoloz with arguably russian accent. And thanks for support Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Arjun Vijay Prakash Arjun Vijay Prakash Arjun Vijay Prakash Follow I'm a 16-year-old full-stack developer, aspiring writer and student who loves to design & build stuff. Email arjunv.prakash12345@gmail.com Location India Education Self-Taught Pronouns He/Him Work Student Joined May 25, 2022 • Jul 18 '25 Dropdown menu Copy link Hide congratulations everyone! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Taki Tajwaruzzaman Khan Taki Tajwaruzzaman Khan Taki Tajwaruzzaman Khan Follow I build weird stuff Email tajwaruzzaman@iut-dhaka.edu Joined Nov 12, 2023 • Jul 18 '25 Dropdown menu Copy link Hide One of the 20 winners haha! Thank you so much, team! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Scova Traker Scova Traker Scova Traker Follow Passionate developer exploring full-stack web development, automation, and AI. Always learning, building, and pushing limits. Ready for challenges. Joined Jul 6, 2025 • Jul 18 '25 Dropdown menu Copy link Hide Grateful to be among the winners! Huge thanks to the DEV team and everyone involved in Runnerh 😇 Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Julian Julian Julian Follow Hi, I’m Julian.I have been a Data Strategist for almost 8 years with experience as a Data Engineer, Data Scientist, and Data Analyst! In my free time, I program on WEB3. Joined Jun 6, 2025 • Jul 17 '25 Dropdown menu Copy link Hide Congratulations! Well deserved Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Capin Judicael Akpado Capin Judicael Akpado Capin Judicael Akpado Follow 🎯 Web Developer | ✍️ SEO Content Writer | 🚀 Builder of High-Performance Digital Solutions Location Ouidah, Benin Pronouns He Work Freelance Web developer || SEO Content Writer Joined Jun 20, 2025 • Jul 18 '25 Dropdown menu Copy link Hide Congratulations to winners ! Like comment: Like comment: 2 likes Like Comment button Reply View full discussion (37 comments) 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 The DEV Team Follow The hardworking team behind DEV ❤️ Want to contribute to open source and help make the DEV community stronger? The code that powers DEV is called Forem and is freely available on GitHub. You're welcome to jump in! Contribute to Forem More from The DEV Team Congrats to the AI Agents Intensive Course Writing Challenge Winners! # googleaichallenge # devchallenge # ai # agents Join the Algolia Agent Studio Challenge: $3,000 in Prizes! # algoliachallenge # devchallenge # agents # webdev Congrats to the Xano AI-Powered Backend Challenge Winners! # xanochallenge # backend # api # ai 💎 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:31 |
https://golf.forem.com/youtube_golf/no-laying-up-podcast-2025-mid-year-ghin-rewind-nlu-pod-ep-1034-4j32#comments | No Laying Up Podcast: 2025 Mid-Year GHIN Rewind | NLU Pod, Ep 1034 - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse YouTube Golf Posted on Jul 10, 2025 No Laying Up Podcast: 2025 Mid-Year GHIN Rewind | NLU Pod, Ep 1034 # golf # roundrecap # golfpodcasts # handicaps Midyear Golf Check-In with GHIN Rewind The USGA’s handy GHIN Rewind tool lets you snapshot your highs, lows and all the juicy stats from your golf season—perfect for a mid-2025 review. We’re diving into our favorite shots, rounds and playing buddies so far, plus reflecting on what’s clicking (and what’s not) in our games. Get Involved & Stay Connected We’re backing the Evans Scholars Foundation and big-upping sponsors like USGA Holderness & Bourne and Club Glove. Want more No Laying Up content? Join the Nest, subscribe to our podcast, snag our newsletter or follow us on Instagram, Twitter and Facebook for all the behind-the-scenes golf banter. Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse YouTube Golf Follow Joined Jun 22, 2025 More from YouTube Golf No Laying Up Podcast: 1108: Brooks Koepka and the Returning Member Program # golf # recommendations No Laying Up Podcast: 1108: Koepka and the Returning Member Program # golf # recommendations Grant Horvat: Can I Beat Bob With 1 Club? (Meltdown) # golf # videogames # recommendations 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:31 |
https://github.com/Pravesh-Sudha/100-Days-of-Code | GitHub - Pravesh-Sudha/100-Days-of-Code Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} Pravesh-Sudha / 100-Days-of-Code Public Notifications You must be signed in to change notification settings Fork 6 Star 5 5 stars 6 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 0 Pull requests 0 Actions Projects 0 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Projects Security Insights Pravesh-Sudha/100-Days-of-Code main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 253 Commits day-1 day-1 day-10 day-10 day-100 day-100 day-11 day-11 day-12 day-12 day-13 day-13 day-14 day-14 day-15 day-15 day-16 day-16 day-17 day-17 day-18 day-18 day-19 day-19 day-2 day-2 day-20 day-20 day-21 day-21 day-22 day-22 day-23 day-23 day-24 day-24 day-25 day-25 day-26 day-26 day-27 day-27 day-28 day-28 day-29 day-29 day-3 day-3 day-30 day-30 day-31 day-31 day-32 day-32 day-33 day-33 day-34 day-34 day-35 day-35 day-36 day-36 day-37 day-37 day-38 day-38 day-39 day-39 day-4 day-4 day-40 day-40 day-41 day-41 day-42 day-42 day-43 day-43 day-44 day-44 day-45 day-45 day-46 day-46 day-47 day-47 day-48 day-48 day-49 day-49 day-5 day-5 day-50 day-50 day-51 day-51 day-52 day-52 day-53 day-53 day-54 day-54 day-55 day-55 day-56 day-56 day-57 day-57 day-58 day-58 day-59 day-59 day-6 day-6 day-60 day-60 day-61 day-61 day-62 day-62 day-63 day-63 day-64 day-64 day-65 day-65 day-66 day-66 day-67 day-67 day-68 day-68 day-69 day-69 day-7 day-7 day-70 day-70 day-71 day-71 day-72 day-72 day-73 day-73 day-74 day-74 day-75 day-75 day-76 day-76 day-77 day-77 day-78 day-78 day-79 day-79 day-8 day-8 day-80 day-80 day-81 day-81 day-82 day-82 day-83 day-83 day-84 day-84 day-85 day-85 day-86 day-86 day-87 day-87 day-88 day-88 day-89 day-89 day-9 day-9 day-90 day-90 day-91 day-91 day-92 day-92 day-93 day-93 day-94 day-94 day-95 day-95 day-96 day-96 day-97 day-97 day-98 day-98 day-99 day-99 View all files Repository files navigation README 100 Days of Code: DevOps Challenge 🚀🚀 Welcome to the 100 Days of Code challenge focused on learning DevOps tools and best practices!. This is my personal journey to become proficient in various DevOps tools and technologies over the course of 100 days. Whether I'm a beginner or looking to expand my skills, this challenge will guide me through a diverse range of topics in the DevOps landscape Table of Contents Overview Goals Progress Resources Log Connect Overview In this repository, I will document my 100-day journey of hands-on learning in Amazing DevOps tools and principles. The 100 Days of Code in DevOps Challenge is my focused initiative to help me learn and master a wide array of DevOps tools and technologies. By dedicating time each day to coding, learning, and practical projects, I'll enhance my DevOps skills and gain hands-on experience with popular tools. Goals Over the course of this challenge, I'll be diving into the following DevOps tools and technologies: Python Flask Boto3 Django JavaScript Node.js Next.js TypeScript MongoDB Ansible Terraform Prometheus Grafana AWS Basics Linux Shell Scripting Docker Jenkins Cloud Computing GitLab Computer Networking Progress I will regularly update my progress in the log section below. Each day, I'll provide insights into what I learned, the challenges I faced, and the achievements I unlocked. This documentation will serve as a record of my growth over the 100-day period. Resources I'll be using a variety of resources to aid my learning, including: Online tutorials and documentation from official Particular Tools DevOps websites. Books and e-books on tools and DevOps best practices. YouTube videos and online courses for practical demonstrations and hands-on exercises. Log Day 1: Getting Started with Terraform Pre-history of Cloud What is Terraform ? Learned about Terraform's HCL (HashiCorp Configuration Language). Day 2: Terraform Modules Installation Created an Ec2 instance with aws provider. Learnt about terraform init , terraform plan , terraform apply command. Day 3: AWS S3 + DynamoDb Terraform basics Created a S3 bucket on AWS. Learnt about DynamoDb, RDS instance, Load balancer, Route 53 DNS Config. Day 4: Terraform Variables Different types of Variable Input variable and output variable. Learnt about variable file , .tfvars file and other ways of using variables. Day 5: Terraform Advance features Different types of Expressions like string, number, bool Operators and conditionals. Expressions Splat expressions, Dynamic blocks, Type constraints and Version constraints Numeric and String functions Other functions like Collection, encoding, date & time, IP network, etc. Day 6: Terraform Module Created a Web App module Used module like variable, DNS, networking and storage Day 7: Terraform Environments Created different environments Staging Development Production Created different Workspaces Day 8: Terraform Testing Code Rot which means that with time your code get degraded like deprecated dependencies, unpinned versions,etc. Test your Changes. There are built-in checks (Terraform plan) and external tool like tflint and terratest Manual testing (init -> plan -> apply -> destroy) Terratest: It is an external tool that allow us to define test within an actual programming language like Go-Lang or Javascript rather than bash script. Day 9: Developer Workflow CI/CD Multi account / project Terragrunt Test account + cloud nuke Day 10: Go-Lang Weather Project Made a Go-lang weather Program You can run the program in your terminal Create an account on OpenWeatherMap.org It display name and temperature (Kelvin) of the place Day 11: Linux-Basic Commands What is Linux? Linux Basics Commands SSH and SCP Connecting Aws Ec2 instance with SSh key Day 12: Shell Scipting What is Shell Scripting? Basics Shell Commands Shell Scripts Day 13: Advanced Shell Commands Adding User, if-elif statements for Loop, functions Automating Backups with BASH scipts Day 14: New Advanced Shell Commands Memory Commands, Disk Check Script While Loop, AWK Commands cut Commands and vim editor Day 15: CronJobs in Linux What is Cron and CronJob Creating Your first cronJob Executing Your Shell scripts using CronJobs. Day 16: Python Variables, list loops (for and while) Conditional statements and dicitonaries Functions and list Pratical project with above Learnings. Day 17: Static Website What is S3 Terraform fundamentals and basics HTML for Portfolio Frontend Static Portfolio website hosting on AWS S3 bucket Day 18: Kubernetes Live Project What is EKS React, Go-lang and MongoDb Kubernetes fundamentals Amazon EBS CSI driver Day 19: NPM Beginner Course Part-1 What is NPM? How it is realated to Node? NPM vs Yarn Exploring Package.json Installation of NPM and Node NPM Module Day 20: NPM Beginner Course Part-2 Package.json and package-lock.json NPM scripts All about NPX dependencies (dev and peer) NPM Caching and purging Day 21: Go-lang and Python Project Go-Loadbalancer Python Typing test Program Day 22: Gitlab Tutorial What is Gitlab Gitlab architecture Day 23: Flask Project Flask Python Program for static Image editing website Day 24: Gitlab Tutorial Part-2 Structuring CI Pipeline Aws Fundamentals Aws S3, IAM, CLI, etc. Hosting Website on AWS S3. Day 25: Gitlab Tutorial Part-3 and Dockerize a 2048 game Creating a Docker file Running a container with the Dockerfile AWS Elastic Beanstalk Continous Delivery in Gitlab Environments Day 26: Creating a DockerFile for Django To-do list Creating a Docker file Running a container with the Dockerfile Deploying container on AWS EC2 instance How Django works Day 27: Flask To-do list and Gitlab course Flask To-do List program CI/CD Gitlab architecture Deploying application on Pipeline Day 28: Microservice Architecture and System Design with Python & Kubernetes – Full Course Part-1 Auth Service Code Kubernetes Fundamentals Docker, creating a Docker Image and pushing it on DockerHub MongoDb and GridFs Day 29: Microservice Architecture and System Design with Python & Kubernetes – Full Course Part-2 Async and sync Interservice communication Kubernetes Ingress RabbitMQ Deployment Gateway Service Day 30: Microservice Architecture and System Design with Python & Kubernetes – Full Course Part-3 Convertor Service Deployment Notification service code Notification Service Deployment Update Gateway Service Day 31: Complete Web3 Bootcamp to get you a High Paying JOB in 2023 Part-1 Web3 technologies Solidity Basics What is Ethereum how Web3 Works Smart Contracts Day 32: Complete Web3 Bootcamp to get you a High Paying JOB in 2023 Part-2 Mapping Solidity Basics Address Require Interface Day 33: Complete Web3 Bootcamp to get you a High Paying JOB in 2023 Part-3 Gas Optimization Modifier function Time units CallData key word Looping in Solidity Day 34: Complete Web3 Bootcamp to get you a High Paying JOB in 2023 Part-4 Payable Sending Ether Random Numbers if-else statements Writing your own Smart Contract Day 35: Jenkins & its Architecture What is Jenkins? Jenkins Arhitecture Jenkins Master Jenkins Jobs, Plugins, Global Security Jenkins Agent Jenkins Web Interface Day 36: Installing Jenkins & devling deep into it Installation Creating First Admin User Jenkins Key Config on Ubuntu Setting Jenkins Agent/Slave Setting Jenkins Slaves using (Username and Password) and SSh keys Day 37: Jenkins & more about it Setup Docker Containers as Build Agents for Jenkins Setup Jenkins Build Agents on Kubernetes Pods Setup AWS ECS Cluster as Build Slave for Jenkins Jenkins Pipeline Guide Jenkins Shared Library Day 38: Jenkins & more about it Java Continuos Integration with Jenkins – Beginners Guide Jenkins Automated Build Trigger On Github Pull Request How To Build Docker Image In Kubernetes Pod Jenkins Multibranch Pipeline Tutorial For Beginners Day 39: Jenkins & more about it What is Jenkins? CI/CD Installing Plugins Creating and Updating a pipeline Connecting Jenkins with Docker Day 40: Jenkins Course By CodeWithNana What is Jenkins? Creating Multibranch with Git Jenkins Pipeline Tutorial Configure Build Tools in jenkins Trigger Jenkins Build Automatically Day 41: Ansible Course By LearnLinuxTv Part-1 What is Ansible? Ansible Architecture Sample Playbook Day 42: Ansible Course By LearnLinuxTv Part-2 Basic SSH commands for Ansible Basic Git knowledge for Ansible Running Ad-hoc Commands Day 43: Ansible Course By LearnLinuxTv Part-3 'When' condition in Ansible Best Practices of Wrting Playbook Targetting Specific Nodes Day 44: Ansible Course By LearnLinuxTv Part-4 Use of tags in Ansible Manging Files and Services in Playbook Vaiables and Handlers Adding user And Roles Day 45: Ansible Course By SimpliLearn What is Ansible? Installation and Setup Wrting Playbooks Ansible Architecture Benefits of Using Ansible Day 46: JavaScript Tutorial for Beginners: Learn JavaScript in 1 Hour What is Javascript? Constants, Primitive Types Dynamic Typing, Variables Objects and Arrays Functions and Types of functions Day 47: JavaScript Project for Beginners: Weather Application HTML JavaScript CSS Day 48: AWS Lambda Project Creating a Lambda Function Adding Layer to the function Aws API Gateway Day 49: AWS CodePipeline Project Code Pipeline Use of IAM, EC2, S3 in Code commit and build Code Deploy Day 50: Creating a Digital Resume and Hosting it for Free Creating a Resume Styling it with CSS Hosting it on Github Day 51: MongoDB Tutorial by CodeWithHarry What is MongoDB Basic Commands of mongo Create, update, read and delete operations Operators and Complex Queries Day 52: Deploying a Live Project by Nginx What is Nginx Creating a basic index.html Hosting it on NGINX server Creating a Docker images out of it Configuring the Ngnix file Day 53: Practiced MongoDB on w3schools Learnt about MongoDB Practiced some CRUD operations Attempted Exercises Day 54: Node.js Tutorial for Beginners by ProgrammingWithMosh What is Node.js Node Architecture Creating, Updating and Deleting Modules Path, OS Module and Http Modules File System, Event Modules Day 55: Grafana Fundamentals What is Grafana How it works Explore metrics and logs Build dashboards Annotate dashboards Set up alerts Day 56: Node.js Tutorials What is Node.js and NPM? How it works Frontend and Backend Modules like OS, Path, httpd, etc Day 57: Grafana, Prometheus Project along with Loki and Promtail What is Grafana, Prometheus, Loki and Promtail How they works Explore metrics and logs Build dashboards by Using all these Day 58: Grafana Monitoring Setup How to send Microsoft teams notifications to Grafana dashboard Monitor Docker with Prometheus and Grafana Monitoring Website using Grafana Synthetic Monitoring Grafana Telegram Alert Grafana Email Alert Day 59: Devops Project: Video Converter Working on EKS, creating a cluster Kubernetes Fundamentals and Kubectl Configuring Postgres, RabbitMQ and MongoDB for database Code to convert Video file to Audio file Day 60: Jenkins Declartive CI/CD Project (Resume) Running on Aws EC2 instance Build a Docker Image for the Notes app Installed Jenkins and Java on EC2 Writing Pipeline for the project Creating a Complete CI/CD Pipeline Day 61: Ansible Playbook in Action (Resume) Configuring Aws EC2 and installing Ansible in it Ansible Fundamentals Configuring host file to add servers Creating Playbooks Deploying a WebPage and updating its configurations by Playbook Day 62: Netflix Clone (Resume) Configuring Aws EC2 and installing Jenkins in it Running Netflix Clone on Docker Container Securing it through a Jenkins CICD Pipeline Monitoring it through Grafana and Prometheus Using ArgoCd and Helm for Kuberenets Deployment Day 63: MERN Stack tutorial by FreeCodeCamp What is MERN? MERN fundamentals Creating the backend and frontend for exercise tracker application MongoDB Atlas Connecting backend to frontend Day 64: 2-Tier Application Deployment Series Ep-1,2 Introduction to 2-Tier Application Deployment Dockerizing 2-tier application Building seprate images for both frontend and backend Connecting both container in a docker network Pushing the images on DockerHub Day 65: 2-Tier Application Deployment Series Ep-3 What is KubeAdm? Kubernetes Architecture Installation and Setup Configuring Aws ec2 instance of Master and Worker node Day 66: 2-Tier Application Deployment Series Ep-4 Kubernetes Components Pod Deployment Services Persistant Volume and PVC Day 67: 2-Tier Application Deployment Series Ep-5 What is HELM? HELM charts Using Helm as Package Manager Day 68: 2-Tier Application Deployment Series Ep-6, 7 What is EKS? Creating EKS Cluster Configuring AWS CLI in EC2 instance Running 2-tier flask application on EKS cluster Day 69: AWS RDS Simple Course What is RDS? Overview of Database Database on EC2 instance Migrating traditional database from EC2 to RDS Automatic Backup, restore and Snapshots. Day 70: AWS VPC & VPC Peering Project What is VPC? VPC Peering Private Subnets Route Tables NAT Gateway Day 71: Basic To-do list Flask Project Revised Concepts of Flask Made A to-do list program Revised Python syntax Revised SQLite Database queries Day 72: Gitlab CI tutorial by CloudChamp What is Gitlab CI? Gitlab runners and artifacts CICD for Nodejs and Python Application Creating a Pipeline in Gitlab Variables and Environment variables in Gitlab Day 73: AWS Family transfer and ACM What is Family transfer and ACM? Creating a ACM certificate Adding DNS records to the Domain name Setting up FTPS server Connecting it to S3 bucket for backend Day 74: Deploying Project on AWS through Jenkins Using Github Repo as Source Code Building a Docker Image of the Project Pushing the Image on Dockerhub Deploying the project on docker container of AWS Using Jenkins to complete the CICD workflow Day 75: Jenkins Project with Github Integration Using Github Repo as Source Code Building a Docker Image of NodeJS Project Pushing the Image on Dockerhub Deploying the project on docker container of AWS Using Jenkins to complete the CICD workflow Day 76: Python Project with AWS Lambda, Cloudwatch and EBS What is EBS and Cloudwatch Use Cloudwatch to log and Lambda to trigger an event Use EBS to create Volume Create a Program to convert GP2 volume to GP3 Day 77: Linux command revision Basic Commands Advanced Commands man command for overview of any command Day 78: Yaml Revision What is YAML? Basic Components (Key-Value Pair) Advanced Components like list and multi line strings Wrote a Python script to validate Yaml Wrote a Docker-compose.yaml for my-note-app Day 79: Ansible and its guide What is Ansible? Ansible components and how it works Creating Ansible Inventory Ansible Commands Day 80: Shell Scripting Project Shell Scripting Revison Writing a Script for monitoring AWS resources Using CronJobs to run that script everyday Integrating CronJob with Shell script Using AWS Cli to get info about Resources Day 81: Kubernetes Deployment Project Writing Manifest files Deploying app on Pod and deployments Auto-scaling Feature Day 82: Advance Shell Script Project Wrote a Shell Script for Github Project The Script will provide Info about the collaborators You need to authenticate username and token as Envirnoment variable in your terminal This works only for the organisation created in your account Day 83: Deploying Redit Clone on Kubernetes Getting Source Code from Github Buildling a Docker image of the project Pushing the Image on DockerHub Writing the Manifest file for Kubernetes Deployment Day 84: Deploying Portfolio Website with Github Actions Cloning A Portfolio Website Project Writing Workflow for Github Actions Setting AWS with Github Actions Live Deployment of Website Deploying website on AWS S3 Day 85: Deploying and Exposing NodeJS Application Created an IAM user named Light with full EC2 access Started an Ubuntu ec2 instance Installed docker in it and create a dockerImage for the project Ran the image on the server Expose the port 3000 on security group Day 86: Deploying a Flask-Mongo Application on KubeADM Setting up a master and worker node by KubeAdm Creating manifests for the project Connecting Master and worker node in KubeAdm Applying all the manifests Exposing port 6443 for connection and 30007 to expose mongo service Day 87: Deploying a Three-tier Application on EKS Setting up a host server with t2.micro ec2 instance Creating Docker Images for Frontend, backend and database Pushing the Images to AWS ECR Creating a EKS Cluster and applying the manifest file Installing a AWS Loadbalancer Day 88: Everything about Terraform Terraform use-cases Terraform Life-cycles State file and best practices Terraform modules Writing your first Terraform project Day 89: Github Actions and 3 basic projects What is Github Actions? Its Uses cases Advantages of Actions over Jenkins 3 Actions file for deploy to k8s, swarm and java with maven, sonar and k8s Day 90: Github Actions project Self-hosted runners Advantages of Using Self-hosted Runners Writing Github actions CI using Self-hosted runner Using Ec2 instance as Self hosted runner Day 91: Deploy a Cloud-native-monitoring app on Kubernetes project Creating a flask project from scratch Creating a Dockerfile and image of the project Using Boto3, creating a ECR repo and pushing the image Using Boto3, creating a EKS cluster on which the app is deployed Day 92: Ultimate CI/CD Jenkins project Getting Source Code from Github Creating a Dockerfile and docker image for the project Using Jenkins to create CI Pipeline to deploy the file on dockerhub Creating a kubernetes cluster using HELM Setup ArgoCD on the cluster Day 93: AWS VPC Project Created a VPC that can be used in production server Created a private and a public subnet Setup Security groups for the server Adding NAT gateway and internet gateway for outside communication Adding an auto-scaling group to handle more traffic Day 94: Deploy a Cloud-native-voting-app on Kubernetes project Setup Roles for Cluster and NodeGroups EKS Cluster setup Added Node group for 2 t2.medium instances Deploy Mongo statefulset and configured it Setup Go API using deployment Deploy the fronted and expose its service Day 95: Argo-Cd Tutorial EP-1 & 2 What is GitOps and ArgoCd? Advantages of Gitops Installing ArgoCd into minikube ArgoCd Architecture Accessing Argo-cd server using kubectl Day 96: Argo-Cd Project Example Practice Installing argocd on minikube Accessing Argocd Dashboard Creating a Application of guestbook from github examples Using Helm files to create the same guestbook Day 97: AWS CFT (Infrastructure as Code) CFT vs Terraform What is Cloud Formation Template? Infrastructure as Code (IaC) principles Drift detection Create Template in Designer Create CFT Day 98: AWS CodeCommit and Code Pipeline What is AWS Codecommit and Code Pipeline? How CICD works on AWS Jenkins vs Code Pipeline Using Code commit instead of Github repository Code Deploy for the deployment Day 99: AWS End to end CI Pipeline project Setting up Github Repository Create an AWS Pipeline Configure AWS CodeBuild Trigger the CI process Day 100: AWS Ultimate CICD Pipeline project Continuing the CI Project Using Code deploy for deploying the code Deploy the application on ec2 instance Configuring ec2 instance Connect Let's connect! Feel free to reach out to me on social media: Twitter: @praveshstwt LinkedIn: Pravesh-Sudha I'm excited to share my journey of learning new DevOps tools with you. Follow along, and let's learn and grow together! 🚀 About No description, website, or topics provided. Resources Readme Uh oh! There was an error while loading. Please reload this page . Activity Stars 5 stars Watchers 2 watching Forks 6 forks Report repository Releases No releases published Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Languages Python 98.2% JavaScript 0.6% HTML 0.6% CSS 0.4% HCL 0.1% PowerShell 0.1% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:31 |
https://redis.io/blog/redis-8-ga/ | Redis 8 is now GA, loaded with new features and more than 30 performance improvements | Redis Skip to: Home Content Footer navigation New from O’Reilly: The memory architecture behind adaptive AI agents Read the report LangCache Products Products Redis Cloud Fully managed and integrated with Google Cloud, Azure, and AWS Redis Software Self-managed software with enterprise-grade compliance and reliability Redis Open Source In-memory database for caching & streaming Redis for AI Faster GenAI apps start here Tools Redis LangCache Redis Insight Redis Data Integration Clients & Connectors Get Redis Downloads Resources Learn Tutorials Quick starts Commands University Knowledge Base Resource Center Blog Demo Center Developer Hub Connect Customer Stories Partners Support Community Events & Webinars Professional Services Latest Releases News & updates Learn how to Build Visit our Developer Hub Docs Pricing Search Login Book a meeting Try Redis LangCache Products Products Redis Cloud Fully managed and integrated with Google Cloud, Azure, and AWS Redis Software Self-managed software with enterprise-grade compliance and reliability Redis Open Source In-memory database for caching & streaming Redis for AI Faster GenAI apps start here Tools Redis LangCache Redis Insight Redis Data Integration Clients & Connectors Get Redis Downloads Resources Learn Tutorials Quick starts Commands University Knowledge Base Resource Center Blog Demo Center Developer Hub Connect Customer Stories Partners Support Community Events & Webinars Professional Services Latest Releases News & updates Learn how to Build Visit our Developer Hub Docs Pricing Try Redis Book a meeting Login Resource Center Events & webinars Blog Videos Glossary Resources Architecture Diagrams Demo Center Resource Center Events & webinars Blog Videos Glossary Resources Architecture Diagrams Demo Center Back to blog Blog Redis 8 is now GA, loaded with new features and more than 30 performance improvements May 01, 2025 11 minute read Pieter Cailliau Lior Kogan Charlie Wang We’re excited to announce the general availability release of Redis 8. Redis 8 is the most performant and scalable version of Redis yet. It has over 30 performance improvements, including up to 87% faster commands, up to 2x more operations per second throughput, up to 18% faster replication, and delivery of up to 16x more query processing power with Redis Query Engine. This release adds 8 more data structures, including vector set (beta), JSON, time series, and five probabilistic structures, including Bloom filter, cuckoo filter, count-min sketch, top-k, and t-digest (some previously available as separate Redis modules). These new data structures help you solve your current use cases better and build for the next generation of fast and real-time apps. Additionally, we’ve changed the name of our free product from Redis Community Edition to Redis Open Source to reflect the addition of AGPLv3 as a licensing option. One Redis Over the years, we have created new Redis modules that help you build real-time apps for web, mobile, and GenAI faster. However, we’ve heard from many of you how it often becomes confusing figuring out how to get started with modules, especially with matching the right module version to the Redis version. The introduction of Redis Stack helped and saw significant adoption but also introduced fragmentation in the community. Today, we’re combining our Redis Stack and community offerings into a single Redis Open Source distribution. All the modules are already included in this package. Going forward, Redis Open Source delivers the same feature set to you everywhere. When you use Redis Open Source, you know you’re always getting the latest and best of Redis with the full suite of capabilities that are available to the community. These are some of the features and capabilities that come packaged in Redis 8 in Redis Open Source. Vector set data structure [beta] We are excited to announce vector set, a new data type for vector similarity search. Developed by Salvatore Sanfilippo, the original creator of Redis, vector set takes inspiration from sorted set, another one of Redis’s fundamental data types known for its efficiency in handling ordered collections. Vector set extends the concept of sorted set to allow the storage and querying of high-dimensional vector embeddings, enhancing Redis for AI use cases that involve semantic search and recommendation systems. Vector set complements the existing vector search capability in the Redis Query Engine. The vector set data type is available in beta. We may change, or even break, the features and the API in future versions. We are open to your feedback as you try out this new data type whilst we work towards general availability. JSON data structure The JSON data structure improves how you solve for traditional Redis use cases. It also lets you manage sessions more easily, like by using arrays and objects to model hierarchical session data. In Redis 8, the JSON data structure lets you store JSON documents as keys in Redis. Redis provides commands to retrieve and manipulate documents using the JSONPath language for more granular and efficient access to specific elements. Redis also supports atomic updates so you can make modifications to parts of a JSON document without having to retrieve the entire document first. Time series data structure The time series data structure simplifies how you tackle use cases with fast changing timestamped data such as those from IoT sensors, system telemetry, stock prices, commodity prices, foreign exchange rates, and crypto prices. In Redis 8, it’s very fast to get and use time series data. This is because Redis uses very efficient compression algorithms to keep the data memory footprint low. In addition, compaction (downsampling) rules can be defined for efficient long-term storage. Probabilistic data structures Probabilistic data structures let you answer common questions about your data streams and large datasets much faster. The significant advantages given in terms of efficiency in memory usage and processing speed is a trade-off with absolute accuracy. In Redis 8, in addition to HyperLogLog , which allows estimating the cardinality of a set, there are now 5 more probabilistic data structures: Bloom filter and Cuckoo filter—for checking if a given value has already appeared in a data stream Count-min sketch —for estimating how many times a given value appeared in a data stream Top-k —for finding the most frequent values in the data stream t-digest —for querying which fraction of the values in the data stream are smaller/larger than a given value. Redis Query Engine The Redis Query Engine unlocks fast data access beyond a key lookup. With Redis 8 you can create a secondary index of data that resides in hashes and JSON data structures. Some of the most common ways to use the Redis Query Engine include for vector search, data queries that return exact matches by a criteria or tag, and search queries that return the best matches by keywords or semantic meaning. The query engine also supports features like stemming, synonym expansion, and fuzzy matching for more comprehensive search results. Vector embeddings that represent data points within hashes or JSON documents can also be stored so the query engine in Redis 8 can be leveraged for vector similarity search. Access Control Lists (ACLs) While Redis 8 is secure by default, Access Control Lists (ACLs) allow more fine-grained security control. With ACLs, you can define which users can connect, what commands they can perform, and which keys they can access. This helps you restrict unauthorized access and maintain data integrity in your Redis environment . In Redis 8, we introduce new ACL categories for the new data structures. Existing ACL categories such as @read and @write now include commands that support the newly included data structures. New commands building on Redis 7.4 When you build on Redis 8, you also get all the new features and capabilities that came in Redis 7.4, including our introduction of hash field expiration. One of the most frequently requested feature (e.g., #13345 , #13459 , #13577 ), you can find 3 new hash commands in Redis 8: HGETDEL – Get hash fields and delete them HGETEX – Get hash fields and optionally set their expiration time HSETEX – Set hash fields and optionally set their expiration time AGPL is now a licensing option Redis 8 is available in Redis Open Source under the open source AGPLv3 license in addition to the dual RSALv2 and SSPLv1 licenses we moved to last year. We heard from some customers that it is easier for them to operate under an OSI-approved license, so we’ve added that option. Read more here , or visit redis.io/legal/licenses/ . Significant performance improvements Redis 8 introduces over 30 performance improvements for both single-core and multi-core environments, delivering the greatest leap in performance in a single new Redis version. Based on anonymized statistics from our tens of thousands of existing customers and users, we’ve invested in what we’ve seen you use the most. That means for many of you, you will see improvements in performance that provide the greatest uplift and value in how you use Redis when upgrading to Redis 8. Up to 87% reduction in command latency We have reduced the latency per command in Redis 8 for a large set of commands compared to Redis 7.2.5. In our benchmark of 149 tests, 90 commands run faster with less latency. The p50 latency reduction ranges from 5.4% to 87.4%. The vast majority of apps built with Redis 8 will see significant performance improvements. More details are available on the 8.0-M02 blog post . 2x more ops per second throughput by enabling multithreading Since Redis 6, we have supported I/O threads to handle client requests, including socket reads/writes and command parsing. However, the previous implementation does not fully capture the performance potential. In Redis 8, we introduce our new I/O threading implementation. You can enable it by setting the io-threads configuration parameter. The default value is 1. When the parameter is set to 8 on a multi-core Intel CPU, we’ve measured up to 112% improvement in throughput. Exact throughput improvements will vary, contingent on the commands being executed. Up to 35% less memory used for replication In Redis 8, we are introducing a new replication mechanism. During replication, we initiate two replication streams simultaneously: one stream for transferring the primary node and the other for the stream of changes that happen in the interim. The second phase is no longer blocked waiting for the first phase to complete. In our tests, we conducted a full synchronization of a 10 GB dataset with an additional stream of 26.84 million write operations that yields 25 GB of changes during the replication. With the new replication mechanism, the primary can handle write operations at a 7.5% higher average rate during replication . Replication also takes 18% less time and the peak replication buffer size on the primary node is 35% lower . More details are available on the 8.0-M03 blog post . Up to 16x more query processing power with horizontal & vertical scaling Redis 8 comes with a Redis Query Engine that can scale in two new ways that were previously exclusive to Redis Cloud and Redis Software. The first way enables querying in clustered databases, allowing you to manage very large data sets with indices and support for higher throughput of reads and writes by scaling out to more Redis processes. The second way allows you to add more processing power to scale your query throughput vertically, unlocking up to 16 times more throughput than before. When both ways to scale are enabled, Redis 8 is the fastest vector database on the market, and you have access to it for free through Redis Open Source. We demonstrate this scale and how you can perform vector search queries at real time on 1 billion 768-dimensional vector embeddings at high precision. At a billion-vector scale, with real-time indexing, Redis 8 can sustain 66,000 vector insertions per second for an indexing configuration that allows precision of at least 95%. For indexing configurations that result in lower precisions, Redis 8 can sustain higher ingestion rates of 160,000 vector insertions per second. Throughput can be increased further by using more servers. For high precision queries, we can see that larger HNSW indices improves the search quality at the expense of latency. We reach 90% precision with a median latency including RTT of 200ms, and 95% precision with a median latency including RTT of 1.3 seconds for the top 100 nearest neighbors, while executing 50 search queries concurrently. Building on Redis 8 Open source client libraries Redis 8 is easy to start building your app on and is fully supported by the most performant and reliable open source client libraries that you are using today. To learn more, please reference our documentation for quick start guides for your favorite programming languages: Jedis , for Java synchronous programming Lettuce , for Java asynchronous programming go-redis , for Golang users node-redis , the reference library for Node.js NRedisStack , the C# library that offers the stability of StackExchange.Redis and supports for new data structures in Redis 8 redis-py , for the Python programming language Object mapping libraries If you want to map your data with object mapping techniques, the Redis OM client libraries are available to help you. They will help you model your objects, add schema validation, and store them in Redis 8. GenAI use cases For the GenAI apps and use cases you’re building, we make it easier by offering Redis vector library (RedisVL) together with Redis 8 as a simple yet powerful solution to work with vectors. With easy integrations to LLMs for your AI apps or to perform semantic search, RedisVL includes many capabilities that make new GenAI features fast and possible, such as semantic caching, vectorizers, and semantic routing. Developer environment Redis Insight and Redis for VS Code are visual tools that let you explore data, design, develop, and optimize your applications while also serving as a platform for Redis education and onboarding. Redis Insight specifically integrates Redis Copilot, a natural language AI assistant that improves the experience when working with data and commands. Redis 8 is fully compatible with Redis Insight and Redis for VS Code. Upgrading to Redis 8 If you are running on an older version such as Redis 6 and Redis 7, we encourage you to upgrade to Redis 8 to take advantage of new performance improvements and capabilities. We’re committed to keeping Redis 8 in Redis Open Source free so you can uplevel how you solve for use cases including caching, session management, leaderboards, and matchmaking. More information on how to upgrade to Redis 8 is available here . If you are a current user of Redis Stack, currently supported features and capabilities that were exclusive to Redis Stack can be found on Redis Open Source. We also encourage you to upgrade to Redis Open Source as we will stop releasing patches for Redis Stack 6.2, 7.2, and 7.4 on September 15, 2025. New features found in Redis Open Source will be fully coming to our other offerings later this year. Getting started with Redis 8 today Redis 8 is generally available on Redis Open Source and can be installed through the following channels as they become available in the coming days: Download an Alpine or a Debian Docker image from Docker Hub Install using snap – instructions , Snapcraft Install using brew – instructions Install using RPM – instructions Install using Debian APT – instructions Sections One Redis AGPL is now a licensing option Significant performance improvements Building on Redis 8 Upgrading to Redis 8 Getting started with Redis 8 today Share Get started with Redis today Speak to a Redis expert and learn more about enterprise-grade Redis today. Try for free Talk to sales Trust Privacy Terms of use Legal notices English Español Français Deutsch 한국어 Italiano Português Use cases Vector database Feature stores Semantic cache Caching NoSQL database Leaderboards Data deduplication Messaging Authentication token storage Fast data ingest Query caching Redis Query Engine All solutions Industries Financial Services Gaming Healthcare Retail All industries Compare Redis vs. ElastiCache Redis vs. Memcached Redis vs. Memorystore Redis vs. Redis Open Source Company Mission & values Careers News Connect Community Events & Webinars Partners Amazon Web Services Google Cloud Azure All partners Support Professional Services Support English Español Français Deutsch 한국어 Italiano Português Trust Privacy Terms of use Legal notices | 2026-01-13T08:49:31 |
https://dev.to/pravesh_sudha_3c2b0c2b5e0/email-ai-assistant-using-fastapi-gemini-postmark-10ak | 📨 Email-AI Assistant using FastAPI, Gemini & Postmark - 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 Pravesh Sudha Posted on Jun 4, 2025 • Edited on Jun 10, 2025 📨 Email-AI Assistant using FastAPI, Gemini & Postmark # devchallenge # postmarkchallenge # webdev # api A submission for the Postmark Challenge: Inbox Innovators 💡 What I Built Hey folks! 👋 I built an Email-based AI Assistant powered by FastAPI , Gemini , and Postmark . The assistant allows users to send an email and get an AI-generated response right in their inbox — just like magic 🪄. Here’s the workflow in simple terms: User sends an email ➝ Postmark receives it ➝ Webhook (FastAPI backend) is triggered ➝ Gemini processes the email ➝ Response is generated ➝ Reply is sent back to the user via Postmark Enter fullscreen mode Exit fullscreen mode 🎥 Live Demo 📧 Try it yourself: Send an email to 👉 assistant@codewithpravesh.tech Ask a question like “Explain Postmark in brief” and within 30–60 seconds, you’ll get an intelligent reply — straight to your inbox. ▶️ Watch the full walkthrough below 💻 Code Repository The project is open-source and available on GitHub: 🔗 https://github.com/Pravesh-Sudha/dev-to-challenges The relevant code lives in the postmark-challenge/ directory, containing: main.py : Sets up the FastAPI server and webhook endpoint utils.py : Handles Gemini integration and Postmark email sending logic main.py from fastapi import FastAPI from pydantic import BaseModel from fastapi.responses import JSONResponse from utils import get_response , send_email_postmark app = FastAPI () class PostmarkInbound ( BaseModel ): From : str Subject : str TextBody : str @app.post ( " /inbound-email " ) async def receive_email ( payload : PostmarkInbound ): sender = payload . From subject = payload . Subject body = payload . TextBody # Prevent infinite loop if sender == " assistant@codewithpravesh.tech " : return { " message " : " Self-email detected, skipping. " } response = get_response ( body ) try : send_email_postmark ( to_email = sender , subject = f " Re: { subject } " , body = response ) except Exception as e : print ( " Email send failed, but continuing: " , e ) return JSONResponse ( content = { " message " : " Processed " }, status_code = 200 ) Enter fullscreen mode Exit fullscreen mode utils.py import os import requests import google.generativeai as genai from dotenv import load_dotenv load_dotenv () genai . configure ( api_key = os . getenv ( " GEMINI_API_KEY " )) model = genai . GenerativeModel ( " models/gemini-2.5-flash-preview-04-17-thinking " ) def get_response ( prompt : str ) -> str : try : response = model . generate_content ( prompt ) return response . text . strip () except Exception as e : return f " Error: { e } " def send_email_postmark ( to_email , subject , body ): postmark_token = os . getenv ( ' POSTMARK_API_TOKEN ' ) payload = { " From " : " assistant@codewithpravesh.tech " , " To " : to_email , " Subject " : subject or " No Subject " , " TextBody " : body or " Empty Response " , } headers = { " Accept " : " application/json " , " Content-Type " : " application/json " , " X-Postmark-Server-Token " : postmark_token } try : r = requests . post ( " https://api.postmarkapp.com/email " , json = payload , headers = headers ) r . raise_for_status () except Exception as e : print ( " Failed to send email via Postmark: " , e ) Enter fullscreen mode Exit fullscreen mode 🛠️ How I Built It This project has been a rewarding rollercoaster 🎢 — full of debugging, email loops, and a bit of DNS sorcery. 🚫 Problem: No Private Email When I first registered on Postmark, I realized they don’t allow public email domains (like Gmail) for sending. I didn’t have a private email. 😓 ✅ Solution: Dev++ to the Rescue I reached out to the Dev.to team, and they kindly gifted me a DEV++ membership 💛 — which included a domain and two private emails! I registered: 🔗 codewithpravesh.tech 📬 Created user@codewithpravesh.tech Using this, I successfully created a Postmark account. ✅ 🧠 Choosing the LLM I wanted a fast, reliable, and free LLM. I tested: ❌ OpenAI — Paid ❌ Grok — Complicated setup ✅ Gemini — Free via Google API, simple to use, fast response The winner? 🏆 Gemini 2.5 Flash 🧪 Local Testing with Ngrok To test the webhook, I spun up the FastAPI app locally and exposed it using ngrok . Webhook URL used: https://<ngrok-url>/inbound-email Enter fullscreen mode Exit fullscreen mode Then I set up Inbound Domain Forwarding on Postmark: Added an MX Record pointing to inbound.postmarkapp.com in my domain DNS Used assistant@codewithpravesh.tech as the receiver email Faced 422 Error because my account approval was in pending state. 😅 The Loop Disaster For testing, I tried sending an email from user@codewithpravesh.tech ➝ assistant@codewithpravesh.tech . Result? Infinite loop 🔁 Why? My webhook was triggered, and it responded to itself over and over. Outcome: Burned through 100 free emails/month Had to upgrade with promo code DEVCHALLENGE25 Fix: if sender == " assistant@codewithpravesh.tech " : return { " message " : " Self-email detected, skipping. " } Enter fullscreen mode Exit fullscreen mode Now application is working fine locally. ☁️ Deploying on AWS EC2 To make it public, I chose AWS EC2 : Instance type: t2.small Storage: 16 GB Elastic IP assigned Security group: Open HTTP, HTTPS (0.0.0.0/0), SSH (my IP) Then: 🧾 Cloned my GitHub repo 🧰 Installed nginx 🔧 Configured DNS A record to point app.codewithpravesh.tech ➝ EC2 IP 🔁 Nginx Reverse Proxy Setup I created a file /etc/nginx/sites-available/email-ai-assistant : server { listen 80 ; server_name app.codewithpravesh.tech ; location / { proxy_pass http://127.0.0.1:8000 ; proxy_set_header Host $host ; proxy_set_header X-Real-IP $remote_addr ; proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for ; proxy_set_header X-Forwarded-Proto $scheme ; } } Enter fullscreen mode Exit fullscreen mode Enabled it: sudo ln -s /etc/nginx/sites-available/email-ai-assistant /etc/nginx/sites-enabled/ sudo nginx -t sudo systemctl reload nginx Enter fullscreen mode Exit fullscreen mode Updated Postmark’s webhook URL to: http://app.codewithpravesh.tech/inbound-email Enter fullscreen mode Exit fullscreen mode 🧬 Making It Production-Ready To keep the app alive after reboot, I created a systemd service : [Unit] Description = Email AI Assistant FastAPI App After = network.target [Service] User = ubuntu WorkingDirectory = /home/ubuntu/dev-to-challenges/postmark-challenge Environment = "PATH=/home/ubuntu/dev-to-challenges/postmark-challenge/app-venv/bin" ExecStart = /home/ubuntu/dev-to-challenges/postmark-challenge/app-venv/bin/uvicorn main:app --host 127.0.0.1 --port 8000 Restart = always [Install] WantedBy = multi-user.target Enter fullscreen mode Exit fullscreen mode Enabled it using: sudo systemctl daemon-reexec sudo systemctl daemon-reload sudo systemctl enable email-assistant sudo systemctl start email-assistant Enter fullscreen mode Exit fullscreen mode Last Minute things 😅 After posting the article, I got a lovely comment as shown below: " Very Interesting! But Privacy " To fix this, I get inside the instance and generate a SSL/TLS certificate for the Webhook URL using the following command: sudo certbot --nginx -d app.codewithpravesh.tech Enter fullscreen mode Exit fullscreen mode and Voila! , everything got setup, it changes the Nginx config file (email-assistant) accordingly. The only thing left to do was just just http to https in the webhook URL. 🙌 Final Thoughts This was such a fun and technically challenging project! Big thanks to Postmark and the Dev.to team for organizing this challenge and giving us a platform to innovate. 💛 I learned a ton about: Webhooks & mail routing FastAPI production setups DNS + Postmark integration Using LLMs in real-world tools 🧠 Try the app → assistant@codewithpravesh.tech 🎥 Watch the demo → YouTube Walkthrough If you liked this project, leave a ❤️, star the repo , and feel free to reach out on Twitter or LinkedIn . 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 Nevo David Nevo David Nevo David Follow Founder of Postiz, an open-source social media scheduling tool. Running Gitroom, the best place to learn how to grow open-source tools. Education Didn't finish high school :( Pronouns Nev/Nevo Work OSS Chief @ Gitroom Joined Feb 23, 2022 • Jun 5 '25 Dropdown menu Copy link Hide Pretty cool seeing how you actually battled through those mail loops and DNS headaches – respect for just sticking with it and getting it all to work. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jun 5 '25 Dropdown menu Copy link Hide Thanks buddy, Mail loop was actually a big one! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Parag Nandy Roy Parag Nandy Roy Parag Nandy Roy Follow CEO & Founder at Think to Share. Empowering Businesses with tailored Artificial Intelligence solutions. AI Software Enthusiast. Location Kolkata, West Bengal, India Work CEO & Founder at Think to Share Joined May 24, 2025 • Jun 6 '25 Dropdown menu Copy link Hide Super cool build, Pravesh! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jun 6 '25 Dropdown menu Copy link Hide Thanks Parag! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Dotallio Dotallio Dotallio Follow Joined Apr 7, 2025 • Jun 5 '25 Dropdown menu Copy link Hide Loved the story about debugging that email loop - felt that pain before! Any cool use cases for this beyond quick answers or summaries? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jun 5 '25 Dropdown menu Copy link Hide Thanks! That loop had me sweating 😅. Beyond summaries, we can extend the program by adding features like auto-reply for customer support, newsletter digests, or even daily briefings—basically turning email into a lightweight AI interface. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Francesco Larossa Francesco Larossa Francesco Larossa Follow My name is Francesco, and I’ve been programming for over ten years. What started as a simple curiosity quickly evolved into a true passion—and eventually into my profession. Location Milan, Italy Joined Jun 4, 2025 • Jun 5 '25 Dropdown menu Copy link Hide Very interesting! But... Privacy? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jun 5 '25 • Edited on Jun 6 • Edited Dropdown menu Copy link Hide For security, the only traffic we allow is HTTP access (all over) and SSH (from my IP), the only thing I forgot to add is SSL/TLS Certificate. Will do it soon! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Dupe Dupe Dupe Follow Dupe.com is your aesthetic-matchmaker and budget-saver in one. We connect you with furniture that looks like your dream items—without the premium prices that usually come with them. Location P.O. Box 780 Abingdon, MD 21009 Joined Jun 9, 2025 • Jun 9 '25 Dropdown menu Copy link Hide Great, that's interesting. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jun 9 '25 Dropdown menu Copy link Hide Thanks! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Jakov Jakov Jakov Follow Joined Dec 18, 2023 • Jun 10 '25 Dropdown menu Copy link Hide Thanks for the post Pravesh, very interesting stuff, learned quite a bit reading it. Just a note: Viola is an instrument, I think you meant Voila :) Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pravesh Sudha Pravesh Sudha Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Email programmerpravesh@gmail.com Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 • Jun 10 '25 Dropdown menu Copy link Hide I did a typo XD, fixing it now Like comment: Like comment: 1 like Like Comment button Reply View full discussion (14 comments) 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 Pravesh Sudha Follow AWS Community Builder Bridging critical thinking and innovation, from philosophy to DevOps. Location India Education Hindu College, Delhi University, India Pronouns he/him Work Freelance DevOps Engineer At Fiverr Joined Jul 19, 2024 More from Pravesh Sudha 🌟 Story Weaver: An AI-Powered Multimodal App for Crafting and Experiencing Stories # devchallenge # googleaichallenge # ai # gemini 🚀 Midnight Challenge | Build & Run a Sample dApp with React, Flask & Docker # devchallenge # midnightchallenge # web3 # blockchain ✨ How I Built Philosophy AI Agent for WLH Project # devchallenge # wlhchallenge # bolt # ai 💎 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:31 |
https://www.linkedin.com/company/coderabbitai?trk=organization_guest_main-feed-card_feed-reaction-header | CodeRabbit | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Create an account CodeRabbit Software Development San Francisco, California 24,856 followers Cut Code Review Time & Bugs in Half. Instantly. See jobs Follow View all 117 employees Report this company Overview Jobs About us CodeRabbit is an innovative, AI-driven platform that transforms the way code reviews are done. It delivers context-aware, human-like reviews, improving code quality, reducing the time and effort required for thorough manual code reviews, and enabling teams to ship software faster. Trusted by over a thousand organizations, including The Economist, Life360, ConsumerAffairs, Hasura, and many more, to improve their code review workflow. CodeRabbit is SOC 2 Type 2, GDPR certified, and doesn't train on customer's proprietary code. Website https://coderabbit.ai External link for CodeRabbit Industry Software Development Company size 51-200 employees Headquarters San Francisco, California Type Privately Held Founded 2023 Products CodeRabbit CodeRabbit DevOps Software Ship quality code faster with CodeRabbit's AI code reviews. We offer codebase-aware line-by-line reviews with 1-click fixes to speed up your code review process. Merge PRs 50% faster with 50% fewer bugs. Locations Primary San Francisco, California, US Get directions Bengaluru, IN Get directions Employees at CodeRabbit John Demko Ashmeet Sidana Daniel Cohen Miles Mulcare See all employees Updates CodeRabbit reposted this Santosh Yadav 1d Edited Report this post Hey friends hope you had a great weekend, this week was tough for #tailwindcss as project was struggling with funding, good thing this time everyone cared and rushed in to save the project for another day. But the question remains open, is Open Source ever going to be sustainable? Cc: CodeRabbit Open Source funding was always broken Santosh Yadav on LinkedIn 39 1 Comment Like Comment Share CodeRabbit 24,856 followers 16h Report this post Rohit Khanna is going to be sharing how AI is already reshaping real engineering work, which is exactly the kind of conversation we care about at CodeRabbit! If you're in the area and available to attend, you'll not want to miss out! 🐰 Nishant Chandra 18h Edited Over the past year, I've had the same conversation with engineering leaders over and over again. AI isn't just changing how we write code. It's changing how we think about code review, how we structure teams, who we hire, and honestly, what's even worth building in the first place. But most of the conversations happening publicly? They're polished keynotes and product pitches. What's missing are the messy, honest rooms where people can actually think out loud. That's what we're trying to create with FutureLab at Newton School of Technology . The first session is happening in collaboration with The Product Folks . We're bringing together engineering leaders who are living through this shift right now, not theorizing about it. We'll start with a panel: Rohit Khanna (VP Engineering, CodeRabbit ), Rohit Nambiar (VP Engineering, Paytm ), and Aditya C. (VP Engineering, MoEngage ), moderated by Suhas Motwani (Co-founder, The Product Folks ). Then we open it up. No agenda, no script. Just people who've been in the trenches comparing notes, disagreeing, and figuring things out together. If you're actively dealing with how engineering workflows, team structures, and production realities are shifting in an AI-first world, this might be worth your time. Details and invite requests here: https://luma.com/oq62rgmn 8 Like Comment Share CodeRabbit reposted this Devario J. 17h Report this post I've been evaluating agentic code review from a few different sources (openAI, CodeRabbit etc) and so far...Im deeply in love with CodeRabbit . 11 4 Comments Like Comment Share CodeRabbit 24,856 followers 2d Report this post Letting users pick their favorite LLM feels empowering, but it destroys quality, consistency, and cost. The best UX? No model dropdown at all. Here’s why that choice should belong to evaluation, not preference. 👇 https://lnkd.in/ehCzRD5n 14 Like Comment Share CodeRabbit 24,856 followers 3d Report this post Ranking every PR we've ever reviewed 36 4 Comments Like Comment Share CodeRabbit reposted this Nithin K. 4d Report this post When the CEO of the world's most valuable tech company makes a statement like this, you pay attention. This isn't just an endorsement. It's a signal. “We are using CodeRabbit all over NVIDIA!” - Jensen at CES 2026 Michael Fox Mayur Gandhi Rohit Khanna Sahil M Bansal Ritvi Mishra Aravind Putrevu Lewis Mbae Sohum Tanksali Daniel Cohen David Loker Geetika Mehndiratta Hendrik Krack Erik Thorelli #AI #SoftwareDevelopment #CodeReview #NVIDIA #EngineeringExcellence #DevTools 75 3 Comments Like Comment Share CodeRabbit reposted this Amanda Saunders 5d Edited Report this post Big milestone for open AI in production. CodeRabbit just announced support for NVIDIA Nemotron in their AI code review platform. Real open-source models. Real developer workflows. Real production impact. By integrating Nemotron, CodeRabbit is giving teams more flexibility, better cost control, and strong reasoning performance without being locked into a single proprietary model. It’s a great example of how open models are moving beyond research and into day-to-day engineering tools. The future of AI isn’t one giant model. It’s specialized systems, powered by open models, running where and how developers choose. 👏 Huge shoutout to the CodeRabbit team for pushing open AI forward. Read more: https://lnkd.in/eXrbMRVi #agenticAI #AIinAction #opensourceAI …more 77 1 Comment Like Comment Share CodeRabbit 24,856 followers 5d Edited Report this post Mastra ships a mission-critical TypeScript agent framework used by companies like SoftBank and Adobe. For their 1.0 release, they had: > A fast-moving codebase > Zero room for breaking changes. Problem: Moving that fast without a reliable code review tool meant that bugs could slip through. Before CodeRabbit they tried multiple AI review tools and struggled to trust them! But now they have: > 70–85% of comments accepted > 0 follow‐up PRs > A clear baseline for what “review ready” means. Read more below 👇 https://lnkd.in/evwEasyZ 11 Like Comment Share CodeRabbit reposted this Harjot Gill 6d Report this post “We are using CodeRabbit all over NVIDIA!” - Jensen at CES 2026 NVIDIA AI 1,564,692 followers 6d 🤯 100% of NVIDIA engineers code with AI—and they’re checking in 3x more code than before. At that scale, human-only code review can’t keep up. CodeRabbit review agents use models like Claude and GPT with NVIDIA Nemotron to: ✅ Pull context from code, docs, project trackers, and more ✅ Use Nemotron’s long context and reasoning to summarize ✅ …so that frontier models can flag issues and suggest fixes in minutes, not days. Join us today at 11 AM PT to see an end-to-end demo and bring your Qs: https://nvda.ws/4aN0sNi 🤗 Get Nemotron Nano 3: https://nvda.ws/4qKwJJz 159 22 Comments Like Comment Share CodeRabbit reposted this NVIDIA AI 1,564,692 followers 6d Report this post 🤯 100% of NVIDIA engineers code with AI—and they’re checking in 3x more code than before. At that scale, human-only code review can’t keep up. CodeRabbit review agents use models like Claude and GPT with NVIDIA Nemotron to: ✅ Pull context from code, docs, project trackers, and more ✅ Use Nemotron’s long context and reasoning to summarize ✅ …so that frontier models can flag issues and suggest fixes in minutes, not days. Join us today at 11 AM PT to see an end-to-end demo and bring your Qs: https://nvda.ws/4aN0sNi 🤗 Get Nemotron Nano 3: https://nvda.ws/4qKwJJz …more 382 17 Comments Like Comment Share Join now to see what you are missing Find people you know at CodeRabbit Browse recommended jobs for you View all updates, news, and articles Join now Similar pages Toplyne Software Development San Francisco, California Dyna Robotics Technology, Information and Internet Redwood City, CA Overmind Software Development Ema Software Development MetalBear Software Development New York, NY Traycer Software Development Alegeus Financial Services Boston, Massachusetts PassiveLogic Software Development Salt Lake City, UT Snapp AI Technology, Information and Internet San Francisco, CA Vercel Software Development San Francisco, California Show more similar pages Show fewer similar pages Browse jobs Engineer jobs 555,845 open jobs Engineering Manager jobs 145,990 open jobs Developer jobs 258,935 open jobs Analyst jobs 694,057 open jobs Manager jobs 1,880,925 open jobs Director jobs 1,220,357 open jobs Full Stack Engineer jobs 38,546 open jobs Software Engineering Manager jobs 59,689 open jobs Director of Product Management jobs 14,985 open jobs Senior Software Engineer jobs 78,145 open jobs Senior Product Manager jobs 50,771 open jobs Product Manager jobs 199,941 open jobs Scientist jobs 48,969 open jobs Associate Software Engineer jobs 223,979 open jobs Marketing Manager jobs 106,879 open jobs Consultant jobs 760,907 open jobs Software Engineer jobs 300,699 open jobs Co-Founder jobs 5,680 open jobs Quality Assurance Engineer jobs 31,450 open jobs Frontend Developer jobs 17,238 open jobs Show more jobs like this Show fewer jobs like this Funding CodeRabbit 5 total rounds Last Round Series B Oct 16, 2025 External Crunchbase Link for last round of funding US$ 60.0M Investors Scale Venture Partners + 5 Other investors See more info on crunchbase More searches More searches Engineer jobs Software Engineer jobs Associate Product Manager jobs Account Executive jobs Business Development Specialist jobs Principal Software Engineer jobs Manager jobs Chief Technology Officer jobs Director jobs Automotive Engineer jobs Engineering Manager jobs Scientist jobs Developer jobs Senior Product Manager jobs Co-Founder jobs Android Developer jobs Customer Engineer jobs Technical Lead jobs Technology Supervisor jobs Lead jobs Application Engineer jobs Enterprise Account Executive jobs Director of Engineering jobs Intelligence Specialist jobs Senior Software Engineering Manager jobs Sales Engineer jobs Director Hardware jobs Director of Hardware Engineering jobs Account Manager jobs Deployment Engineer jobs Principal Architect jobs Group Product Manager jobs Senior Manager jobs Head of Analytics jobs Head of Product Management jobs Software Test Lead jobs Trade Specialist jobs Field Director jobs User Experience Designer jobs Principal Engineer jobs Assistant Vice President jobs Software Test Manager jobs Strategy Analyst jobs Director of Product Management jobs Associate Software Engineer jobs Security Manager jobs Legal Associate jobs Senior Scientist jobs Vice President of Engineering jobs Client Account Director jobs Designer jobs Field Application Scientist jobs Java Software Engineer jobs Analyst jobs Account Strategist jobs Intern jobs Tester jobs Business Analyst jobs Marketing Director jobs Test Engineer jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at CodeRabbit Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:31 |
https://postmarkapp.com/blog/an-introduction-to-inbound-email-parsing-what-it-is-and-how-you-can-do-it | 🐙 Check out Postmark's new MCP Server! Try it out x An introduction to inbound email parsing (What it is, and how you can do it) | Postmark Postmark Log In Why Postmark? Product Features Email API SMTP Service Message Streams Transactional Email Email Delivery Email Templates Inbound Email Analytics & Retention Integrations Postmark For Agencies Enterprise Startups Bootstrapped Startups Side Projects Postmark vs. SendGrid Mailgun Amazon SES SparkPost Mandrill Pricing Resources Blog API Documentation Getting Started Email Guides Email Comic Webinars Videos Podcast Labs DMARC Digests Glossary Help Support Center Contact Support Talk to Sales Status Log in Start free trial Why Postmark? Product Features Email API SMTP Service Message Streams Transactional Email Email Delivery Email Templates Inbound Email Analytics & Retention Integrations Postmark For Agencies Enterprise Startups Bootstrapped Startups Side Projects Postmark vs. SendGrid Mailgun Amazon SES SparkPost Mandrill Pricing Resources Blog API Documentation Getting Started Email Guides Email Comic Webinars Videos Podcast Labs DMARC Digests Glossary Help Support Center Contact Support Talk to Sales Status Log in Start free trial Start free trial Already have an account? Log in → Email delivery October 16th, 2024 An introduction to inbound email parsing (What it is, and how you can do it) Matt Reibach Share Twitter Facebook LinkedIn Email Although email may seem simple at surface level, each email that is sent actually contains quite a bit of data that can be useful. This data can include basic fields like the Subject line, To and From addresses, and when the message was sent, but can also include detailed information such as the full message content, full message headers, and even attachments. Processing all of this data manually can be very difficult and time consuming. Email parsing can remove much of this complexity and help you start utilizing the data in your inbound mail streams. What is email parsing? # Email parsing allows you to provide an email message, often by sending it to a specific email address, and then have the email message represented in a data structure that is easy to work with in code, such as JSON. There are many potential uses for this data, for example: Your application allows people to send or reply to tickets and you need a way to take action on their response in code You want to maintain a record of inbound messages in your database You have a social application that allows users to post and comment on other posts via email Automating order fulfillment in e-commerce We even built an app that utilizes Postmark’s Inbound Webhook to parse incoming messages, which are then passed along to two AI models for sentiment analysis and a content summary Here is an example of an email that has been parsed into JSON: { "From": "myUser@theirDomain.com", "MessageStream": "inbound", "FromName": "My User", "FromFull": { "Email": "myUser@theirDomain.com", "Name": "John Doe", "MailboxHash": "" }, "To": "451d9b70cf9364d23ff6f9d51d870251569e+ahoy@inbound.postmarkapp.com", "ToFull": [ { "Email": "451d9b70cf9364d23ff6f9d51d870251569e+ahoy@inbound.postmarkapp.com", "Name": "", "MailboxHash": "ahoy" } ], "Cc": "\"Full name\" <sample.cc@emailDomain.com>, \"Another Cc\" <another.cc@emailDomain.com>", "CcFull": [ { "Email": "sample.cc@emailDomain.com", "Name": "Full name", "MailboxHash": "" }, { "Email": "another.cc@emailDomain.com", "Name": "Another Cc", "MailboxHash": "" } ], "Bcc": "\"Full name\" <451d9b70cf9364d23ff6f9d51d870251569e@inbound.postmarkapp.com>", "BccFull": [ { "Email": "451d9b70cf9364d23ff6f9d51d870251569e@inbound.postmarkapp.com", "Name": "Full name", "MailboxHash": "" } ], "OriginalRecipient": "451d9b70cf9364d23ff6f9d51d870251569e+ahoy@inbound.postmarkapp.com", "ReplyTo": "myUsersReplyAddress@theirDomain.com", "Subject": "This is an inbound message", "MessageID": "22c74902-a0c1-4511-804f-341342852c90", "Date": "Thu, 5 Apr 2012 16:59:01 +0200", "MailboxHash": "ahoy", "TextBody": "[ASCII]", "HtmlBody": "[HTML]", "StrippedTextReply": "Ok, thanks for letting me know!", "Tag": "", "Headers": [ { "Name": "X-Spam-Checker-Version", "Value": "SpamAssassin 3.3.1 (2010-03-16) onrs-ord-pm-inbound1.wildbit.com" }, { "Name": "X-Spam-Status", "Value": "No" }, { "Name": "X-Spam-Score", "Value": "-0.1" }, { "Name": "X-Spam-Tests", "Value": "DKIM_SIGNED,DKIM_VALID,DKIM_VALID_AU,SPF_PASS" }, { "Name": "Received-SPF", "Value": "Pass (sender SPF authorized) identity=mailfrom; client-ip=209.85.160.180; helo=mail-gy0-f180.google.com; envelope-from=myUser@theirDomain.com; receiver=451d9b70cf9364d23ff6f9d51d870251569e+ahoy@inbound.postmarkapp.com" }, { "Name": "DKIM-Signature", "Value": "v=1; a=rsa-sha256; c=relaxed/relaxed; d=wildbit.com; s=google; h=mime-version:reply-to:message-id:subject:from:to:cc :content-type; bh=cYr/+oQiklaYbBJOQU3CdAnyhCTuvemrU36WT7cPNt0=; b=QsegXXbTbC4CMirl7A3VjDHyXbEsbCUTPL5vEHa7hNkkUTxXOK+dQA0JwgBHq5C+1u iuAJMz+SNBoTqEDqte2ckDvG2SeFR+Edip10p80TFGLp5RucaYvkwJTyuwsA7xd78NKT Q9ou6L1hgy/MbKChnp2kxHOtYNOrrszY3JfQM=" }, { "Name": "MIME-Version", "Value": "1.0" }, { "Name": "Message-ID", "Value": "<CAGXpo2WKfxHWZ5UFYCR3H_J9SNMG+5AXUovfEFL6DjWBJSyZaA@mail.gmail.com>" } ], "Attachments": [ { "Name": "myimage.png", "Content": "[BASE64-ENCODED CONTENT]", "ContentType": "image/png", "ContentLength": 4096, "ContentID": "myimage.png@01CE7342.75E71F80" }, { "Name": "mypaper.doc", "Content": "[BASE64-ENCODED CONTENT]", "ContentType": "application/msword", "ContentLength": 16384, "ContentID": "" } ] } Your application can easily access any of these fields as needed, or the entire message can be saved to your database to be accessed at any time. Structured vs. Unstructured Emails # A structured email will typically be an email generated by a process or application that contains the same layout and types of information each time it is sent. Examples of structured emails include order confirmations, new replies to a message or support forum, and form submissions on a website. Unstructured emails can come from any source and don’t follow a set template. They can also include any type of content. Some examples of unstructured emails are promotional emails, direct one to one messages, and newsletters. Postmark’s inbound parsing does not differentiate between structured and unstructured email - it can parse both! Structured emails are typically easier to work with after being parsed due to the predictable nature of the content, but there are many uses for unstructured emails as well such sentiment analysis . How to use Postmark for email parsing # In order to start parsing emails with Postmark you will need to set up an inbound webhook. Each Postmark Server comes with an associated inbound message stream, which has an inbound email address that you can use to receive emails as JSON. The inbound email address will be in the format of a GUID@inbound.postmarkapp.com, such as 482d8814b3864b2c8ba7f7679fc116bf@inbound.postmarkapp.com. You can access your inbound email address in the Setup Instructions and Settings pages of the server's inbound message stream. Each inbound message stream can have one inbound webhook URL. Setting the inbound webhook URL for a stream tells Postmark where to send the JSON for emails received at the inbound email address for that stream or the stream's inbound forwarding domain. When logged into Postmark, select the inbound message stream and go to the Settings page. The Webhook field is where you input your webhook URL. Once you enter a URL for receiving inbound webhooks you can use the Check button to confirm that your URL is working as expected. When you check the URL we will send an example inbound webhook to your URL and let you know if we get back a 200 HTTP response code (success) or an unsuccessful response from your URL. Once you have configured your inbound webhook URL the next step is to test its ability to correctly process inbound emails by sending an email to your inbound email address. You can also try sending multiple emails with different formats (plain text, HTML, attachments, etc…) to ensure that your application is handling all scenarios correctly. Next steps # In addition to parsing messages by forwarding them to the email address provided by Postmark, you can also set up Inbound Domain Forwarding . This feature allows you to configure your MX records so that all email sent to a domain or subdomain is processed by Postmark. For most use cases we recommend using a subdomain with this feature, as modifying MX records on your main domain will modify how all email sent to your domain is processed. Here are some additional resources to help you get started with inbound message processing with Postmark: Implementing Inbound Processing from the Postmark manual Inbound processing user guide from the API user guides Inbound webhooks from the API documentation If you are already using Zapier and want an email parser or just need a place to host your webhook endpoint and don’t want to write any code then Zapier webhooks can be used as your endpoint. Using Zapier as your email parser endpoint also allows you to easily take advantage of the other tools and integrations provided by Zapier using the data parsed from your email. Share Twitter Facebook LinkedIn Email Matt Reibach Developer Relations at ActiveCampaign and Postmark. @MattReibach Email best practices and industry news. Delivered monthly. Our monthly newsletter is packed full of email tips, product announcements, and interviews with industry experts. Email* Please verify your request* Subscribe More in Email delivery List-unsubscribe headers: Here’s everything you need to know Your 2024 guide to Google & Yahoo’s new requirements for email senders Tutorial: how to retrieve large datasets with the Messages API and node.js 5 Amazon SES alternatives, recommended by... an Amazon SES competitor?! Can you send bulk/marketing email with Postmark? Yes! Outbound SMTP Outage on September 15-16, 2024 By Postmark team Announcing the Postman Collection for Postmark By Matt Reibach Product Pricing Customers Reviews Dedicated IPs Referral Partner Program Latest Updates Features Email API SMTP Service Message Streams Transactional Email Email Delivery Templates Inbound Email Analytics & Retention Integrations Webhooks Security Email Experts Rebound Postmark For Agencies Startups Enterprise Bootstrapped Startups Side Projects Developers Postmark vs. SendGrid SparkPost Mailgun Amazon SES Mandrill Resources Blog API Documentation Getting Started Email Guides Email Comic Videos Podcast DMARC Digests Webinars Labs Migration Guides Newsletter Glossary Help Support Center Contact Support Talk to Sales Service Status Visit ActiveCampaign for: Marketing Automation CRM & Sales Automation Landing Pages SMS Automation Made with ♥ at ActiveCampaign Privacy Policy ↗ Cookie Policy Terms of Service EU Data Protection © ActiveCampaign, LLC , 2026. | 2026-01-13T08:49:31 |
https://dev.to/t/software/page/10 | Software Page 10 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # software Follow Hide All things related to software development and engineering. Create Post Older #software posts 7 8 9 10 11 12 13 14 15 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Hardware vs Software: Which One Really Came First? Usama Usama Usama Follow Nov 29 '25 Hardware vs Software: Which One Really Came First? # hardware # vs # software 1 reaction Comments Add Comment 2 min read Comparison of strings is case-sensitive Onaolapo-11 Onaolapo-11 Onaolapo-11 Follow Nov 29 '25 Comparison of strings is case-sensitive # python # softwaredevelopment # software # softwareengineering Comments Add Comment 2 min read How Data Security Fuels Innovation in AI and Analytics Anshul Kichara Anshul Kichara Anshul Kichara Follow Nov 18 '25 How Data Security Fuels Innovation in AI and Analytics # devops # database # software Comments Add Comment 3 min read How Pharmacy Software Is Quietly Becoming the Backbone of Modern Healthcare CHILLICODE CHILLICODE CHILLICODE Follow Oct 28 '25 How Pharmacy Software Is Quietly Becoming the Backbone of Modern Healthcare # webdev # softwaredevelopment # software Comments Add Comment 4 min read Ecommerce Site Speed Secrets: Bulk-Compressing Product Images With Zero Downtime Image Optimizer Pro Image Optimizer Pro Image Optimizer Pro Follow Nov 28 '25 Ecommerce Site Speed Secrets: Bulk-Compressing Product Images With Zero Downtime # website # web3 # beginners # software 4 reactions Comments Add Comment 4 min read When Your OS Becomes Your Enemy And Linux Becomes Your Exit v. Splicer v. Splicer v. Splicer Follow Nov 27 '25 When Your OS Becomes Your Enemy And Linux Becomes Your Exit # discuss # linux # privacy # software 1 reaction Comments 2 comments 5 min read AI Won’t Replace You, But an Engineer Who Knows How to Use It Might BetterEngineer BetterEngineer BetterEngineer Follow Nov 26 '25 AI Won’t Replace You, But an Engineer Who Knows How to Use It Might # ai # software # developers Comments 1 comment 2 min read Jenis-Jenis Protokol Komunikasi pada Aplikasi Modern Nandan Ramdani Nandan Ramdani Nandan Ramdani Follow Oct 23 '25 Jenis-Jenis Protokol Komunikasi pada Aplikasi Modern # architect # software # protocol # programming Comments Add Comment 3 min read Jenis-Jenis Aplikasi dan Arsitekturnya Nandan Ramdani Nandan Ramdani Nandan Ramdani Follow Oct 23 '25 Jenis-Jenis Aplikasi dan Arsitekturnya # software # architecture # application # webdev Comments Add Comment 2 min read Test Plan and Non-Functional Requirements (NFR) Document Loveline Chioma Ezenwafor Loveline Chioma Ezenwafor Loveline Chioma Ezenwafor Follow Oct 22 '25 Test Plan and Non-Functional Requirements (NFR) Document # software # testing # playwright # beginners 5 reactions Comments Add Comment 2 min read Value Objects in PHP 8: Let's introduce a functional approach Christian Nastasi Christian Nastasi Christian Nastasi Follow Nov 23 '25 Value Objects in PHP 8: Let's introduce a functional approach # programming # php # functional # software 9 reactions Comments 7 comments 12 min read Who Really Gets the Attention in Tech? The Loud Thinkers or the Quiet Doers? Yaseen Yaseen Yaseen Follow Nov 25 '25 Who Really Gets the Attention in Tech? The Loud Thinkers or the Quiet Doers? # leadership # developers # productivity # software Comments Add Comment 2 min read The Tool I Finally Built to Escape My Terminal Chaos Christoffer Madsen Christoffer Madsen Christoffer Madsen Follow Nov 19 '25 The Tool I Finally Built to Escape My Terminal Chaos # webdev # development # software # tooling 3 reactions Comments 5 comments 4 min read 🔐 How to Change Your Password in Uniface 10.4: A Simple Guide Peter + AI Peter + AI Peter + AI Follow Oct 19 '25 🔐 How to Change Your Password in Uniface 10.4: A Simple Guide # security # software # tutorial Comments Add Comment 3 min read Why AWS AIOps Matters Now.. A Technical Breakdown for DevOps and SRE Teams Anshul Kichara Anshul Kichara Anshul Kichara Follow Nov 22 '25 Why AWS AIOps Matters Now.. A Technical Breakdown for DevOps and SRE Teams # devops # software # ai Comments Add Comment 4 min read The life of a software dev girl: nos bastidores de quase 5 anos no mundo da tecnologia. Sidia Sousa Sidia Sousa Sidia Sousa Follow Oct 17 '25 The life of a software dev girl: nos bastidores de quase 5 anos no mundo da tecnologia. # programming # career # carreira # software Comments Add Comment 3 min read Code Review Best Practices: When (and When Not) to Use "Request Changes" Gustavo Araujo Gustavo Araujo Gustavo Araujo Follow Oct 29 '25 Code Review Best Practices: When (and When Not) to Use "Request Changes" # programming # software # git # collaboration 6 reactions Comments Add Comment 2 min read Declarative Programming Through the Lens of Reversible Computation canonical canonical canonical Follow Nov 21 '25 Declarative Programming Through the Lens of Reversible Computation # antlr4 # programming # computerscience # software Comments Add Comment 10 min read Software Engineering Forgot About KISS Leon Pennings Leon Pennings Leon Pennings Follow Nov 20 '25 Software Engineering Forgot About KISS # software # architecture # engineering Comments Add Comment 5 min read Personas Are the Missing Link in Your Requirements Docs (and Test Strategy) Mr. 0x1 Mr. 0x1 Mr. 0x1 Follow Oct 30 '25 Personas Are the Missing Link in Your Requirements Docs (and Test Strategy) # documentation # software # ai 1 reaction Comments 3 comments 3 min read Traceability of AI Systems: Why It’s a Hard Engineering Problem Auditry Auditry Auditry Follow Oct 16 '25 Traceability of AI Systems: Why It’s a Hard Engineering Problem # ai # mlops # governance # software 2 reactions Comments Add Comment 5 min read The Secret Life of Python: The String Intern Pool - When Two Strings Are One Object Aaron Rose Aaron Rose Aaron Rose Follow Nov 7 '25 The Secret Life of Python: The String Intern Pool - When Two Strings Are One Object # python # coding # programming # software 5 reactions Comments Add Comment 13 min read How Modern EDI Software is Simplifying Data Integration for Developers and Businesses Anthony Palomo Anthony Palomo Anthony Palomo Follow Oct 17 '25 How Modern EDI Software is Simplifying Data Integration for Developers and Businesses # developer # data # automation # software Comments Add Comment 3 min read AI forward deployed engineers: The force powering real-world AI adoption Gayatri Sachdeva Gayatri Sachdeva Gayatri Sachdeva Follow for DronaHQ Oct 17 '25 AI forward deployed engineers: The force powering real-world AI adoption # ai # software # webdev # vibecoding Comments Add Comment 7 min read Context Engineering: The critical Infrastructure challenge in production LLM systems Siddhant Khare Siddhant Khare Siddhant Khare Follow Nov 17 '25 Context Engineering: The critical Infrastructure challenge in production LLM systems # ai # software # programming # architecture 5 reactions Comments 2 comments 7 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:31 |
https://forem.com/t/computerscience#main-content | Computer Science 🤓 - 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 Computer Science 🤓 Follow Hide This tag is for sharing and asking questions about anything related to computer science, including data structures, algorithms, research, and white papers! 🤓 Create Post submission guidelines Please ensure that any post that is tagged with #computerscience is related to computer science in some way. Promotional posts will be untagged, as will posts unrelated to CS. Please also be sure that your content adheres to the DEV Code of Conduct and that your comments are constructive and kind. about #computerscience Did you learn about a new data structure recently? Or perhaps you tried to implement an algorithm in a new language? Or maybe you need help understanding a white paper? The #computerscience tag is a great place for any of these questions and ideas. Please be sure to cross-tag any content that might help other folks in the DEV community. For example, an introduction to linked lists should also be tagged with the #beginners tag. Similarly, a post that asks for a simple explanation to the traveling salesman problem should be tagged with the #explainlikeimfive tag. Older #computerscience posts 1 2 3 4 5 6 7 8 9 … 75 … 239 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Mathematical Audit of Excalidraw: Finding "Logic Echoes" via Linear Algebra Petar Liovic Petar Liovic Petar Liovic Follow Jan 12 Mathematical Audit of Excalidraw: Finding "Logic Echoes" via Linear Algebra # architecture # computerscience # react # tooling 1 reaction Comments Add Comment 3 min read Multi-dimensional Arrays & Row-major Order: A Deep Dive ali ehab algmass ali ehab algmass ali ehab algmass Follow Jan 12 Multi-dimensional Arrays & Row-major Order: A Deep Dive # webdev # programming # computerscience # learning Comments Add Comment 5 min read TIL: Byzantine Generals Problem in Real-World Distributed Systems Evan Lin Evan Lin Evan Lin Follow Jan 11 TIL: Byzantine Generals Problem in Real-World Distributed Systems # computerscience # learning # systemdesign Comments Add Comment 3 min read Paper Review: Scaling Up to Excellence: Practicing Model Scaling for Photo-Realistic Image Restoration In the Wild Evan Lin Evan Lin Evan Lin Follow Jan 11 Paper Review: Scaling Up to Excellence: Practicing Model Scaling for Photo-Realistic Image Restoration In the Wild # computerscience # machinelearning # deeplearning # ai Comments Add Comment 2 min read Is Learning Programming Without a Computer Science Degree Realistic? syed shabeh syed shabeh syed shabeh Follow Jan 12 Is Learning Programming Without a Computer Science Degree Realistic? # programming # computerscience # developers # webdev 2 reactions Comments Add Comment 1 min read Golang for Mach-O File Reverse Engineering Evan Lin Evan Lin Evan Lin Follow Jan 11 Golang for Mach-O File Reverse Engineering # computerscience # go # security Comments Add Comment 2 min read Dynamic Arrays: Low-Level Implementation & Amortized Analysis ali ehab algmass ali ehab algmass ali ehab algmass Follow Jan 11 Dynamic Arrays: Low-Level Implementation & Amortized Analysis # algorithms # computerscience # performance Comments Add Comment 4 min read Artificial Intelligence in Smart Grids — A Comprehensive Survey rachmad andri atmoko rachmad andri atmoko rachmad andri atmoko Follow Jan 10 Artificial Intelligence in Smart Grids — A Comprehensive Survey # ai # computerscience # iot Comments Add Comment 20 min read Interactive Program Developement - Semester Project Aleena Mubashar Aleena Mubashar Aleena Mubashar Follow Jan 10 Interactive Program Developement - Semester Project # discuss # programming # beginners # computerscience Comments 1 comment 4 min read I'm in 3rd Year - Here's My Complete OS Guide for Campus Placements 📚 Rajat Parihar Rajat Parihar Rajat Parihar Follow Jan 9 I'm in 3rd Year - Here's My Complete OS Guide for Campus Placements 📚 # operatingsystems # placements # computerscience # linux 5 reactions Comments Add Comment 25 min read Separate Stack for separate Thread. Saiful Islam Saiful Islam Saiful Islam Follow Jan 10 Separate Stack for separate Thread. # webdev # operatingsystm # computerscience # architecture 2 reactions Comments Add Comment 7 min read Contiguous Memory & Cache Locality ali ehab algmass ali ehab algmass ali ehab algmass Follow Jan 10 Contiguous Memory & Cache Locality # algorithms # computerscience # performance Comments Add Comment 3 min read Memory Layout: Heap vs Stack ali ehab algmass ali ehab algmass ali ehab algmass Follow Jan 9 Memory Layout: Heap vs Stack # computerscience # programming # architecture # learning Comments Add Comment 3 min read Interactive Big O Notation Guide Sergiy Bondaryev Sergiy Bondaryev Sergiy Bondaryev Follow Jan 9 Interactive Big O Notation Guide # computerscience # programming # javascript # webdev Comments Add Comment 1 min read Hysteresis in Neural Networks — Part 1 Ertugrul Ertugrul Ertugrul Follow Jan 9 Hysteresis in Neural Networks — Part 1 # ai # computerscience # deeplearning # machinelearning Comments Add Comment 4 min read Two Pointers (Same Direction) Jayaprasanna Roddam Jayaprasanna Roddam Jayaprasanna Roddam Follow Jan 9 Two Pointers (Same Direction) # algorithms # computerscience # interview # performance Comments Add Comment 3 min read Why Your Python Tuple Can't Be a Dictionary Key Samuel Ochaba Samuel Ochaba Samuel Ochaba Follow Jan 9 Why Your Python Tuple Can't Be a Dictionary Key # python # programming # computerscience # ai Comments Add Comment 1 min read Google's LEGO tribute 🧩 Jigyasa Grover Jigyasa Grover Jigyasa Grover Follow for Google Developer Experts Jan 9 Google's LEGO tribute 🧩 # computerscience # dataengineering # google # systemdesign 24 reactions Comments 8 comments 1 min read System Design Intro #Day-1 VINAY TEJA ARUKALA VINAY TEJA ARUKALA VINAY TEJA ARUKALA Follow Jan 9 System Design Intro #Day-1 # systemdesign # beginners # computerscience # interview Comments Add Comment 2 min read What Every Programmer Should Know About Memory Part 4 Hamza Hasanain Hamza Hasanain Hamza Hasanain Follow Jan 7 What Every Programmer Should Know About Memory Part 4 # programming # computerscience # ai # cpp 5 reactions Comments Add Comment 10 min read Segmentation and Memory Aayush Sharma Aayush Sharma Aayush Sharma Follow Jan 7 Segmentation and Memory # architecture # computerscience Comments Add Comment 5 min read My Key Takeaways from DDIA Chapter 1: Reliability, Scalability, and Maintainability Faizan Firdousi Faizan Firdousi Faizan Firdousi Follow Jan 7 My Key Takeaways from DDIA Chapter 1: Reliability, Scalability, and Maintainability # systemdesign # distributedsystems # architecture # computerscience Comments Add Comment 2 min read How Clocks Turn Manual Logic into Automated Calculation? Jithendiran Jithendiran Jithendiran Follow Jan 5 How Clocks Turn Manual Logic into Automated Calculation? # computerscience Comments Add Comment 7 min read Running Form Tech: Improve Your Gait With This DIY AI Analysis wellallyTech wellallyTech wellallyTech Follow Jan 5 Running Form Tech: Improve Your Gait With This DIY AI Analysis # opencv # python # computerscience # healthtech Comments Add Comment 2 min read mHC [Paper Cuts] Leo Lau Leo Lau Leo Lau Follow Jan 6 mHC [Paper Cuts] # architecture # computerscience # deeplearning # machinelearning Comments Add Comment 3 min read loading... trending guides/resources Is "Vibe Coding" Ruining My CS Degree? The 2026 Computer Science Playbook: How to Learn, Where to Focus, and What It Really Takes to Get... How to build a firmware using Makefile? 📘 Lean — A Language for Formal Proofs and Verified Mathematics How an Interrupt Reaches the CPU (Part 1) Some indexing data structures Understanding How Computers Actually Work Supercomputer Coatlicue: Scientific ambition or political spectacle? Linux history Goroutines, OS Threads, and the Go Scheduler — A Deep Dive That Actually Makes Sense Google's LEGO tribute 🧩 CPUs & RAM Explained — How Computers Actually Think and Remember Introduction to GNU, GDB, ELF, and LLDB Why Every Engineer Should Learn to Read Research Papers (And How to Start) Why 0.1 + 0.2 != 0.3: Building a Precise Calculator with Go's Decimal Package 🍬 Jelly — The Language Built for Code Golf and Extreme Compression Elbrus (E2K): a CPU architecture that thinks like a compiler History of Java Line by Line, But HOW Do I Construct A BSP Tree? Xtensa: the CPU architecture you already use (without knowing it) 💎 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:31 |
https://github.com/angular/angular | GitHub - angular/angular: Deliver web apps with confidence 🚀 Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} angular / angular Public Notifications You must be signed in to change notification settings Fork 27k Star 99.7k Deliver web apps with confidence 🚀 angular.dev License MIT license 99.7k stars 27k forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 1k Pull requests 89 Discussions Actions Projects 2 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Discussions Actions Projects Security Insights angular/angular main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 36,108 Commits .devcontainer .devcontainer .gemini .gemini .github .github .husky .husky .ng-dev .ng-dev .vscode .vscode adev adev contributing-docs contributing-docs dev-app dev-app devtools devtools goldens goldens integration integration modules modules packages packages scripts scripts third_party third_party tools tools vscode-ng-language-service vscode-ng-language-service .bazelrc .bazelrc .bazelversion .bazelversion .clang-format .clang-format .editorconfig .editorconfig .git-blame-ignore-revs .git-blame-ignore-revs .gitattributes .gitattributes .gitignore .gitignore .gitmessage .gitmessage .mailmap .mailmap .npmrc .npmrc .nvmrc .nvmrc .pnpmfile.cjs .pnpmfile.cjs .prettierignore .prettierignore .prettierrc .prettierrc .pullapprove.yml .pullapprove.yml BUILD.bazel BUILD.bazel CHANGELOG.md CHANGELOG.md CHANGELOG_ARCHIVE.md CHANGELOG_ARCHIVE.md CODE_OF_CONDUCT.md CODE_OF_CONDUCT.md CONTRIBUTING.md CONTRIBUTING.md LICENSE LICENSE MODULE.bazel MODULE.bazel MODULE.bazel.lock MODULE.bazel.lock README.md README.md REPO.bazel REPO.bazel SECURITY.md SECURITY.md browser-providers.conf.d.ts browser-providers.conf.d.ts browser-providers.conf.js browser-providers.conf.js context7.json context7.json gulpfile.js gulpfile.js karma-js.conf.js karma-js.conf.js package.json package.json packages.bzl packages.bzl pnpm-lock.yaml pnpm-lock.yaml pnpm-workspace.yaml pnpm-workspace.yaml renovate.json renovate.json tsconfig-tslint.json tsconfig-tslint.json tslint.json tslint.json View all files Repository files navigation README Code of conduct Contributing MIT license Security Angular - The modern web developer's platform Angular is a development platform for building mobile and desktop web applications using TypeScript/JavaScript and other languages. angular.dev Contributing Guidelines · Submit an Issue · Blog Documentation Get started with Angular, learn the fundamentals and explore advanced topics on our documentation website. Getting Started Architecture Components and Templates Forms API Advanced Angular Elements Server Side Rendering Schematics Lazy Loading Animations Local Development To contribute to the Angular Docs, check out the Angular.dev README Development Setup Prerequisites Install Node.js which includes Node Package Manager Setting Up a Project Install the Angular CLI globally: npm install -g @angular/cli Create workspace: ng new [PROJECT NAME] Run the application: cd [PROJECT NAME] ng serve Angular is cross-platform, fast, scalable, has incredible tooling, and is loved by millions. Quickstart Get started in 5 minutes . Ecosystem Angular Command Line (CLI) Angular Material Changelog Learn about the latest improvements . Upgrading Check out our upgrade guide to find out the best way to upgrade your project. Contributing Contributing Guidelines Read through our contributing guidelines to learn about our submission process, coding rules, and more. Want to Help? Want to report a bug, contribute some code, or improve the documentation? Excellent! Read up on our guidelines for contributing and then check out one of our issues labeled as help wanted or good first issue . Code of Conduct Help us keep Angular open and inclusive. Please read and follow our Code of Conduct . Community Join the conversation and help the community. X (formerly Twitter) Bluesky Discord YouTube StackOverflow Find a Local Meetup Love Angular? Give our repo a star ⭐ ⬆️. About Deliver web apps with confidence 🚀 angular.dev Topics javascript angular typescript web-performance web pwa web-framework Resources Readme License MIT license Code of conduct Code of conduct Contributing Contributing Security policy Security policy Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 99.7k stars Watchers 3k watching Forks 27k forks Report repository Releases 587 21.0.8 Latest Jan 8, 2026 + 586 releases Uh oh! There was an error while loading. Please reload this page . Contributors 2,206 Uh oh! There was an error while loading. Please reload this page . + 2,192 contributors Languages TypeScript 87.2% JavaScript 6.8% HTML 2.2% Starlark 2.0% CSS 1.0% SCSS 0.7% Other 0.1% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:49:31 |
https://open.forem.com/t/beginners#for-articles | Beginners - Open 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 Open Forem Close Beginners Follow Hide "A journey of a thousand miles begins with a single step." -Chinese Proverb Create Post submission guidelines UPDATED AUGUST 2, 2019 This tag is dedicated to beginners to programming, development, networking, or to a particular language. Everything should be geared towards that! For Questions... Consider using this tag along with #help, if... You are new to a language, or to programming in general, You want an explanation with NO prerequisite knowledge required. You want insight from more experienced developers. Please do not use this tag if you are merely new to a tool, library, or framework. See also, #explainlikeimfive For Articles... Posts should be specifically geared towards true beginners (experience level 0-2 out of 10). Posts should require NO prerequisite knowledge, except perhaps general (language-agnostic) essentials of programming. Posts should NOT merely be for beginners to a tool, library, or framework. If your article does not meet these qualifications, please select a different tag. Promotional Rules Posts should NOT primarily promote an external work. This is what Listings is for. Otherwise accepable posts MAY include a brief (1-2 sentence) plug for another resource at the bottom. Resource lists ARE acceptable if they follow these rules: Include at least 3 distinct authors/creators. Clearly indicate which resources are FREE, which require PII, and which cost money. Do not use personal affiliate links to monetize. Indicate at the top that the article contains promotional links. about #beginners If you're writing for this tag, we recommend you read this article . If you're asking a question, read this article . Older #beginners posts 1 2 3 4 5 6 7 8 9 … 75 … 3379 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu digital marketing Junaid Rana Junaid Rana Junaid Rana Follow Jan 9 digital marketing # ai # programming # beginners # productivity Comments Add Comment 5 min read How to Build a website in 2026: Complete Beginner’s Guide (The Smartest Way to Launch Online This Year) Yogendra Prajapati Yogendra Prajapati Yogendra Prajapati Follow Jan 9 How to Build a website in 2026: Complete Beginner’s Guide (The Smartest Way to Launch Online This Year) # webdev # beginners # tools # business Comments Add Comment 8 min read What I Wish I Knew Before My First LED Strip Install: Light Diffusion + Power Planning emmma emmma emmma Follow Jan 6 What I Wish I Knew Before My First LED Strip Install: Light Diffusion + Power Planning # beginners # design # hardware Comments Add Comment 3 min read Science behind Mountain Formation Gustavo Woltmann Gustavo Woltmann Gustavo Woltmann Follow Jan 4 Science behind Mountain Formation # beginners # learning # science Comments Add Comment 5 min read My Journey: Technology, Knowledge, and Building Meaningful Platforms ARVIND GUPTA ARVIND GUPTA ARVIND GUPTA Follow Dec 22 '25 My Journey: Technology, Knowledge, and Building Meaningful Platforms # technology # software # softwaredevelopment # beginners Comments Add Comment 2 min read Abrir Propriedades do Sistema via CMD (Windows) Carlos Eduardo De Souza Lemos Carlos Eduardo De Souza Lemos Carlos Eduardo De Souza Lemos Follow Dec 22 '25 Abrir Propriedades do Sistema via CMD (Windows) # beginners # learning # productivity Comments Add Comment 2 min read The Art of Mastering Spoken English: A Complete Journey from Silence to Eloquence Abdulla A Abdulla A Abdulla A Follow Dec 23 '25 The Art of Mastering Spoken English: A Complete Journey from Silence to Eloquence # beginners # learning # motivation 1 reaction Comments Add Comment 7 min read 🌿 5 Simple Habits to Improve Your Daily Life Dharmikk Baria Dharmikk Baria Dharmikk Baria Follow Dec 23 '25 🌿 5 Simple Habits to Improve Your Daily Life # watercooler # beginners # motivation Comments Add Comment 1 min read Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story Rajguru Yadav Rajguru Yadav Rajguru Yadav Follow Dec 27 '25 Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story # discuss # programming # ai # beginners 10 reactions Comments Add Comment 3 min read My North Star as an AI Founder (And Why I’m Not Changing It) Jaideep Parashar Jaideep Parashar Jaideep Parashar Follow Dec 18 '25 My North Star as an AI Founder (And Why I’m Not Changing It) # webdev # ai # beginners # productivity 15 reactions Comments 3 comments 3 min read Why is Displacement a straight line from the starting point to the ending point? Shiva Charan Shiva Charan Shiva Charan Follow Dec 11 '25 Why is Displacement a straight line from the starting point to the ending point? # beginners # learning # science Comments Add Comment 2 min read Scalar vs Vector Shiva Charan Shiva Charan Shiva Charan Follow Dec 11 '25 Scalar vs Vector # beginners # learning # science Comments Add Comment 2 min read What Is Displacement? Shiva Charan Shiva Charan Shiva Charan Follow Dec 11 '25 What Is Displacement? # beginners # learning # science Comments Add Comment 2 min read Understanding the FTSE AIM 100: A Look at the UK’s Dynamic Growth Market Isabel Rayn Isabel Rayn Isabel Rayn Follow Dec 11 '25 Understanding the FTSE AIM 100: A Look at the UK’s Dynamic Growth Market # watercooler # beginners # learning Comments Add Comment 4 min read 4.4 ऋग्वैदिक काल Anil Anil Anil Follow Dec 5 '25 4.4 ऋग्वैदिक काल # beginners # education # learning Comments Add Comment 1 min read 🚀 How I Got 25,000+ Views in 2 Days on a YouTube Short Menula De Silva Menula De Silva Menula De Silva Follow Dec 4 '25 🚀 How I Got 25,000+ Views in 2 Days on a YouTube Short # socialmedia # webdev # productivity # beginners 1 reaction Comments Add Comment 3 min read Starting Over in 2026? Here’s How to Create a Vision Board That Supports a Fresh New Beginning Aparnaa Jadhav Aparnaa Jadhav Aparnaa Jadhav Follow Dec 4 '25 Starting Over in 2026? Here’s How to Create a Vision Board That Supports a Fresh New Beginning # beginners # motivation # productivity Comments Add Comment 4 min read Best Courses to Learn AI for 2026 Hameed Ansari Hameed Ansari Hameed Ansari Follow Dec 8 '25 Best Courses to Learn AI for 2026 # ai # programming # productivity # beginners 5 reactions Comments Add Comment 1 min read All Ordinaries: A Comprehensive Insight Into Australia’s Broad Market Benchmark Amelia Hartley Amelia Hartley Amelia Hartley Follow Dec 4 '25 All Ordinaries: A Comprehensive Insight Into Australia’s Broad Market Benchmark # beginners # learning Comments Add Comment 4 min read How to Search Non-Patent Literature for Prior Art Alisha Raza Alisha Raza Alisha Raza Follow for PatentScanAI Dec 1 '25 How to Search Non-Patent Literature for Prior Art # beginners # learning # productivity Comments Add Comment 7 min read Understanding the FTSE AIM 100 Index and the Growth Potential of Its Companies Bella Stewart Bella Stewart Bella Stewart Follow Dec 1 '25 Understanding the FTSE AIM 100 Index and the Growth Potential of Its Companies # beginners # learning Comments Add Comment 3 min read Running Without a Plan and Learning Who I Am Miles Hensley Miles Hensley Miles Hensley Follow Nov 29 '25 Running Without a Plan and Learning Who I Am # watercooler # beginners # motivation Comments Add Comment 11 min read A Beginner’s Guide to Power Yoga for Weight Loss and Strength bhaktimeshakti bhaktimeshakti bhaktimeshakti Follow Nov 30 '25 A Beginner’s Guide to Power Yoga for Weight Loss and Strength # watercooler # motivation # learning # beginners Comments Add Comment 6 min read Beginner’s Guide to IT Support Ticketing Systems Amit khan Amit khan Amit khan Follow Nov 27 '25 Beginner’s Guide to IT Support Ticketing Systems # beginners # career # helpedesk # productivity Comments 1 comment 3 min read ## ⏳ From Dot-Com Bubble to Digital Hype: Learning from the Past Jean Klebert de A Modesto Jean Klebert de A Modesto Jean Klebert de A Modesto Follow Nov 27 '25 ## ⏳ From Dot-Com Bubble to Digital Hype: Learning from the Past # discuss # productivity # career # beginners 3 reactions Comments Add Comment 2 min read loading... trending guides/resources Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story Abrir Propriedades do Sistema via CMD (Windows) How to Organize Your Notes Using Printable Lined Paper — A Simple Productivity Hack How to Find Patent Prior Art in Research Papers Understanding the All Ordinaries Index: Structure, Purpose, and Market Role Science behind Mountain Formation Understanding ASX 200 Futures and Their Role in Market Observation Understanding the Basics of Pay-Per-Click (PPC) Advertising A Beginner’s Guide to Power Yoga for Weight Loss and Strength All Ordinaries: A Comprehensive Insight Into Australia’s Broad Market Benchmark Decoding Startup Success: Understanding Burn Rate, Runway, and Churn Metrics Understanding the FTSE AIM 100 Index and the Growth Potential of Its Companies Creating a Physical Wired Network in Cisco Packet Tracer - My Experience | Israh Binoj Best Courses to Learn AI for 2026 Yelken Eğitiminde Hissetmenin Bilgiyi Geçtiği An: Teknenin Sizinle Konuştuğu O An Yelken Eğitiminde Sabır: Rüzgarın Öğrettiği En Değerli Ders How We Process Information Using The DIKW Model How to fix: “less than 1MB free space" Warning 📍Un Viaje Continuo: De Córdoba a Barcelona A Beginner’s Guide to Channel Attribution Modeling in Marketing 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/inbox-react-native#installation | React Native (Headless) - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native React Native (Headless) HMAC Authentication DEPRECATED Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation React Native React Native (Headless) Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog React Native React Native (Headless) OpenAI Open in ChatGPT Integrate SuprSend inbox in React Native using the headless library and hooks. OpenAI Open in ChatGPT The Headless Inbox library provides hooks that can be integrated into React Native components for building inbox, and toast functionality in your applications. Installation npm yarn Copy Ask AI npm install @suprsend/react-headless Initialization Enclose your app in SuprSendProvider like below and pass the workspace key , distinct_id , and subscriber_id . App.js Copy Ask AI import { SuprSendProvider } from "@suprsend/react-headless" ; function App () { return ( < SuprSendProvider workspaceKey = "<workspace_key>" subscriberId = "<subscriber_id>" distinctId = "<distinct_id>" > < YourAppCode /> </ SuprSendProvider > ); } SuprSend hooks can only be used inside of SuprSendProvider. Adding SuprSend inbox component 1) useBell hook This hook provides unSeenCount, markAllSeen which is related to the Bell icon in the inbox unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markAllSeen : Used to mark seen for all notifications. Call this method on clicking the bell icon so that it will reset the bell count to 0. Bell.js Copy Ask AI import { useBell } from "@suprsend/react-headless" ; function Bell () { const { unSeenCount , markAllSeen } = useBell (); return < p onClick = { () => markAllSeen () } > { unSeenCount } </ p > ; } 2) useNotifications hook This hook provides a notifications list, unSeenCount, markClicked, markAllSeen. notifications : List of all notifications. This array can be looped and notifications can be displayed. unSeenCount : Use this variable to show the unseen notification count anywhere in your application. markClicked : Method used to mark a notification as clicked. Pass notification id which is clicked as the first param. markAllRead : This method is used to mark all individual notifications as seen. Add a button anywhere in your notification tray as Mark all as read and on clicking of that call this method. mark all read sample Notifications.js Copy Ask AI import { useNotifications } from "@suprsend/react-headless" ; function Notifications () { const { notifications , markAllRead } = useNotifications (); return ( < div > < h3 > Notifications </ h3 > < p onClick = { () => { markAllRead ()} } > Mark all read </ p > { notifications . map (( notification ) => { return ( < NotificationItem notification = { notification } key = { notification . n_id } markClicked = { markClicked } /> ); }) } </ div > ); } function NotificationItem ({ notification , markClicked }) { const message = notification . message ; const created = new Date ( notification . created_on ). toDateString (); return ( < div onClick = { () => { markClicked ( notification . n_id ); } } style = { { backgroundColor: "lightgray" , margin: 2 , borderRadius: 5 , padding: 4 , cursor: "pointer" , } } > < div style = { { display: "flex" } } > < p > { message . header } </ p > { ! notification . seen_on && < p style = { { color: "green" } } > * </ p > } </ div > < div > < p > { message . text } </ p > </ div > < div > < p style = { { fontSize: "12px" } } > { created } </ p > </ div > </ div > ); } Notification object structure: Notification.js Copy Ask AI interface IRemoteNotification { n_id : string n_category : string created_on : number seen_on ?: number message : IRemoteNotificationMessage } interface IRemoteNotificationMessage { header : string schema : string text : string url : string extra_data ?: string actions ?: { url : string ; name : string }[] avatar ?: { avatar_url ?: string ; action_url ?: string } subtext ?: { text ?: string ; action_url ?: string } } 3) useEvent hook This hook is an event emitter when and takes arguments event type and callback function when the event happens. Must be called anywhere inside SuprSendProvider Handled Events: new_notification: Called when the new notification occurs can be used to show toast in your application. Sample.js Copy Ask AI import { useEvent } from "@suprsend/react-headless" ; function Home () { useEvent ( "new_notification" , ( newNotification ) => { console . log ( "new notification data: " , newNotification ); alert ( "You have new notifications" ); }); return < p > Home </ p > ; } Example implementation Check the example implementation. Was this page helpful? Yes No Suggest edits Raise issue Previous HMAC Authentication Steps to safely authenticate users and generate subscriber-id in headless Inbox implementation. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Adding SuprSend inbox component 1) useBell hook 2) useNotifications hook 3) useEvent hook Example implementation | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/whatsapp-quick-start | Whatsapp - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Overview Email SMS Whatsapp Inbox Mobile Push Web Push Slack Microsoft Teams Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Quick Start Guide Whatsapp Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Quick Start Guide Whatsapp OpenAI Open in ChatGPT Set up guide to send Whatsapp notifications via SuprSend. OpenAI Open in ChatGPT Create SuprSend account Simply signup on SuprSend to create your account. If you already have your company account setup, ask your admin to invite you to the team. Start testing in Sandbox workspace Your SuprSend account includes three default workspaces: Sandbox, Staging, and Production. You can switch between them from the top navigation bar, and create additional workspaces if needed. Sandbox Demo Workspace with pre-configured vendors for quick exploration and POC. Includes a sample workflow, a sample user with your registered email and pre-configured channels for quick testing. Limitation: Available for a trial period and Whatsapp notifications can be sent only to verified phone numbers (to prevent spam). Staging Development workspace used to test notification flows before pushing it to production. You can enable Test Mode to safely test notification flows without delivering to real users. In Test Mode, notifications is delivered only to designated internal testers. You can also set up a catch-all channel to redirect all notifications intended for non-test users. Production Live workspace for syncing your actual product users and running production workflows. We do not recommend making changes directly in your production workspace as it might disrupt your live notifications. Create a workflow Workflow houses the automation logic of your notification. Each workflow starts with a trigger, processes the defined logic, and sends one or more messages to the end user. You can create a workflow from SuprSend dashboard by clicking on + Create workflow button on the workflows tab . To design a workflow, you need: A Trigger point - Trigger initiates the workflow. You can initiate it Using the direct workflow API , where you can include recipient channel information, preferences, and actor details directly in the trigger. By emitting an event (note: the recipient needs to be pre-created for event-based triggers). Delivery node - Delivery Nodes represent the channels where users will receive notifications. You can use: multi-channel nodes, to send messages across multiple channels, smart channel routing , to notify users sequentially rather than bombarding them on all channels at once (though it’s generally better to use). Template in delivery node contains the content of the notification. You can add both static and dynamic content sourced from user properties or trigger payloads. We use handlebars as our WhatsApp templating language. You can add dynamic content as {{var}} . Add trigger data in the mock to get variable auto-suggestions during editing. Ensure to publish the template before using it in a workflow. Learn more about how to design WhatsApp template here Functional nodes (Optional) These are the logic nodes in the workflow. You can use it to add delay, batch multiple notifications in a summary or add conditional branches in the workflow. Check out all workflow nodes here. Trigger the workflow You can trigger a test workflow directly from dashboard by clicking on ‘ Test ’ button in your workflow editor or “ Commit ” changes to trigger it from your code. We follow Git like versioning for workflow changes, so you need to commit your changes to trigger new workflow via the API. You can check all methods of triggering workflow here . To trigger a workflow, you need: Recipient : End user who would be notified in the workflow run. Recipient is uniquely identified by distinct_id within SuprSend and must have the relevant channel identity set in their profile. You can define recipient inline in case of API based trigger or create user profile first for event based trigger. In Sandbox environment, a sample user with your registered email ID is pre-created for testing. You can always add more users or edit existing user profile from subscriber page on UI. Data or Event Properties : This will be used to render dynamic content in the template (added in template mock) or variables in the workflow configuration. We’ll be triggering the workflow with direct API trigger for quick testing. You can check all trigger methods here. Sample payload for API based trigger You can get workspace key, secret or API Key for trigger from Settings tab -> API Keys curl python node go java Copy Ask AI curl --request POST \ --url https://hub.suprsend.com/trigger/ \ --header 'Authorization: Bearer __api_key__' \ --header 'accept: application/json' \ --header 'content-type: application/json' \ --data ' { "workflow": "_workflow_slug_", "recipients": [ { "distinct_id": "0gxxx9f14-xxxx-23c5-1902-xxxcb6912ab09", "$whatsapp":["+12135555444"], "name":"recipient_1" } ], "data":{ "first_name": "User", "invoice_amount": "$5000", "invoice_id":"Invoice-1234" } } ' Check notification logs You can view the status of any sent notification under the Logs tab. Logs are organized in the following order: Requests : Captures all API/SDK requests sent to SuprSend from your backend or frontend. You can see the input payload and request response here. Executions : Workflow executions are logged here. You can click on a log entry to open the step-by-step workflow debugger Messages : All delivery nodes (including webhooks) are tracked here along with their message status (delivered, seen, clicked). Message preview for delivered notifications will also be available soon. Test with your WhatsApp vendor You have to bring your own vendor to setup WhatsApp notification in your staging and production workspaces. However, you can test your workflows in Sandbox where sample vendors are pre-added. You can clone workflows from one workspace to another. All you have to do is fill in the vendor form for your respective vendor and you are good to go. Push to Production In SuprSend, each environment is isolated, meaning workflows, users, and vendors are configured separately in testing and production workspaces. Follow this go live checklist to setup things in production once you are done testing. Was this page helpful? Yes No Suggest edits Raise issue Previous Inbox Set up guide to send In-app Inbox notifications via SuprSend. Next ⌘ I x github linkedin youtube Powered by On this page Create SuprSend account Start testing in Sandbox workspace Create a workflow Trigger the workflow Check notification logs Test with your WhatsApp vendor Push to Production | 2026-01-13T08:49:31 |
https://realpython.com/python-list/ | Python's list Data Type: A Deep Dive With Examples – Real Python Start Here Learn Python Python Tutorials → In-depth articles and video courses Learning Paths → Guided study plans for accelerated learning Quizzes & Exercises → Check your learning progress Browse Topics → Focus on a specific area or skill level Community Chat → Learn with other Pythonistas Office Hours → Live Q&A calls with Python experts Podcast → Hear what’s new in the world of Python Books → Round out your knowledge and learn offline Reference → Concise definitions for common Python terms Code Mentor → Beta Personalized code assistance & learning tools Unlock All Content → More Learner Stories Python Newsletter Python Job Board Meet the Team Become a Tutorial Writer Become a Video Instructor Search / Join Sign‑In — FREE Email Series — 🐍 Python Tricks 💌 Get Python Tricks » 🔒 No spam. Unsubscribe any time. Browse Topics Guided Learning Paths Basics Intermediate Advanced ai algorithms api best-practices career community databases data-science data-structures data-viz devops django docker editors flask front-end gamedev gui machine-learning news numpy projects python stdlib testing tools web-dev web-scraping Table of Contents Getting Started With Python’s list Data Type Constructing Lists in Python Creating Lists Through Literals Using the list() Constructor Building Lists With List Comprehensions Accessing Items in a List: Indexing Retrieving Multiple Items From a List: Slicing Creating Copies of a List Aliases of a List Shallow Copies of a List Deep Copies of a List Updating Items in Lists: Index Assignments Growing and Shrinking Lists Dynamically Appending a Single Item at Once: .append() Extending a List With Multiple Items at Once: .extend() Inserting an Item at a Given Position: .insert() Deleting Items From a List Considering Performance While Growing Lists Concatenating and Repeating Lists Concatenating Lists Repeating the Content of a List Reversing and Sorting Lists Reversing a List: reversed() and .reverse() Sorting a List: sorted() and .sort() Traversing Lists Using a for Loop to Iterate Over a List Building New Lists With Comprehensions Processing Lists With Functional Tools Exploring Other Features of Lists Finding Items in a List Getting the Length, Maximum, and Minimum of a List Comparing Lists Common Gotchas of Python Lists Subclassing the Built-In list Class Putting Lists Into Action Removing Repeated Items From a List Creating Multidimensional Lists Flattening Multidimensional Lists Splitting Lists Into Chunks Using a List as a Stack or Queue Deciding Whether to Use Lists Conclusion Mark as Completed Share Recommended Video Course Exploring Python's list Data Type With Examples Python's list Data Type: A Deep Dive With Examples by Leodanis Pozo Ramos Reading time estimate 1h 49m intermediate data-structures python Mark as Completed Share Table of Contents Getting Started With Python’s list Data Type Constructing Lists in Python Creating Lists Through Literals Using the list() Constructor Building Lists With List Comprehensions Accessing Items in a List: Indexing Retrieving Multiple Items From a List: Slicing Creating Copies of a List Aliases of a List Shallow Copies of a List Deep Copies of a List Updating Items in Lists: Index Assignments Growing and Shrinking Lists Dynamically Appending a Single Item at Once: .append() Extending a List With Multiple Items at Once: .extend() Inserting an Item at a Given Position: .insert() Deleting Items From a List Considering Performance While Growing Lists Concatenating and Repeating Lists Concatenating Lists Repeating the Content of a List Reversing and Sorting Lists Reversing a List: reversed() and .reverse() Sorting a List: sorted() and .sort() Traversing Lists Using a for Loop to Iterate Over a List Building New Lists With Comprehensions Processing Lists With Functional Tools Exploring Other Features of Lists Finding Items in a List Getting the Length, Maximum, and Minimum of a List Comparing Lists Common Gotchas of Python Lists Subclassing the Built-In list Class Putting Lists Into Action Removing Repeated Items From a List Creating Multidimensional Lists Flattening Multidimensional Lists Splitting Lists Into Chunks Using a List as a Stack or Queue Deciding Whether to Use Lists Conclusion Remove ads Watch Now This tutorial has a related video course created by the Real Python team. Watch it together with the written tutorial to deepen your understanding: Exploring Python's list Data Type With Examples The list class is a fundamental built-in data type in Python. It has an impressive and useful set of features, allowing you to efficiently organize and manipulate heterogeneous data. Knowing how to use lists is a must-have skill for you as a Python developer. Lists have many use cases, so you’ll frequently reach for them in real-world coding. By working through this tutorial, you’ll dive deep into lists and get a solid understanding of their key features. This knowledge will allow you to write more effective code by taking advantage of lists. In this tutorial, you’ll learn how to: Create new lists in Python Access the items in an existing list Copy , update , grow , shrink , and concatenate existing lists Sort , reverse , and traverse existing lists Use other features of Python lists In addition, you’ll code some examples that showcase common use cases of lists in Python. They’ll help you understand how to better use lists in your code. To get the most out of this tutorial, you should have a good understanding of core Python concepts, including variables , functions , and for loops . You’ll also benefit from familiarity with other built-in data types , such as strings , tuples , dictionaries , and sets . Free Bonus: Click here to download the sample code that will make you an expert on Python’s list data type. Getting Started With Python’s list Data Type Python’s list is a flexible, versatile, powerful, and popular built-in data type . It allows you to create variable-length and mutable sequences of objects. In a list , you can store objects of any type. You can also mix objects of different types within the same list, although list elements often share the same type. Note: Throughout this tutorial, you’ll use the terms items , elements , and values interchangeably to refer to the objects stored in a list. Some of the more relevant characteristics of list objects include being: Ordered : They contain elements or items that are sequentially arranged according to their specific insertion order. Zero-based : They allow you to access their elements by indices that start from zero. Mutable : They support in-place mutations or changes to their contained elements. Heterogeneous : They can store objects of different types. Growable and dynamic : They can grow or shrink dynamically, which means that they support the addition, insertion, and removal of elements. Nestable : They can contain other lists, so you can have lists of lists. Iterable : They support iteration, so you can traverse them using a loop or comprehension while you perform operations on each of their elements. Sliceable : They support slicing operations, meaning that you can extract a series of elements from them. Combinable : They support concatenation operations, so you can combine two or more lists using the concatenation operators. Copyable : They allow you to make copies of their content using various techniques. Lists are sequences of objects. They’re commonly called containers or collections because a single list can contain or collect an arbitrary number of other objects. Note: In Python, lists support a rich set of operations that are common to all sequence types, including tuples , strings, and ranges . These operations are known as common sequence operations . Throughout this tutorial, you’ll learn about several operations that fall into this category. In Python, lists are ordered, which means that they keep their elements in the order of insertion: Python >>> colors = [ ... "red" , ... "orange" , ... "yellow" , ... "green" , ... "blue" , ... "indigo" , ... "violet" ... ] >>> colors ['red', 'orange', 'yellow', 'green', 'blue', 'indigo', 'violet'] The items in this list are strings representing colors. If you access the list object, then you’ll see that the colors keep the same order in which you inserted them into the list. This order remains unchanged during the list’s lifetime unless you perform some mutations on it. You can access an individual object in a list by its position or index in the sequence. Indices start from zero: Python >>> colors [ 0 ] 'red' >>> colors [ 1 ] 'orange' >>> colors [ 2 ] 'yellow' >>> colors [ 3 ] 'green' Positions are numbered from zero to the length of the list minus one. The element at index 0 is the first element in the list, the element at index 1 is the second, and so on. Lists can contain objects of different types. That’s why lists are heterogeneous collections: Python [ 42 , "apple" , True , { "name" : "John Doe" }, ( 1 , 2 , 3 ), [ 3.14 , 2.78 ]] This list contains objects of different data types, including an integer number , string, Boolean value, dictionary , tuple, and another list. Even though this feature of lists may seem cool, in practice you’ll find that lists typically store homogeneous data. Note: One of the most relevant characteristics of lists is that they’re mutable data types. This feature deeply impacts their behavior and use cases. For example, mutability implies that lists aren’t hashable , so you can’t use them as dictionary keys . You’ll learn a lot about how mutability affects lists throughout this tutorial. So, keep reading! Okay! That’s enough for a first glance at Python lists. In the rest of this tutorial, you’ll dive deeper into all the above characteristics of lists and more. Are you ready? To kick things off, you’ll start by learning the different ways to create lists. Remove ads Constructing Lists in Python First things first. If you want to use a list to store or collect some data in your code, then you need to create a list object. You’ll find several ways to create lists in Python. That’s one of the features that make lists so versatile and popular. For example, you can create lists using one of the following tools: List literals The list() constructor A list comprehension In the following sections, you’ll learn how to use the three tools listed above to create new lists in your code. You’ll start off with list literals. Creating Lists Through Literals List literals are probably the most popular way to create a list object in Python. These literals are fairly straightforward. They consist of a pair of square brackets enclosing a comma-separated series of objects. Here’s the general syntax of a list literal: Python [ item_0 , item_1 , ... , item_n ] This syntax creates a list of n items by listing the items in an enclosing pair of square brackets. Note that you don’t have to declare the items’ type or the list’s size beforehand. Remember that lists have a variable size and can store heterogeneous objects. Here are a few examples of how to use the literal syntax to create new lists: Python >>> digits = [ 0 , 1 , 2 , 3 , 4 , 5 , 6 , 7 , 8 , 9 ] >>> fruits = [ "apple" , "banana" , "orange" , "kiwi" , "grape" ] >>> cities = [ ... "New York" , ... "Los Angeles" , ... "Chicago" , ... "Houston" , ... "Philadelphia" ... ] >>> matrix = [ ... [ 1 , 2 , 3 ], ... [ 4 , 5 , 6 ], ... [ 7 , 8 , 9 ] ... ] >>> inventory = [ ... { "product" : "phone" , "price" : 1000 , "quantity" : 10 }, ... { "product" : "laptop" , "price" : 1500 , "quantity" : 5 }, ... { "product" : "tablet" , "price" : 500 , "quantity" : 20 } ... ] >>> functions = [ print , len , range , type , enumerate ] >>> empty = [] In these examples, you use the list literal syntax to create lists containing numbers, strings, other lists, dictionaries, and even function objects. As you already know, lists can store any type of object. They can also be empty, like the final list in the above code snippet. Empty lists are useful in many situations. For example, maybe you want to create a list of objects resulting from computations that run in a loop. The loop will allow you to populate the empty list one element at a time. Using a list literal is arguably the most common way to create lists. You’ll find these literals in many Python examples and codebases. They come in handy when you have a series of elements with closely related meanings, and you want to pack them into a single data structure. Note that naming lists as plural nouns is a common practice that improves readability. However, there are situations where you can use collective nouns as well. For example, you can have a list called people . In this case, every item will be a person . Another example would be a list that represents a table in a database. You can call the list table , and each item will be a row . You’ll find more examples like these in your walk-through of using lists. Using the list() Constructor Another tool that allows you to create list objects is the class constructor , list() . You can call this constructor with any iterable object, including other lists, tuples, sets, dictionaries and their components, strings, and many others. You can also call it without any arguments, in which case you’ll get an empty list back. Here’s the general syntax: Python list ([ iterable ]) To create a list, you need to call list() as you’d call any class constructor or function. Note that the square brackets around iterable mean that the argument is optional , so the brackets aren’t part of the syntax. Here are a few examples of how to use the constructor: Python >>> list (( 0 , 1 , 2 , 3 , 4 , 5 , 6 , 7 , 8 , 9 )) [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] >>> list ({ "circle" , "square" , "triangle" , "rectangle" , "pentagon" }) ['square', 'rectangle', 'triangle', 'pentagon', 'circle'] >>> list ({ "name" : "John" , "age" : 30 , "city" : "New York" } . items ()) [('name', 'John'), ('age', 30), ('city', 'New York')] >>> list ( "Pythonista" ) ['P', 'y', 't', 'h', 'o', 'n', 'i', 's', 't', 'a'] >>> list () [] In these examples, you create different lists using the list() constructor, which accepts any type of iterable object, including tuples, dictionaries, strings, and many more. It even accepts sets, in which case you need to remember that sets are unordered data structures, so you won’t be able to predict the final order of items in the resulting list. Calling list() without an argument creates and returns a new empty list. This way of creating empty lists is less common than using an empty pair of square brackets. However, in some situations, it can make your code more explicit by clearly communicating your intent: creating an empty list . The list() constructor is especially useful when you need to create a list out of an iterator object. For example, say that you have a generator function that yields numbers from the Fibonacci sequence on demand, and you need to store the first ten numbers in a list. In this case, you can use list() as in the code below: Python >>> def fibonacci_generator ( stop ): ... current_fib , next_fib = 0 , 1 ... for _ in range ( 0 , stop ): ... fib_number = current_fib ... current_fib , next_fib = next_fib , current_fib + next_fib ... yield fib_number ... >>> fibonacci_generator ( 10 ) <generator object fibonacci_generator at 0x10692f3d0> >>> list ( fibonacci_generator ( 10 )) [0, 1, 1, 2, 3, 5, 8, 13, 21, 34] Calling fibonacci_generator() directly returns a generator iterator object that allows you to iterate over the numbers in the Fibonacci sequence up to the index of your choice. However, you don’t need an iterator in your code. You need a list. A quick way to get that list is to wrap the iterator in a call to list() , as you did in the final example. This technique comes in handy when you’re working with functions that return iterators, and you want to construct a list object out of the items that the iterator yields. The list() constructor will consume the iterator, build your list, and return it back to you. Note: You can also use the literal syntax and the iterable unpacking operator ( * ) as an alternative to the list() constructor. Here’s how: Python >>> [ * fibonacci_generator ( 10 )] [0, 1, 1, 2, 3, 5, 8, 13, 21, 34] In this example, the iterable unpacking operator consumes the iterator, and the square brackets build the final list of numbers. However, this technique is less readable and explicit than using list() . As a side note, you’ll often find that built-in and third-party functions return iterators. Functions like reversed() , enumerate() , map() , and filter() are good examples of this practice. It’s less common to find functions that directly return list objects, but the built-in sorted() function is one example. It takes an iterable as an argument and returns a list of sorted items. Remove ads Building Lists With List Comprehensions List comprehensions are one of the most distinctive features of Python. They’re quite popular in the Python community, so you’ll likely find them all around. List comprehensions allow you to quickly create and transform lists using a syntax that mimics a for loop but in a single line of code. The core syntax of list comprehensions looks something like this: Python [ expression ( item ) for item in iterable ] Every list comprehension needs at least three components: expression() is a Python expression that returns a concrete value, and most of the time, that value depends on item . Note that it doesn’t have to be a function. item is the current object from iterable . iterable can be any Python iterable object, such as a list , tuple , set , string , or generator . The for construct iterates over the items in iterable , while expression(item) provides the corresponding list item that results from running the comprehension. To illustrate how list comprehensions allow you to create new lists out of existing iterables, say that you want to construct a list with the square values of the first ten integer numbers. In this case, you can write the following comprehension: Python >>> [ number ** 2 for number in range ( 1 , 11 )] [1, 4, 9, 16, 25, 36, 49, 64, 81, 100] In this example, you use range() to get the first ten integer numbers. The comprehension iterates over them while computing the square and building the new list. This example is just a quick sample of what you can do with a list comprehension. Note: To dive deeper into list comprehensions and how to use them, check out When to Use a List Comprehension in Python . In general, you’ll use a list comprehension when you need to create a list of transformed values out of an existing iterable. Comprehensions are a great tool that you need to master as a Python developer. They’re optimized for performance and are quick to write. Accessing Items in a List: Indexing You can access individual items from a list using the item’s associated index . What’s an item’s index? Each item in a list has an index that specifies its position in the list. Indices are integer numbers that start at 0 and go up to the number of items in the list minus 1 . To access a list item through its index, you use the following syntax: Python list_object [ index ] This construct is known as an indexing operation, and the [index] part is known as the indexing operator . It consists of a pair of square brackets enclosing the desired or target index. You can read this construct as from list_object give me the item at index . Here’s how this syntax works in practice: Python >>> languages = [ "Python" , "Java" , "JavaScript" , "C++" , "Go" , "Rust" ] >>> languages [ 0 ] 'Python' >>> languages [ 1 ] 'Java' >>> languages [ 2 ] 'JavaScript' >>> languages [ 3 ] 'C++' >>> languages [ 4 ] 'Go' >>> languages [ 5 ] 'Rust' Indexing your list with different indices gives you direct access to the underlying items. If you use the Big O notation for time complexity , then you can say that indexing is an O(1) operation. This means that lists are quite good for those situations where you need to access random items from a series of items. Here’s a more visual representation of how indices map to items in a list: "Python" "Java" "JavaScript" "C++" "Go" "Rust" 0 1 2 3 4 5 In any Python list, the index of the first item is 0 , the index of the second item is 1 , and so on. The index of the last item is the number of items minus 1 . The number of items in a list is known as the list’s length . You can check the length of a list by using the built-in len() function: Python >>> len ( languages ) 6 So, the index of the last item in languages is 6 - 1 = 5 . That’s the index of the "Rust" item in your sample list. If you use an index greater than this number in an indexing operation, then you get an IndexError exception: Python >>> languages [ 6 ] Traceback (most recent call last): ... IndexError : list index out of range In this example, you try to retrieve the item at index 6 . Because this index is greater than 5 , you get an IndexError as a result. Using out-of-range indices can be an incredibly common issue when you work with lists, so keep an eye on your target indices. Indexing operations are quite flexible in Python. For example, you can also use negative indices while indexing lists. This kind of index gives you access to the list items in backward order: Python >>> languages [ - 1 ] 'Rust' >>> languages [ - 2 ] 'Go' >>> languages [ - 3 ] 'C++' >>> languages [ - 4 ] 'JavaScript' >>> languages [ - 5 ] 'Java' >>> languages [ - 6 ] 'Python' A negative index specifies an element’s position relative to the right end of the list, moving back to the beginning of the list. Here’s a representation of the process: "Python" "Java" "JavaScript" "C++" "Go" "Rust" -6 -5 -4 -3 -2 -1 You can access the last item in a list using index -1 . Similarly, index -2 specifies the next-to-last item, and so forth. It’s important to note that negative indices don’t start from 0 because 0 already points to the first item. This may be confusing when you’re first learning about negative and positive indices, but you’ll get used to it. It just takes a bit of practice. Note that if you use negative indices, then -len(languages) will be the first item in the list. If you use an index lower than that value, then you get an IndexError : Python >>> languages [ - 7 ] Traceback (most recent call last): ... IndexError : list index out of range When you use an index lower than -len(languages) , you get an error telling you that the target index is out of range. Using negative indices can be very convenient in many situations. For example, accessing the last item in a list is a fairly common operation. In Python, you can do this by using negative indices, like in languages[-1] , which is more readable and concise than doing something like languages[len(languages) - 1] . Note: Negative indices also come in handy when you need to reverse a list, as you’ll learn in the section Reversing and Sorting Lists . As you already know, lists can contain items of any type, including other lists and sequences. When you have a list containing other sequences, you can access the items in any nested sequence by chaining indexing operations. Consider the following list of employee records: Python >>> employees = [ ... ( "John" , 30 , "Software Engineer" ), ... ( "Alice" , 25 , "Web Developer" ), ... ( "Bob" , 45 , "Data Analyst" ), ... ( "Mark" , 22 , "Intern" ), ... ( "Samantha" , 36 , "Project Manager" ) ... ] How can you access the individual pieces of data from any given employee? You can use the following indexing syntax: Python list_of_sequences [ index_0 ][ index_1 ] ... [ index_n ] The number at the end of each index represents the level of nesting for the list. For example, your employee list has one level of nesting. Therefore, to access Alice’s data, you can do something like this: Python >>> employees [ 1 ][ 0 ] 'Alice' >>> employees [ 1 ][ 1 ] 25 >>> employees [ 1 ][ 2 ] 'Web Developer' In this example, when you do employees[1][0] , index 1 refers to the second item in the employees list. That’s a nested list containing three items. The 0 refers to the first item in that nested list, which is "Alice" . As you can see, you can access items in the nested lists by applying multiple indexing operations in a row. This technique is extensible to lists with more than one level of nesting. If the nested items are dictionaries, then you can access their data using keys: Python >>> employees = [ ... { "name" : "John" , "age" : 30 , "job" : "Software Engineer" }, ... { "name" : "Alice" , "age" : 25 , "job" : "Web Developer" }, ... { "name" : "Bob" , "age" : 45 , "job" : "Data Analyst" }, ... { "name" : "Mark" , "age" : 22 , "job" : "Intern" }, ... { "name" : "Samantha" , "age" : 36 , "job" : "Project Manager" } ... ] >>> employees [ 3 ][ "name" ] 'Mark' >>> employees [ 3 ][ "age" ] 22 >>> employees [ 3 ][ "job" ] Intern In this example, you have a list of dictionaries. To access the data from one of the dictionaries, you need to use its index in the list, followed by the target key in square brackets. Remove ads Retrieving Multiple Items From a List: Slicing Another common requirement when working with lists is to extract a portion, or slice , of a given list. You can do this with a slicing operation, which has the following syntax: Python list_object [ start : stop : step ] The [start:stop:step] part of this construct is known as the slicing operator . Its syntax consists of a pair of square brackets and three optional indices, start , stop , and step . The second colon is optional. You typically use it only in those cases where you need a step value different from 1 . Note: Slicing is an operation that’s common to all Python sequence data types, including lists, tuples, strings, ranges, and others. Here’s what the indices in the slicing operator mean: start specifies the index at which you want to start the slicing. The resulting slice includes the item at this index. stop specifies the index at which you want the slicing to stop extracting items. The resulting slice doesn’t include the item at this index. step provides an integer value representing how many items the slicing will skip on each step. The resulting slice won’t include the skipped items. All the indices in the slicing operator are optional. They have the following default values: Index Default Value start 0 stop len(list_object) step 1 The minimal working variation of the indexing operator is [:] . In this variation, you rely on the default values of all the indices and take advantage of the fact that the second colon is optional. The [::] variation of the slicing operator produces the same result as [:] . This time, you rely on the default value of the three indices. Note: Both of the above variations of the slicing operator ( [:] and [::] ) allow you to create a shallow copy of your target list. You’ll learn more about this topic in the Shallow Copies of a List section. Now it’s time for you to explore some examples of how slicing works: Python >>> letters = [ "A" , "a" , "B" , "b" , "C" , "c" , "D" , "d" ] >>> upper_letters = letters [ 0 :: 2 ] # Or [::2] >>> upper_letters ['A', 'B', 'C', 'D'] >>> lower_letters = letters [ 1 :: 2 ] >>> lower_letters ['a', 'b', 'c', 'd'] In this example, you have a list of letters in uppercase and lowercase. You want to extract the uppercase letters into one list and the lowercase letters into another list. The [0::2] operator helps you with the first task, and [1::2] helps you with the second. In both examples, you’ve set step to 2 because you want to retrieve every other letter from the original list. In the first slicing, you use a start of 0 because you want to start from the very beginning of the list. In the second slicing, you use a start of 1 because you need to jump over the first item and start extracting items from the second one. You can use any variation of the slicing operator that fits your needs. In many situations, relying on the default indices is pretty helpful. In the examples above, you rely on the default value of stop , which is len(list_object) . This practice allows you to run the slicing all the way up to the last item of the target list. Here are a few more examples of slicing: Python >>> digits = [ 0 , 1 , 2 , 3 , 4 , 5 , 6 , 7 , 8 , 9 ] >>> first_three = digits [: 3 ] >>> first_three [0, 1, 2] >>> middle_four = digits [ 3 : 7 ] >>> middle_four [3, 4, 5, 6] >>> last_three = digits [ - 3 :] >>> last_three [7, 8, 9] >>> every_other = digits [:: 2 ] >>> every_other [0, 2, 4, 6, 8] >>> every_three = digits [:: 3 ] >>> every_three [0, 3, 6, 9] In these examples, the variable names reflect the portion of the list that you’re extracting in every slicing operation. As you can conclude, the slicing operator is pretty flexible and versatile. It even allows you to use negative indices. Every slicing operation uses a slice object internally. The built-in slice() function provides an alternative way to create slice objects that you can use to extract multiple items from a list. The signature of this built-in function is the following: Python slice ( start , stop , step ) It takes three arguments with the same meaning as the indices in the slicing operator and returns a slice object equivalent to [start:stop:step] . To illustrate how slice() works, get back to the letters example and rewrite it using this function instead of the slicing operator. You’ll end up with something like the following: Python >>> letters = [ "A" , "a" , "B" , "b" , "C" , "c" , "D" , "d" ] >>> upper_letters = letters [ slice ( 0 , None , 2 )] >>> upper_letters ['A', 'B', 'C', 'D'] >>> lower_letters = letters [ slice ( 1 , None , 2 )] >>> lower_letters ['a', 'b', 'c', 'd'] Passing None to any arguments of slice() tells the function that you want to rely on its internal default value, which is the same as the equivalent index’s default in the slicing operator. In these examples, you pass None to stop , which tells slice() that you want to use len(letters) as the value for stop . As an exercise, you can write the digits examples using slice() instead of the slicing operator. Go ahead and give it a try! This practice will help you better understand the intricacies of slicing operations in Python. Finally, it’s important to note that out-of-range values for start and stop don’t cause slicing expressions to raise a TypeError exception. In general, you’ll observe the following behaviors: If start is before the beginning of the list, which can happen when you use negative indices, then Python will use 0 instead. If start is greater than stop , then the slicing will return an empty list. If stop is beyond the length of the list, then Python will use the length of the list instead. Here are some examples that show these behaviors in action: Python >>> colors = [ ... "red" , ... "orange" , ... "yellow" , ... "green" , ... "blue" , ... "indigo" , ... "violet" ... ] >>> len ( colors ) 7 >>> colors [ - 8 :] ['red', 'orange', 'yellow', 'green', 'blue', 'indigo', 'violet'] >>> colors [ 8 :] [] >>> colors [: 8 ] ['red', 'orange', 'yellow', 'green', 'blue', 'indigo', 'violet'] In these examples, your color list has seven items, so len(colors) returns 7 . In the first example, you use a negative value for start . The first item of colors is at index -7 . Because -8 < -7 , Python replaces your start value with 0 , which results in a slice that contains the items from 0 to the end of the list. Note: In the examples above, you use only one colon in each slicing. In day-to-day coding, this is common practice. You’ll only use the second colon if you need to provide a step different from 1 . Here’s an example where step equals 2 : Python >>> colors [:: 2 ] ['red', 'yellow', 'blue', 'violet'] In this example, you set step to 2 because you need a copy of colors that contains every other color. The slicing jumps over two colors in every step and gives you back a list of four colors. In the second example, you use a start value that’s greater than the length of colors . Because there’s nothing to retrieve beyond the end of the list, Python returns an empty list. In the final example, you use a stop value that’s greater than the length of colors . In this case, Python retrieves all the items up to the end of the list. Remove ads Creating Copies of a List Creating copies of an existing list is a common need in Python code. Having a copy ensures that when you change a given list, that change doesn’t affect the original data or the data in other copies. Note: In Python, an object’s identity is a unique identifier that distinguishes it from other objects. You can use the built-in id() function to get the identity of any Python object. In Python’s CPython implementation , an object’s identity coincides with the memory address where the object is stored. In Python, you’ll have two kinds of mechanisms to create copies of an existing list. You can create either: A shallow copy A deep copy Both types of copies have specific characteristics that will directly impact their behavior. In the following sections, you’ll learn how to create shallow and deep copies of existing lists in Python. First, you’ll take a glance at aliases , a related concept that can cause some confusion and lead to issues and bugs. Aliases of a List In Python, you can create aliases of variables using the assignment operator ( = ). Assignments don’t create copies of objects in Python. Instead, they create bindings between the variable and the object involved in the assignment. Therefore, when you have several aliases of a given list, changes in an alias will affect the rest of the aliases. To illustrate how you can create aliases and how they work, consider the following example: Python >>> countries = [ "United States" , "Canada" , "Poland" , "Germany" , "Austria" ] >>> nations = countries >>> id ( countries ) == id ( nations ) True >>> countries [ 0 ] = "United States of America" >>> nations ['United States of America', 'Canada', 'Poland', 'Germany', 'Austria'] In this code snippet, the first highlighted line creates nations as an alias of countries . Note how both variables point to the same object, which you know because the object’s identity is the same. In the second highlighted line, you update the object at index 0 in countries . This change reflects in the nations alias. Assignment statements like the one in the first highlighted line above don’t create copies of the right-hand object. They just create aliases or variables that point to the same underlying object. In general, aliases can come in handy in situations where you need to avoid name collisions in your code or when you need to adapt the names to specific naming patterns. To illustrate, say that you have an app that uses your list of countries as countries in one part of the code. The app requires the same list in another part of the code, but there’s already a variable called countries with other content. If you want both pieces of code to work on the same list, then you can use nations as an alias for countries . A handy way to do this would be to use the as keyword for creating the alias through an implicit assignment , for example, when you import the list from another module . Shallow Copies of a List A shallow copy of an existing list is a new list containing references to the objects stored in the original list. In other words, when you create a shallow copy of a list, Python constructs a new list with a new identity. Then, it inserts references to the objects in the original list into the new list. There are at least three different ways to create shallow copies of an existing list. You can use: The slicing operator, [:] The .copy() method The copy() function from the copy module These three tools demonstrate equivalent behavior. So, to kick things off, you’ll start exploring the slicing operator: Python >>> countries = [ "United States" , "Canada" , "Poland" , "Germany" , "Austria" ] >>> nations = countries [:] >>> nations ['United States', 'Canada', 'Poland', 'Germany', 'Austria'] >>> id ( countries ) == id ( nations ) False The highlighted line creates nations as a shallow copy of countries by using the slicing operator with one colon only. This operation takes a slice from the beginning to the end of countries . In this case, nations and countries have different identities. They’re completely independent list objects. However, the elements in nations are aliases of the elements in countries : Python >>> id ( nations [ 0 ]) == id ( countries [ 0 ]) True >>> id ( nations [ 1 ]) == id ( countries [ 1 ]) True As you can see, items under the same index in both nations and countries share the same object identity. This means that you don’t have copies of the items. You’re really sharing them. This behavior allows you to save some memory when working with lists and their copies. Now, how would this impact the behavior of both lists? If you changed an item in nations , would the change reflect in countries ? The code below will help you answer these questions: Python >>> countries [ 0 ] = "United States of America" >>> countries ['United States of America', 'Canada', 'Poland', 'Germany', 'Austria'] >>> nations ['United States', 'Canada', 'Poland', 'Germany', 'Austria'] >>> id ( countries [ 0 ]) == id ( nations [ 0 ]) False >>> id ( countries [ 1 ]) == id ( nations [ 1 ]) True On the first line of this piece of code, you update the item at index 0 in countries . This change doesn’t affect the item at index 0 in nations . Now the first items in the lists are completely different objects with their own identities. The rest of the items, however, continue to share the same identity. So, they’re the same object in each case. Because making copies of a list is such a common operation, the list class has a dedicated method for it. The method is called .copy() , and it returns a shallow copy of the target list: Python >>> countries = [ "United States" , "Canada" , "Poland" , "Germany" , "Austria" ] >>> nations = countries . copy () >>> nations ['United States', 'Canada', 'Poland', 'Germany', 'Austria'] >>> id ( countries ) == id ( nations ) False >>> id ( countries [ 0 ]) == id ( nations [ 0 ]) True >>> id ( countries [ 1 ]) == id ( nations [ 1 ]) True >>> countries [ 0 ] = "United States of America" >>> countries ['United States of America', 'Canada', 'Poland', 'Germany', 'Austria'] >>> nations ['United States', 'Canada', 'Poland', 'Germany', 'Austria'] Calling .copy() on countries gets you a shallow copy of this list. Now you have two different lists. However, their elements are common to both. Again, if you change an element in one of the lists, then the change won’t reflect in the copy. You’ll find yet another tool for creating shallow copies of a list. The copy() function from the copy module allows you to do just that: Python >>> from copy import copy >>> countries = [ "United States" , "Canada" , "Poland" , "Germany" , "Austria" ] >>> nations = copy ( countries ) >>> nations ['United States', 'Canada', 'Poland', 'Germany', 'Austria'] >>> id ( countries ) == id ( nations ) False >>> id ( countries [ 0 ]) == id ( nations [ 0 ]) True >>> id ( countries [ 1 ]) == id ( nations [ 1 ]) True >>> countries [ 0 ] = "United States of America" >>> countries ['United States of America', 'Canada', 'Poland', 'Germany', 'Austria'] >>> nations ['United States', 'Canada', 'Poland', 'Germany', 'Austria'] When you feed copy() with a mutable container data type, such as a list, the function returns a shallow copy of the input object. This copy behaves the same as the previous shallow copies that you’ve built in this section. Remove ads Deep Copies of a List Sometimes you may need to build a complete copy of an existing list. In other words, you want a copy that creates a new list object and also creates new copies of the contained elements. In these situations, you’ll have to construct what’s known as a deep copy . When you create a deep copy of a list, Python constructs a new list object and then inserts copies of the objects from the original list recursively . To create a deep copy of an existing list, you can use the deepcopy() function from the copy module. Here’s an example of how this function works: Python >>> from copy import deepcopy >>> matrix = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ], [ 7 , 8 , 9 ]] >>> matrix_copy = deepcopy ( matrix ) >>> id ( matrix ) == id ( matrix_copy ) False >>> id ( matrix [ 0 ]) == id ( matrix_copy [ 0 ]) False >>> id ( matrix [ 1 ]) == id ( matrix_copy [ 1 ]) False In this example, you create a deep copy of your matrix list. Note how both the lists and their sibling items have different identities. Why would you need to create a deep copy of matrix , anyway? For example, if you only create a shallow copy of matrix , then you can face some issues when trying to mutate the nested lists: Python >>> from copy import copy >>> matrix_copy = copy ( matrix ) >>> matrix_copy [ 0 ][ 0 ] = 100 >>> matrix_copy [ 0 ][ 1 ] = 200 >>> matrix_copy [ 0 ][ 2 ] = 300 >>> matrix_copy [[100, 200, 300], [4, 5, 6], [7, 8, 9]] >>> matrix [[100, 200, 300], [4, 5, 6], [7, 8, 9]] In this example, you create a shallow copy of matrix . If you change items in a nested list within matrix_copy , then those changes affect the original data in matrix . The way to avoid this behavior is to use a deep copy: Python >>> matrix = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ], [ 7 , 8 , 9 ]] >>> matrix_copy = deepcopy ( matrix ) >>> matrix_copy [ 0 ][ 0 ] = 100 >>> matrix_copy [ 0 ][ 1 ] = 200 >>> matrix_copy [ 0 ][ 2 ] = 300 >>> matrix_copy [[100, 200, 300], [4, 5, 6], [7, 8, 9]] >>> matrix [[1, 2, 3], [4, 5, 6], [7, 8, 9]] Now the changes in matrix_copy or any other deep copy don’t affect the content of matrix , as you can see on the highlighted lines. Finally, it’s important to note that when you have a list containing immutable objects, such as numbers, strings, or tuples, the behavior of deepcopy() mimics what copy() does: Python >>> countries = [ "United States" , "Canada" , "Poland" , "Germany" , "Austria" ] >>> nations = deepcopy ( countries ) >>> id ( countries ) == id ( nations ) False >>> id ( countries [ 0 ]) == id ( nations [ 0 ]) True >>> id ( countries [ 1 ]) == id ( nations [ 1 ]) True In this example, even though you use deepcopy() , the items in nations are aliases of the items in countries . That behavior makes sense because you can’t change immutable objects in place. Again, this behavior optimizes the memory consumption of your code when you’re working with multiple copies of a list. Updating Items in Lists: Index Assignments Python lists are mutable data types. This means that you can change their elements without changing the identity of the underlying list. These kinds of changes are commonly known as in-place mutations . They allow you to update the value of one or more items in an existing list. Note: To dive deeper into what mutable and immutable data types are and how they work in Python, check out Python’s Mutable vs Immutable Types: What’s the Difference? To change the value of a given element in a list, you can use the following syntax: Python list_object [ index ] = new_value The indexing operator gives you access to the target item through its index, while the assignment operator allows you to change its current value. Here’s how this assignment works: Python >>> numbers = [ 1 , 2 , 3 , 4 ] >>> numbers [ 0 ] = "one" >>> numbers ['one', 2, 3, 4] >>> numbers [ 1 ] = "two" >>> numbers ['one', 'two', 3, 4] >>> numbers [ - 1 ] = "four" >>> numbers ['one', 'two', 3, 'four'] >>> numbers [ - 2 ] = "three" >>> numbers ['one', 'two', 'three', 'four'] In this example, you’ve replaced all the numeric values in numbers with strings. To do that, you’ve used their indices and the assignment operator in what you can call index assignments . Note that negative indices also work. What if you know an item’s value but don’t know its index in the list? How can you update the item’s value? In this case, you can use the .index() method as in the code below: Python >>> fruits = [ "apple" , "banana" , "orange" , "kiwi" , "grape" ] >>> fruits [ fruits . index ( "kiwi" )] = "mango" >>> fruits ['apple', 'banana', 'orange', 'mango', 'grape'] The .index() method takes a specific item as an argument and returns the index of the first occurrence of that item in the underlying list. You can take advantage of this behavior when you know the item that you want to update but not its index. However, note that if the target item isn’t present in the list, then you’ll get a ValueError . You can also update the value of multiple list items in one go. To do that, you can access the items with the slicing operator and then use the assignment operator and an iterable of new values. This combination of operators can be called slice assignment for short. Here’s the general syntax: Python list_object [ start : stop : step ] = iterable In this syntax, the values from iterable replace the portion of list_object defined by the slicing operator. If iterable has the same number | 2026-01-13T08:49:31 |
https://docs.suprsend.com/docs/translations | Translations - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation CORE CONCEPTS Translations Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog CORE CONCEPTS Translations OpenAI Open in ChatGPT Learn how to use translations to localize your notifications in SuprSend. OpenAI Open in ChatGPT Translations help you localize notifications dynamically based on your user’s locale. Instead of maintaining multiple templates per language, you can manage a single template and multiple translation files. One template + multiple translation files = localized notifications for all your users. How translations work SuprSend automatically handles localization while sending notifications — no extra code required. Steps to Enable Translations Upload translation files from the dashboard , via CLI , or API . Each file is a JSON containing key-value pairs consistent across locales. Set user locale in SDK using set_locale() or via the $locale property in create/update user API . Use translation keys inside templates: Handlebars: {{t "key_name"}} JSONNET: t("key_name") At the time of workflow execution, SuprSend looks for key_name in the user’s locale file and if not found, applies below fallback logic. Fallback Logic If either the locale file or key inside the locale file is missing, SuprSend searches in this order: Exact locale match — e.g., es-MX.json General language file — e.g., es.json Default language fallback — e.g., en.json Best practice: Always maintain an en.json file as the base language. It ensures your system always has a fallback even if locale-specific keys are missing. Basic usage Translations are JSON objects that define the localized text for your app messages in different locales. Let’s say you have a task management app and you want to notify users when a new task is created or completed — localized for English and French users. Copy Ask AI { "TaskCreated" : "A new task has been created: {{task_name}}" , "TaskCompleted" : "Task {{task_name}} has been completed successfully!" } Copy Ask AI { "task_created" : "Une nouvelle tâche a été créée : {{task_name}}" , "task_completed" : "La tâche {{task_name}} a été complétée avec succès !" } Once you have the files uploaded for en and fr locales, you can reference it in your templates using the t tag: handlebars jsonnet Copy Ask AI {{ t "task_created" task_name = task.name }} {{ t "task_completed" task_name = task.name }} Managing translation files You can manage translation files from developers -> translations on the SuprSend dashboard, via API and CLI . Flow All translation changes, including delete, is version controlled and needs to be committed to make them live. Directory structure There are two ways to organize translation files: By locale code — one file per language, e.g. en.json, fr.json By namespace + locale code — group translations by feature or module within the same language, e.g. auth.en.json , tasks.fr.json . This comes in handy when you have different teams managing their translations or can have same key across different features or modules. All files for a locale goes into a single directory. Copy Ask AI translations/ ├── en/ # English (base language) │ ├── en.json # General translations │ └── auth.en.json # namespaced translations └── en-GB/ ├── en-GB.json └── orders.en-GB.json Add locale files 1 Upload file Go to Developers → Translations section. Click on +New File button and upload locale files. Locale file naming convention: {locale_code}.json : example: en.json , es-MX.json {namespace}.{locale_code}.json : example: auth.en.json , orders.es-MX.json File uploads with wrong name would throw error on upload. Make sure to edit the name before upload. 2 Save Changes Click Next to save. Files are saved as a draft version until committed. 3 Commit changes Click Commit Changes to make translations live. Add a short description of your update for later reference. You can also skip this step and commit later. Update existing files Download, edit locally, and re-upload updated translation files. 1 Download file Click Download to save the translation file locally for editing. 2 Edit, upload and commit Make your edits to the downloaded JSON file, then click + New File and upload the edited file to replace the existing file. Finally, click Commit to make your translation changes live. Delete files Remove locale files that are no longer needed. 1 Delete file Find the translation file you want to remove, and click Delete . This will mark the file for deletion in the draft version. 2 Commit deletion Click Commit to make deletion live. The deletion will only take place after you commit. Version history and rollback SuprSend uses git-like versioning for locale file changes. Every commit creates a new version that you can view, download, or roll back to. View version history Click Version History to see all previous versions. You can download and view older files, and check the status column to see what changed compared to the previous version. Rollback to an older version Inside version history tab, select the version you want to restore and click Rollback version . Using translations in templates You can use translations in your templates using the t tag. Anything inside the t tag will be replaced with the translation for the key. Simple, Nested and Namespaced keys handlebars (sms, email, push, inbox) jsonnet (slack, ms_teams) Copy Ask AI {{ t "key_name" }} {{ t "feature:key_name" }} // for namespaced locale files {{ t "nested_key.sub_key" }} // for nested keys Pluralization Translations support plural forms using the keys zero , one , and other . When you pass a count variable, SuprSend automatically picks the correct form. If count is missing or null, the zero form is used by default. translation file: en.json Copy Ask AI { "tasks" : { "zero" : "You have no tasks" , "one" : "You have 1 task" , "other" : "You have {{count}} tasks" } } Rules: count = 0 → uses zero form → "No items" count = 1 → uses one form → "1 item" count ≥ 2 → uses other form → "5 items" template: handlebars (sms, email, push, inbox) jsonnet (slack, ms_teams) Copy Ask AI {{ t "tasks" count = $ batched_events_count }} Interpolation If your translation includes variables, you can dynamically replace them with values from your template or workflow data like this: translation file: en.json Copy Ask AI { "greeting" : "Hello, {{name}}!" } template: handlebars (sms, email, push, inbox) jsonnet (slack, ms_teams) Copy Ask AI {{ t "greeting" name = $ recipient.name }} Rendered content: “Hello, John!” when $recipient.name is “John” Combining with Handlebars helpers Here, are some examples of how you can combine translations with other Handlebars helpers. Default value Copy Ask AI {{ default ( t "name" ) "Guest" }} Conditional rendering Copy Ask AI {{ #if user.is_premium }} {{ t "premium_plan.details" }} {{ else }} {{ t "standard_plan.detail" }} {{ /if }} Looping Copy Ask AI {{ #each $ batched_events }} {{ t "item_name" }} {{ /each }} Automate translation with CLI and APIs You can manage your translations files programmatically using: CLI Management API Supported locales SuprSend supports standard ISO locale codes following the language-COUNTRY format. Here’s the complete list of supported locales: Supported locale codes Locale Code Language Country/Region af-ZA Afrikaans South Africa ar-AE Arabic United Arab Emirates ar-SA Arabic Saudi Arabia ar-EG Arabic Egypt az-AZ Azerbaijani Azerbaijan be-BY Belarusian Belarus bg-BG Bulgarian Bulgaria bn-BD Bengali Bangladesh bs-BA Bosnian Bosnia and Herzegovina ca_ES Catalan Spain cs-CZ Czech Czech Republic cy-GB Welsh United Kingdom da-DK Danish Denmark de-AT German Austria de-CH German Switzerland de-DE German Germany el_GR Greek Greece es_AR Spanish Argentina es-CL Spanish Chile es-CO Spanish Colombia es-ES Spanish Spain es-MX Spanish Mexico es-PE Spanish Peru es-VE Spanish Venezuela et-EE Estonian Estonia eu-ES Basque Spain fa-IR Persian Iran fi-FI Finnish Finland fr-BE French Belgium fr-CA French Canada fr-CH French Switzerland fr-FR French France gl-ES Galician Spain gu-IN Gujarati India he-IL Hebrew Israel hi-IN Hindi India hr-HR Croatian Croatia hu-HU Hungarian Hungary hy-AM Armenian Armenia id-ID Indonesian Indonesia is-IS Icelandic Iceland it-CH Italian Switzerland it-IT Italian Italy ja-JP Japanese Japan ka-GE Georgian Georgia kk-KZ Kazakh Kazakhstan km-KH Khmer Cambodia kn-IN Kannada India ko-KR Korean South Korea ky-KG Kyrgyz Kyrgyzstan lo-LA Lao Laos lt-LT Lithuanian Lithuania lv-LV Latvian Latvia mk-MK Macedonian North Macedonia ml-IN Malayalam India mn-MN Mongolian Mongolia mr-IN Marathi India ms-MY Malay Malaysia my-MM Burmese Myanmar ne-NP Nepali Nepal nl-BE Dutch Belgium nl-NL Dutch Netherlands no-NO Norwegian Norway pa-IN Punjabi India pl-PL Polish Poland pt-BR Portuguese Brazil pt-PT Portuguese Portugal ro-MD Romanian Moldova ro-RO Romanian Romania ru-RU Russian Russia si-LK Sinhala Sri Lanka sk-SK Slovak Slovakia sl-SI Slovenian Slovenia sq-AL Albanian Albania sr-RS Serbian Serbia sv-SE Swedish Sweden sw-KE Swahili Kenya ta-IN Tamil India te-IN Telugu India th-TH Thai Thailand tr-TR Turkish Turkey uk-UA Ukrainian Ukraine ur-PK Urdu Pakistan uz-UZ Uzbek Uzbekistan vi-VN Vietnamese Vietnam zh-CN Chinese (Simplified) China zh-HK Chinese (Traditional) Hong Kong zh-TW Chinese (Traditional) Taiwan zu-ZA Zulu South Africa Don’t see your locale? SuprSend supports all standard ISO 639-1 language codes and ISO 3166-1 alpha-2 country codes. Contact support if you need help with a specific locale. Best practices Keep keys short: auth:login > authentication_login_button_text Always define plural forms wherever needed: zero , one , other for consistent behavior Maintain en.json as the base language Use translation keys everywhere — avoid raw text in templates Whenever you’re adding new variables and updating translation files, make sure you update it across locales. Troubleshooting Even with proper setup, issues may be encountered. Here are common problems and their solutions: Translation not showing up Possible causes: Latest translation files are not committed User locale not set Key missing in translation files Template preview is not showing correct translation Refresh the page and load preview again. If you were already on the template page and translation files got updated, you may need to reload the page to see the latest changes. Interpolation is not working Check if the format of variable name is correct in the locale file. It should be added as {{variable_name}} in the translation file. Was this page helpful? Yes No Suggest edits Raise issue Previous DLT Guidelines Distributed Ledger Technology (DLT) guidelines for approving and sending SMS in India. Next ⌘ I x github linkedin youtube Powered by On this page How translations work Steps to Enable Translations Fallback Logic Basic usage Managing translation files Flow Directory structure Add locale files Update existing files Delete files Version history and rollback Using translations in templates Simple, Nested and Namespaced keys Pluralization Interpolation Combining with Handlebars helpers Automate translation with CLI and APIs Supported locales Best practices Troubleshooting | 2026-01-13T08:49:31 |
https://dev.to/t/interview/page/9#main-content | Interview Page 9 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # interview Follow Hide Create Post Older #interview 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 React Interviews: The Skills That REALLY Matter Vishwajeet Kondi Vishwajeet Kondi Vishwajeet Kondi Follow Nov 29 '25 React Interviews: The Skills That REALLY Matter # react # interview # frontend # typescript 1 reaction Comments Add Comment 4 min read Consistent Hashing: The Unseen Engine Meeth Gangwar Meeth Gangwar Meeth Gangwar Follow Nov 7 '25 Consistent Hashing: The Unseen Engine # architecture # performance # computerscience # interview 1 reaction Comments Add Comment 5 min read Persona OA Ultimate Guide! Codesignal 90-Minute 4-Question Full Breakdown (OOD + System Design Practical Version) net programhelp net programhelp net programhelp Follow Nov 28 '25 Persona OA Ultimate Guide! Codesignal 90-Minute 4-Question Full Breakdown (OOD + System Design Practical Version) # systemdesign # interview # career # tutorial Comments Add Comment 3 min read React Coding Challenge : Nested Checkox ZeeshanAli-0704 ZeeshanAli-0704 ZeeshanAli-0704 Follow Nov 28 '25 React Coding Challenge : Nested Checkox # javascript # react # interview # ui 2 reactions Comments Add Comment 2 min read Longest Substring Without Repeating Characters Gurpreet Gurpreet Gurpreet Follow Oct 24 '25 Longest Substring Without Repeating Characters # algorithms # interview # leetcode Comments Add Comment 3 min read Debouncing vs Throttling in JavaScript: A Simple Story-Based Guide for Interview Success sizan mahmud0 sizan mahmud0 sizan mahmud0 Follow Nov 27 '25 Debouncing vs Throttling in JavaScript: A Simple Story-Based Guide for Interview Success # javascript # programming # frontend # interview 3 reactions Comments 2 comments 4 min read What Salesforce system design interviews revealed about my engineering gaps Dev Loops Dev Loops Dev Loops Follow Nov 27 '25 What Salesforce system design interviews revealed about my engineering gaps # salesforce # systemdesign # interview # career Comments Add Comment 5 min read ⚠️ What’s the Difference Between Checked Exception and Unchecked Exception in Java? realNameHidden realNameHidden realNameHidden Follow Oct 23 '25 ⚠️ What’s the Difference Between Checked Exception and Unchecked Exception in Java? # java # exception # interview 5 reactions Comments Add Comment 4 min read The Complete 2026 and beyond Google SRE Interview Preparation Guide — Frameworks, Scenarios, and Roadmap Ace Interviews Ace Interviews Ace Interviews Follow Nov 15 '25 The Complete 2026 and beyond Google SRE Interview Preparation Guide — Frameworks, Scenarios, and Roadmap # sre # google # devops # interview Comments Add Comment 4 min read Coding Challenge Practice - Question 34 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Oct 23 '25 Coding Challenge Practice - Question 34 # devchallenge # interview # tutorial # javascript Comments Add Comment 1 min read Final Round AI vs Sensei AI: Which One Really Prepares You for the Real Interview? Hadil Ben Abdallah Hadil Ben Abdallah Hadil Ben Abdallah Follow for Final Round AI Nov 18 '25 Final Round AI vs Sensei AI: Which One Really Prepares You for the Real Interview? # ai # programming # career # interview 95 reactions Comments 20 comments 4 min read How to Land Your First Software Engineering Job in the USA Abhishek Desikan Abhishek Desikan Abhishek Desikan Follow Oct 21 '25 How to Land Your First Software Engineering Job in the USA # codenewbie # interview # softwareengineering # career Comments Add Comment 5 min read LeetCode vs. Vibe Coding: The Reality of Interviewing in 2025 Michael Solati Michael Solati Michael Solati Follow Nov 20 '25 LeetCode vs. Vibe Coding: The Reality of Interviewing in 2025 # discuss # ai # career # interview 15 reactions Comments 14 comments 5 min read The hard lessons Spotify system design interviews forced me to learn Dev Loops Dev Loops Dev Loops Follow Nov 24 '25 The hard lessons Spotify system design interviews forced me to learn # systemdesign # interview # productivity Comments Add Comment 5 min read Coding Challenge Practice - Question 32 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Oct 21 '25 Coding Challenge Practice - Question 32 # interview # algorithms # javascript # tutorial Comments Add Comment 1 min read Common LINQ Methods with Examples in .NET Core Sapana Pal Sapana Pal Sapana Pal Follow Nov 24 '25 Common LINQ Methods with Examples in .NET Core # dotnet # beginners # interview # csharp 11 reactions Comments 1 comment 13 min read Encapsulation in Java Explained: Write Clean and Secure OOP Code Vivek Singh Vivek Singh Vivek Singh Follow Oct 19 '25 Encapsulation in Java Explained: Write Clean and Secure OOP Code # java # oop # programming # interview Comments Add Comment 3 min read 🚀 Day 66–67 Learning Log Ramya .C Ramya .C Ramya .C Follow Nov 24 '25 🚀 Day 66–67 Learning Log # interview # beginners # devjournal # python 1 reaction Comments Add Comment 2 min read Coding Challenge Practice - Question 42 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Nov 1 '25 Coding Challenge Practice - Question 42 # algorithms # interview # tutorial # javascript Comments Add Comment 1 min read Why Uber system design interview nearly broke me and how I pushed through Dev Loops Dev Loops Dev Loops Follow Nov 21 '25 Why Uber system design interview nearly broke me and how I pushed through # systemdesign # uber # interview # productivity Comments Add Comment 5 min read ⭐ 5 Power Mindsets for Tech Interviews Cathy Lai Cathy Lai Cathy Lai Follow Nov 19 '25 ⭐ 5 Power Mindsets for Tech Interviews # motivation # interview # productivity # career 2 reactions Comments 2 comments 2 min read How I Passed My First Senior Backend Interview (Go) Using Educative Pavel Sanikovich Pavel Sanikovich Pavel Sanikovich Follow Nov 18 '25 How I Passed My First Senior Backend Interview (Go) Using Educative # go # interview # softskills # career 10 reactions Comments Add Comment 4 min read RAG Architecture for HR Applications: Building Context-Aware Interview Systems Ademola Balogun Ademola Balogun Ademola Balogun Follow Oct 18 '25 RAG Architecture for HR Applications: Building Context-Aware Interview Systems # interview # architecture # ai # llm Comments Add Comment 12 min read Задача с собеседования в Google: Sort Colors faangmaster faangmaster faangmaster Follow Nov 19 '25 Задача с собеседования в Google: Sort Colors # algorithms # google # interview # leetcode Comments Add Comment 2 min read LeetCode 400: Nth Digit — Python Solution & Explanation sugar free sugar free sugar free Follow Oct 15 '25 LeetCode 400: Nth Digit — Python Solution & Explanation # interview # algorithms # python # leetcode 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:31 |
https://dev.to/setevoy/aws-monitoring-aws-opensearch-service-cluster-with-cloudwatch-385o#comments | AWS: Monitoring AWS OpenSearch Service Cluster with CloudWatch - 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 Arseny Zinchenko Posted on Dec 30, 2025 • Originally published at rtfm.co.ua on Dec 31, 2025 AWS: Monitoring AWS OpenSearch Service Cluster with CloudWatch # monitoring # devops # aws # tutorial Let’s continue our journey with AWS OpenSearch Service. What we have is a small AWS OpenSearch Service cluster with three data nodes, used as a vector store for AWS Bedrock Knowledge Bases. Previous parts: AWS: Introduction to OpenSearch Service as a vector store AWS: Creating an OpenSearch Service cluster and configuring authentication and authorization Terraform: creating an AWS OpenSearch Service cluster and users We already had our first production incident :-) We launched a search without filters, and our t3.small.search died due to CPU overload. So let’s take a look at what we have in terms of monitoring all this happiness. Contents CloudWatch metrics Memory monitoring kNN Memory usage JVM Memory usage Collecting metrics to VictoriaMetrics Creating a Grafana dashboard VictoriaMetrics/Prometheus sum(), avg() та max() Cluster status Nodes status CPUUtilization: Stats CPUUtilization: Graph JVMMemoryPressure: Graph JVMGCYoungCollectionCount and JVMGCOldCollectionCount KNNHitCount vs KNNMissCount Final result t3.small.search vs t3.medium.search on graphs Creating Alerts Now let’s do something basic, just with CloudWatch metrics, but there are several solutions for monitoring OpenSearch: CloudWatch metrics from OpenSearchService itself — data on CPU, memory, and JVM, which we can collect in VictoriaMetrics and generate alerts or use in the Grafana dashboard, see Monitoring OpenSearch cluster metrics with Amazon CloudWatch CloudWatch Events generated by OpenSearch Service — see Monitoring OpenSearch Service events with Amazon EventBridge — can be sent via SNS to Opsgenie, and from there to Slack. Logs in CloudWatch Logs — we can collect them in VictoriaLogs and generate some metrics and alerts, but I didn’t see anything interesting in the logs during our production incident, see Monitoring OpenSearch logs with Amazon CloudWatch Logs . Monitors of OpenSearch itself — capable of anomaly detection and custom alerting, there is even a Terraform resource opensearch_monitor , see also Configuring alerts in Amazon OpenSearch Service There is also the Prometheus Exporter Plugin, which opens an endpoint for collecting metrics from Prometheus/VictoriaMetrics (but it cannot be added to AWS OpenSearch Managed, although support promises that there is a feature request — maybe it will be added someday). CloudWatch metrics There are quite a few metrics, but the ones that may be of interest to us are those that take into account the fact that we do not have dedicated master and coordinator nodes, and we do not use ultra-warm and cold instances. Cluster metrics : ClusterStatus : green / yellow / red - the main indicator of cluster status, control of data shard activity Shards : active / unassigned / delayedUnassigned / activePrimary / initializing / relocating - more detailed information on the status of shards, but here is just the total number, without details on specific indexes Nodes : the number of nodes in the cluster - knowing how many live nodes there should be - we can alert when a node goes down SearchableDocuments : not that it's particularly interesting to us, but it might be useful later on to see what's going on in the indexes in general. CPUUtilization : the percentage of CPU usage across all nodes, and this is a must-have FreeStorageSpace : also useful to monitor ClusterIndexWritesBlocked : Is everything OK with index writes? JVMMemoryPressure and OldGenJVMMemoryPressure : percentage of JVM heap memory usage - we'll dig into JVM monitoring separately later, because it's a whole other headache. AutomatedSnapshotFailure : probably good to know if the backup fails CPUCreditBalance : useful for us because we are on t3 instances (but we don't have it in CloudWatch) 2xx , 3xx , 4xx , 5xx : data on HTTP requests and errors; I only collect 5xx for alerts here ThroughputThrottle and IopsThrottle : we encountered disk access issues in RDS, so it is worth monitoring here as well, see PostgreSQL: AWS RDS Performance and monitoring ; here you may need to look at the metrics from EBS volume metrics , but for start, you can simply add alerts to Throttle in general HighSwapUsage : similar to the previous metrics - we once had a problem with RDS, so it's better to monitor this as well. EBS volume metrics — these are basically standard EBS metrics, as for EC2 or RDS: ReadLatency and WriteLatency : read/write delays sometimes there are spikes, so you can add ReadThroughput and WriteThroughput : total disk load, let's say this way DiskQueueDepth : I/O operations queue is empty in CloudWatch (for now?), so we’ll skip it ReadIOPS and WriteIOPS : number of read/write operations per second Instance metrics — here are the metrics for each OpenSearch instance (not the server, EC2, but OpenSearch itself) on each node: FetchLatency and FetchRate : how quickly we get data from shards (but I couldn't find it in CloudWatch either) ThreadCount : the number of threads in the operating system that were created by the JVM (Garbage Collector threads, search threads, write/index threads, etc.) The value is stable in CloudWatch, but for now, we can add it to Grafana for the overall picture and see if there is anything interesting there ShardReactivateCount : how often shards are transferred from cold/inactive states to active ones, which requires operating system resources, CPU, and memory; Well... maybe we should check if it has any significance for us at all. But there is nothing in CloudWatch either — “ did not match any metrics ” ConcurrentSearchRate and ConcurrentSearchLatency : the number and speed of simultaneous search requests - this can be interesting if there are many parallel requests hanging for a long time but for us (yet?), these values are constantly at zero, so we skip them SearchRate : number of search queries per minute, useful for the overall picture SearchLatency : search query execution speed, probably very useful, you can even set up an alert IndexingRate and IndexingLatency : similar, but for indexing new documents SysMemoryUtilization : percentage of memory usage on the data node, but this does not give a complete picture; you need to look at the JVM memory. JVMGCYoungCollectionCount and JVMGCOldCollectionCount : the number of Garbage Collector runs, useful in conjunction with JVM memory data, which we will discuss in more detail later. SearchTaskCancelled and SearchShardTaskCancelled : bad news :-) if tasks are canceled, something is clearly wrong (either the user interrupted the request, or there was an HTTP connection reset, or timeouts, or cluster load) but we always have zeroes, even when the cluster went down, so I don’t see the point in collecting these metrics yet ThreadpoolIndexQueue and ThreadpoolSearchQueue : the number of tasks for indexing and searching in the queue; when there are too many of them, we get ThreadpoolIndexRejected and ThreadpoolSearchRejected ThreadpoolIndexQueue is not available in CloudWatch at all, and ThreadpoolSearchQueue is there, but it's also constantly at zero, so we're skipping it for now ThreadpoolIndexRejected and ThreadpoolSearchRejected : actually, above in CloudWatch, the picture is similar — ThreadpoolIndexRejected is not present at all, ThreadpoolSearchRejected is zero ThreadpoolIndexThreads and ThreadpoolSearchThreads : the maximum number of operating system threads for indexing and searching; if all are busy, requests will go to ThreadpoolIndexQueue / ThreadpoolSearchQueue OpenSearch has several types of pools for threads — search, index, write, etc., and each pool has a threads indicator (how many are allocated), see OpenSearch Threadpool . The Node Stats API ( GET _nodes/stats/thread_pool ) has an active threads metric, but I don't see it in CloudWatch. ThreadpoolIndexThreads is not available in CloudWatch at all, and ThreadpoolSearchThreads is static, so I think we can skip monitoring them for now. PrimaryWriteRejected : rejected write operations in primary shards due to issues in the thread pool write or index, or load on the data node CloudWatch is empty for now, but we will add collection and alerts ReplicaWriteRejected : rejected write operations in replica shards - added to the primary document, but cannot be written to the replica CloudWatch is empty for now, but we will add collection and alerts k-NN metrics — useful for us because we have a vector store with k-NN: KNNCacheCapacityReached : when the cache is full (see below) KNNEvictionCount : how often data is removed from the cache - a sign that there is not enough memory KNNGraphMemoryUsage : off-heap memory usage for the vector graph itself KNNGraphQueryErrors : number of errors when searching in vectors in CloudWatch are empty for now, but we will add collection and alert KNNGraphQueryRequests : total number of queries to k-NN graphs KNNHitCount and KNNMissCount : how many results were returned from the cache, and how many had to be read from the disk KNNTotalLoadTime : speed of loading from disk to cache (large graphs or loaded EBS - time will increase) Memory monitoring Let’s think about how we can monitor the main indicators, starting with memory, because, well, this is Java. What do we have about memory metrics? SysMemoryUtilization : percentage of memory usage on the server (data node) in general JVMMemoryPressure : total percentage of JVM Heap usage; JVM Heap is allocated by default to 50% of the server's memory, but no more than 32 gigabytes. OldGenJVMMemoryPressure : see below KNNGraphMemoryUsage : this was discussed in the first post - AWS: introduction to OpenSearch Service as a vector store CloudWatch also has a metric called KNNGraphMemoryUsagePercentage , but it is not included in the documentation kNN Memory usage First, a brief overview of k-NN memory. So, on EC2, we allocate memory for the JVM Heap (50% of what is available on the server) and separately for the off-heap for the OpenSearch vector store, where it keeps graphs and cache. For vector store, see Approximate k-NN search , plus the operating system itself and its file cache. We don’t have a metric like “ KNNGraphMemoryAvailable ,” but with KNNGraphMemoryUsagePercentage and KNNGraphMemoryUsage , we can calculate it: KNNGraphMemoryUsage : we currently have 662 megabytes KNNGraphMemoryUsagePercentage : 60% This means that 1 gigabyte is allocated outside the JVM Heap memory for k-NN graphs (this is on t3.medium.search ). From the documentation k-Nearest Neighbor (k-NN) search in Amazon OpenSearch Service : OpenSearch Service uses half of an instance’s RAM for the Java heap (up to a heap size of 32 GiB). By default, k-NN uses up to 50% of the remaining half Knowing that we currently have t3.medium.search , which provides 4 gigabytes of memory - 2 GB goes to the JVM Heap, and 1 gigabyte goes to the k-NN graph. The main part of KNNGraphMemory is used by the k-NN cache, i.e., the part of the system's RAM where OpenSearch keeps HNSW graphs from vector indexes so that they do not have to be read from disk each time (see k-NN clear cache ). Therefore, it is useful to have graphs for EBS IOPS and k-NN cache usage. JVM Memory usage Okay, let’s review what’s going on in Java in general. See What Is Java Heap Memory? , OpenSearch Heap Size Usage and JVM Garbage Collection , and Understanding the JVMMemoryPressure metric changes in Amazon OpenSearch Service . To put it simply: Stack Memory: in addition to the JVM Heap, we have a Stack, which is allocated to each thread, where it keeps its variables, references, and startup parameters set via -Xss , default value from 256 kilobytes to 1 megabyte, see Understanding Threads and Locks (couldn't find how to view in OpenSearch Service) if we have many threads, there will be a lot of memory for their stacks cleared when the thread dies Heap Space : used to allocate memory that is available to all threads managed by Garbage Collectors (GC) in the context of OpenSearch, we will have search and indexation caches here In Heap memory, we have: Young Generation : fresh data, all new objects data from here is either deleted completely or moved to Old Generation Old Generation : the OpenSearch process code itself, caches, Lucene index structures, large arrays If OldGenJVMMemoryPressure is full, it means that the Garbage Collector cannot clean it up because there are references to the data, and then we have a problem - because there is no space in the Heap for new data, and the JVM may crash with an OutOfMemoryError. In general, “heap pressure” is when there is little free memory in Young Gen and Old Gen, and there is nowhere to place new data to respond to clients. This leads to frequent Garbage Collector runs, which take up time and system resources — instead of processing requests from clients. As a result, latency increases, indexing of new documents slows down, or we get ClusterIndexWritesBlocked - to avoid Java OutOfMemoryError , because when indexing, OpenSearch first writes data to the Heap and then "dumps" it to disk. See Key JVM Metrics to Monitor for Peak Java Application Performance . So, to get a picture of memory usage, we monitor: SysMemoryUtilization - for an overall picture of the EC2 status in our case, it will be consistently around 90%, but that’s OK JVMMemoryPressure - for an overall picture of the JVM should be cleaned regularly with Garbage Collector (GC) if it is constantly above 80–90%, there are problems with running GC OldGenJVMMemoryPressure - for Old Generation Heap data should be at 30–40%; if it is higher and is not being cleared, then there are problems either with the code or with GC KNNGraphMemoryUsage - in our case, this is necessary for the overall picture It is worth adding alerts for HighSwapUsage - we already had active swapping when we launched on t3.small.search , and this is an indication that there is not enough memory. Collecting metrics to VictoriaMetrics So, how do you choose metrics? First, we look for them in CloudWatch Metrics and see if the metric exists at all and if it returns any interesting data. For example, SysMemoryUtilization provides information. Here we had a spike on t3.small.search , after which the cluster crashed: But the HighSwapUsage metric also needs to be moved to t3.medium.search : ClusterStatus is present: Shards exist, but they are indexed by all criteria, and there is no way to filter by individual criteria: It is also important to note that collecting metrics from CloudWatch also costs money for API requests, so it is not advisable to collect everything indiscriminately. In general, we use YACE (Yet Another CloudWatch Exporter) to collect metrics from CloudWatch, but it does not support OpenSearch Managed cluster, see Features . Therefore, we will use a standard exporter — CloudWatch Exporter. We deploy it from the Helm monitoring chart (see VictoriaMetrics: creating a Kubernetes monitoring stack with your own Helm chart ), add a new config to it: ... prometheus-cloudwatch-exporter: enabled: true serviceAccount: name: "cloudwatch-sa" annotations: eks.amazonaws.com/sts-regional-endpoints: "true" serviceMonitor: enabled: true config: |- region: us-east-1 metrics: - aws_namespace: AWS/ES aws_metric_name: KNNGraphMemoryUsage aws_dimensions: [ClientId, DomainName, NodeId] aws_statistics: [Average] - aws_namespace: AWS/ES aws_metric_name: SysMemoryUtilization aws_dimensions: [ClientId, DomainName, NodeId] aws_statistics: [Average] - aws_namespace: AWS/ES aws_metric_name: JVMMemoryPressure aws_dimensions: [ClientId, DomainName, NodeId] aws_statistics: [Average] - aws_namespace: AWS/ES aws_metric_name: OldGenJVMMemoryPressure aws_dimensions: [ClientId, DomainName, NodeId] aws_statistics: [Average] Enter fullscreen mode Exit fullscreen mode Please note that different metrics may have different Dimensions - check them in CloudWatch: Deploy, check: And even the numbers turned out to be as we calculated in the first post — we have ~130,000 documents in the production index, according to the formula num_vectors * 1.1 * (4*1024 + 8*16) , which equals 604032000 bytes, or 604.032 megabytes. And on the graph we have 662,261 kilobytes — that’s 662 megabytes, but across all indexes combined. Now we have metrics in VictoriaMetrics : aws_es_knngraph_memory_usage_average , aws_es_sys_memory_utilization_average , aws_es_jvmmemory_pressure_average , aws_es_old_gen_jvmmemory_pressure_average . Add the rest in the same way. To find out what metrics are called in VictoriaMetrics/Prometheus, open the port to CloudWatch Exporter: $ kk port-forward svc/atlas-victoriametrics-prometheus-cloudwatch-exporter 9106 Enter fullscreen mode Exit fullscreen mode And search for metrics with curl and grep : $ curl -s localhost:9106/metrics | grep aws_es # HELP aws_es_cluster_status_green_maximum CloudWatch metric AWS/ES ClusterStatus.green Dimensions: [ClientId, DomainName] Statistic: Maximum Unit: Count # TYPE aws_es_cluster_status_green_maximum gauge aws_es_cluster_status_green_maximum{job="aws_es",instance="",domain_name="atlas-kb-prod-cluster",client_id="492***148",} 1.0 1758014700000 # HELP aws_es_cluster_status_yellow_maximum CloudWatch metric AWS/ES ClusterStatus.yellow Dimensions: [ClientId, DomainName] Statistic: Maximum Unit: Count # TYPE aws_es_cluster_status_yellow_maximum gauge aws_es_cluster_status_yellow_maximum{job="aws_es",instance="",domain_name="atlas-kb-prod-cluster",client_id="492***148",} 0.0 1758014700000 # HELP aws_es_cluster_status_red_maximum CloudWatch metric AWS/ES ClusterStatus.red Dimensions: [ClientId, DomainName] Statistic: Maximum Unit: Count # TYPE aws_es_cluster_status_red_maximum gauge aws_es_cluster_status_red_maximum{job="aws_es",instance="",domain_name="atlas-kb-prod-cluster",client_id="492***148",} 0.0 1758014700000 ... Enter fullscreen mode Exit fullscreen mode Creating a Grafana dashboard OK, we have metrics from CloudWatch — that’s enough for now. Let’s think about what we want to see in Grafana. The general idea is to create a kind of dashboard overview, where all the key data for the cluster will be displayed on a single board. What metrics are currently available, and how can we use them in Grafana? I wrote them down here so as not to get confused, because there are quite a few of them: aws_es_cluster_status_green_maximum , aws_es_cluster_status_yellow_maximum , aws_es_cluster_status_red_maximum : you can create a single Stats panel aws_es_nodes_maximum : also some kind of stats panel - we know how many there should be, and we'll mark it red when there are fewer Data Nodes than there should be. aws_es_searchable_documents_maximum : just for fun, we will show the number of documents in all indexes together in a graph aws_es_cpuutilization_average : one graph per node, and some Stats with general information and different colors aws_es_free_storage_space_maximum : just Stats aws_es_cluster_index_writes_blocked_maximum : did not add to Grafana, only alert aws_es_jvmmemory_pressure_average : graph and stats aws_es_old_gen_jvmmemory_pressure_average : somewhere nearby, also graph + Stats aws_es_automated_snapshot_failure_maximum : this is just for alerting aws_es_5xx_maximum : both graph and Stats aws_es_iops_throttle_maximum : graph to see in comparison with other data such as CPU/Mem usage aws_es_throughput_throttle_maximum : graph aws_es_high_swap_usage_maximum : both graph and Stats - graph, to see in comparison with CPU/disks aws_es_read_latency_average : graph aws_es_write_latency_average : graph aws_es_read_throughput_average : I didn't add it because there are too many graphs. aws_es_write_throughput_average : I didn't add it because there are too many graphs. aws_es_read_iops_average : a graph that is useful for understanding how the k-NN cache works - if there is not enough of it (and we tested on t3.small.searc h with 2 gigabytes of total memory), then there will be a lot of reading from the disk. aws_es_write_iops_average : similarly aws_es_thread_count_average : I didn't add it because it's pretty static and I didn't see any particularly useful information in it. aws_es_search_rate_average : also just a graph aws_es_search_latency : similarly, somewhere nearby aws_es_sys_memory_utilization_average : Well, it will constantly be around 90% until I remove it from Grafana, but I added it to alerts. aws_es_jvmgcyoung_collection_count_average : graph showing how often it is called aws_es_jvmgcold_collection_count_average : graph showing how often it is called aws_es_primary_write_rejected_average : graph, but I haven't added it yet because there are too many graphs - only alerts aws_es_replica_write_rejected_average : graph, but I haven't added it yet because there are too many graphs - only alerts k-NN: aws_es_knncache_capacity_reached_maximum : only for warning alerts aws_es_knneviction_count_average : did not add, although it may be interesting `aws_es_knngraph_memory_usage_average: did not add aws_es_knngraph_memory_usage_percentage_maximum : graph instead of aws_es_knngraph_memory_usage_average aws_es_knngraph_query_errors_maximum : alert only aws_es_knngraph_query_requests_sum : graph aws_es_knnhit_count_maximum : graph aws_es_knnmiss_count_maximum : graph `aws_es_knntotal_load_time_sum: it would be nice to have a graph, but there is no space on the board VictoriaMetrics/Prometheus sum() , avg() and max()` First, let’s recall what functions we have for data aggregation. With CloudWatch for OpenSearch, we will receive two main types: counter and gauge : ` $ curl -s localhost:9106/metrics | grep cpuutil HELP aws_es_cpuutilization_average CloudWatch metric AWS/ES CPUUtilization Dimensions: [ClientId, DomainName, NodeId] Statistic: Average Unit: Percent TYPE aws_es_cpuutilization_average gauge aws_es_cpuutilization_average{job="aws_es",instance="",domain_name="atlas-kb-prod-cluster",node_id="BzX51PLwSRCJ7GrbgB4VyA",client_id="492***148",} 10.0 1758099600000 ... ` The difference between them: counter : the value can only increase the value gauge : the value can increase and decrease Here we have “ TYPE aws_es_cpuutilization_average gauge" , because CPU usage can both increase and decrease. See the excellent documentation VictoriaMetrics — Prometheus Metrics Explained: Counters, Gauges, Histograms & Summaries : How can we use it in graphs? If we just look at the values, we have a set of labels here, each forming its own time series: aws_es_cpuutilization_average{node_id="BzX51PLwSRCJ7GrbgB4VyA"} == 9 aws_es_cpuutilization_average{node_id="IIEcajw5SfmWCXe_AZMIpA"} == 28 aws_es_cpuutilization_average{node_id="lrsnwK1CQgumpiXfhGq06g"} == 8 With sum() without a label, we simply get the sum of all values: If we do sum by (node_id) , we will get the value for a specific time series, which will coincide with the sample without sum by () : ( the meaning changes as I write and make inquiries ) With `max() without filters, we simply obtain the maximum value selected from all the time series received: And with avg() - the average value of all values, i.e., the sum of all values divided by the number of time series: Let’s calculate it ourselves: (41+46+12)/3 33 Enter fullscreen mode Exit fullscreen mode Actually, the reason I decided to write about this separately is because even with sum() and by (node_id) , you can sometimes get the following results: Although without sum() there are none: And they happened because Pod was being recreated from CloudWatch Exporter at that moment: And at that moment, we were receiving data from the old pod and the new one. Therefore, the options here are to use either max() or just avg() . Although max() is probably better, because we are interested in the "worst" indicators. Okay, now that we’ve figured that out, let’s get started on the dashboard. Cluster status Here, I would like to see all three values — Green, Yellow, and Red — on a single Stats panel. But since we don’t have if/else in Grafana, let’s make a workaround. We collect all three metrics and multiply the result of each by 1, 2, or 3: sum(aws_es_cluster_status_green_maximum) by (domain_name) * 1 + sum(aws_es_cluster_status_yellow_maximum) by (domain_name) * 2 + sum(aws_es_cluster_status_red_maximum) by (domain_name) * 3 Enter fullscreen mode Exit fullscreen mode Accordingly, if aws_es_cluster_status_green_maximum == 1, then 1 * 1 == 1, and aws_es_cluster_status_yellow_maximum == 0 and aws_es_cluster_status_red_maximum will be == 0, then the multiplication will return 0. And if aws_es_cluster_status_green_maximum becomes 0, but aws_es_cluster_status_red_maximum is 1, then 1 * 2 equals 3, and based on the value 3, we will change the indicator in the Stats panel. And add Value mappings with text and colors: Get the following result: Nodes status It’s simple here — we know the required number, and we get the current one from aws_es_nodes_maximum : sum(aws_es_nodes_maximum) by (domain_name) Enter fullscreen mode Exit fullscreen mode And again, using Value mappings, we set the values and colors: In case we ever increase the number of nodes and forget to update the value for “OK” here, we add a third status, ERR: CPUUtilization: Stats Here, we will make a cross-tabulation with the Gauge visualization type: avg(aws_es_cpuutilization_average) by (domain_name) Enter fullscreen mode Exit fullscreen mode Set Text size and Unit: And Thresholds: Description ChatGPT generates pretty well — useful for developers and for us in six months, or we can just take the description from AWS documentation : The percentage of CPU usage for data nodes in the cluster. Maximum shows the node with the highest CPU usage. Average represents all nodes in the cluster. Add the rest of the stats: CPUUtilization: Graph Here we will display a graph for the CPU of each node — the average over 5 minutes: max(avg_over_time(aws_es_cpuutilization_average[5m])) by (node_id) Enter fullscreen mode Exit fullscreen mode And here is another example of how sum() created spikes that did not actually exist: Therefore, we do max() . Set Gradient mode == Opacity, and Unit == percent: Set Color scheme and Thresholds, enable Show thresholds: In Data links, you can set a link to the DataNode Health page in the AWS Console: https://us-east-1.console.aws.amazon.com/aos/home?region=us-east-1#opensearch/domains/atlas-kb-prod-cluster/data_Node/${__field.labels.node_id} Enter fullscreen mode Exit fullscreen mode All available fields — Ctrl+Space: Actions seems to have appeared not so long ago. I haven’t used it yet, but it looks interesting — you can push something: JVMMemoryPressure: Graph Here, we are interested in seeing whether memory usage “sticks” and how often the Garbage Collector is launched. The query is simple — you can do max by (node_id) , but I just made a general picture for the cluster: max(aws_es_jvmmemory_pressure_average) Enter fullscreen mode Exit fullscreen mode And the schedule is similar to the previous one: In Description, add the explanation “when to worry”: Represents the percentage of JVM heap in use (young + old generation). Values below 75% are normal. Sustained pressure above 80% indicates frequent GC and potential performance degradation. Values consistently > 85–90% mean heap exhaustion risk and may trigger ClusterIndexWritesBlocked — investigate immediately. JVMGCYoungCollectionCount and JVMGCOldCollectionCount A very useful graph to see how often Garbage Collects are triggered. In the query, we will use increase[1m] to see how the value has changed in a minute: max(increase(aws_es_jvmgcyoung_collection_count_average[1m])) by (domain_name) Enter fullscreen mode Exit fullscreen mode And for Old Gen: max(increase(aws_es_jvmgcold_collection_count_average[1m])) by (domain_name) Enter fullscreen mode Exit fullscreen mode Unit — ops/sec, Decimals set to 0 to have only integer values: KNNHitCount vs KNNMissCount Here, we will generate data for a second — rate() : sum(rate(aws_es_knnhit_count_average[5m])) Enter fullscreen mode Exit fullscreen mode And for Cache Miss: sum(rate(aws_es_knnmiss_count_average[5m])) Enter fullscreen mode Exit fullscreen mode Unit ops/s, colors can be set via Overrides: The statistics here, by the way, are very mediocre — there are consistently a lot of cache misses, but we haven’t figured out why yet. Final result We collect all the graphs and get something like this: t3.small.search vs t3.medium.search on graphs And here’s an example of how a lack of resources, primarily memory, is reflected in the graphs: we had t3.medium.search , then we switched back to t3.small.search to see how it would affect performance. t3.small.search is only 2 gigabytes of memory and 2 CPU cores. Of these 2 gigabytes of memory, 1 gigabyte was allocated to JVM Heap, 500 megabytes to k-NN memory, and 500 remained for other processes. Well, the results are quite expected: Garbage Collectors started running constantly because it was necessary to clean up the memory that was lacking. Read IOPS increased because data was constantly being loaded from the disk to the JVM Heap Young and k-NN. Search Latency increased because not all data was in the cache, and I/O operations from the disk were pending. and CPU utilization jumped — because the CPU was loaded with Garbage Collectors and reading from the disk Creating Alerts You can also check out the recommendations from AWS — Recommended CloudWatch alarms for Amazon OpenSearch Service . OpenSearch ClusterStatus Yellow and OpenSearch ClusterStatus Red: here, simply if more than 0: ... - alert: OpenSearch ClusterStatus Yellow expr: sum(aws_es_cluster_status_yellow_maximum) by (domain_name, node_id) > 0 for: 1s labels: severity: warning component: backend environment: prod annotations: summary: 'OpenSearch ClusterStatus Yellow status detected' description: |- The primary shards for all indexes are allocated to nodes in the cluster, but replica shards for at least one index are not *OpenSearch Doman*: `{{ "{{" }} $labels.domain_name }}` grafana_opensearch_overview_url: 'https://{{ .Values.monitoring.root_url }}/d/b2d2dabd-a6b4-4a8a-b795-270b3e200a2e/aws-opensearch-cluster-cloudwatch' - alert: OpenSearch ClusterStatus Red expr: sum(aws_es_cluster_status_red_maximum) by (domain_name, node_id) > 0 for: 1s labels: severity: critical component: backend environment: prod annotations: summary: 'OpenSearch ClusterStatus RED status detected!' description: |- The primary and replica shards for at least one index are not allocated to nodes in the cluster *OpenSearch Doman*: `{{ "{{" }} $labels.domain_name }}` grafana_opensearch_overview_url: 'https://{{ .Values.monitoring.root_url }}/d/b2d2dabd-a6b4-4a8a-b795-270b3e200a2e/aws-opensearch-cluster-cloudwatch' ... Enter fullscreen mode Exit fullscreen mode Through labels , we have implemented alert routing in Opsgenie to the necessary Slack channels, and the annotation grafana_opensearch_overview_url is used to add a link to Grafana in a Slack message: OpenSearch CPUHigh — if more than 20% for 10 minutes: - alert: OpenSearch CPUHigh expr: sum(aws_es_cpuutilization_average) by (domain_name, node_id) > 20 for: 10m ... Enter fullscreen mode Exit fullscreen mode OpenSearch Data Node down — if the node is down: - alert: OpenSearch Data Node down expr: sum(aws_es_nodes_maximum) by (domain_name) < 3 for: 1s labels: severity: critical ... Enter fullscreen mode Exit fullscreen mode aws_es_free_storage_space_maximum - we don't need it yet. OpenSearch Blocking Write — alert us if write blocks have started: ... - alert: OpenSearch Blocking Write expr: sum(aws_es_cluster_index_writes_blocked_maximum) by (domain_name) >= 1 for: 1s labels: severity: critical ... Enter fullscreen mode Exit fullscreen mode And the rest of the alerts I’ve added so far: ... - alert: OpenSearch AutomatedSnapshotFailure expr: sum(aws_es_automated_snapshot_failure_maximum) by (domain_name) >= 1 for: 1s labels: severity: critical ... - alert: OpenSearch 5xx Errors expr: sum(aws_es_5xx_maximum) by (domain_name) >= 1 for: 1s labels: severity: critical ... - alert: OpenSearch IopsThrottled expr: sum(aws_es_iops_throttle_maximum) by (domain_name) >= 1 for: 1s labels: severity: warning ... - alert: OpenSearch ThroughputThrottled expr: sum(aws_es_throughput_throttle_maximum) by (domain_name) >= 1 for: 1s labels: severity: warning ... - alert: OpenSearch SysMemoryUtilization High Warning expr: avg(aws_es_sys_memory_utilization_average) by (domain_name) >= 95 for: 5m labels: severity: warning ... - alert: OpenSearch PrimaryWriteRejected High expr: sum(aws_es_primary_write_rejected_maximum) by (domain_name) >= 1 for: 1s labels: severity: critical ... - alert: OpenSearch KNNGraphQueryErrors High expr: sum(aws_es_knngraph_query_errors_maximum) by (domain_name) >= 1 for: 1s labels: severity: critical ... - alert: OpenSearch KNNCacheCapacityReached expr: sum(aws_es_knngraph_query_errors_maximum) by (domain_name) >= 1 for: 1s labels: severity: warning ... Enter fullscreen mode Exit fullscreen mode As we use it, we’ll see what else we can add. Originally published at RTFM: Linux, DevOps, and system administration . 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 Arseny Zinchenko Follow DevOps, cloud and infrastructure engineer. Love Linux, OpenSource, and AWS. Location Kiev, Ukraine Joined Sep 16, 2017 More from Arseny Zinchenko Terraform: creating an AWS OpenSearch Service cluster and users # devops # aws # terraform # tutorial Terraform: using Ephemeral Resources and Write-Only Attributes # terraform # devops # tutorial # todayilearned Terraform: AWS EKS Terraform module update from version 20.x to version 21.x # terraform # kubernetes # devops # todayilearned 💎 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:31 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.