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://developers.reddit.com/apps/purge-user
Remove Macro | Reddit for Developers Readme Remove Macro This glorious app (fka Purge User) allows moderators to remove content for a user in your subreddit who is not following the rules. Naughty naughty! To run it, you simply select "Purge User's Content" from the mod menu of a post or comment. A confirmation form will pop up also asking if you want to optionally ban the user. You can Permaban (-1) or select a time in days from 1-999. You can optionally add more details to the reason (limit is less than 300 characters including the automated note). Remove Macro will check to make sure you have the proper mod perms and will tell you with a toast ( Cheers! ) how many items were removed. About this app undefined-variable-x Creator App identifier purge-user Version 2.0.2 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://dev.to/miltivik/how-i-built-a-high-performance-social-api-with-bun-elysiajs-on-a-5-vps-handling-36k-reqsmin-5do4#1-tuning-the-rate-limiter
How I built a high-performance Social API with Bun & ElysiaJS on a $5 VPS (handling 3.6k reqs/min) - 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 nicomedina Posted on Jan 13           How I built a high-performance Social API with Bun & ElysiaJS on a $5 VPS (handling 3.6k reqs/min) # bunjs # api # javascript # programming The Goal I wanted to build a "Micro-Social" API—a backend service capable of handling Twitter-like feeds, follows, and likes—without breaking the bank. My constraints were simple: Budget:** $5 - $20 / month. Performance:** Sub-300ms latency. Scale:** Must handle concurrent load (stress testing). Most tutorials show you Hello World . This post shows you what happens when you actually hit Hello World with 25 concurrent users on a cheap VPS. (Spoiler: It crashes). Here is how I fixed it. ## The Stack 🛠️ I chose Bun over Node.js for its startup speed and built-in tooling. Runtime: Bun Framework: ElysiaJS (Fastest Bun framework) Database: PostgreSQL (via Dokploy) ORM: Drizzle (Lightweight & Type-safe) Hosting: VPS with Dokploy (Docker Compose) The "Oh Sh*t" Moment 🚨 I deployed my first version. It worked fine for me. Then I ran a load test using k6 to simulate 25 virtual users browsing various feeds. k6 run tests/stress-test.js Enter fullscreen mode Exit fullscreen mode Result: ✗ http_req_failed................: 86.44% ✗ status is 429..................: 86.44% The server wasn't crashing, but it was rejecting almost everyone. Diagnosis I initially blamed Traefik (the reverse proxy). But digging into the code, I found the culprit was me . // src/index.ts // OLD CONFIGURATION . use ( rateLimit ({ duration : 60 _000 , max : 100 // 💀 100 requests per minute... GLOBAL per IP? })) Enter fullscreen mode Exit fullscreen mode Since my stress test (and likely any future NATed corporate office) sent all requests from a single IP, I was essentially DDOSing myself. The Fixes 🔧 1. Tuning the Rate Limiter I bumped the limit to 2,500 req/min . This prevents abuse while allowing heavy legitimate traffic (or load balancers). // src/index.ts . use ( rateLimit ({ duration : 60 _000 , max : 2500 // Much better for standard reliable APIs })) Enter fullscreen mode Exit fullscreen mode 2. Database Connection Pooling The default Postgres pool size is often small (e.g., 10 or 20). My VPS has 4GB RAM. PostgreSQL needs RAM for connections, but not that much. I bumped the pool to 80 connections . // src/db/index.ts const client = postgres ( process . env . DATABASE_URL , { max : 80 }); Enter fullscreen mode Exit fullscreen mode 3. Horizontal Scaling with Docker Node/Bun is single-threaded. A single container uses 1 CPU core effectivey. My VPS has 2 vCPUs. I added a replicas instruction to my docker-compose.dokploy.yml : api : build : . restart : always deploy : replicas : 2 # One for each core! Enter fullscreen mode Exit fullscreen mode This instantly doubled my throughput capacity. Traefik automatically load-balances between the two containers. The Final Result 🟢 Ran k6 again: ✓ checks_succeeded...: 100.00% ✓ http_req_duration..: p(95)=200.45ms ✓ http_req_failed....: 0.00% (excluding auth checks) Enter fullscreen mode Exit fullscreen mode 0 errors. 200ms latency. On a cheap VPS. Takeaway You don't need Kubernetes for a side project. You just need to understand where your bottlenecks are: Application Layer: Check your Rate Limits. Database Layer: Check your Connection Pool. Hardware: Use all your cores (Replicas). If you want to try the API, I published it on RapidAPI as Micro-Social API . https://rapidapi.com/ismamed4/api/micro-social Happy coding! 🚀 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   Olivia John Olivia John Olivia John Follow Curious about what makes apps succeed (or fail). Sharing lessons from real-world performance stories. Pronouns She/Her Joined Jun 24, 2025 • Jan 13 Dropdown menu Copy link Hide Great article! 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 nicomedina Follow Hello im a Uruguayan Developer and im a person who always want to search, learn, and adapt new habit or skills in me. Location Uruguay Education UTEC Pronouns He/His Joined Jan 11, 2026 Trending on DEV Community Hot Stop Overengineering: How to Write Clean Code That Actually Ships 🚀 # discuss # javascript # programming # webdev 🧗‍♂️Beginner-Friendly Guide 'Max Dot Product of Two Subsequences' – LeetCode 1458 (C++, Python, JavaScript) # programming # cpp # python # javascript What was your win this week??? # weeklyretro # discuss 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:48
https://dev.to/trishan_fernando/comet-1co5
Comet Browser : Perplexity’s Thinking Browser - 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 Trishan Fernando Posted on Oct 8, 2025 Comet Browser : Perplexity’s Thinking Browser # webdev # ai # learning # productivity We’ve all been living in browsers for years now — Chrome, Edge, Safari… they all kinda feel the same. Open tabs, search things, maybe add a couple of extensions, repeat. Useful? Sure. Fun? Not so much. And then Comet from Perplexity. And honestly, it doesn’t just feel like another browser — it feels like a new class. It’s as if having an AI buddy floating right amidst your browsing life. Get Early Access & Download Comet Comet is not available for free it needs the 200$ Perplexity Subscription with an invitation. But you can get it through partners for free if you are a university Student. Get Early Access With Your University Email.Use your University email to Verify that you are a student Get Early Access & Download Comet What’s the excitement about? Comet isn’t all about “opening sites faster.” It’s about doing things with your browser instead of just staring at it. Got 10 tabs open doing research? Tell Comet to summarize them into one neat note. Shopping for a laptop? Have it search deals on websites and show you the top choices. Writing an email? Cross out a couple of pages and voila — it writes something that even sounds logical. Doing a project? Keep your tabs + notes + AI summaries all bundled up in a neat space you can return to. It is like the distinction between you driving a vehicle and having a vehicle that helps you drive, monitors your schedule, and maybe even helps you save money on fuel in the bargain. What people are saying I’ve been skimming through Reddit, X, and LinkedIn, and the vibe is clear: folks are hyped. People call it “futuristic,” “the only browser that actually boosts productivity,” and “perfect for research.” Students, writers, and even devs juggling docs love that it cuts down tab chaos. Of course, there’s a catch — some grumblings that it’s invite-only for certain plans, and pricing debates. Totally fair. But that’s what you get when you’re not building another browser, you’re trying to rethink how we browse period. One heads-up though ??? AI browsers are new territory. Security researchers raise the alarms for dangers like nefarious sites trying to trick the AI into making bad decisions (autofilling data, risky clicks, etc.). So yeah — Comet does have a future vibe to it, but maybe don’t fling your banking login data at it just yet. Why I think this matters Comet is the first browser I’ve used that truly seems to be built for the way we actually work in 2025: multitasking, info overload, constant context-switching. Instead of just allowing us to have more tabs, it processes them. And for real? Once you get a taste of it, browsing with a “regular” browser again feels… kinda like using a Nokia brick phone once you’ve had a smartphone. And Comet is only given access to their partners only and this need to pay 200$(Perplexity Pro) If you are an university student , you can get the early access from the below invitation link for 100% Free. Get Early Access to download Comet Stay Tuned with me to more updated Stuff in technology ! 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 Trishan Fernando Follow Junior Web Dev Education University of Moratuwa BSc Hons in Information Technology Work Junior Odoo Developer at Crede Technologies Joined Feb 12, 2025 More from Trishan Fernando OWL JS 01 — Why Odoo Created OWL: A Framework Built for Modularity # odoo # owl # odooddevelopment # webdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:48
https://developers.reddit.com/apps/banhammerapp
Banhammer | Reddit for Developers Readme BanHammer App BanHammer App is a tool for moderators to quickly and easily ban spammers from multiple subreddits at once. Note: BanHammer will only ban in subreddits the app is installed and the moderator utilizing it has at least the 'access' permission. Configuration To utilize BanHammer App, you must at least have the access permission in EVERY subreddit you wish to ban or add mod notes in. After installing, you can configure the following options on the app's settings page: Default Ban Subreddits : Other subreddits to ban from by default. If left blank, the user will only be banned from this subreddit. One subreddit per line, case-insensitive. Will only ban in subreddits where BanHammer is installed and the invoking moderator is also a moderator with the appropriate permissions. Enable Ban Allow List? : If checked, ONLY the subreddits listed in the 'Allowed Ban Subreddits' field will be able to ban users in this subreddit. Allowed Ban Subreddits : List of subreddits that are allowed to ban in your subreddit. If the allow list is enabled, only subreddits in this list will be able to ban in your subreddit. One subreddit per line, case-insensitive. Ignored if 'Enable Ban Allow List?' is disabled. Leave blank to deny all other subreddits from banning users in this subreddit. Denied Ban Subreddits : List of subreddits that are not allowed to ban in your subreddit. This is ignored if ' Enable Ban Allow List?' is enabled. One subreddit per line, case-insensitive. Default User Message : The default message to send to the user when they are banned. Supports placeholders, see below for supported placeholders. For example, "Hello, u/{{author}}, you have been banned from r/{{subreddit}} for posting the following {{kind}} in {{originSubreddit}}: {{url}}.". Default Mod Note Subreddits : Other subreddits to add mod notes in by default. If left blank, the mod note will only be added in this subreddit. One subreddit per line, case-insensitive. Will only add mod notes in subreddits where BanHammer is installed and the invoking moderator is also a moderator with the appropriate permissions. Enable Mod Note Allow List? : If checked, ONLY the subreddits listed in the 'Allowed Mod Note Subreddits' field will be able to add mod notes to users in this subreddit. Allowed Mod Note Subreddits : List of subreddits that are allowed to add mod notes in your subreddit. If the allow list is enabled, only subreddits on this list will be able to add mod notes in your subreddit. One subreddit per line, case-insensitive. Ignored if 'Enable Mod Note Allow List?' is disabled. Leave blank to deny all other subreddits from adding mod notes in this subreddit. Denied Mod Note Subreddits : List of subreddits that are not allowed to add mod notes in your subreddit. This is ignored if 'Enable Mod Note Allow List?' is enabled. One subreddit per line, case-insensitive. Default Mod Note Label : Default Mod Note label. Defaults to 'Abuse Warning'. Must be one of the following: Abuse Warning Ban Bot Ban Helpful User Perma Ban Solid Contributor Spam Warning Spam Watch Default Mod Note : The default mod note to add to the user. Supports placeholders, see below for supported placeholders. For example, "User was banned from r/{{subreddit}} for posting the following {{kind}} in {{originSubreddit}}: {{url}}.". Supported Placeholders The following placeholders are supported: {{author}} : The username of the user. This will automatically be prefixed with 'u/'. {{body}} : The body of the item. If there is no body, this will be empty. {{kind}} : The kind of item ('comment' or 'post'). {{originSubreddit}} : The subreddit the ban was initiated in. This will automatically be prefixed with 'r/'. {{subreddit}} : The subreddit the item is posted to. This will automatically be prefixed with 'r/'. {{title}} : The title of the item (Posts only). If the item is a comment, this will be the title of the post the comment is on. {{triggeringMod}} : The username of the moderator who initiated the ban and/or mod note. This will automatically be prefixed with 'u/'. {{url}} : A link to the item. Usage You can access the app through the 'BanHammer User' context menu option on any post or comment in your subreddit. After selecting the context menu action, you will see a dialog box where you can configure the following options for the ban: Ban Configuration Ban User? : Toggle to ban the user in the specified subreddit(s). Duration : The duration of the ban in days. If set to 0, the ban will be permanent. Defaults to 0. Additional Info/Ban Mod Note : Additional information or a mod note to include with the ban. This is only visible to other moderators. Supports placeholders, see above for supported placeholders. User Message : A message to send to the user when they are banned. Supports placeholders, see above for supported placeholders. For example, "Hello, {{username}}, you have beenbanned from {{subreddit}} for posting excessive spam.". Defaults to the message set in the app's settings page. Additional Ban Subreddits : Additional subreddits to ban the user from. If left blank, the user will only be banned from the subreddit the ban was initiated in. One subreddit per line, case-insensitive. Defaults to the subreddits specified in the 'Other Subreddits' field on the app's settings page. Mod Note Configuration Add Mod Note? : Toggle to add a mod note for the user in the specified subreddit(s). Supports placeholders, see above for supported placeholders. Mod Note Label : Select a label for the mod note. Options include: Abuse Warning Spam Warning Spam Watch Solid Contributor Helpful User Ban Bot Ban Perma Ban Mod Note : Text for the mod note. This is only visible to other moderators. Additional Mod Note Subreddits : Additional subreddits to add a mod note in. If left blank, the mod note will only be added to the subreddit it was initiated in. One subreddit per line, case-insensitive. Known Issues Default Mod Note Label is not set when actioning a user. This should be resolved in a future release of Devvit. Feedback If you have any feedback or suggestions for BanHammer, file a bug report or feature request on the GitHub page . Changes 1.3.1 Fixed a bug where incorrect capitalization of subreddit names in allow/deny lists would cause bans or mod notes to not be applied. Added error messages when a ban or mod note fails to be applied. 1.3.0 Fixed a bug that would cause an unexpected crash when actioning a user if a mod note label was not selected. Fixed a bug where placeholders were not being replaced if the field contained duplicate placeholders. Added support for {{title}} , {{body}} , and {{triggeringMod}} placeholders. 1.2.1 Added support for using placeholders in the "Additional Info/Ban Mod Note" field. Fixed a bug where banning would not work if the user message field was left blank. 1.1.3 Update devvit version for vulnerability fix. 1.1.2 Remove scheduled job for keeping settings in sync with wiki page. 1.1.1 Revert setting name changes to restore previously set values. 1.1.0 Added ability for adding mod notes to users. 1.0.3 Improve ban performance. Improve error handling. Errors are now displayed if the subreddit you're trying to ban in is banned or not valid. 1.0.2 Fixed an issue where the app couldn't be setup. 1.0.1 Fixed an issue with the app not appearing in comment context menus. 1.0.0 Initial release. About this app Lil_SpazJoekp Creator App identifier banhammerapp Version 1.3.1 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://developers.reddit.com/apps/manipulation-pi
Manipulation Detector | Reddit for Developers Readme Manipulation Detector A Devvit app that detects potentially suspicious posts on a subreddit. Upon installation, this app records the scores that each new post receives over time. When the score reaches a threshold, it sends moderators a notification to review the post. The threshold can be adjusted in the app's settings. score is a combination of the number of upvotes and downvotes a post receives. Settings Post Detection Suspicious Post Threshold The score difference a post must receive before the app flags it as suspicious. Default is 20. Post Detection Window The time interval (in minutes) to check if a post has reached the suspicious threshold. Default is 20 minutes. Comment Detection Suspicious Comment Threshold The score difference a comment must receive before the app flags it as suspicious. Default is 20. Comment Detection Window The time interval (in minutes) to check if a comment has reached the suspicious threshold. Default is 20 minutes. Banning Post Ban Threshold The score difference that triggers a ban for the post author. Set to 0 to disable. Default is 0 (disabled). Post Ban Detection Window The time window (in minutes) for post score changes to trigger a ban. Default is 0 minutes. Post Ban Duration The duration (in days) for bans triggered by suspicious posts. Use -1 for permanent bans. Default is 0 days. Comment Ban Threshold The score difference that triggers a ban for the comment author. Set to 0 to disable. Default is 0 (disabled). Comment Ban Detection Window The time window (in minutes) for comment score changes to trigger a ban. Default is 10 minutes. Comment Ban Duration The duration (in days) for bans triggered by suspicious comments. Use -1 for permanent bans. Default is 0 days. Reporting Send Modmail When enabled, the app sends a modmail notification to moderators when a post or comment is flagged as suspicious. Example: Add to Modqueue When enabled, the app reports flagged posts or comments, adding them to the subreddit's modqueue. The image at the top shows an example of a post that has been added to the modqueue. If there are other manipulation detection methods or features you would like to see added, please reach out through the 'Send Feedback' option below. About this app caleb_dre Creator App identifier manipulation-pi Version 0.0.27 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://dev.to/trishan_fernando/comet-1co5#comments
Comet Browser : Perplexity’s Thinking Browser - 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 Trishan Fernando Posted on Oct 8, 2025 Comet Browser : Perplexity’s Thinking Browser # webdev # ai # learning # productivity We’ve all been living in browsers for years now — Chrome, Edge, Safari… they all kinda feel the same. Open tabs, search things, maybe add a couple of extensions, repeat. Useful? Sure. Fun? Not so much. And then Comet from Perplexity. And honestly, it doesn’t just feel like another browser — it feels like a new class. It’s as if having an AI buddy floating right amidst your browsing life. Get Early Access & Download Comet Comet is not available for free it needs the 200$ Perplexity Subscription with an invitation. But you can get it through partners for free if you are a university Student. Get Early Access With Your University Email.Use your University email to Verify that you are a student Get Early Access & Download Comet What’s the excitement about? Comet isn’t all about “opening sites faster.” It’s about doing things with your browser instead of just staring at it. Got 10 tabs open doing research? Tell Comet to summarize them into one neat note. Shopping for a laptop? Have it search deals on websites and show you the top choices. Writing an email? Cross out a couple of pages and voila — it writes something that even sounds logical. Doing a project? Keep your tabs + notes + AI summaries all bundled up in a neat space you can return to. It is like the distinction between you driving a vehicle and having a vehicle that helps you drive, monitors your schedule, and maybe even helps you save money on fuel in the bargain. What people are saying I’ve been skimming through Reddit, X, and LinkedIn, and the vibe is clear: folks are hyped. People call it “futuristic,” “the only browser that actually boosts productivity,” and “perfect for research.” Students, writers, and even devs juggling docs love that it cuts down tab chaos. Of course, there’s a catch — some grumblings that it’s invite-only for certain plans, and pricing debates. Totally fair. But that’s what you get when you’re not building another browser, you’re trying to rethink how we browse period. One heads-up though ??? AI browsers are new territory. Security researchers raise the alarms for dangers like nefarious sites trying to trick the AI into making bad decisions (autofilling data, risky clicks, etc.). So yeah — Comet does have a future vibe to it, but maybe don’t fling your banking login data at it just yet. Why I think this matters Comet is the first browser I’ve used that truly seems to be built for the way we actually work in 2025: multitasking, info overload, constant context-switching. Instead of just allowing us to have more tabs, it processes them. And for real? Once you get a taste of it, browsing with a “regular” browser again feels… kinda like using a Nokia brick phone once you’ve had a smartphone. And Comet is only given access to their partners only and this need to pay 200$(Perplexity Pro) If you are an university student , you can get the early access from the below invitation link for 100% Free. Get Early Access to download Comet Stay Tuned with me to more updated Stuff in technology ! 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 Trishan Fernando Follow Junior Web Dev Education University of Moratuwa BSc Hons in Information Technology Work Junior Odoo Developer at Crede Technologies Joined Feb 12, 2025 More from Trishan Fernando OWL JS 01 — Why Odoo Created OWL: A Framework Built for Modularity # odoo # owl # odooddevelopment # webdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:48
https://developers.reddit.com/apps/floodassistant
Flooding Assistant | Reddit for Developers Readme FloodingAssistant FloodAssistant (or FloodingAssistant) is a Devvit app that allows you to restrict users to a certain number of posts within a certain time frame. View the full documentation on the wiki. Change Log This section summarizes the changes made for each published version of the app, unpublished versions are not listed, but you can always view the full changes to the code on GitHub . 1.3.0 Fixed an issue where the app was unable to retrieve tracked posts in some subreddits with very high post volume or a very long quota period. Upgraded to Devvit 0.11 1.2.0 Added "Check User's Quota" button to the subreddit context menu. This button will open a form that allows moderators to check a specific user's quota state. You will be able to see which posts are counted towards their quota and which are excluded and why. Added option to lock posts after removal. Posts that exceed the quota will now be removed on subreddits that have the spam filter set to "all". Added validation to removal reason ID field to ensure it exists on the subreddit. 1.1.4 Simplifies the check that was used for avoiding double-actioning posts that were removed by someone else (automod, bot, etc) before we could action them. This was causing Devvit metadata to be lost in some mysterious cases, resulting in the removal failing. 1.1.3 Upgraded to a newer version of Devvit to resolve an issue where the app would break if the subreddit used the new "channels" and "chat_config" moderator permissions. 1.1.2 Fixed an issue where custom date placeholder options were not being properly validated before saving. This could cause the app to crash if an invalid date format was entered. I highly recommend hitting save on the app's settings page again to ensure those settings are valid. 1.1.1 Minor performance improvements, especially for subreddits with a large number of posts. More specifically, getPostsByAuthor now uses the recently added zScan method. 1.1.0 The app now uses Devvit's new Redis client for tracking posts instead of the old KV store. Due to serious issues with the KV store, older versions of the apps may no longer work and must update to this version or beyond. For the same reason, it was not possible to migrate existing data to the new system. Updating to this version, all existing quotas will be reset. Major rewrite of the FloodAssistant's code. This should improve the app's reliability and maintainability. "Ignore Auto-Removed Posts" no longer needs to be enabled for posts removed by FloodAssistant to not count towards the quota, they will always be ignored. New placeholders: {{quota_oldest_id}} , {{quota_oldest_url}} , {{quota_newest_id}} , and {{quota_newest_url}} . 0.3.6 The locale field is now a dropdown with all supported locales instead of a text box (previously very long dropdowns had issues). If you previously entered a custom locale, you may need to reselect it. About this app PitchforkAssistant Creator App identifier floodassistant Version 1.3.0 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://blog.jetbrains.com/teamcity/2020/05/teamcity-2020-1-rc-is-out/
TeamCity 2020.1 RC is out | The TeamCity Blog Skip to content Topics Search Burger menu icon IDEs CLion DataGrip DataSpell Fleet GoLand IntelliJ IDEA PhpStorm PyCharm RustRover Rider RubyMine WebStorm Plugins & Services Big Data Tools Code With Me JetBrains Platform Scala Toolbox App Writerside JetBrains AI Grazie Junie JetBrains for Data Kineto Team Tools Datalore Space TeamCity Upsource YouTrack Hub Qodana CodeCanvas Matter .NET & Visual Studio .NET Tools ReSharper C++ Languages & Frameworks Kotlin Ktor MPS Amper Education & Research JetBrains Academy Research Company Company Blog Security TeamCity Powerful CI/CD for DevOps-centric teams Follow Follow: X X Youtube Youtube RSS RSS Get TeamCity All News Releases Features Livestreams How-To's Guest posts Early Access Program Features TeamCity 2020.1 RC is out Maria Kudryavtseva Today we are presenting our release candidate build for TeamCity 2020.1. This build contains over 100 features and bug fixes. The full list of features is available in our release notes . Remember that the new release changes the TeamCity data format and downgrading to the previous production version is not supported. We recommend installing this EAP version on a trial server. If you installed the previous TeamCity EAP version, you can easily upgrade with our  automatic update . In other cases, you can download the  EAP build  or pull the  Docker image  with the  eap  tag. The TeamCity RC builds come without the EAP license but the license for the 2020.1 EAP 3 release is valid for this RC. Your feedback is always welcome in our forum or tracker . Stay tuned for the upcoming news on our 2020.1 release build. Happy building!   Share Facebook Twitter Linkedin Prev post TeamCity 2019.2.4 is released TeamCity 2020.1: Conditional Build Steps, Support for Kubernetes, Slack Notifier, Integration with Azure DevOps and Jira Software Cloud, and more Next post Subscribe to TeamCity Blog updates Subscribe form By submitting this form, I agree to the JetBrains Privacy Policy Notification icon By submitting this form, I agree that JetBrains s.r.o. ("JetBrains") may use my name, email address, and location data to send me newsletters, including commercial communications, and to process my personal data for this purpose. I agree that JetBrains may process said data using third-party services for this purpose in accordance with the JetBrains Privacy Policy . I understand that I can revoke this consent at any time in my profile . In addition, an unsubscribe link is included in each email. Submit Thanks, we've got you! Discover more Deploying to Multiple Targets With Ease Deploying your system to many different environments is now made easy with TeamCity's matrix builds. Read this blog post to learn how. Pavel Sher Introducing the Unreal Engine Plugin for TeamCity We're excited to officially introduce the Unreal Engine Support plugin for TeamCity! In this demo, we’ll be setting up a pipeline for two starter games shipped with Unreal. Vladislav Grinin Make CI/CD Part of Your Development Flow With TeamCity Pipelines TeamCity Pipelines, our brand-new product, will make you fall in love with CI/CD ❤️ Olga Bedrina Maximizing Efficiency: TeamCity Cloud Introduces Per-Minute macOS Build Agents Per-minute macOS agents are now available in TeamCity Cloud! Read this blog post to learn more. Olga Bedrina Privacy & Security Terms of Use Legal Genuine tools Twitter Facebook Linkedin Instagram Youtube RSS Tiktok Merchandise store icon Merchandise store Copyright © 2000 JetBrains s.r.o.
2026-01-13T08:47:48
https://dev.to/t/odoo/page/3
Odoo 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 Forem Close # odoo Follow Hide Create Post Older #odoo posts 1 2 3 4 5 6 7 8 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu OWL JS 01 — Why Odoo Created OWL: A Framework Built for Modularity Trishan Fernando Trishan Fernando Trishan Fernando Follow Mar 31 '25 OWL JS 01 — Why Odoo Created OWL: A Framework Built for Modularity # odoo # owl # odooddevelopment # webdev Comments Add Comment 2 min read Issue with Odoo Multi-Company Setup: Access Rights Not Working James Scott James Scott James Scott Follow Mar 8 '25 Issue with Odoo Multi-Company Setup: Access Rights Not Working # odoo # multicompany # accessrights # odoo14 Comments Add Comment 1 min read Odoo API Integration Services: A Game Changer for Manufacturing ERP Solutions Nirav Parmar Nirav Parmar Nirav Parmar Follow Apr 11 '25 Odoo API Integration Services: A Game Changer for Manufacturing ERP Solutions # odoo # erp # api # software 5  reactions Comments Add Comment 4 min read Odoo 16 Modules to Odoo 18 Migration Guide WebbyCrown Solutions WebbyCrown Solutions WebbyCrown Solutions Follow for WebbyCrown Solutions Apr 10 '25 Odoo 16 Modules to Odoo 18 Migration Guide # migration # odoo # erp # odoo18 4  reactions Comments Add Comment 4 min read 6 Must-Have Features in a Modern ERP System Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Apr 9 '25 6 Must-Have Features in a Modern ERP System # erp # software # odoo 5  reactions Comments 1  comment 6 min read Upgrading Odoo Expensive or Cheaper? WebbyCrown Solutions WebbyCrown Solutions WebbyCrown Solutions Follow for WebbyCrown Solutions Mar 10 '25 Upgrading Odoo Expensive or Cheaper? # odooexpensive # odoo # odoopricing Comments Add Comment 6 min read What is ERP? Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 18 '25 What is ERP? # erp # odoo # webdev 6  reactions Comments Add Comment 3 min read Expert Odoo Training for Companies – Improve Productivity Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Apr 4 '25 Expert Odoo Training for Companies – Improve Productivity # odoo # erp 10  reactions Comments Add Comment 6 min read ERP Implementation Challenges and How to Overcome Them Nirav Parmar Nirav Parmar Nirav Parmar Follow Mar 31 '25 ERP Implementation Challenges and How to Overcome Them # odoo # erp # python # softwaredevelopment 7  reactions Comments 2  comments 4 min read Why Every Hardware Store Needs a Management System in 2025 Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 28 '25 Why Every Hardware Store Needs a Management System in 2025 # odoo # erp # businessmanagement 5  reactions Comments Add Comment 5 min read How a POS Retail Solution Can Boost Your Sales and Customer Satisfaction Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 27 '25 How a POS Retail Solution Can Boost Your Sales and Customer Satisfaction # possoftware # erp # odoo 10  reactions Comments Add Comment 4 min read Why Real Estate Agents Should Invest in CRM Software Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 26 '25 Why Real Estate Agents Should Invest in CRM Software # crmsoftware # epr # odoo 5  reactions Comments Add Comment 4 min read 10 Signs Your Business Needs an ERP System Today Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 24 '25 10 Signs Your Business Needs an ERP System Today # erp # erpsoftware # odoo 5  reactions Comments Add Comment 3 min read ERP Software: A Complete Guide to Implementation, Customization, and Industry-Specific Solutions Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 22 '25 ERP Software: A Complete Guide to Implementation, Customization, and Industry-Specific Solutions # odoo # erp # webdev 10  reactions Comments 2  comments 4 min read 10 Best POS Systems for Small Businesses in 2025 Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 13 '25 10 Best POS Systems for Small Businesses in 2025 # odoo # erp # opensource # cloud 12  reactions Comments Add Comment 4 min read Hardware Store Management System: A Complete Guide Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 12 '25 Hardware Store Management System: A Complete Guide # erp # odoo 19  reactions Comments Add Comment 4 min read Odoo Modules Development: Boost Your Business Logic WebbyCrown Solutions WebbyCrown Solutions WebbyCrown Solutions Follow for WebbyCrown Solutions Mar 11 '25 Odoo Modules Development: Boost Your Business Logic # odoomodules # odoo # python # erp 1  reaction Comments Add Comment 5 min read Tender Management System: Everything You Need to Know in 2025 Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 10 '25 Tender Management System: Everything You Need to Know in 2025 # erp # odoo # webdev 10  reactions Comments 1  comment 3 min read 7 Must-Have Features in a POS System for Retail Shops Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 8 '25 7 Must-Have Features in a POS System for Retail Shops # possoftware # erp # odoo # webdev 10  reactions Comments 2  comments 3 min read How to Integrate Blockchain with Odoo and Shopify WebbyCrown Solutions WebbyCrown Solutions WebbyCrown Solutions Follow for WebbyCrown Solutions Mar 6 '25 How to Integrate Blockchain with Odoo and Shopify # odoo # blockchainwithodoo # odooblockchainintegration Comments Add Comment 4 min read Importance of PMS in Real Estate and Construction Industries Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Mar 5 '25 Importance of PMS in Real Estate and Construction Industries # odoo # opensource # erp # webdev 11  reactions Comments Add Comment 3 min read 10 Powerful Features of CRM Advance to Boost Business Growth Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Feb 27 '25 10 Powerful Features of CRM Advance to Boost Business Growth # odoo # erp # webdev # crm 11  reactions Comments Add Comment 3 min read Auto Parts Inventory Management: A Must-Have for Automotive Businesses Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Feb 26 '25 Auto Parts Inventory Management: A Must-Have for Automotive Businesses # odoo # erp # webdev # opensource 10  reactions Comments Add Comment 3 min read Streamline Rentals with a Property Management System Bhavesh Gangani Bhavesh Gangani Bhavesh Gangani Follow Feb 25 '25 Streamline Rentals with a Property Management System # opensource # odoo 10  reactions Comments 1  comment 2 min read Selecting the Right ERP for Singapore SMEs: Why Odoo Deserves Attention Deeraj Deeraj Deeraj Follow Jan 21 '25 Selecting the Right ERP for Singapore SMEs: Why Odoo Deserves Attention # webdev # productivity # odoo 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 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:47:48
https://dev.to/trishan_fernando/adding-field-attributes-to-multiple-fields-at-once-in-odoo-h0l
Adding Field Attributes to multiple fields at once in Odoo - 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 Trishan Fernando Posted on Apr 2, 2025 Adding Field Attributes to multiple fields at once in Odoo # odoo # python When developing in Odoo, you might encounter situations where you need to add the same attribute to multiple fields. For instance, imagine you have a model with 20–30 fields and later decide to enable tracking on all of them. Adding the tracking attribute manually to each field definition would be time-consuming and potentially error-prone. This article explores how to leverage Odoo’s fields_get() method to identify fields and modify their attributes programmatically, saving significant development time. Understanding fields_get() Odoo provides a built-in method called fields_get() that returns all fields and their attributes for a specific model. This method has two optional arguments: field name and field attributes. Example Usage Here’s a simple example of how to use fields_get() to view all fields and their attributes in a model: When executed, this function will output something like: Practical Use Case: Adding Tracking to Multiple Fields Let’s look at a practical scenario where this approach is particularly useful. Imagine you’ve created a model with numerous fields, and after development, you decide that all fields should be tracked for audit purposes. Instead of modifying each field definition individually, you can use the following function: def add_attribute(self): model_obj = self.env['your.model.name'] fields = model_obj.fields_get() print(type(fields)) for field_name, field_attrs in fields.items(): # Get the field object from the model's _fields dictionary field_obj = model_obj._fields.get(field_name) if field_obj: # Check if tracking attribute is not already set or is False if not getattr(field_obj, 'tracking', False): # Skip fields that cannot be tracked if field_obj.type == 'one2many' or (field_obj.compute and not field_obj.store): print(f"Field {field_name} cannot be tracked (one2many or computed non-stored).") continue # Set tracking attribute to True field_obj.tracking = True print(f"Field {field_name} is now tracked.") else: print(f"Field {field_name} is already tracked.") else: print(f"Field {field_name} not found in model.") Enter fullscreen mode Exit fullscreen mode This function iterates through all fields in the specified model and sets the tracking attribute to True for eligible fields. It also includes validation to skip fields that cannot be tracked (like one2many fields or computed non-stored fields). Beyond Tracking: Additional Applications While our example focuses on adding tracking, this technique can be applied to modify any field attribute programmatically. Some other potential uses include: Adding specific groups to field access rights Modifying string attributes for internationalization Changing widget attributes for better UI display Setting default values across multiple fields Important Considerations When using this approach, keep these points in mind: Environment Impact: This modification happens at runtime and may not persist after server restart unless you’re modifying the actual field definitions in the Python code. Production Caution: Be careful when applying this in production environments, as modifying field attributes can have system-wide effects. Performance: For very large models, iterating through all fields could impact performance. Conclusion This approach provides an alternative method for modifying field attributes in Odoo models with multiple fields. While direct field definition remains the standard practice for most development scenarios, understanding how to programmatically modify attributes can be useful in specific situations where bulk changes are needed. The technique leverages Odoo’s built-in functionality to access field definitions, offering a way to make consistent changes across many fields without manual intervention. Stay Tuned ! 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 Trishan Fernando Follow Junior Web Dev Education University of Moratuwa BSc Hons in Information Technology Work Junior Odoo Developer at Crede Technologies Joined Feb 12, 2025 More from Trishan Fernando GitPulse: GitHub Trending Tool # python # github # restapi # cli OWL JS 01 — Why Odoo Created OWL: A Framework Built for Modularity # odoo # owl # odooddevelopment # webdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:48
https://dev.to/miltivik
nicomedina - 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 nicomedina Hello im a Uruguayan Developer and im a person who always want to search, learn, and adapt new habit or skills in me. Location Uruguay Joined Joined on  Jan 11, 2026 Personal website https://ismaeldesign.framer.website/ github website Education UTEC Pronouns He/His More info about @miltivik Skills/Languages Javascript, React JS (Next JS), React Native (Expo) Currently learning Right now i start learning python but i have advanced knowledge about React JS (in specially Next JS) Available for You can talk to me if u want to know something new or just learn each other Post 1 post published Comment 0 comments written Tag 6 tags followed How I built a high-performance Social API with Bun & ElysiaJS on a $5 VPS (handling 3.6k reqs/min) nicomedina nicomedina nicomedina Follow Jan 13 How I built a high-performance Social API with Bun & ElysiaJS on a $5 VPS (handling 3.6k reqs/min) # bunjs # api # javascript # programming 1  reaction Comments 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:47:48
https://developers.reddit.com/apps/modmailassistant
Modmail Assistant | Reddit for Developers Readme ModmailAssistant ModmailAssistant is a Devvit app that provides a few useful Modmail-related tools. Each of these tools come with some configuration options and can be enabled or disabled individually to your liking. Auto-Highlighter Automatically highlight new modmail conversations from the admins or specific users. Auto-Archiver Automatically archive modmail conversations after a certain amount of time has passed from the last reply. Modmail Mentions This brings username mentions to modmail conversations. Have you ever wanted to ask another mod a question in modmail? Now you can get their attention by /u/-mentioning them, which will send them a private message with a link to the conversation. Change Log This section summarizes the changes made for each published version of the app, unpublished versions are not listed, but you can always view the full changes to the code on GitHub . 0.1.5 Fixed an issue where a non-moderator could receive a modmail mention notification. 0.1.4 Added an option to ignore modmail /u/-mentions if they are inside a quote block. Enabled by default. Fixed an issue where manually running the archiver would never work due to an incorrect permission check. 0.1.3 Fixed a bug that prevented the highlighter function from ever running. About this app PitchforkAssistant Creator App identifier modmailassistant Version 0.1.5 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://dev.to/help/spam-and-abuse#Reporting-spam-plagiarism-and-other-abuse
Spam and Abuse - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Spam and Abuse Spam and Abuse In this article Reporting spam, plagiarism, and other abuse DEV Community Moderation Utilize various channels available to provide feedback and report issues to us. Reporting spam, plagiarism, and other abuse In general, you can fill out our report abuse form here and a DEV Team member will review it. For a specific comment, navigate to the comment and click the ... for the option to report abuse. For a specific article, navigate to the article and click the ... in the sidebar for the option to report abuse. Otherwise, you may scroll to the bottom of the article, beneath the comments, and click report abuse. DEV Community Moderation We also regularly recruit DEV moderators to help us fight spam, organize the site via tags, welcome new members, spread good vibes, and ensure folks follow our Code of Conduct and   Terms . 💎 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:47:48
https://developers.reddit.com/apps/title-rinse
Title Rinse | Reddit for Developers #Moderator #Tool Readme Title Rinse 🧹 A Reddit Devvit app that automatically removes posts with duplicate or very similar titles to maintain content quality and reduce spam in your subreddit. Features Fuzzy Title Matching : Uses advanced fuzzy string matching to detect similar titles, not just exact duplicates Configurable Similarity Threshold : Set how similar titles need to be for removal (1-100%) Time-Based Filtering : Only compares posts within a configurable time window User Whitelisting : Exempt trusted users from title checks Smart Duplicate Handling : Always keeps the older post and removes the newer duplicate Detailed Removal Comments : Adds mod-distinguished comments explaining removals with links to the original post Configuration After installation, configure the app in your subreddit's mod tools: Settings Setting Default Description Similarity Threshold (%) 95 How similar titles must be to trigger removal (1-100). Higher = more strict Lookback Period (hours) 24 How far back to check for similar titles Whitelisted Users (empty) Comma-separated list of usernames exempt from checks (e.g., user1,user2 ) Removal Reason See below Custom message for removal comments Default removal reason: This post has been removed because it has a very similar title to a recent post. How It Works When a new post is submitted, Title Rinse activates It fetches recent posts from the same subreddit within the lookback period Uses fuzzy string matching to find posts with similar titles If a match exceeds the similarity threshold: The newer post is removed A mod-distinguished comment is added with: The removal reason Similarity percentage The older post is always kept to preserve the original submission Example Use Cases News Subreddits : Prevent multiple submissions of the same news story with slightly different titles Question Subreddits : Avoid repetitive questions being asked with minor wording changes Image/Media Subreddits : Stop reposters from slightly modifying titles to bypass exact-match filters Discussion Subreddits : Reduce duplicate discussion threads on the same topic Similarity Examples With a 95% threshold, these titles would be considered duplicates: "Breaking: Scientists discover new planet" ↔ "BREAKING: Scientists Discover New Planet!" "What's your favorite movie of all time?" ↔ "What is your favorite movie of all time" "LPT: Always backup your data" ↔ "LPT: always backup your data!" These would NOT be considered duplicates: "Scientists discover new planet" ↔ "Astronomers find Earth-like world" "Best movies of 2024" ↔ "Worst movies of 2024" Troubleshooting Posts aren't being removed Check that the similarity threshold isn't set too high (try lowering to 85-90%) Verify the lookback period covers the timeframe you need Ensure the app has proper mod permissions in your subreddit Too many false positives Increase the similarity threshold (try 97-99%) Add trusted users to the whitelist Consider shortening the lookback period Privacy & Permissions This app requires the following permissions: Read posts in the subreddit Remove posts Add comments Distinguish comments as moderator The app does not: Store any data outside of Reddit Track users Access private information Modify any settings Support For issues, questions, or feature requests, please message u/DreGotWangs THANK YOU! - 🪽 About this app DreGotWangs Creator App identifier title-rinse Version 0.0.6 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://www.reddit.com/r/programming/top/?t=week
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:48
https://developers.reddit.com/apps/auto-modmail
Modmail Automator | Reddit for Developers Readme Like Automoderator, just for modmail. Allows sub mods to configure rules written in YAML to enable autoresponders, automate ban appeals and more. For full documentation, please see this page . Modmail Automator is open source. You can find it on Github here . Version History For older releases please see the full change log . v1.10.0 Add feature to allow mod notes to be added by Modmail Automator rules Add ability to check a user's social links Add was_deleted check to mod action checks When setting user flair text, the existing flair CSS class is respected App can now act on outgoing messages triggered by itself (e.g. when approving users) Update Devvit About this app fsv Creator App identifier auto-modmail Version 1.10.0 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://developers.reddit.com/apps/mod-mentions
Moderator Mentions | Reddit for Developers Readme Moderator Mentions Get notified about moderator username mentions in your subreddit and (optionally) action the content. Supports Modmail, Slack, and Discord. Generate reports to easily identify the top offenders. https://developers.reddit.com/apps/mod-mentions Features Minimal setup requiring zero knowledge about AutoModerator or coding Automatically handles changes to your mod team - No input required! Easily exclude moderators Monitors posts and comments (both new and edited) Action identified content (Report, Lock, and Remove) Notifications via Modmail, Slack, or Discord Tracks users to identify repeat offenders Top 10 report delivered via Modmail Installation Settings Require u/ prefix: Mentions must contain the u/ username-linking prefix to trigger an action or notification. Disable to check for any username mention regardless of the presence of the prefix (vulnerable to false positives if moderator usernames are common words). When enabled, "Hey u/spez" will trigger the app but "Hey spez" will not. When disabled, both phrases will trigger the app. Excluded Moderators: Ignore mentions of these moderators, entered as a comma-separated list (e.g. spez, kn0thing, KeyserSosa ) AutoModerator and the app account ( u/mod-mentions ) are automatically excluded Actions: Moderator actions (report, lock, and remove) to take on content that mentions a subreddit moderator Notifications Send Modmail: Send notification via Modmail Webhook URL: Send notification to Slack or Discord via webhook Slack: Sending messages using Incoming Webhooks Discord: Intro to Webhooks Notifications Modmail Slack Discord Menu Action Mod Mentions Leaderboard This action appears under the moderator menu for the subreddit. It generates a leaderboard listing the users that have mentioned the most moderators. Changelog View Releases on GitHub v1.3 Detect all mentioned moderators v1.2 Ignore self-mentions Modmail notifications routed into Inbox rather than Mod Discussions Improved robustness of username detection v1.0 Include subreddit-ModTeam account Add setting to disable u/ prefix when detecting mentions Improved robustness of username detection v0.9 Improve readability of Modmail and Slack notifications Send Modmail messages via conversation rather than Mod Discussion Added Terms of Service and Privacy Policy Major refactor to minimize API calls to avoid rate limits v0.8 Initial Release Links Source Code Terms and Conditions Privacy Policy Note: The avatar used in this project was generated using Image Creator from Microsoft Designer. About this app shiruken Creator App identifier mod-mentions Version 1.3.2 Send feedback Terms and conditions Privacy policy Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:48
https://forem.com/t/startup
Startup - 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 Startup Follow Hide A company or project undertaken by an entrepreneur to seek, develop, and validate a scalable business model. Create Post Older #startup posts 1 2 3 4 5 6 7 8 9 … 75 … 188 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu DoraHacks Start-up Ideas 2026: Pt.1 Digital Finance in the Circle/Arc ecosystem DoraHacks DoraHacks DoraHacks Follow Jan 13 DoraHacks Start-up Ideas 2026: Pt.1 Digital Finance in the Circle/Arc ecosystem # cryptocurrency # startup # web3 Comments Add Comment 16 min read Lessons learned integrating Paddle (Sandbox to Live) & fixing DMARC as a solo dev yongsheng he yongsheng he yongsheng he Follow Jan 13 Lessons learned integrating Paddle (Sandbox to Live) & fixing DMARC as a solo dev # saas # security # startup # tutorial Comments Add Comment 2 min read Software Testing for BFSI Anna Anna Anna Follow Jan 13 Software Testing for BFSI # discuss # tutorial # automation # startup Comments Add Comment 5 min read From Startup to Unicorn: A Blueprint for Secure Enterprise Architecture Eber Cruz Eber Cruz Eber Cruz Follow Jan 13 From Startup to Unicorn: A Blueprint for Secure Enterprise Architecture # software # architecture # springboot # startup Comments Add Comment 3 min read Why I Stopped Using Traditional Helpdesks (And Built Support Into My App Instead) Kal Wiggins Kal Wiggins Kal Wiggins Follow Jan 13 Why I Stopped Using Traditional Helpdesks (And Built Support Into My App Instead) # api # saas # startup # webdev Comments Add Comment 4 min read Case Study (Day 0): Testing a Topical Authority Burst Strategy on a Brand-New Site Topical HQ Topical HQ Topical HQ Follow Jan 13 Case Study (Day 0): Testing a Topical Authority Burst Strategy on a Brand-New Site # devjournal # marketing # startup # testing 4  reactions Comments Add Comment 2 min read Why Automation Fails for Most Businesses & How to Appoach it like a Pro Alice Alice Alice Follow Jan 12 Why Automation Fails for Most Businesses & How to Appoach it like a Pro # startup # automation # mvp Comments Add Comment 4 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 I Built a Reddit Keyword Monitoring System. Here's What Actually Works. Short Play Skits Short Play Skits Short Play Skits Follow Jan 10 I Built a Reddit Keyword Monitoring System. Here's What Actually Works. # showdev # automation # monitoring # startup Comments Add Comment 2 min read Dealing with Non-Reproducible Bugs: Important Tips Anna Anna Anna Follow Jan 12 Dealing with Non-Reproducible Bugs: Important Tips # discuss # automation # startup # software 1  reaction Comments Add Comment 2 min read How My First Hacker News Launch Went (And What I Did About It) DDLTODATA DDLTODATA DDLTODATA Follow Jan 11 How My First Hacker News Launch Went (And What I Did About It) # startup # hackernews # productlaunch Comments Add Comment 2 min read I Built a Mock API Platform in 2.5 Months (Django + React + Redis + PostgreSQL) Marcus Marcus Marcus Follow Jan 11 I Built a Mock API Platform in 2.5 Months (Django + React + Redis + PostgreSQL) # showdev # django # webdev # startup Comments Add Comment 2 min read Instagram's Rise: Secrets and Costs Evan Lin Evan Lin Evan Lin Follow Jan 11 Instagram's Rise: Secrets and Costs # discuss # product # startup Comments Add Comment 5 min read What's the Hardest Thing to Manage? - Silicon Valley VC's Management Wisdom Evan Lin Evan Lin Evan Lin Follow Jan 11 What's the Hardest Thing to Manage? - Silicon Valley VC's Management Wisdom # leadership # management # startup Comments Add Comment 11 min read Book Sharing: The One-Person Business - Why Small is Beautiful for Future Business Evan Lin Evan Lin Evan Lin Follow Jan 11 Book Sharing: The One-Person Business - Why Small is Beautiful for Future Business # career # learning # startup Comments Add Comment 3 min read Book Sharing: From Zero to One - Uncovering the Secrets of How the World Works and Finding Value in Unexpected Places Evan Lin Evan Lin Evan Lin Follow Jan 11 Book Sharing: From Zero to One - Uncovering the Secrets of How the World Works and Finding Value in Unexpected Places # learning # resources # startup Comments Add Comment 6 min read Book Review: Elon Musk Biography Evan Lin Evan Lin Evan Lin Follow Jan 11 Book Review: Elon Musk Biography # discuss # learning # startup # leadership Comments Add Comment 4 min read 📊 2026-01-11 - Daily Intelligence Recap - Top 9 Signals Agent_Asof Agent_Asof Agent_Asof Follow Jan 11 📊 2026-01-11 - Daily Intelligence Recap - Top 9 Signals # tech # programming # startup # ai Comments Add Comment 4 min read Build something at your own Vishal Thakkar Vishal Thakkar Vishal Thakkar Follow Jan 12 Build something at your own # startup # ai # cloudnative Comments Add Comment 1 min read [Podcast] a16z Crypto's Latest Research: Four New Business Models at the Intersection of AI and Blockchain - Summary Evan Lin Evan Lin Evan Lin Follow Jan 11 [Podcast] a16z Crypto's Latest Research: Four New Business Models at the Intersection of AI and Blockchain - Summary # ai # startup # web3 Comments Add Comment 2 min read Carto: De una Factura a la ONU a Conquistar la Nube Geoespacial Daniel Daniel Daniel Follow for Datalaria Jan 11 Carto: De una Factura a la ONU a Conquistar la Nube Geoespacial # startup # cloud # datascience # spanish Comments 1  comment 5 min read Being a Developer at a Startup: Challenges, Freedom, and Growth Gustavo Woltmann Gustavo Woltmann Gustavo Woltmann Follow Jan 11 Being a Developer at a Startup: Challenges, Freedom, and Growth # challenge # career # developer # startup Comments Add Comment 3 min read Carto: From a UN Invoice to Conquering the Geospatial Cloud Daniel Daniel Daniel Follow for Datalaria Jan 11 Carto: From a UN Invoice to Conquering the Geospatial Cloud # cloud # datascience # startup Comments Add Comment 4 min read I Built an AI App Builder That Doesn't Count Tokens (Say Goodbye to Prompt Anxiety) Balram Kapoor Balram Kapoor Balram Kapoor Follow Jan 12 I Built an AI App Builder That Doesn't Count Tokens (Say Goodbye to Prompt Anxiety) # showdev # ai # startup # webdev 1  reaction Comments 1  comment 2 min read I Analyzed 1,000+ YouTube "Side Hustles"—85% Are Scams. Here is the Data. Nyanguno Nyanguno Nyanguno Follow Jan 10 I Analyzed 1,000+ YouTube "Side Hustles"—85% Are Scams. Here is the Data. # discuss # startup # webdev # ai Comments Add Comment 3 min read loading... trending guides/resources From Idea to Launch: How Developers Can Build Successful Startups How I Built My Own AI Ecosystem Across Brands Week 3: From 0 to 30 Developers (Building in Public) Why I Migrated My Backend from Go to Elixir/Phoenix The First Week at a Startup Taught Me More Than I Expected I Spent 40 Hours Researching Business Ideas So You Don't Have To - Here's What Actually Works in ... I Thought Becoming a Front-End Developer Was My Dream — Until I Realized I No Longer Enjoyed Coding I Wanted to Work at a Startup. This Is What the First Glimpse Taught Me My checklist before launching any app Tech News Roundup: December 9, 2025 - OpenAI's 'Code Red', DeepSeek's Challenge, and the $320B AI... Developing for Mobile: How to Build and Sell Your Own App on the App Store The Complete Guide to Software Business Models: How Tech Companies Actually Make Money AI Wrapper Companies: Is This Real or Just API Theater? I Built an Open-Source Directory Aggregator So You Don't Waste 20+ Hours Researching Launch Platf... The 11 Largest AI Companies in the World (December 2025 Edition) Update: Supabase is now in the Top 100 most-starred repositories on GitHub with 95,435 stars I Built a No-Backend Form Tool That Sends Submissions to WhatsApp — Here’s Why "Is this just a wrapper?" (How a Reddit Comment Changed My Roadmap) Why Most AI Startups Fail (And What I’d Do Differently) I asked successful entrepreneurs about their transition from employee to founder 💎 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:47:48
https://dev.to/help/spam-and-abuse#main-content
Spam and Abuse - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Spam and Abuse Spam and Abuse In this article Reporting spam, plagiarism, and other abuse DEV Community Moderation Utilize various channels available to provide feedback and report issues to us. Reporting spam, plagiarism, and other abuse In general, you can fill out our report abuse form here and a DEV Team member will review it. For a specific comment, navigate to the comment and click the ... for the option to report abuse. For a specific article, navigate to the article and click the ... in the sidebar for the option to report abuse. Otherwise, you may scroll to the bottom of the article, beneath the comments, and click report abuse. DEV Community Moderation We also regularly recruit DEV moderators to help us fight spam, organize the site via tags, welcome new members, spread good vibes, and ensure folks follow our Code of Conduct and   Terms . 💎 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:47:48
https://www.reddit.com/r/osdev/
Reddit - The heart of the internet Skip to main content Open menu Open navigation Go to Reddit Home r/osdev Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/osdev members online Create Post Feed About Best Open sort options Best Hot New Top Rising Change post view Card Compact Community highlights A list of projects by users of /r/osdev :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> votes • comments Managarm: End of 2025 Update :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> u/no92_leo • Managarm: End of 2025 Update https://managarm.org/2026/01/13/end-of-year-update.html I ported Super Mario Bros into a native x86 "Operating System" :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> u/skyvlan • I ported Super Mario Bros into a native x86 "Operating System" Sorry, something went wrong when loading this video. View in app bitpiece v2 - bitfields in rust made easy :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> u/Odd-War-4467 • bitpiece v2 - bitfields in rust made easy bitpiece v2 - bitfields in rust made easy r/rust • bitpiece v2 - bitfields in rust made easy upvotes Created Jul 9, 2010 Public Anyone can view, post, and comment to this community 16K 399 Moderators Moderator list hidden. Learn More View all moderators Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
2026-01-13T08:47:48
https://forem.com/realnamehidden1_61
realNameHidden - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions realNameHidden Actively Looking For Work Youtube Channel Link : https://www.youtube.com/@realNameHiddenn Blog : https://idiotprogrammern.blogspot.com/ Location India Joined Joined on  Oct 23, 2021 Personal website https://www.youtube.com/@realNameHiddenn github website Work Looking For Work email : realnamehiddenyt@gmail.com Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close 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 Hacktoberfest 2022 Awarded for successful completion of the 2022 Hacktoberfest challenge. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close Hacktoberfest 2021 Awarded for successful completion of the 2021 Hacktoberfest challenge. Got it Close More info about @realnamehidden1_61 Skills/Languages java , sql , Spring Boot , Hibernate. Currently learning Spring Boot Available for Freelance Work, email : realnamehiddenyt@gmail.com Post 231 posts published Comment 1 comment written Tag 5 tags followed You See Increased Latency in API Response — What Are the Possible Causes in Apigee X? realNameHidden realNameHidden realNameHidden Follow Jan 13 You See Increased Latency in API Response — What Are the Possible Causes in Apigee X? # apigeex # apigee # api # gcp 5  reactions Comments Add Comment 4 min read Want to connect with realNameHidden? Create an account to connect with realNameHidden. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Your Proxy Should Only Allow Requests with a Custom Header — How Do You Do It in Apigee X? realNameHidden realNameHidden realNameHidden Follow Jan 11 Your Proxy Should Only Allow Requests with a Custom Header — How Do You Do It in Apigee X? # security # api # tutorial # cloud 5  reactions Comments Add Comment 3 min read How Virtual Threads Change the Way We Write Concurrent Java Code realNameHidden realNameHidden realNameHidden Follow Jan 11 How Virtual Threads Change the Way We Write Concurrent Java Code # java # thread # virtualthreads # multithreading 6  reactions Comments Add Comment 3 min read How Does @Async Work Internally in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Jan 10 How Does @Async Work Internally in Spring Boot? # java # interview # spring # springboot 6  reactions Comments Add Comment 3 min read How Do You Handle Orchestration in Apigee X Using ServiceCallout & FlowCallout? realNameHidden realNameHidden realNameHidden Follow Jan 8 How Do You Handle Orchestration in Apigee X Using ServiceCallout & FlowCallout? # apigee # interivew # gcp # apigeex 5  reactions Comments Add Comment 3 min read You Want Correlation IDs for Logging Across All Proxies — Here’s How to Do It in Apigee X realNameHidden realNameHidden realNameHidden Follow Jan 5 You Want Correlation IDs for Logging Across All Proxies — Here’s How to Do It in Apigee X # apigee # apigeex # gcp # interview 5  reactions Comments Add Comment 3 min read How to Use JWT Authentication in Spring Boot (Java 21) — An End-to-End Beginner Guide realNameHidden realNameHidden realNameHidden Follow Jan 5 How to Use JWT Authentication in Spring Boot (Java 21) — An End-to-End Beginner Guide # java # security # springboot # tutorial 7  reactions Comments Add Comment 10 min read Your Backend Sends 200 OK Even When an Order Fails — How Do You Fix It in Apigee X? realNameHidden realNameHidden realNameHidden Follow Jan 5 Your Backend Sends 200 OK Even When an Order Fails — How Do You Fix It in Apigee X? # apigee # apigeex # gcp # interview 5  reactions Comments Add Comment 3 min read The Beginner’s Guide to Cryptogram and ECI in Card Payments realNameHidden realNameHidden realNameHidden Follow Jan 4 The Beginner’s Guide to Cryptogram and ECI in Card Payments # beginners # cybersecurity # tutorial 5  reactions Comments Add Comment 3 min read Beyond the Plastic: Why Network Tokenization Is the Future of Merchant Payments realNameHidden realNameHidden realNameHidden Follow Jan 4 Beyond the Plastic: Why Network Tokenization Is the Future of Merchant Payments # pci # bfsi 5  reactions Comments Add Comment 3 min read Java Thread Pools Explained with End-to-End Examples (Fixed, Cached, Single, Scheduled) realNameHidden realNameHidden realNameHidden Follow Dec 31 '25 Java Thread Pools Explained with End-to-End Examples (Fixed, Cached, Single, Scheduled) # java # thread # interview # multithreading 5  reactions Comments Add Comment 4 min read When Would You Group Multiple API Proxies Into a Single Product in Apigee X? realNameHidden realNameHidden realNameHidden Follow Dec 31 '25 When Would You Group Multiple API Proxies Into a Single Product in Apigee X? # apigee # apigeex # interview # gcp 5  reactions Comments Add Comment 4 min read 🎯 What Is the Purpose of API Products in Apigee X? realNameHidden realNameHidden realNameHidden Follow Dec 29 '25 🎯 What Is the Purpose of API Products in Apigee X? # apigee # gcp # interview 5  reactions Comments Add Comment 4 min read How We Reduced Payment API Latency by 60% Using ExecutorService in Spring Boot realNameHidden realNameHidden realNameHidden Follow Dec 28 '25 How We Reduced Payment API Latency by 60% Using ExecutorService in Spring Boot # java # thread # spring # springboot 1  reaction Comments Add Comment 2 min read How AI + GCP Work Together to Build Scalable, Real-World Intelligent Applications realNameHidden realNameHidden realNameHidden Follow Dec 28 '25 How AI + GCP Work Together to Build Scalable, Real-World Intelligent Applications # gcp # cloud # cloudnative 5  reactions Comments Add Comment 3 min read How Does CompletableFuture Simplify Asynchronous Programming in Java? realNameHidden realNameHidden realNameHidden Follow Dec 26 '25 How Does CompletableFuture Simplify Asynchronous Programming in Java? # java # spring # springboot # interview 5  reactions Comments Add Comment 8 min read How Do You Validate Query Parameters in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 26 '25 How Do You Validate Query Parameters in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 4 min read How do you handle optional fields in request body in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 26 '25 How do you handle optional fields in request body in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 4 min read How Do You Read Enum Values from Query Parameters in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 26 '25 How Do You Read Enum Values from Query Parameters in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 3 min read How do you handle optional query parameters in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 25 '25 How do you handle optional query parameters in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 3 min read How Do You Read Query Parameters in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 25 '25 How Do You Read Query Parameters in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 3 min read How Do You Read Query Parameters in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 24 '25 How Do You Read Query Parameters in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 3 min read How Do You Log Exceptions Without Exposing Sensitive Details to Clients in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 24 '25 How Do You Log Exceptions Without Exposing Sensitive Details to Clients in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 4 min read How Do You Map Different Exceptions to Different HTTP Status Codes in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 24 '25 How Do You Map Different Exceptions to Different HTTP Status Codes in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 4 min read How Do You Handle Validation Errors Globally in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 24 '25 How Do You Handle Validation Errors Globally in Spring Boot? # java # spring # springboot # errors 5  reactions Comments Add Comment 4 min read What Is the Difference Between @ControllerAdvice and @RestControllerAdvice? realNameHidden realNameHidden realNameHidden Follow Dec 23 '25 What Is the Difference Between @ControllerAdvice and @RestControllerAdvice? # java # spring # springboot # exception 5  reactions Comments Add Comment 4 min read Explain the Relationship Between API Proxy API Product App Developer in Apigee X realNameHidden realNameHidden realNameHidden Follow Dec 21 '25 Explain the Relationship Between API Proxy API Product App Developer in Apigee X # apigee # apigeex # gcp # interview 5  reactions Comments Add Comment 3 min read How Do You Handle Exceptions Globally in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 21 '25 How Do You Handle Exceptions Globally in Spring Boot? # java # spring # springboot # interview 5  reactions Comments Add Comment 3 min read How Do You Handle Exceptions Globally in Spring Boot? realNameHidden realNameHidden realNameHidden Follow Dec 21 '25 How Do You Handle Exceptions Globally in Spring Boot? # java # spring # springboot 5  reactions Comments Add Comment 3 min read What Are Spring Boot Starters? realNameHidden realNameHidden realNameHidden Follow Dec 20 '25 What Are Spring Boot Starters? # java # spring # springboot # interview 5  reactions Comments Add Comment 3 min read What Is the Impact of Quota and Spike Arrest on Latency in Apigee X? realNameHidden realNameHidden realNameHidden Follow Dec 20 '25 What Is the Impact of Quota and Spike Arrest on Latency in Apigee X? # gcp # apigee # apigeex # interview 5  reactions Comments Add Comment 3 min read How Do You Measure API Performance in Apigee X? realNameHidden realNameHidden realNameHidden Follow Dec 19 '25 How Do You Measure API Performance in Apigee X? # apigee # gcp # apigeex # interview 5  reactions Comments Add Comment 3 min read What Is Dependency Injection and How Is It Implemented in Spring? realNameHidden realNameHidden realNameHidden Follow Dec 19 '25 What Is Dependency Injection and How Is It Implemented in Spring? # java # spring # springboot 5  reactions Comments Add Comment 3 min read How Do You Cache Partial Responses or Specific Elements in Apigee X? realNameHidden realNameHidden realNameHidden Follow Dec 17 '25 How Do You Cache Partial Responses or Specific Elements in Apigee X? # apigee # gcp # google # apigeex 5  reactions Comments Add Comment 3 min read Spring vs Spring Boot: What Are the Main Differences Every Java Developer Should Know? realNameHidden realNameHidden realNameHidden Follow Dec 17 '25 Spring vs Spring Boot: What Are the Main Differences Every Java Developer Should Know? # java # spring # springboot # interview 6  reactions Comments Add Comment 4 min read What Happens If Spike Arrest Is Set to 10pm but Traffic Spikes to 100 Requests at Once? realNameHidden realNameHidden realNameHidden Follow Dec 10 '25 What Happens If Spike Arrest Is Set to 10pm but Traffic Spikes to 100 Requests at Once? # apigee # apigeex # interview # spike 5  reactions Comments Add Comment 3 min read What Are Functional Interfaces? A Beginner-Friendly Guide realNameHidden realNameHidden realNameHidden Follow Dec 10 '25 What Are Functional Interfaces? A Beginner-Friendly Guide # java # interview # interface 5  reactions Comments Add Comment 3 min read How AI Is Transforming API Management: The Apigee Developer’s Guide realNameHidden realNameHidden realNameHidden Follow Nov 29 '25 How AI Is Transforming API Management: The Apigee Developer’s Guide # apigee # api # ai # copiolet 5  reactions Comments 1  comment 4 min read what is the Difference Between Singleton and Prototype Scope in Spring? realNameHidden realNameHidden realNameHidden Follow Nov 27 '25 what is the Difference Between Singleton and Prototype Scope in Spring? # java # spring # springboot 5  reactions Comments Add Comment 3 min read What is the Spring Bean Lifecycle? realNameHidden realNameHidden realNameHidden Follow Nov 23 '25 What is the Spring Bean Lifecycle? # springboot # tutorial # beginners # java 5  reactions Comments Add Comment 2 min read What Is the Difference Between AssignMessage vs ExtractVariables in Apigee ? realNameHidden realNameHidden realNameHidden Follow Nov 20 '25 What Is the Difference Between AssignMessage vs ExtractVariables in Apigee ? # apigee # interview # api # management 5  reactions Comments Add Comment 3 min read What Is the Difference Between ApplicationContext and BeanFactory? realNameHidden realNameHidden realNameHidden Follow Nov 19 '25 What Is the Difference Between ApplicationContext and BeanFactory? # java # spring # springboot 5  reactions Comments Add Comment 3 min read ⚖️ What’s the Difference Between Comparable and Comparator in Java? realNameHidden realNameHidden realNameHidden Follow Nov 10 '25 ⚖️ What’s the Difference Between Comparable and Comparator in Java? # java # interivew # collection 5  reactions Comments Add Comment 4 min read 🔄 What’s the Difference Between Iterator and ListIterator in Java? realNameHidden realNameHidden realNameHidden Follow Nov 9 '25 🔄 What’s the Difference Between Iterator and ListIterator in Java? # java # interview # collection 5  reactions Comments Add Comment 3 min read 🌳 Difference Between HashSet and TreeSet in Java realNameHidden realNameHidden realNameHidden Follow Nov 8 '25 🌳 Difference Between HashSet and TreeSet in Java # java # collection # interview 5  reactions Comments Add Comment 3 min read 🧠 What is the Difference Between Fail-Fast and Fail-Safe Iterators in Java? realNameHidden realNameHidden realNameHidden Follow Nov 7 '25 🧠 What is the Difference Between Fail-Fast and Fail-Safe Iterators in Java? # java # collection # interview # javainterview 5  reactions Comments Add Comment 3 min read When Would You Use a TreeMap Over a HashMap? realNameHidden realNameHidden realNameHidden Follow Nov 6 '25 When Would You Use a TreeMap Over a HashMap? # java # collection # interview # hashmap 5  reactions Comments Add Comment 4 min read Can a HashMap Have a Null Key? What About ConcurrentHashMap? realNameHidden realNameHidden realNameHidden Follow Nov 5 '25 Can a HashMap Have a Null Key? What About ConcurrentHashMap? # java # collection # interview 6  reactions Comments 1  comment 4 min read How Does HashMap Handle Hash Collisions Internally realNameHidden realNameHidden realNameHidden Follow Nov 4 '25 How Does HashMap Handle Hash Collisions Internally # java # interview # collection 3  reactions Comments Add Comment 4 min read What is Load Factor and Initial Capacity in HashMap? realNameHidden realNameHidden realNameHidden Follow Nov 3 '25 What is Load Factor and Initial Capacity in HashMap? # java # interview # collection 5  reactions Comments Add Comment 4 min read Difference between HashMap and ConcurrentHashMap in Java realNameHidden realNameHidden realNameHidden Follow Nov 3 '25 Difference between HashMap and ConcurrentHashMap in Java # java # collection # interview 5  reactions Comments Add Comment 4 min read 🧵 Difference Between String, StringBuilder, and StringBuffer in Java realNameHidden realNameHidden realNameHidden Follow Nov 1 '25 🧵 Difference Between String, StringBuilder, and StringBuffer in Java # java # string # stringbuilder # stringbuffer 5  reactions Comments Add Comment 3 min read Differences between ArrayList and LinkedList in Java realNameHidden realNameHidden realNameHidden Follow Oct 31 '25 Differences between ArrayList and LinkedList in Java # java # interview # collection 5  reactions Comments Add Comment 4 min read 🧠 How Does Java Achieve Platform Independence? realNameHidden realNameHidden realNameHidden Follow Oct 28 '25 🧠 How Does Java Achieve Platform Independence? # java # interview 5  reactions Comments Add Comment 4 min read What Happens Internally When You Write String s = new String("Hello"); in Java? realNameHidden realNameHidden realNameHidden Follow Oct 26 '25 What Happens Internally When You Write String s = new String("Hello"); in Java? # java # interview # string 5  reactions Comments Add Comment 3 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 # 🚀 Building a Local AI App with Spring Boot and Ollama Using WebClient realNameHidden realNameHidden realNameHidden Follow Oct 19 '25 # 🚀 Building a Local AI App with Spring Boot and Ollama Using WebClient 5  reactions Comments Add Comment 4 min read 🧩 What Happens If You Override hashCode() But Not equals() in Java? realNameHidden realNameHidden realNameHidden Follow Oct 18 '25 🧩 What Happens If You Override hashCode() But Not equals() in Java? 5  reactions Comments Add Comment 4 min read 🧠 How Java Handles Memory — What Are Stack, Heap, and Garbage Collection? realNameHidden realNameHidden realNameHidden Follow Oct 17 '25 🧠 How Java Handles Memory — What Are Stack, Heap, and Garbage Collection? # java # memory # stack # heap 5  reactions Comments Add Comment 4 min read 🧠 Mastering Transient vs Volatile in Java: A Beginner’s Guide realNameHidden realNameHidden realNameHidden Follow Oct 5 '25 🧠 Mastering Transient vs Volatile in Java: A Beginner’s Guide # beginners # java # tutorial 5  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 — 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:47:48
https://dev.to/ben-santora/is-an-ai-model-software-a-low-level-technical-view-592l
Is an AI Model Software? – A Low‑Level Technical View - 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 Ben Santora Posted on Jan 12           Is an AI Model Software? – A Low‑Level Technical View # ai # architecture # discuss # software I recently posted an article here on dev.to documenting my experiences testing small and large language models. I'm an engineering technician, not a software engineer, developer, programmer or coder. Since dev.to is a platform for those in the software field, it got me thinking about whether AI is really software or not and whether I should actually be posting my AI articles here. AI is so intertwined with software these days that it seems like an odd question. When we speak casually, we answer “yes”: large‑language models (LLMs) and small‑language models (SLMs) are built by engineers, shipped through software pipelines, and are run by programs. Yet at the level of a systems programmer, compiler writer, or hardware designer, the question is far from trivial. What exactly is an AI model, what does it contain, and does it satisfy the technical definition of software? For the purpose of hardware and systems design, software is executable logic—a sequence of instructions (machine code, bytecode, or interpreted source) that a processor can execute. It embodies control flow: branches, loops, calls, and returns. Anything that resolves to an instruction stream that a CPU or accelerator can run qualifies as software. Conversely, a file that merely stores data, even if it is bundled with an application, does not truly meet this definition. In the purest sense, a trained small or large language model is typically distributed as a file with extensions such as .safetensors, .gguf, or .pth. Inside are large multidimensional arrays of numbers—weights and biases learned during training. These numbers parameterize a fixed mathematical function: they tell a neuron how strongly to influence another, how to weight a feature, and how signals propagate through layers. Crucially, the model file contains no control flow. There are no conditionals, loops, or instructions that say “if X then Y.” It is not an algorithm; it is a parameterization of an algorithm that lives elsewhere. Formats like safetensors are deliberately designed to store only raw data and metadata, explicitly forbidding embedded executable code to prevent remote‑code‑execution attacks. This design choice underscores the fact that models are intended to be inert data, not executable artifacts. Let's ask whether a model can be executed directly. A CPU cannot interpret a .gguf file; a GPU cannot run it without a driver; you cannot make the file executable (chmod +x) and launch it. To produce output, the model must be loaded into an inference engine—software written in C++, Python, Rust, etc. that knows the model’s architecture, performs tensor operations, schedules work, and handles memory. All the logic that multiplies matrices, applies activation functions, and manages caches lives in this runtime, not in the model. The same model file can behave in dramatically different ways depending on the runtime, hardware, precision, or quantization scheme used. This dependency draws a clear line between data (the model) and the software (the inference engine) running that model. Neural networks blur the classic boundary between data and code. In conventional programs, behavior is encoded explicitly in conditionals and loops. In a neural net, behavior is encoded implicitly in numerical weights: tweaking millions of numbers can change the system’s output in the same way software output can be changed by rewriting thousands of lines of code. Nevertheless, the weights describe what values to use, not how to compute them. The algorithm—the “how”—is fixed and external; the weights are merely coefficients inside that algorithm. That is why two different runtimes can load the same model and still produce identical results while employing completely different execution strategies. The software determines the execution; the model supplies the parameters. Much of the association of these models as being software stems from one of their most commonly used applications - as developer‑assistant tools like Claude Opus, Qwen or Copilot. But generating source code is just one application of a general‑purpose statistical model. Whether a model writes Python, translates languages, predicts protein structures, or classifies images does not alter its internal structure. A model that outputs code is no more “software” than a CSV file that contains code snippets. Take a model file and compute its checksum—leave every byte untouched. Now change only the surrounding stack: swap PyTorch for llama.cpp, move from CUDA to CPU, quantize from fp32 to int4, or switch from AVX2 to AVX‑512. The model remains identical, yet latency, memory usage, and even numerical results can vary by orders of magnitude. The only thing that changed is the executable logic, confirming that the model itself is NOT software. In practice, models are versioned, distributed, cached, deployed, and rolled back just like any other software component. They live in repositories, have compatibility constraints, and are monitored for regressions. But they are not software. An AI model, in isolation, is data—a trained numerical artifact that encodes the parameters of a mathematical function. It contains no executable logic, control flow, or instructions. Only when an inference engine (software) interprets those numbers does the model become part of a software system. This distinction matters for correctness, security, auditing, and formal reasoning. It reminds us that modern AI does not replace algorithms with magic; it replaces hand‑written rules with learned parameters that are still evaluated by traditional code. So, having come up with the question myself, I came to the conclusion that no, an SLM or LLM is not software; it is a trained set of numbers that becomes part of a software system only when interpreted by executable code. So thanks to Jess and company for letting me post a non-software article here! Hope you found this interesting. Ben Santora - January 2026 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 Santora Follow Linux OS - Local AI - Small Language Models Location Montserrat MA Work Engineering Technician Joined Jan 1, 2026 Trending on DEV Community Hot How Rube MCP Solves Context Overload When Using Hundreds of MCP Servers # mcp # productivity # programming # ai AI should not be in Code Editors # programming # ai # productivity # discuss Meme Monday # discuss # watercooler # jokes 💎 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:47:48
https://mid.net.ua/posts/notvtubing.html
Posing armatures using 3D keypoints - mid's site mid's site you're logged in as loser 🌍 Go Paperful 🔗 Subscribe via RSS Posing armatures using 3D keypoints 2025-12-31 If you want to track a human's pose, you have a few methods with differing levels of complexity, ranging from slapping on active sensors all over your body, to tracking passive markers on your body, to tracking the whole body with a bunch of machine learning. In the end, you get points for all the markers that have been tracked. Now we want to use these to assemble a pose for a 3D model. In some vtubing software I had found pretty primitive trigonometry for animating the torso and the hands partially. I also saw FABRIK, but the lack of resources beyond tersely documented formulae (much of it behind a paywall) made me give up and try something myself. As always, I hate everything and then make my own half-assed, barely functioning solution. I'm starting to notice a pattern in my life. Anyway, here goes: Let us recall skinning. A skeleton has a pose, which maps to every bone a transformation matrix that describes the orientation of the bone relative to the skeleton. The default pose (T-pose or A-pose usually) is called the rest pose. For the skeleton to move, we want to find a set of matrices that matches our desired pose. A 3D model is then animated by applying the differences between the rest and new matrices , onto its vertices. Now let us dissect a bone's matrix. Each bone has its own XYZ basis which defines where its pointing, and this basis is encoded in the top-left 3x3 submatrix. Note that the Y axis is always the "forward" direction of the bone (a Blender convention). The fourth column holds the translation of the bone from the center of the skeleton. Additionally we should look at the relative transformation matrix of a bone to its parent ( parent -1 * child ). The rotation part is now how the bone deviates. The translation part is the offset of the child bone in its relative basis . This is why you will only ever find relative translations of the kind (0, y, 0), where y is the length of the bone. The bone shown on the right has identical rotation to its parent, making its relative rotation just the 3x3 identity matrix, whereas its length is 2.95 units. Given two vectors a and b , we can find a 3D rotation matrix that rotates the former into the latter: mat3 rotation_between(vec3 a, vec3 b) { // We do not want scaling factors in our rotation matrix. a = normalize(a); b = normalize(b); vec3 axis = cross(a, b); float cosA = dot(a, b); float k = 1.0 / (1.0 + cosA); return mat3( vec3((axis.x * axis.x * k) + cosA, (axis.y * axis.x * k) - axis.z, (axis.z * axis.x * k) + axis.y), vec3((axis.x * axis.y * k) + axis.z, (axis.y * axis.y * k) + cosA, (axis.z * axis.y * k) - axis.x), vec3((axis.x * axis.z * k) - axis.y, (axis.y * axis.z * k) + axis.x, (axis.z * axis.z * k) + cosA) ); } It is incorrect to simply take two world-space vectors and use their corresponding matrix as the bone's rotation, because the matrix is for rotating the "global" X, Y and Z axes, whereas we want the bone to rotate starting from its rest pose, around its own axes. void bone_target(in Bone bone, vec3 target_dir) { mat4 rel_trans = inverse(bone.parent.transform) * bone.transform; mat3 rot_diff = rotation_between(mat3(rel_trans) * rel_trans[3].xyz, (inverse(bone.parent.transform) * vec4(target_dir, 0.0)).xyz); // Ignore translation mat3 new_rot = rot_diff * mat3(rel_trans); // Copy original translation mat4 new_rel_trans = mat4(new_rot); new_rel_trans[3] = rel_trans[3]; mat4 abs_trans = bone.parent.transform * new_rel_trans; // Override the transformation of the bone and all its descendants update_bone_transform(bone, abs_trans); } Because all Blender bones point to +Y, technically mat3(rel_trans) * rel_trans[3].xyz could have just been rel_trans[1].xyz (i.e. the Y axis of the bone's relative rotation). This technique finds the shortest rotation for each bone, which isn't necessarily correct, but good enough. The bigger problem is that bone_target doesn't handle twisting, so things like heads have additional logic. The keypoint estimation I use is Google's MediaPipe library. I would switch to something else, but this is an entire field I have no time to delve into. The machine learning part is easy to spot — it only works well for common poses you see in photographs, and can fail spectacularly when you try a mixture. If I stand front-facing the camera, it will report my head tilt to be exactly zero degrees, which is wild. Is this an overfit? I would say it gives good results on average, if not for how poorly depth is treated: I have to stretch the depth dimension by 0.4, otherwise I look like Quasimodo [2] . The keypoints move upward when I jump, which is correct, but they move downward when I just move back.. A right angle turn of my head only gets me about 40 degrees, so I double the angle to compensate. To be fair, this allows for 0 setup, and I can't expect much with only one camera. We have two eyes for a reason. Where the fuck are you? Really need to add some filtering to those points... P.S. I spent so long getting this working that I actually gained the ability to visualize a 4x4 transformation matrix in my head and know what it is doing (barring numbers that are "too difficult"). I will walk you through a real example I debugged. This is Twilight Sparkle 's rest pose. Let us inspect the difference matrix of her right hoof as she raises it by 90 degrees: / 1. 0. 0. 0. \ | 0. 0. 1. -4.844| | 0. -1. 0. 4.127| \ 0. 0. 0. 1. / Raising the hoof is rotating around the X axis, so the new X axis stays as (1, 0, 0) . The Y axis gets mapped to (0, 0, -1) and the Z axis to (0, 1, 0) , which forms a 90 degree turn. As seen in the image, this isn't enough. The hoof rotated, but around (0, 0, 0), leaving it distorted. The translation column comes to the rescue, as the hoof is then moved back into place. It was only by realizing that this matrix was correct that I managed to find where my main bug was. Guess what? The renderer was reading a transposed rotation matrix. This goes to show how there is no form of knowledge one can't find a use for, whether this or Assembly in debugging. Stay in school, kids. [1] I felt my sanity leaving me trying to figure out what exactly in Blender makes the vector (0, 1, 0) special, but I gave up for my own welfare. [2] Oh, look at that. Support is being unhelpful again. Perfect example of an inflated complete/open issue ratio. 2 weeks until closure is actually malicious. All rights reserved. Authentication Public Key (secp521r1 + SHA512)
2026-01-13T08:47:48
https://dev.to/t/cryptography
Cryptography - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # cryptography Follow Hide Discussions on encryption, hashing, ciphers, and cryptographic protocols. Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today Whaaat! Whaaat! Whaaat! Follow Jan 12 Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today # security # cryptography # webdev # privacy Comments Add Comment 2 min read Securing Your Environment Variables: A Proof-of-Concept Approach Muhammed Shafin P Muhammed Shafin P Muhammed Shafin P Follow Jan 12 Securing Your Environment Variables: A Proof-of-Concept Approach # hejhdiss # cryptography # python3 5  reactions Comments Add Comment 4 min read Metaclass Polymorphic Crypto: Enhanced Proof of Concept Muhammed Shafin P Muhammed Shafin P Muhammed Shafin P Follow Jan 8 Metaclass Polymorphic Crypto: Enhanced Proof of Concept # hejhdiss # python3 # cryptography 5  reactions Comments Add Comment 5 min read Multiplication in Galois fields with the xtimes function Moritz Höppner Moritz Höppner Moritz Höppner Follow Jan 4 Multiplication in Galois fields with the xtimes function # cryptography # math Comments Add Comment 8 min read Cryptographic Time Travel: Securely Locking Data Until the Future with tlock GitHubOpenSource GitHubOpenSource GitHubOpenSource Follow Dec 31 '25 Cryptographic Time Travel: Securely Locking Data Until the Future with tlock # drand # timelock # cryptography # go Comments Add Comment 3 min read 암호화 기초 - 대칭키, HMAC, 그리고 메시지 인증 dss99911 dss99911 dss99911 Follow Dec 31 '25 암호화 기초 - 대칭키, HMAC, 그리고 메시지 인증 # infra # security # encryption # cryptography Comments Add Comment 2 min read Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 30 '25 Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide # python # fintech # cryptography Comments Add Comment 8 min read Building Cryptographically Enforced Time-Locked Vaults on Cloudflare's Edge Teycir Ben Soltane Teycir Ben Soltane Teycir Ben Soltane Follow Dec 27 '25 Building Cryptographically Enforced Time-Locked Vaults on Cloudflare's Edge # cryptography # nextjs # cloudflare # opensource Comments Add Comment 7 min read (Part 5) Sealing Secrets: How to Survive a Reboot (And Why It's Dangerous) 💾 Max Jiang Max Jiang Max Jiang Follow Dec 31 '25 (Part 5) Sealing Secrets: How to Survive a Reboot (And Why It's Dangerous) 💾 # security # persistence # cryptography # backend 1  reaction Comments 1  comment 3 min read Protecting Sensitive Data Using Envelope Encryption İbrahim Gündüz İbrahim Gündüz İbrahim Gündüz Follow Dec 30 '25 Protecting Sensitive Data Using Envelope Encryption # security # cryptography # java Comments Add Comment 6 min read Building Cryptographic Audit Trails for SEC Rule 17a-4: A Technical Deep Dive VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 24 '25 Building Cryptographic Audit Trails for SEC Rule 17a-4: A Technical Deep Dive # security # fintech # python # cryptography Comments Add Comment 9 min read The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 25 '25 The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway # ai # cryptography # blockchain Comments Add Comment 8 min read Announcing securebit_core: A Platform-Agnostic Cryptographic Kernel for Secure P2P Communication Volodymyr Volodymyr Volodymyr Follow Dec 23 '25 Announcing securebit_core: A Platform-Agnostic Cryptographic Kernel for Secure P2P Communication # cryptography # webrtc # p2p Comments Add Comment 3 min read RSA Algorithm Anirudh Kannan Anirudh Kannan Anirudh Kannan Follow Dec 23 '25 RSA Algorithm # cryptography Comments Add Comment 5 min read Building a Tamper-Evident Audit Log with SHA-256 Hash Chains (Zero Dependencies) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 28 '25 Building a Tamper-Evident Audit Log with SHA-256 Hash Chains (Zero Dependencies) # javascript # cryptography # security Comments Add Comment 7 min read Week 2: Multiplicative Inverses in Finite Fields: When Division Still Works in a Closed World Olusola Caleb Olusola Caleb Olusola Caleb Follow Jan 9 Week 2: Multiplicative Inverses in Finite Fields: When Division Still Works in a Closed World # blockchain # cryptography # bitcoin # go Comments Add Comment 4 min read A Metaclass Architecture for Encryption: Keys as Algorithm Generators Muhammed Shafin P Muhammed Shafin P Muhammed Shafin P Follow Jan 7 A Metaclass Architecture for Encryption: Keys as Algorithm Generators # cryptography # hejhdiss # ccbysa 5  reactions Comments 1  comment 6 min read DES Encryption Explained Simply Pavithra Sai Pavithra Sai Pavithra Sai Follow Jan 6 DES Encryption Explained Simply # des # encryption # decryption # cryptography 4  reactions Comments Add Comment 2 min read Beyond the Wire: Encrypting Messages Where the Message Never Exists Sui Gn Sui Gn Sui Gn Follow Dec 16 '25 Beyond the Wire: Encrypting Messages Where the Message Never Exists # cryptography # quantum # security Comments Add Comment 3 min read Quantum Ready: How Trinity Protocol Survives the Post Quantum Era Chronos Vault Chronos Vault Chronos Vault Follow Jan 2 Quantum Ready: How Trinity Protocol Survives the Post Quantum Era # quantumcomputing # cryptography # blockchain # security Comments Add Comment 6 min read AIDE Automation Framework From Integrity Checks to Self-Verification Richard Chamberlain Richard Chamberlain Richard Chamberlain Follow Dec 7 '25 AIDE Automation Framework From Integrity Checks to Self-Verification # fileintegrity # cryptography # security # ledger 1  reaction Comments Add Comment 4 min read Quantum Security's Blind Spot: When Eavesdroppers Fly Under the Radar by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 6 '25 Quantum Security's Blind Spot: When Eavesdroppers Fly Under the Radar by Arvind Sundararajan # quantumcomputing # security # cryptography # devops Comments Add Comment 2 min read CipherMuse: The Haunted Fusion of AI, Encryption & Steganography🎃 Gokul D Gokul D Gokul D Follow Dec 5 '25 CipherMuse: The Haunted Fusion of AI, Encryption & Steganography🎃 # kiro # steganography # ai # cryptography Comments Add Comment 2 min read Quantum Shadows: Can Eavesdroppers Erase Unbreakable Encryption? Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 5 '25 Quantum Shadows: Can Eavesdroppers Erase Unbreakable Encryption? # quantumcomputing # security # cryptography # quantum Comments Add Comment 2 min read Dari Matematika Murni ke Enkripsi: Bagaimana G. H. Hardy Secara Tak Sengaja Menggerakkan Kriptografi Modern Nugroho Ardi Sutrisno Nugroho Ardi Sutrisno Nugroho Ardi Sutrisno Follow Dec 4 '25 Dari Matematika Murni ke Enkripsi: Bagaimana G. H. Hardy Secara Tak Sengaja Menggerakkan Kriptografi Modern # cryptography # math # history Comments Add Comment 2 min read loading... trending guides/resources Protecting Sensitive Data Using Envelope Encryption AES Algorithm for beginners Announcing securebit_core: A Platform-Agnostic Cryptographic Kernel for Secure P2P Communication Mastering Cryptography: A Senior's Guide to Design, Attack, and Defend How to implement GHASH Cryptography in 2025: The Quantum Leap and the AI Arms Race Choosing Between ML-KEM and ML-DSA for Your Post-Quantum Migration [Part 2] Cryptography for developers Building a Secure Password Generator with Web Crypto API: No Servers, Pure Browser Power Dari Matematika Murni ke Enkripsi: Bagaimana G. H. Hardy Secara Tak Sengaja Menggerakkan Kriptogr... Why Your Secret Sharing Tool Needs Post-Quantum Cryptography Today Quantum Security's Blind Spot: When Eavesdroppers Fly Under the Radar by Arvind Sundararajan Crypto-Shredding: How Immutable Audit Logs and GDPR Coexist Building a Production-Ready Blind Signature eCash System in Rust Beyond the Wire: Encrypting Messages Where the Message Never Exists Quantum Shadows: Can Eavesdroppers Erase Unbreakable Encryption? Building Cryptographically Enforced Time-Locked Vaults on Cloudflare's Edge Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide Quantum Certifications: Are We Being Fooled? by Arvind Sundararajan Finite Fields: The Hidden Math Powering Blockchains 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:48
https://dev.to/veritaschain/the-eu-ai-act-doesnt-mandate-cryptographic-logs-but-youll-want-them-anyway-97f
The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway - 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 VeritasChain Standards Organization (VSO) Posted on Dec 25, 2025 The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway # ai # cryptography # blockchain How Articles 12, 15, and 73 create implicit pressure for tamper-evident audit trails in high-risk AI systems TL;DR The EU AI Act (Regulation 2024/1689) requires automatic logging for high-risk AI systems but doesn't explicitly mandate cryptographic mechanisms. However, the combination of lifetime traceability requirements (Article 12), cybersecurity obligations (Article 15), and forensic evidence preservation rules (Article 73) makes hash-chained, digitally-signed logs the economically rational choice. This article maps each relevant provision to cryptographic implementations—and shows why "minimum compliance" approaches are legally riskier than going beyond the baseline. The Regulatory Landscape: What the Act Actually Says The EU AI Act entered into force on August 1, 2024. High-risk system requirements become enforceable on August 2, 2026 . The clock is ticking. Article 12: The Foundation "High-risk AI systems shall technically allow for the automatic recording of events (logs) over the lifetime of the system." — Article 12(1), Regulation (EU) 2024/1689 This is a mandatory pre-market design requirement . Systems lacking logging capabilities cannot legally enter the EU market. But notice what's not specified: ❌ Log format or schema ❌ Storage architecture ❌ Integrity protection methods ❌ Third-party verifiability The phrase "appropriate to the intended purpose" delegates technical specification to provider judgment. This is where cryptographic approaches shine. Article 19: Retention Requirements Obligation Minimum Period Automatically generated logs 6 months Technical documentation 10 years Conformity assessments 10 years Financial institutions face sector-specific extensions (MiFID II: 5-7 years). The question isn't whether to retain logs—it's whether you can prove they haven't been tampered with during that period. Article 73: The Forensic Imperative "The provider shall not perform any investigation which involves altering the AI system concerned in a way which may affect any subsequent evaluation of the causes of the incident." — Article 73(6) This is the killer provision. During serious incident investigations: 15 days for standard incidents 10 days for death or suspected death 2 days for critical infrastructure disruption Mutable logs create legal exposure. If you modify logs (intentionally or inadvertently) during investigation, you face: Regulatory presumption of non-compliance Enhanced penalties under Article 99 (misleading information) Civil liability in private litigation Cryptographic hash chains solve this. Append-only logs with cryptographic timestamps demonstrate preservation compliance without restricting legitimate analysis. The Compliance Gap: Minimum vs. Defensible Here's the uncomfortable truth: Minimum Compliance Vulnerability Cryptographic Solution Mutable database logs Article 73 evidence tampering allegations Tamper-evident hash chains Manual documentation Annex IV burden; human error Automated generation from event streams Provider-only verification Authority skepticism Third-party verifiable proofs Reactive incident response Article 73 deadline pressure Real-time anomaly detection The Act creates a "compliance floor, not ceiling" regime. Minimum compliance is achievable with conventional logging—but cryptographic approaches provide superior evidential weight and competitive differentiation. Technical Architecture: Building Compliant Audit Trails Hash Chain Implementation Every event links cryptographically to its predecessor: import hashlib import json from datetime import datetime , timezone class AuditEvent : def __init__ ( self , event_type : str , payload : dict , prev_hash : str ): self . timestamp = datetime . now ( timezone . utc ). isoformat () self . event_type = event_type self . payload = payload self . prev_hash = prev_hash self . hash = self . _compute_hash () def _compute_hash ( self ) -> str : """ SHA-256 hash of canonicalized event data """ canonical = json . dumps ({ " timestamp " : self . timestamp , " event_type " : self . event_type , " payload " : self . payload , " prev_hash " : self . prev_hash }, sort_keys = True , separators = ( ' , ' , ' : ' )) return hashlib . sha256 ( canonical . encode ()). hexdigest () def verify_chain ( self , expected_prev_hash : str ) -> bool : """ Verify hash chain integrity """ return self . prev_hash == expected_prev_hash # Article 12(3) biometric system logging event = AuditEvent ( event_type = " BIOMETRIC_VERIFICATION " , payload = { " start_time " : " 2025-12-25T09:00:00Z " , " end_time " : " 2025-12-25T09:00:03Z " , " reference_database " : " db_employees_v3 " , " match_confidence " : 0.97 , " verifier_id " : " operator_12345 " , # Article 12(3)(d) requirement " verifier_signature " : " ed25519:... " # Non-repudiation }, prev_hash = " abc123... " ) Enter fullscreen mode Exit fullscreen mode This satisfies: ✅ Article 12(1): Automatic recording capability ✅ Article 12(3): Biometric system minimum logging ✅ Article 73(6): Tamper-evident evidence preservation Digital Signatures for Human Oversight Article 14 requires human oversight capabilities. Article 12(3)(d) requires identification of human verifiers. Digital signatures provide non-repudiation: from nacl.signing import SigningKey , VerifyKey from nacl.encoding import HexEncoder class OversightAction : """ Article 14 human oversight with cryptographic attribution """ def __init__ ( self , action_type : str , operator_key : SigningKey ): self . action_type = action_type self . timestamp = datetime . now ( timezone . utc ). isoformat () self . operator_public_key = operator_key . verify_key . encode ( HexEncoder ). decode () self . _sign ( operator_key ) def _sign ( self , key : SigningKey ): message = f " { self . action_type } : { self . timestamp } " . encode () self . signature = key . sign ( message , encoder = HexEncoder ). signature . decode () def verify ( self , public_key : VerifyKey ) -> bool : message = f " { self . action_type } : { self . timestamp } " . encode () try : public_key . verify ( message , bytes . fromhex ( self . signature ) ) return True except : return False # Human override decision (Article 14(4)(d)) override = OversightAction ( action_type = " DECISION_OVERRIDE " , operator_key = operator_signing_key ) Enter fullscreen mode Exit fullscreen mode This creates: Individual attribution : Specific person exercised oversight Temporal proof : Intervention occurred at claimed time Decision integrity : Cannot be silently modified post-incident Merkle Trees for Efficient Verification Authorities don't need your entire operational dataset. Merkle proofs enable selective disclosure : import hashlib from typing import List , Optional class MerkleTree : """ Efficient verification without full dataset exposure """ def __init__ ( self , leaves : List [ str ]): self . leaves = [ self . _hash ( leaf ) for leaf in leaves ] self . tree = self . _build_tree ( self . leaves ) self . root = self . tree [ - 1 ][ 0 ] if self . tree else None def _hash ( self , data : str ) -> str : return hashlib . sha256 ( data . encode ()). hexdigest () def _build_tree ( self , leaves : List [ str ]) -> List [ List [ str ]]: if not leaves : return [] tree = [ leaves ] while len ( tree [ - 1 ]) > 1 : level = [] nodes = tree [ - 1 ] for i in range ( 0 , len ( nodes ), 2 ): left = nodes [ i ] right = nodes [ i + 1 ] if i + 1 < len ( nodes ) else left level . append ( self . _hash ( left + right )) tree . append ( level ) return tree def get_proof ( self , index : int ) -> List [ tuple ]: """ Generate proof for leaf at index """ proof = [] for level in self . tree [: - 1 ]: if index % 2 == 0 : sibling_idx = index + 1 if index + 1 < len ( level ) else index proof . append (( ' right ' , level [ sibling_idx ])) else : proof . append (( ' left ' , level [ index - 1 ])) index //= 2 return proof # Anchor daily Merkle roots for long-term verification daily_events = [ event . hash for event in today_audit_trail ] merkle = MerkleTree ( daily_events ) anchor_root = merkle . root # Store/publish this single hash Enter fullscreen mode Exit fullscreen mode Use case : Authority requests logs from incident timeframe. You provide: Relevant events (Article 72 post-market monitoring) Merkle proofs demonstrating completeness Anchored root (published/timestamped) proving data existed at claimed time No full dataset exposure. Mathematically verifiable integrity. MQL5 Integration: Trading System Audit Trails For algorithmic trading systems under EU AI Act scope: //+------------------------------------------------------------------+ //| VCP-compliant audit logging for MQL5 trading algorithms | //| Satisfies Article 12 automatic recording requirement | //+------------------------------------------------------------------+ #include <JAson.mqh> class CVCPAuditLog { private: string m_prev_hash; int m_file_handle; string ComputeSHA256(string data) { uchar src[], dst[], key[]; StringToCharArray(data, src); CryptEncode(CRYPT_HASH_SHA256, src, key, dst); string hash = ""; for(int i = 0; i < ArraySize(dst); i++) hash += StringFormat("%02x", dst[i]); return hash; } public: CVCPAuditLog() { m_prev_hash = "genesis"; m_file_handle = FileOpen("vcp_audit.jsonl", FILE_WRITE|FILE_TXT); } void LogOrderEvent(string event_type, ulong ticket, double price, double volume) { CJAVal json; json["timestamp"] = TimeToString(TimeGMT(), TIME_DATE|TIME_SECONDS); json["event_type"] = event_type; json["ticket"] = IntegerToString(ticket); json["price"] = DoubleToString(price, _Digits); json["volume"] = DoubleToString(volume, 2); json["symbol"] = _Symbol; json["prev_hash"] = m_prev_hash; string canonical = json.Serialize(); string current_hash = ComputeSHA256(canonical); json["hash"] = current_hash; if(m_file_handle != INVALID_HANDLE) { FileWriteString(m_file_handle, json.Serialize() + "\n"); FileFlush(m_file_handle); } m_prev_hash = current_hash; } // Article 14: Human oversight logging void LogHumanOverride(string reason, string operator_id) { CJAVal json; json["timestamp"] = TimeToString(TimeGMT(), TIME_DATE|TIME_SECONDS); json["event_type"] = "HUMAN_OVERRIDE"; json["reason"] = reason; json["operator_id"] = operator_id; json["prev_hash"] = m_prev_hash; // In production: add Ed25519 signature from operator's key string canonical = json.Serialize(); m_prev_hash = ComputeSHA256(canonical); json["hash"] = m_prev_hash; if(m_file_handle != INVALID_HANDLE) FileWriteString(m_file_handle, json.Serialize() + "\n"); } }; // Global audit logger CVCPAuditLog g_audit; void OnTrade() { // Automatically log all trade events (Article 12(1)) HistorySelect(TimeCurrent() - 1, TimeCurrent()); int total = HistoryDealsTotal(); for(int i = 0; i < total; i++) { ulong ticket = HistoryDealGetTicket(i); double price = HistoryDealGetDouble(ticket, DEAL_PRICE); double volume = HistoryDealGetDouble(ticket, DEAL_VOLUME); g_audit.LogOrderEvent("DEAL_EXECUTED", ticket, price, volume); } } Enter fullscreen mode Exit fullscreen mode GDPR Compatibility: The Crypto-Shredding Solution The elephant in the room: GDPR Article 5(1)(e) storage limitation vs. AI Act Article 19 retention requirements. Solution: Architectural separation ┌─────────────────────────────────────────────────────────────┐ │ AUDIT INTEGRITY LAYER │ │ (Immutable - hash chains, Merkle roots, timestamps) │ │ │ │ ┌──────────┐ ┌──────────┐ ┌──────────┐ ┌──────────┐ │ │ │ Event │──│ Event │──│ Event │──│ Event │ │ │ │ Hash #1 │ │ Hash #2 │ │ Hash #3 │ │ Hash #4 │ │ │ └────┬─────┘ └────┬─────┘ └────┬─────┘ └────┬─────┘ │ └───────┼─────────────┼─────────────┼─────────────┼──────────┘ │ │ │ │ ▼ ▼ ▼ ▼ ┌─────────────────────────────────────────────────────────────┐ │ PERSONAL DATA LAYER │ │ (Deletable - encrypted, key-managed) │ │ │ │ ┌──────────┐ ┌──────────┐ ┌──────────┐ ┌──────────┐ │ │ │ Encrypted│ │ Encrypted│ │ DELETED │ │ Encrypted│ │ │ │ PII #1 │ │ PII #2 │ │ (shredded)│ │ PII #4 │ │ │ │ [Key: K1]│ │ [Key: K1]│ │ │ │ [Key: K2]│ │ │ └──────────┘ └──────────┘ └──────────┘ └──────────┘ │ └─────────────────────────────────────────────────────────────┘ Enter fullscreen mode Exit fullscreen mode Crypto-shredding workflow : Personal data encrypted with per-subject keys Hash of encrypted data stored in audit chain GDPR deletion request → destroy encryption key Audit chain intact (proves events occurred) Personal data irrecoverable (satisfies erasure right) from cryptography.fernet import Fernet from cryptography.hazmat.primitives import hashes from cryptography.hazmat.primitives.kdf.pbkdf2 import PBKDF2HMAC import base64 import os class CryptoShreddingManager : """ GDPR-compliant deletion with audit trail preservation """ def __init__ ( self , key_store_path : str ): self . key_store = {} self . key_store_path = key_store_path def _generate_subject_key ( self , subject_id : str ) -> bytes : """ Generate unique encryption key per data subject """ salt = os . urandom ( 16 ) kdf = PBKDF2HMAC ( algorithm = hashes . SHA256 (), length = 32 , salt = salt , iterations = 480000 , ) key = base64 . urlsafe_b64encode ( kdf . derive ( subject_id . encode ())) self . key_store [ subject_id ] = { " key " : key , " salt " : salt } return key def encrypt_pii ( self , subject_id : str , data : bytes ) -> tuple : """ Encrypt PII, return ciphertext and hash for audit chain """ if subject_id not in self . key_store : key = self . _generate_subject_key ( subject_id ) else : key = self . key_store [ subject_id ][ " key " ] f = Fernet ( key ) ciphertext = f . encrypt ( data ) # Hash goes in immutable audit chain data_hash = hashlib . sha256 ( ciphertext ). hexdigest () return ciphertext , data_hash def crypto_shred ( self , subject_id : str ) -> bool : """ GDPR Article 17 erasure via key destruction """ if subject_id in self . key_store : # Securely overwrite key material key_data = self . key_store [ subject_id ] key_data [ " key " ] = os . urandom ( len ( key_data [ " key " ])) del self . key_store [ subject_id ] # Log shredding event (itself goes in audit chain) return True return False Enter fullscreen mode Exit fullscreen mode The Business Case: Beyond Compliance Risk Calculus For a high-risk AI system serving the EU market: Scenario Conventional Logs Cryptographic Logs Article 73 investigation Integrity questioned; burden on provider to prove non-tampering Cryptographic proof of integrity; authority can verify independently Conformity assessment Self-attestation only Third-party verifiable evidence packages Litigation Logs challenged as potentially altered Mathematical proof of authenticity Insurance Higher premiums; exclusions for data integrity failures Favorable terms for verified audit trails Competitive positioning Baseline compliance "Cryptographically Verifiable" as premium feature Standards Trajectory CEN-CENELEC JTC 21 is developing harmonized standards for AI Act compliance: prEN ISO/IEC 24970 : AI System Logging (public consultation expected mid-2025) Standards likely to incorporate cryptographic mechanisms based on: ISO/IEC 27001 integrity controls Financial sector precedents (SEC CAT, ESMA transaction reporting) NIST Cybersecurity Framework cryptographic baselines Early adopters of cryptographic logging will be aligned with harmonized standards before publication. Implementation Roadmap Phase 1: Foundation (Now → Q2 2025) [ ] Implement hash-chained event logging [ ] Deploy Ed25519 signing for human oversight events [ ] Establish key management infrastructure [ ] Document architecture as Article 11/Annex IV technical documentation Phase 2: Verification (Q2 2025 → Q4 2025) [ ] Add Merkle tree aggregation for efficient proofs [ ] Integrate eIDAS-qualified timestamps [ ] Implement GDPR crypto-shredding layer [ ] Build authority reporting templates (Article 73) Phase 3: Hardening (Q4 2025 → August 2026) [ ] Conformity assessment dry run [ ] Third-party audit of cryptographic controls [ ] Post-market monitoring integration (Article 72) [ ] Incident response procedure validation Conclusion: The Implicit Mandate The EU AI Act doesn't explicitly require cryptographic audit trails. But it creates a regulatory environment where they're the economically rational choice : Article 12 demands lifetime logging → hash chains ensure continuity Article 15 requires cybersecurity → cryptographic integrity satisfies this Article 73 prohibits evidence alteration → immutable logs provide defense Article 72 needs verifiable monitoring → timestamped proofs demonstrate compliance The market is moving toward cryptographic verification not because it's legally mandated, but because alternatives are legally riskier. The VeritasChain Protocol (VCP) provides an open specification for implementing these patterns. Whether you adopt VCP or build your own architecture, the technical requirements are clear: hash chains, digital signatures, qualified timestamps, and verifiable proofs. The August 2026 deadline approaches. The question isn't whether to implement cryptographic audit trails—it's whether you'll be ready when authorities start asking for evidence you can actually prove. Resources EU AI Act Official Text : EUR-Lex 2024/1689 VeritasChain Protocol Specification : veritaschain.org VCP GitHub : github.com/veritaschain IETF Draft : draft-kamimura-scitt-vcp CEN-CENELEC JTC 21 : AI Standards Development This article is published by the VeritasChain Standards Organization (VSO) as educational content. VSO is a non-profit standards body and does not endorse specific commercial implementations. For technical inquiries: technical@veritaschain.org Tags : #ai #compliance #cryptography #euaiact #audit #blockchain #regulations #fintech 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 VeritasChain Standards Organization (VSO) Follow Developing global cryptographic standards for algorithmic & AI-driven trading. Maintainer of VeritasChain Protocol (VCP) — a tamper-evident audit layer designed for MiFID II, EU AI Act, and next-gener Location Tokyo, Japan Joined Dec 7, 2025 More from VeritasChain Standards Organization (VSO) Building Cryptographic Audit Trails for AI Trading Systems: A Deep Dive into RFC 6962-Based Verification # ai # regtech The Grok Scandal Proves AI Needs Cryptographic Audit Trails—Not Just Content Moderation # ai # security # opensource Why Your Trading Algorithm Needs a Flight Recorder: Lessons from the 2025 Market Chaos # fintech # cryptography # security # algorithms 💎 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:47:48
https://www.reddit.com/r/all/top/?t=all
r/all Skip to main content Open menu Open navigation Go to Reddit Home Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Popular Communities :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskMen 7,128,340 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskWomen 5,604,512 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/PS4 5,513,074 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/apple 6,304,429 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/NBA2k 746,857 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/sysadmin 1,212,893 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nba 16,939,473 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/askscience 26,196,731 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/cars 7,382,842 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pcmasterrace 15,920,163 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pokemon 4,751,284 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/netflix 1,848,230 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nvidia 2,311,309 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/headphones 1,519,962 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/hearthstone 1,930,399 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/fantasyfootball 3,396,549 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pathofexile 1,050,683 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/canada 4,289,046 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nosleep 18,109,631 members See more Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation Top Open sort options Hot New Top Rising All Time Open sort options Now Today This Week This Month This Year All Time Change post view Card Compact Times Square right now :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/wallstreetbets :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/wallstreetbets Loiter and lose money (with friends) in our Daily Discussion threads or check out WSB Discord Like 4chan found a Bloomberg Terminal. Members Online Loiter and lose money (with friends) in our Daily Discussion threads or check out WSB Discord • Times Square right now Sorry, something went wrong when loading this video. View in app The Senate. Upvote this so that people see it when they Google "The Senate". :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/movies :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/movies /r/movies is the world's largest online film community, with over 37,000,000 members. Come on in and talk about movies with us! Members Online • The Senate. Upvote this so that people see it when they Google "The Senate". I’ve found a few funny memories during lockdown. This is from my 1st tour in 89, backstage in Vegas. :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics Earn double karma when you post non-political content! A place for photographs, pictures, and other images. Members Online Earn double karma when you post non-political content! • I’ve found a few funny memories during lockdown. This is from my 1st tour in 89, backstage in Vegas.
2026-01-13T08:47:49
https://dev.to/rsionnach/shift-left-reliability-4poo#comments
Shift-Left Reliability - 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 Rob Fox Posted on Jan 12 Shift-Left Reliability # sre # devops # cicd # platformengineering We've become exceptionally good at incident response. Modern teams restore service quickly, run thoughtful postmortems, and hold themselves accountable through corrective actions. And yet… A team ships a change that passes every test, gets all the required approvals, and still brings down checkout for 47 minutes. The postmortem conclusion? "We should have known our latency SLO was already at 94% before deploying." Many postmortems point to the same root cause: changes we introduced ourselves. Not hardware failures. Not random outages. Just software behaving exactly as we told it to. We continue to treat reliability as something to evaluate once those changes are already live. This isn't a failure of tooling or process. It's a question of when we decide whether a system is ready. The paradox We've invested heavily in observing and responding to failure - better alerting, faster incident response, thorough postmortems. Teams care deeply about reliability and spend significant time optimizing how they respond to incidents. But when in a service's lifecycle are they supposed to define reliability? Where's the innovation that happens before deployment? Where reliability decisions actually happen today I've seen multiple teams running identical technology stacks with completely different SLOs, metrics, and alerts. Nobody told them what to implement, what's best-practice or how to tune their alerts. They want to be good reliability citizens, but getting from the theory in the handbook to putting that theory into practice is not straightforward. Services regularly move into production with SLOs being created months later - or never. Dashboards are missing, insufficient, or inconsistent. "Looks fine to me" during PR reviews. Tribal knowledge. Varying levels of understanding across teams. Reliability is fundamentally bespoke and ungoverned. That's the core issue. The missing layer GitHub gave us version control for code. Terraform gave us version control for infrastructure. Security has transformed with shift-left - finding flaws as code is written, not after deployment. We're still missing version control for reliability. We need a specification that defines requirements, validates them against reality, and generates the artifacts: dashboards, SLOs, alerts, escalation policies. If the specification is validated and the artifacts created, the same tool can check in real-time whether a service is in breach - and block high-risk deployments in CI/CD. What shift-left reliability actually means Shift-left reliability doesn't mean more alerts and dashboards, more postmortems or more people in the room. It means: Spec - Define reliability requirements as code before production deployment Validate - Test those requirements against reality Enforce - Gate deployments through CI/CD Engineers don't write PromQL or Grafana JSON - they declare intent,  and reliability becomes deterministic. Outcomes are predictable,  consistent, transparent, and follow best practice. An executable reliability contract Keep it simple. A team creates a service.yaml file with their reliability intent: name: payment-api tier: critical type: api team: payments dependencies: - postgresql - redis Enter fullscreen mode Exit fullscreen mode Here is a complete service.yaml example . Tooling validates metrics, SLOs, and error budgets then generates these artifacts automatically. This is the approach I am exploring with an open-source project called NthLayer. NthLayer runs in any CI/CD pipeline - GitHub Actions, ArgoCD, Jenkins, Tekton, GitLab CI. The goal isn't to be an inflexible blocker; it's visible risk and explicit decisions. Overrides are fine when they're intentional, logged, and owned. When a deployment is attempted, the specification is evaluated against reality: $ nthlayer check-deploy - service payment-api ERROR: Deployment blocked - availability SLO at 99.2% (target: 99.95%) - error budget exhausted: -47 minutes remaining - 3 P1 incidents in last 7 days Exit code: 2 (BLOCKED) Enter fullscreen mode Exit fullscreen mode Why now? SLOs have had 8+ years to mature and move from the Google SRE Handbook into mainstream practice. GitOps has normalized declarative configuration. Platform Engineering has matured as a discipline. The concepts are ready but the tooling has lagged behind. This is a deliberate shift in approach. Reliability is no longer up for debate during incidents. Services have defined owners with deterministic standards. We can stop reinventing the reliability wheel every time a new service is onboarded. If requirements change, update the service.yaml , run NthLayer and every service benefits from adopting the new standard. What this does not replace NthLayer doesn't replace service catalogs, developer portals, observability platforms, or incident management. It doesn't predict failures or eliminate human judgment. It's upstream of all these systems. The goal: a reliability specification, automated deployment gates and to reduce cognitive load to implement best practices. Open questions I don't have all the answers but two questions I keep returning to are: Contract Drift: What happens when the spec says 99.95% but reality has been 99.5% for months? Is the contract wrong, or is the service broken? Emergency Overrides: How should they work? Who approves? How do you prevent them from becoming the default? The timing problem Where do reliability decisions actually happen in your organization? What would it look like to decide readiness before deployment? What reliability rules do you wish you could enforce automatically? The timing problem isn't going away. The only question is whether you address it before deployment - or learn about it in the postmortem. NthLayer is open source and looking for early adopters. If you're tired of reliability being an afterthought: pip install nthlayer nthlayer init nthlayer check-deploy --service your-service Enter fullscreen mode Exit fullscreen mode → github.com/rsionnach/nthlayer Star the repo, open an issue, or tell me I'm wrong. I want to hear how reliability decisions happen in your organization. Rob Fox is a Senior Site Reliability Engineer focused on platform and reliability tooling. He's exploring how reliability engineering can move earlier in the software delivery lifecycle. Find him on GitHub . 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 Rob Fox Follow Sr Site Reliability Engineer. Building NthLayer, an open-source tool for shift-left reliability. Opinions are my own. github.com/rsionnach Location Dublin, Ireland Joined Jan 6, 2026 Trending on DEV Community Hot The First Week at a Startup Taught Me More Than I Expected # startup # beginners # career # learning How I Built an AI Terraform Review Agent on Serverless AWS # aws # terraform # serverless # devops 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:47:49
https://ruul.io/blog/the-times-they-are-a-changin#$%7Bid%7D
The times, they are a-changin' - Ruul (Formerly Rimuut) Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up work The times, they are a-changin' Discover how independent professionals and freelancers are evolving in a borderless, remote-first world—how Ruul empowers you to build a virtual company, get paid globally, and adapt to the changing landscape of work. Umut Güncan 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points The world today is way more different when Bob Dylan first penned down the ballad. Internet, in general, and the industries it brought down enabled so much, and many more. With it, the borders phased out, regions got closer; people all around became much more reachable.As it is the case, change never stops: From the way we do our business, to the way we are getting paid for the work we’ve done, to the jobs we have and to whom we do it with shifts to a more “remote” setting. And with the changes, comes the challenges.One of the challenges the modern world has is the concept of being and working with freelancers, remote contractors, virtual assistants: Trusting someone across the globe or delivering a work to get paid by a company you’ve never seen was becoming a great deal. We might well underline “Was.”In 2017, we’ve invented a way to let freelancers all around the world do business, as a legit company, wherever they may be: They could invoice their customers, get paid across the globe, and get their money fast. Not stopping there, we’ve quickly put in the Agreement service to let our freelancers create their own service agreements, NDAs and general agreements they would need. This way, we’ve created the solution to the changing conjuncture, by being the voucher for freelancers, being the trusted party for their clients, and the financial representative of each in billing, settlement and payment processes.We had one goal and one goal only: To help freelancers and their clients act in a trusted platform, which, apparently all around the world was partially missing. From this insight, the need for a secure platform to conduct their business and financially feel secure, Ruul was born and got to a point where over 20.000 freelancers and 1100 brands around 15 countries trusted Ruul with invoicing & payment processes.The times, they are a-changin’. And it’s high time we do the same.From our branding to our goal, we’ve stepped up to our next evolutionary phase. Ruul, the world’s first platform to create virtual companies out of freelancers, has become the go-to platform for all the things freelancers’ need.With Ruul, it’s now possible to find, manage, engage and invoice your customers, get paid in over 50 currencies.In addition, you’ll be able to manage your finances, get tax consultation and manage your clients, agreements and everything else you need with your virtual company.Have favorite tools for project management, time-tracking or customer support? Integrate them to dynamically update your monthly payment, fulfill agreement quotes or requirements.Ruul is also becoming the best place to find suitable clients for you: This way, all an independent professional need to find a good, long term partner is to register to Ruul. As we know who would be a good match for you, we will look for the best individual to partner you with. Think of it as a Tinder for Freelancers & Brands.The times, they are a-changin’. And so do we: to keep on helping freelancers become virtual companies, knowing no geographical or financial limits. Embrace the change. ABOUT THE AUTHOR Umut Güncan With a degree in electronic engineering, Umut has over 15 years of experience in the industry. For the past 8 years, he has been leading tech and product teams at companies including Getir, specializing in crafting standout products that give these companies an edge. More How Contra Portfolios Compare to Dribbble and Behance Compare Contra, Dribbble, and Behance portfolios to find the best fit for showcasing your work and landing freelance jobs. Read more Unemployment for self-employed - 3 steps to collect Do you want to get unemployment benefits as a self-employed freelancer or gig worker? Find out about eligibility and how to claim. Read more Upwork Alternatives for Freelancers Looking for Upwork alternatives? Discover 10 freelance platforms with lower fees, faster payouts, and better client matches. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy
2026-01-13T08:47:49
https://dev.to/action-in-action/truth-over-artificial-harmony#main-content
🎯 Truth over artificial harmony - 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 Agile in Action with Bill Raymond Follow 🎯 Truth over artificial harmony Feb 13 '24 play 🎥 Watch now on YouTube: https://youtu.be/eAViv1Q873Q   With James Murphy, Founder of Afterburner and Managing Partner at Afterburner Capital   🎙️ How can fighter pilot strategies change the way we deliver success?   In today's podcast, James Murphy, a former fighter pilot turned entrepreneur, shares his journey from the cockpit to the boardroom. Discover how the concept of debriefs, derived from the military and part of Flawless Execution, transforms businesses to increase value. Murph shares the critical role of debriefs in achieving success, emphasizing its power as a tool for continuous improvement and strategic alignment. Through real-world stories, Murph and Bill share how debriefs foster a culture of truth, accountability, and growth.  In this podcast, you will learn the following: 🎉 The importance of a nameless, rankless debrief that uncovers the truth and drives team performance   🏆 How debriefs turned around the Giants (a U.S. football team) to win the Super Bowl   ✅ The significance of debriefing in avoiding task saturation and enhancing team performance   ✅ How debriefs can facilitate adaptive learning, enabling teams to pivot and improve strategies based on real-world outcomes quickly   Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/dotnetbytes/episode-18-news-from-may-7th-2020-through-may-21st-2020#main-content
Episode 18: News from May 7th, 2020 through May 21st, 2020 - 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 .NET Bytes Follow Episode 18: News from May 7th, 2020 through May 21st, 2020 May 26 '20 play THE NEWS FROM REDMOND Working with GitHub Issues in Visual Studio Code Visual Studio 2019 Preview Release Notes Visual Studio 2019 version 16.5 Release Notes Releasing Today! Visual Studio 2019 v16.6 & v16.7 Preview 1 Windows Package Manager Preview Introducing .NET Multi-platform App UI Blazor WebAssembly 3.2.0 now available Windows Terminal 1.0 Introducing WinUI 3 Preview 1 The Windows Subsystem for Linux BUILD 2020 Summary .NET Conf 2020 Welcome to C# 9.0 F# 5 and F# tools update Live Share, now with chat and audio support! Announcing .NET 5 Preview 4 and our journey to one .NET ASP.NET Core updates in .NET 5 Preview 4 Windows Forms Designer for .NET Core Released AROUND THE WORLD Rider 2020.1.3 and ReSharper Ultimate 2020.1.3 Bugfixes Are Here! Rider 2020.1.2 and ReSharper Ultimate 2020.1.2 Bugfixes Are Available! TeamCity 2020.1 RC is out Announcing end of support for .NET Standard 1.3 in AWS SDK for .NET Why model binding to JObject from a request doesn’t work anymore in ASP.NET Core 3.1 and what’s the alternative? Announcing Uno Platform 3.0 – Support for WinUI 3.0 Preview 1 Announcing Uno Platform 2.4 – macOS support and Windows Calculator on macOS PROJECTS OF THE WEEK CSLA CSLA .NET is a software development framework that helps you build a reusable, maintainable object-oriented business layer for your app. This framework reduces the cost of building and maintaining applications. Also, be sure and check out the Project of the Week archives ! SHOUT-OUTS / PLUGS .NET Bytes on Twitter Matt Groves is: Tweeting on Twitter Live Streaming on Twitch Calvin Allen is: Tweeting on Twitter Live Streaming on Twitch Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/codebunny20/building-voice-trainer-a-tiny-local-first-pitch-analysis-tool-for-gender-affirming-voice-practice-23a0#comments
Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice - 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 codebunny20 Posted on Jan 12 Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice # privacy # opensource # tooling # showdev As part of the HRT Journey Tracker Suite, I’ve been building tools that support transition in practical, offline‑friendly ways. The newest addition is Voice Trainer, a small desktop app for recording short clips, estimating pitch, and saving voice practice notes — all stored locally, no accounts or cloud services. the voice trainer is located here in the HRT Journey Tracker git hub repo along with all the other tools ive made This is why im building this Voice training can feel intimidating, and most tools are either too clinical or too invasive with data. I wanted something simple: hit record, get your pitch, save your notes, move on. What the app does • Record short clips from any microphone • Estimate pitch (Hz) from recordings or imported audio • Save practice recordings and longer voice notes • Persist settings locally • Keep all data inside the app folder for privacy Key features Record & Analyze • Device selection with filtering • Optional countdown • Analyze last recording or any chosen file • Works best with clear, sustained vowels Voice Notes • Longer recordings stored in • File details shown on selection Settings • Default input device • Countdown toggle + duration • Settings saved to Troubleshooting • Refresh devices after plugging in a headset • Set a default input device if recording fails • Improve pitch detection with louder or cleaner If you’re building privacy‑first tools or working on gender‑affirming tech, I’d love to hear what you’re making too. im always looking for help and guidance and thanks in advance for any future contribution. 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 codebunny20 Follow I'm a trans woman and after I started my transition I started learning python and other code languages and fell down the rabbit hole and now I'm hooked. Education high school Pronouns She/Her Work hopefully freelance some day Joined Jan 2, 2026 More from codebunny20 🌈 Looking for help if possible: I’m Stuck on My TrackMyHRT App (Medication + Symptom Tracker) # programming # python # opensource # discuss 🌈 Looking for Guidance: I’m Building an HRT Journey Tracker Suite, but I’m Stuck # architecture # discuss # help # privacy 🌈 HRT Journey Tracker Suite # webdev # programming # 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:47:49
https://dev.to/da7483
David Emmanuel - 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 David Emmanuel 404 bio not found Joined Joined on  Feb 23, 2023 Email address davidemmanuelchidiebere2022@gmail.com github website twitter website More info about @da7483 Badges Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close 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 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 Post 2 posts published Comment 12 comments written Tag 67 tags followed Have you heard about all in one pack? David Emmanuel David Emmanuel David Emmanuel Follow Oct 7 '23 Have you heard about all in one pack? # webdev # javascript # beginners # programming Comments 2  comments 1 min read Want to connect with David Emmanuel? Create an account to connect with David Emmanuel. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Webdev David Emmanuel David Emmanuel David Emmanuel Follow Mar 14 '23 Webdev 1  reaction Comments Add Comment 1 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/action-in-action/bridging-ai-data-science-and-engineering-a-personal-journey#main-content
Bridging AI data science and engineering: A personal journey - 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 Agile in Action with Bill Raymond Follow Bridging AI data science and engineering: A personal journey Oct 31 '23 play 🤝 Unlock the full potential of your AI and ML teams We are excited to welcome Christos Hadjinikolis, Software Engineer at Vortexa, to discuss his journey from a purely data science role to software engineering. Christos and Bill Raymond discuss these two unique roles and the importance of connecting them as a team to deliver repeatable and sustainable data pipelines and software solutions to meet customer needs. Here is what you will learn: ✅ The role of data scientists ✅ The role of software engineering in machine learning efforts ✅ Collaboration challenges when data scientists and software engineers are not collaborating to deploy ML and AI solutions 🎉 The unique roles each team member plays to ensure consistency and maintainability   Chapters: 00:00 Introduction 00:11 Christos Hadjinikolis' Background 01:00 The Role of a Data Scientist 02:59 The Role of a Machine Learning Engineer 03:48 Collaboration Between Data Scientists and Engineers 07:56 Challenges in Productionizing Data Science Models 10:11 Christos' Transition from Data Scientist to Engineer 25:24 Successful Integration of Data Science and Engineering Teams 27:11 Driving Success for Data Science and Engineering Teams 32:58 Conclusion and Final Remarks Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   David Emmanuel David Emmanuel David Emmanuel Follow Email davidemmanuelchidiebere2022@gmail.com Joined Feb 23, 2023 • Oct 31 '23 Dropdown menu Copy link Hide Is getting more interesting Like comment: Like comment: 1  like Like Comment button Reply Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/caerlower/verifiable-compute-for-onchain-prop-trading-how-carrotfunding-uses-rofl-38j2#comments
Verifiable Compute for Onchain Prop Trading: How Carrotfunding Uses ROFL - 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 Manav Posted on Dec 25, 2025           Verifiable Compute for Onchain Prop Trading: How Carrotfunding Uses ROFL # web3 # blockchain # privacy # proptrading Onchain prop trading has always promised transparency, but in practice most platforms still rely on opaque offchain engines for order execution, trader evaluation, and payout logic. Capital may be secured onchain, yet the most critical decisions, who gets funded, how performance is measured, and when payouts trigger , often happen in black-box infrastructure. Carrotfunding.io is taking a concrete step to eliminate that gap by integrating ROFL , bringing cryptographically verifiable compute into its trading and evaluation pipeline. The Trust Gap in Prop Trading Traditional prop firms are built on trust: traders trust execution, firms trust evaluation logic, and investors trust payout calculations. Even many “onchain” platforms replicate this model by anchoring capital onchain while keeping decision logic offchain. Carrot already minimizes several of these assumptions: Capital is secured using rethink.finance vaults Trades are executed via gTrade The remaining trust dependency lies in the AWS-based engine responsible for: order orchestration trader performance evaluation risk metrics payout calculation This is exactly where ROFL is being introduced. How the ROFL Integration Works Instead of replacing its existing infrastructure immediately, Carrot is deploying ROFL as a parallel verification layer . The production engine continues to run for performance and latency reasons. A ROFL instance independently re-executes the same computations inside a Trusted Execution Environment (TEE) . ROFL produces cryptographic attestations that prove: which code was executed which inputs were used what outputs were produced These attestations are posted onchain, allowing traders and capital providers to verify that: evaluation rules were applied exactly as defined no discretionary changes were made payouts were calculated deterministically Over time, this architecture supports a gradual path toward ROFL-only execution , without sacrificing system reliability today. Why This Matters Technically ROFL provides properties that standard offchain infrastructure cannot: Execution integrity : Code runs in hardware-isolated enclaves. Reproducibility : Identical inputs produce provable outputs. Auditability : Verification happens onchain, not via logs or dashboards. Key isolation : Sensitive keys never leave the enclave. For a prop trading system, this means trader scoring, drawdown checks, and payout logic become provable protocol behavior , not operator promises. Implications for Traders and Capital Providers For traders: Evaluation criteria become transparent and verifiable. Disputes can be resolved cryptographically, not socially. Funding decisions are no longer subjective or opaque. For capital providers: Funds are governed by immutable logic. Risk controls are enforced exactly as specified. Performance claims can be independently validated. A Broader Signal for DeFi Infrastructure This integration is a strong example of how verifiable compute can unlock new classes of financial applications. Prop trading requires: high-frequency logic complex evaluation rules strict fairness guarantees ROFL shows how such systems can remain performant and trust-minimized. While full onchain execution is often impractical for this class of workloads, cryptographically verified offchain compute offers a realistic middle ground. Looking Ahead Carrotfunding’s roadmap includes deeper reliance on ROFL over time, potentially eliminating centralized execution entirely. More broadly, this pattern, parallel verification → gradual migration → full verifiable execution is likely to become standard for complex DeFi systems. As onchain finance matures, trust assumptions will increasingly move from people and servers to code and cryptography . This integration is an early but meaningful step in that direction. 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   Aditya Singh Aditya Singh Aditya Singh Follow Joined Jun 8, 2025 • Dec 25 '25 Dropdown menu Copy link Hide Awesome breakdown this highlights how Carrotfunding is bringing verifiable compute to on-chain prop trading by integrating Oasis ROFL as a parallel trusted execution layer. Instead of relying on opaque off-chain engines, cryptographic attestations posted on-chain make evaluation logic, risk scoring, and payout calculations provably fair and deterministic, moving trust from operators to code. A solid example of bridging high-frequency financial workflows with verifiable infrastructure. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   sid sid sid Follow Joined Jun 27, 2025 • Dec 25 '25 Dropdown menu Copy link Hide This is a strong real-world example of where verifiable compute actually matters. Prop trading needs speed and fairness, and ROFL’s parallel verification model feels like a practical bridge between off-chain performance and on-chain trust. If this pattern sticks, Oasis-style confidential + verifiable execution could quietly become standard infra for complex DeFi systems. 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 Manav Follow web3 guy Location Onchain Pronouns He/Him Joined Feb 11, 2024 More from Manav Why Oasis Is Backing Custody-Native Credit Infrastructure # privacy # web3 # blockchain # infrastructure x402: Turning HTTP 402 into a Real Payment Primitive # privacy # blockchain # web3 # http x402: A Web-Native Payment Protocol for Micropayments and Autonomous Agents # web3 # blockchain # ai # privacy 💎 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:47:49
https://www.reddit.com/r/askscience/?f=flair_name%3A%22Medicine%22
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://dev.to/podcast-on-api-design-and-development-strategies/api-intersection-feat-mehdi-medjaoui-author-lecturer-founder-at-aliasdev-and-apidays#main-content
API Intersection feat. Mehdi Medjaoui, Author, Lecturer, & Founder at ALIAS.dev and APIdays - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close API Intersection Follow API Intersection feat. Mehdi Medjaoui, Author, Lecturer, & Founder at ALIAS.dev and APIdays Sep 7 '23 play Get in touch with Mehdi on his LinkedIn _____ To subscribe to the podcast, visit https://stoplight.io/podcast --- API Intersection Podcast listeners are invited to sign up for Stoplight and save up to $650! Use code INTERSECTION10 to get 10% off a new subscription to Stoplight Platform Starter or Pro. Offer good for annual or monthly payment option for first-time subscribers. 10% off an annual plan ($650 savings for Pro and $94.80 for Starter) or 10% off your first month ($9.99 for Starter and $39 for Pro). Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/ben/meme-monday-2if1
Meme Monday - 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 Ben Halpern Posted on Jan 12           Meme Monday # jokes # watercooler # discuss Meme Monday! Today's cover image comes from last week's thread . DEV is an inclusive space! Humor in poor taste will be downvoted by mods. Top comments (18) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   bingkahu bingkahu bingkahu Follow Full-stack developer focused on decentralized communication and privacy-centric web applications. Lead maintainer of CodeChat, an open-source peer-to-peer messaging platform built on WebRTC and PeerJS Education School Work Student Joined Jan 11, 2026 • Jan 12 Dropdown menu Copy link Hide Finally, a UI that doesn't make me check my phone for a code. This is the peak user experience we should all strive for. 10/10 security. Like comment: Like comment: 4  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 Dropdown menu Copy link Hide haha Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 Dropdown menu Copy link Hide Today's AI comedy showdown based on the joke from the cover Gemini ChatGPT Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 • Edited on Jan 12 • Edited Dropdown menu Copy link Hide These are both complicated and not great but I think Gemini is a bit funnier here Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Reid Burton Reid Burton Reid Burton Follow I am an amateur programmer. I program in more languages than I care to remember. Location string Location = null; Education Homeschooled Pronouns He/Him Work Ceo of unemployment. Joined Nov 7, 2024 • Jan 12 Dropdown menu Copy link Hide Tru dat. Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Best Codes Best Codes Best Codes Follow I love coding, 3D designing, and listening to music. I'm currently a fanatic about Rust, TypeScript, and Next.js. Christian, Coder, Creator Email bestcodes.official+devto@gmail.com Location Earth Education Self-taught Work Freelance Programmer | Fullstack Dev Joined Oct 24, 2023 • Jan 13 Dropdown menu Copy link Hide It's hard to tell which one is “funnier” because they're both so bad 💀 Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   heckno heckno heckno Follow Joined Sep 4, 2025 • Jan 12 Dropdown menu Copy link Hide Like comment: Like comment: 9  likes Like Comment button Reply Collapse Expand   Aryan Choudhary Aryan Choudhary Aryan Choudhary Follow Level up 10x faster Email aryanc1240@gmail.com Location Pune, India Pronouns He/Him Work SDE 1 Joined Nov 5, 2024 • Jan 13 Dropdown menu Copy link Hide Haha I'm gonna use this term Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   heckno heckno heckno Follow Joined Sep 4, 2025 • Jan 12 • Edited on Jan 12 • Edited Dropdown menu Copy link Hide Like comment: Like comment: 10  likes Like Comment button Reply Collapse Expand   bingkahu bingkahu bingkahu Follow Full-stack developer focused on decentralized communication and privacy-centric web applications. Lead maintainer of CodeChat, an open-source peer-to-peer messaging platform built on WebRTC and PeerJS Education School Work Student Joined Jan 11, 2026 • Jan 12 Dropdown menu Copy link Hide 😂 Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 Dropdown menu Copy link Hide lol Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Best Codes Best Codes Best Codes Follow I love coding, 3D designing, and listening to music. I'm currently a fanatic about Rust, TypeScript, and Next.js. Christian, Coder, Creator Email bestcodes.official+devto@gmail.com Location Earth Education Self-taught Work Freelance Programmer | Fullstack Dev Joined Oct 24, 2023 • Jan 13 Dropdown menu Copy link Hide Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Aryan Choudhary Aryan Choudhary Aryan Choudhary Follow Level up 10x faster Email aryanc1240@gmail.com Location Pune, India Pronouns He/Him Work SDE 1 Joined Nov 5, 2024 • Jan 13 Dropdown menu Copy link Hide Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Brian Zavala Brian Zavala Brian Zavala Follow CS Student & Dad. I build privacy-first apps on Arch Linux (btw). Turning caffeine into code. Location Texas Education Bachelor of science in computer science Pronouns He/Him Work Founder & Lead Dev Joined Sep 2, 2024 • Jan 13 Dropdown menu Copy link Hide When someone asks me about my side-project Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Timm David Timm David Timm David Follow Joined Dec 10, 2025 • Jan 13 Dropdown menu Copy link Hide hahaha great. Like comment: Like comment: 1  like Like Comment button Reply 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 • Jan 13 Dropdown menu Copy link Hide Like comment: Like comment: 1  like Like Comment button Reply View full discussion (18 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 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 Meme Monday # discuss # jokes # watercooler Meme Monday # discuss # watercooler # jokes Meme Monday # discuss # watercooler # jokes 💎 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:47:49
https://dev.to/evanlin/line-taiwan-devrel-2020-review-and-2021-community-plans-part-3-technical-branding-and-hiring-2d1#comments
LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) - 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 Evan Lin Posted on Jan 11 • Originally published at evanlin.com on Jan 11           LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) # devjournal # community # marketing # career title: [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 3: Technical Branding and Hiring) published: false date: 2021-02-03 00:00:00 UTC tags: canonical_url: http://www.evanlin.com/devrel-2020-3/ Enter fullscreen mode Exit fullscreen mode Preface Hello everyone, I am Evan Lin from the LINE Taiwan Developer Relations team. After more than a year of effort by LINE Developer Relations, I would like to summarize in this article what the entire team has done, and I also hope to make an annual report for the " LINE Developer Community Plan ". According to the original introduction article (Introducing Developer Relations team) written by LINE Developer Relations, the main goals of this team are clearly defined as follows: External Evangelism: Encouraging developers to use LINE's platform, APIs and SDKs to develop attractive and interesting application services. (Encouraging people to make attractive and interesting services using the APIs and the SDK by LINE) Internal Evangelism: Through some methods to enable engineers to grow and hone themselves (Doing whatever our engineers feel difficult to do themselves in making improvements at work) Technical Branding and Hiring: Letting more people know that being a LINER (LINE employees' self-proclaimed name) has many interesting and exciting things. (Letting people know how fun and exciting it is for engineers to work at LINE) The previous article has clearly defined External Evangelism , and the next step will be to further explain Technical Branding and Hiring . Article List: [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 1: External Evangelism) [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 2: Internal Evangelism) [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 3: **Technical Branding and Hiring) (This article) Technical Branding and Hiring: Letting more people know that being a LINER (LINE employees' self-proclaimed name) has many interesting and exciting things. As a technology-based technology company, LINE requires developers for many underlying architectures and services. However, the brand awareness of LINE's technology is an area that needs continuous effort, so another important task of Developer Relations is to let more developers understand that LINE Taiwan has a considerable number of developers, and there are many interesting job openings here that need the participation of experts from all sides. Summer Tech Fair We hope to create more opportunities for technical sharing and cross-border exchanges, and at the same time, continue to recruit outstanding talents to join the LINE Taiwan development engineering team! This is the first joint recruitment Taiwan technology job fair this year, hoping to let more student friends understand the student internship program brought by LINE. "LINE Tech Star Talent Program – LINE TECHFRERSH". Reference Articles: LINE Developer Community Plan: Summer Tech Fair Taiwan Technology Job Fair Community Event Co-hosting Invitation (Community Meetup) This year, LINE Taiwan not only holds community events by itself, but also welcomes various technical communities to hold community gatherings at the LINE Taiwan office. In addition to hoping to have more exchanges with the community, it will also provide LINE internal developers to share relevant development experiences with everyone. As a developer, do you know that LINE also actively participates in welcoming various communities to apply and exchange? Due to the epidemic, the events in the first half of the year were postponed. In the second half of the year, 5 open source technology community gatherings were held at the LINE office, and we cooperated with many communities, and allowed many communities to understand that LINE also has related development technology engineers, and each colleague has an open attitude and is willing to share. Related Articles: You are also welcome to refer to the following articles to learn more about the exciting community event content: LINE Developer Community Plan: 2020/10/21 TWJUG@LINE LINE Developer Community Plan: Golang #54 Community Gathering Experience LINE Developer Community Plan: Vue.js Taiwan 006 Gathering Highlights Sharing LINE Developer Community Plan: 20200707 Test Corner #26 Gathering Experience 2020 June LINE Platform Update Summary and LINE Group/Room Chatbot Demonstration LINE Taiwan Security Meetup – BECKS #6 LINE Taiwan Security Meetup – BECKS #5 LINE Annual Developer Recruitment Conference LINE Developer Recruitment Day LINE Taiwan Developers Recruitment Day is a public recruitment event for developers. We invite outstanding candidates who have passed the online preliminary test to participate in the interview. In addition, we have also planned a full day of product and service introductions, and welcome the developers invited to the interview to come and learn together. Through this event, more developers can also understand that LINE Taiwan has a considerable number of development positions waiting for experts from all sides to join. Related Articles 2020 LINE Taiwan Developers Recruitment Day LINE UIT Introduction LINE SHOPPING Introduction LINE QA Introduction LINE TODAY Introduction LINE Pay Introduction Technical Seminars (COSCUP, DataCon, JCConf, JSDC) Regarding the technical seminars, the LINE Developer Relations department also participated in JCConf this year, and set up a booth for LINE Taiwan engineers to communicate and discuss with everyone. We also found that in each exchange, each interaction, in addition to feeling the enthusiasm of LINER sharing, we can also feel the love and curiosity of every developer for LINE services. Everyone wants to explore the technical architecture content of the services they use every day, and the enthusiasm of the engineers' exchanges was also felt in the four seminars. Related Articles: LINE Taiwan x Java Annual Event: JCConf 2020 A trip to JCConf 2020 JCConf 2020 Conference Experience Sharing – RSocket Revolution, a High-Efficiency Communication Protocol Born for Reactive Programming Information Security Community in South Korea, Japan and Taiwan - BECKS Information security has always been one of the most important aspects of LINE. In addition to actively promoting various information security enhancement strategies, starting this year (2019), it has regularly held BECKS.IO – Security Meetup jointly in South Korea, Japan, and Taiwan, inviting information security researchers from various countries to participate, allowing information security researchers from all over the world to have more exchanges through this gathering. In 2019, a total of five BECKS gatherings were held, and we also hope that more participants can join us. Related Articles: BECKS Community Event Registration Website LINE Taiwan Security Meetup – BECKS #6 LINE Taiwan Security Meetup – BECKS #5 LINE Taiwan Annual Developer Event - LINE TECHPULSE 2020 LINE TAIWAN TECHPULSE 2020 was held on 2020/12/18 at Nangang Exhibition Center Hall 2. I don't know if you all participated in this carefully arranged event this year. As one of the organizers, we always hope that every idea and thought can be shared with every guest. We hope that through this article, regardless of whether you are present or not, you can feel the team's dedication. In addition to the new venue this year, the working team has also carefully prepared the following items to welcome everyone to learn more: LINE CLOVA venue experience The first dual-track agenda, a perfect combination of technology and business applications Interactive booth: giving you the opportunity to know the gods Display rack (Poster): Face-to-face discussion of architecture with LINE Taiwan service engineers Related Articles: LINE TAIWAN TECHPULSE 2020 Agenda Content Sharing Behind the Scenes of LINE TAIWAN TECHPULSE 2020 Event Arrangements TECHPULSE 2020 Youth Main Stage – TECH FRESH Agenda and Booth Introduction LINE TAIWAN TECHPULSE 2020 Annual Event You Can't Miss Conclusion This is the last article summarizing the results of LINE Developer Relations in 2020. Thank you for watching. Developer Relations is never an easy road. Developers, due to their own desire for technical exchanges, are still willing to use their free time after work to participate in technical communities to get to know more like-minded people and hone their skills. Therefore, the staff of Developer Relations and Technical Promotion Department (Developer Relations) need more enthusiasm to plan in-depth and meaningful activities to make every hard-working developer have a fulfilling harvest and let everyone exchange happily. 2020 has passed, how many LINE Developer Relations events have you participated in? Let's meet again in 2020. Join the "LINE Developer Official Community" official account immediately, and you can receive push notifications of the latest Meetup events or the latest news related to the developer plan. ▼ "LINE Developer Official Community" Official Account ID: @line_tw_dev About "LINE Developer Community Plan" Join the "LINE Developer Official Community" official account immediately, and you can receive push notifications of the latest Meetup events or the latest news related to the developer plan. ▼ "LINE Developer Official Community" Official Account ID: @line_tw_dev About "LINE Developer Community Plan" LINE launched the "LINE Developer Community Plan" in Taiwan at the beginning of this year, and will invest manpower and resources in Taiwan for a long time to hold developer community gatherings, recruitment days, developer conferences, etc., both internally and externally, online and offline, and is expected to hold more than 30 events throughout the year. Readers are welcome to continue to check back for the latest updates. For details, please see: LINE Taiwan Developer Relations 2019 Review and 2019 Developer Community Plan Report 2019 LINE Developer Community Plan Event Schedule 2020 LINE Developer Community Plan Event Schedule 2021 LINE Developer Community Plan Event Schedule (continuously updated) Enter fullscreen mode Exit fullscreen mode Top comments (1) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 Evan Lin Follow Attitude is Everything. @golangtw Co-Organizer / LINE Taiwan Technology Evangelist. Golang GDE. Location Taipei Work Technology Evangelist at LINE Corp. Joined Jun 16, 2020 More from Evan Lin Steve Jobs: The Biography (Updated Edition) # career # leadership # motivation # product 2020: Review and Outlook # career # devjournal # productivity [TIL] Golang community discussion about PTT BBS # community # backend # discuss # go 💎 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:47:49
https://www.reddit.com/r/askscience/?f=flair_name%3A%22Archaeology%22
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://dev.to/adventures_in_devops/open-source-software-its-maintainability-with-warren-parad-devops-147#main-content
Open-Source Software & Its Maintainability With Warren Parad - DevOps 147 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in DevOps Follow Open-Source Software & Its Maintainability With Warren Parad - DevOps 147 Jan 27 '23 play Warren Parad is the CTO at Authress. It is a User authorization API for software makers. He joins the show to talk about Open-source Software. He explains how open-source software is used in enterprise organizations, what functions it serves, and what trade-offs and difficulties come with it. About This Episode Difference between open-source and SaaS Pros and cons of Open-source Open-source libraries    Sponsors Chuck's Resume Template Developer Book Club starting with Clean Architecture by Robert C. Martin Become a Top 1% Dev with a Top End Devs Membership Links Authress LinkedIn: Warren Parad  Twitter: @Wparad Warren Parad  - Medium Picks Jillian -  Dabble of DevOps Jillian -  Wings of Fire  Jonathan -  A Seat at the Table: IT Leadership in the Age of Agility Jonathan -  #0063 - Jonathan Hall - implementing continuous delivery Warren - Dark Matter Warren -  The Formula Will -  A Christmas Horror Story (2015) - IMDb Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://developers.reddit.com/apps/bot-bouncer
Bot Bouncer | Reddit for Developers Readme Bot Bouncer is a Dev Platform app that bans bots and other harmful accounts from subreddits that use it. It is heavily inspired by BotDefense, which wrapped up operations in 2023. Bots are classified via submissions on /r/BotBouncer , via a mix of automated and human classification. If you add Bot Bouncer to your sub via the Dev Platform app directory, it will watch for all new submissions and comments from users, and if the account is classified as a bot by the app, it will be banned. Bot Bouncer is open source. You can find the source code on GitHub here . Bot Bouncer has a [wiki] that describes in more detail how the app operates. The ban process If a user creates a post or comment on your subreddit and the user is classified as a bot already, the post or comment will be removed immediately and the user banned. Newly classified bots will also be banned if they have posted or commented on your subreddit within the past week shortly after being classified. Mods can choose to configure the app to report users rather than ban and remove. This might be useful if you want to get a feel for the accuracy of Bot Bouncer's detections before putting it in full "ban" mode. Exempting Users By default, any bots that you unban are automatically allowlisted and will not be banned again (although this can be turned off). If you want to preemptively allowlist a user, add the account as an Approved Submitter to your subreddit - Bot Bouncer will never ban approved submitters or moderators. You can also set a user flair with a CSS class that ends with proof . This is so that legacy flairs such as botbustproof will prevent a user from being banned. Submitting users for review Subreddit moderators can report the bot from a post or comment's context menu. Choose "Report to /r/BotBouncer". Otherwise, you can create a link post on /r/BotBouncer that links to the user's profile. Bot Bouncer will then remove your post and replace it with its own submission for the account, and then the evaluation process will start. If you feel that you can add extra context to the submission, for example if you have detected bot-like activity that you think may not be obvious, you can create a comment on the new post explaining why the user is a bot. For example a user might look superficially human, but might be copying content from other users. If reporting via the post/comment menu, you will be prompted to optionally add context at this point. Also, consider reporting the account . Bot accounts should be reported to Reddit as Spam->Disruptive use of bots or AI. Reddit's spam detection is getting better all the time and in many cases, the bot's account will be shadowbanned immediately. Accounts in scope for Bot Bouncer Bot Bouncer bans any bot that makes automatic comments or posts without being explicitly summoned. This includes LLM karma farming bots, annoying "reply" bots that break Bottiquette, and so on. Bot Bouncer will not ban useful service bots, such as ones that respond to user commands (e.g. RemindMeBot or stabbot), nor will it add bots that have been added as moderators or approved users, or have a flair with a CSS class ending in proof . Bot Bouncer is not a generic anti-spam or anti-porn app. If someone is promoting a product, service or adult content in a human manner, they are out of scope. Dealing with classifications you feel are incorrect If you think that you've found a bot that's already marked as human, write in to /r/BotBouncer's modmail with details of why you think that this is the case. Sometimes mistakes are made and we rely on assistance to get classifications right. Users who have been unfairly banned by Bot Bouncer should be encouraged to modmail in to /r/BotBouncer to appeal their ban. Alternatively, you can do this on the user's behalf. While you can unban the user yourself, this only affects the user on your subreddit and does not prevent the user from being banned from other subreddits. Change History v1.24.0 Fixed erroneous errors referencing no recent posts/comments when reporting users Add new evaluator type Improved performance (reducing Dev Platform resource usage) Improve reliability of banning users already classified as bots when they post or comment Add option (disabled by default) to lock posts/comments when the app removes them If "Add mod note on classification change" is turned on, a link to the account's tracking post is included on the mod note when banning or unbanning Internal changes to support operations on /r/BotBouncer v1.23.1 Bot Bouncer can now accept a moderator invite if it has been accidentally removed from the mod list Reduced Dev Platform resource usage Internal changes to support operations on /r/BotBouncer v1.22.1 Improve resilience of app if required permissions are accidentally removed from the app's user account Reduce false positives on one evaluator Action summary (formerly daily digest) can now be sent either daily or weekly on Mondays Action summary (formerly daily digest) no longer incorrectly shows deleted users as if they have been unbanned by Bot Bouncer Improved performance to reduce compute load on Dev Platform infrastructure Improved evaluation capabilities for the Bot Group Advanced evaluator Internal changes to support operations on /r/BotBouncer v1.21.0 Faster response to bot classification changes, down from up to ten minutes to up to one minute Faster refreshes of bot detection config, down from up to an hour to up to five minutes Embolden instruction in default ban message to emphasise contacting /r/BotBouncer Internal changes to support operations on /r/BotBouncer For older versions, please see the full changelog . About this app fsv Creator App identifier bot-bouncer Version 1.24.1 Send feedback Terms and conditions Privacy policy Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:49
https://dev.to/t/bunjs/page/8
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:47:49
https://dev.to/apisyouwonthatepodcast/the-road-to-oss-nirvana#main-content
The road to OSS Nirvana - 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 APIs You Won't Hate Follow The road to OSS Nirvana Mar 26 '22 play Mike is starting work at Stripe ! What the world looks like for Open API and JSON Schema going forward https://json-schema.org/blog/posts/json-schema-joins-the-openjsf Mozilla's 2020 Layoffs Writing for APIs You Won't Hate - https://github.com/orgs/apisyouwonthate/projects/4   Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/t/machinelearning/page/596
Machine Learning Page 596 - 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 Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning posts 593 594 595 596 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:47:49
https://dev.to/t/aws/page/1010
Amazon Web Services Page 1010 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Amazon Web Services Follow Hide Amazon Web Services (AWS) is a collection of web services for computing, storage, machine learning, security, and more There are over 200+ AWS services as of 2023. Create Post submission guidelines Articles which primary focus is AWS are permitted to used the #aws tag. Older #aws posts 1007 1008 1009 1010 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:47:49
https://dev.to/evanlin/line-taiwan-devrel-2020-review-and-2021-community-plans-part-3-technical-branding-and-hiring-2d1
LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) - 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 Evan Lin Posted on Jan 11 • Originally published at evanlin.com on Jan 11           LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) # devjournal # community # marketing # career title: [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 3: Technical Branding and Hiring) published: false date: 2021-02-03 00:00:00 UTC tags: canonical_url: http://www.evanlin.com/devrel-2020-3/ Enter fullscreen mode Exit fullscreen mode Preface Hello everyone, I am Evan Lin from the LINE Taiwan Developer Relations team. After more than a year of effort by LINE Developer Relations, I would like to summarize in this article what the entire team has done, and I also hope to make an annual report for the " LINE Developer Community Plan ". According to the original introduction article (Introducing Developer Relations team) written by LINE Developer Relations, the main goals of this team are clearly defined as follows: External Evangelism: Encouraging developers to use LINE's platform, APIs and SDKs to develop attractive and interesting application services. (Encouraging people to make attractive and interesting services using the APIs and the SDK by LINE) Internal Evangelism: Through some methods to enable engineers to grow and hone themselves (Doing whatever our engineers feel difficult to do themselves in making improvements at work) Technical Branding and Hiring: Letting more people know that being a LINER (LINE employees' self-proclaimed name) has many interesting and exciting things. (Letting people know how fun and exciting it is for engineers to work at LINE) The previous article has clearly defined External Evangelism , and the next step will be to further explain Technical Branding and Hiring . Article List: [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 1: External Evangelism) [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 2: Internal Evangelism) [LINE DevRel] LINE Taiwan Developer Relations 2020 Review and 2020 Developer Community Plan Report (part 3: **Technical Branding and Hiring) (This article) Technical Branding and Hiring: Letting more people know that being a LINER (LINE employees' self-proclaimed name) has many interesting and exciting things. As a technology-based technology company, LINE requires developers for many underlying architectures and services. However, the brand awareness of LINE's technology is an area that needs continuous effort, so another important task of Developer Relations is to let more developers understand that LINE Taiwan has a considerable number of developers, and there are many interesting job openings here that need the participation of experts from all sides. Summer Tech Fair We hope to create more opportunities for technical sharing and cross-border exchanges, and at the same time, continue to recruit outstanding talents to join the LINE Taiwan development engineering team! This is the first joint recruitment Taiwan technology job fair this year, hoping to let more student friends understand the student internship program brought by LINE. "LINE Tech Star Talent Program – LINE TECHFRERSH". Reference Articles: LINE Developer Community Plan: Summer Tech Fair Taiwan Technology Job Fair Community Event Co-hosting Invitation (Community Meetup) This year, LINE Taiwan not only holds community events by itself, but also welcomes various technical communities to hold community gatherings at the LINE Taiwan office. In addition to hoping to have more exchanges with the community, it will also provide LINE internal developers to share relevant development experiences with everyone. As a developer, do you know that LINE also actively participates in welcoming various communities to apply and exchange? Due to the epidemic, the events in the first half of the year were postponed. In the second half of the year, 5 open source technology community gatherings were held at the LINE office, and we cooperated with many communities, and allowed many communities to understand that LINE also has related development technology engineers, and each colleague has an open attitude and is willing to share. Related Articles: You are also welcome to refer to the following articles to learn more about the exciting community event content: LINE Developer Community Plan: 2020/10/21 TWJUG@LINE LINE Developer Community Plan: Golang #54 Community Gathering Experience LINE Developer Community Plan: Vue.js Taiwan 006 Gathering Highlights Sharing LINE Developer Community Plan: 20200707 Test Corner #26 Gathering Experience 2020 June LINE Platform Update Summary and LINE Group/Room Chatbot Demonstration LINE Taiwan Security Meetup – BECKS #6 LINE Taiwan Security Meetup – BECKS #5 LINE Annual Developer Recruitment Conference LINE Developer Recruitment Day LINE Taiwan Developers Recruitment Day is a public recruitment event for developers. We invite outstanding candidates who have passed the online preliminary test to participate in the interview. In addition, we have also planned a full day of product and service introductions, and welcome the developers invited to the interview to come and learn together. Through this event, more developers can also understand that LINE Taiwan has a considerable number of development positions waiting for experts from all sides to join. Related Articles 2020 LINE Taiwan Developers Recruitment Day LINE UIT Introduction LINE SHOPPING Introduction LINE QA Introduction LINE TODAY Introduction LINE Pay Introduction Technical Seminars (COSCUP, DataCon, JCConf, JSDC) Regarding the technical seminars, the LINE Developer Relations department also participated in JCConf this year, and set up a booth for LINE Taiwan engineers to communicate and discuss with everyone. We also found that in each exchange, each interaction, in addition to feeling the enthusiasm of LINER sharing, we can also feel the love and curiosity of every developer for LINE services. Everyone wants to explore the technical architecture content of the services they use every day, and the enthusiasm of the engineers' exchanges was also felt in the four seminars. Related Articles: LINE Taiwan x Java Annual Event: JCConf 2020 A trip to JCConf 2020 JCConf 2020 Conference Experience Sharing – RSocket Revolution, a High-Efficiency Communication Protocol Born for Reactive Programming Information Security Community in South Korea, Japan and Taiwan - BECKS Information security has always been one of the most important aspects of LINE. In addition to actively promoting various information security enhancement strategies, starting this year (2019), it has regularly held BECKS.IO – Security Meetup jointly in South Korea, Japan, and Taiwan, inviting information security researchers from various countries to participate, allowing information security researchers from all over the world to have more exchanges through this gathering. In 2019, a total of five BECKS gatherings were held, and we also hope that more participants can join us. Related Articles: BECKS Community Event Registration Website LINE Taiwan Security Meetup – BECKS #6 LINE Taiwan Security Meetup – BECKS #5 LINE Taiwan Annual Developer Event - LINE TECHPULSE 2020 LINE TAIWAN TECHPULSE 2020 was held on 2020/12/18 at Nangang Exhibition Center Hall 2. I don't know if you all participated in this carefully arranged event this year. As one of the organizers, we always hope that every idea and thought can be shared with every guest. We hope that through this article, regardless of whether you are present or not, you can feel the team's dedication. In addition to the new venue this year, the working team has also carefully prepared the following items to welcome everyone to learn more: LINE CLOVA venue experience The first dual-track agenda, a perfect combination of technology and business applications Interactive booth: giving you the opportunity to know the gods Display rack (Poster): Face-to-face discussion of architecture with LINE Taiwan service engineers Related Articles: LINE TAIWAN TECHPULSE 2020 Agenda Content Sharing Behind the Scenes of LINE TAIWAN TECHPULSE 2020 Event Arrangements TECHPULSE 2020 Youth Main Stage – TECH FRESH Agenda and Booth Introduction LINE TAIWAN TECHPULSE 2020 Annual Event You Can't Miss Conclusion This is the last article summarizing the results of LINE Developer Relations in 2020. Thank you for watching. Developer Relations is never an easy road. Developers, due to their own desire for technical exchanges, are still willing to use their free time after work to participate in technical communities to get to know more like-minded people and hone their skills. Therefore, the staff of Developer Relations and Technical Promotion Department (Developer Relations) need more enthusiasm to plan in-depth and meaningful activities to make every hard-working developer have a fulfilling harvest and let everyone exchange happily. 2020 has passed, how many LINE Developer Relations events have you participated in? Let's meet again in 2020. Join the "LINE Developer Official Community" official account immediately, and you can receive push notifications of the latest Meetup events or the latest news related to the developer plan. ▼ "LINE Developer Official Community" Official Account ID: @line_tw_dev About "LINE Developer Community Plan" Join the "LINE Developer Official Community" official account immediately, and you can receive push notifications of the latest Meetup events or the latest news related to the developer plan. ▼ "LINE Developer Official Community" Official Account ID: @line_tw_dev About "LINE Developer Community Plan" LINE launched the "LINE Developer Community Plan" in Taiwan at the beginning of this year, and will invest manpower and resources in Taiwan for a long time to hold developer community gatherings, recruitment days, developer conferences, etc., both internally and externally, online and offline, and is expected to hold more than 30 events throughout the year. Readers are welcome to continue to check back for the latest updates. For details, please see: LINE Taiwan Developer Relations 2019 Review and 2019 Developer Community Plan Report 2019 LINE Developer Community Plan Event Schedule 2020 LINE Developer Community Plan Event Schedule 2021 LINE Developer Community Plan Event Schedule (continuously updated) Enter fullscreen mode Exit fullscreen mode Top comments (1) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 Evan Lin Follow Attitude is Everything. @golangtw Co-Organizer / LINE Taiwan Technology Evangelist. Golang GDE. Location Taipei Work Technology Evangelist at LINE Corp. Joined Jun 16, 2020 More from Evan Lin Steve Jobs: The Biography (Updated Edition) # career # leadership # motivation # product 2020: Review and Outlook # career # devjournal # productivity [TIL] Golang community discussion about PTT BBS # community # backend # discuss # go 💎 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:47:49
https://dev.to/ben/meme-monday-2if1#comments
Meme Monday - 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 Ben Halpern Posted on Jan 12           Meme Monday # jokes # watercooler # discuss Meme Monday! Today's cover image comes from last week's thread . DEV is an inclusive space! Humor in poor taste will be downvoted by mods. Top comments (18) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   bingkahu bingkahu bingkahu Follow Full-stack developer focused on decentralized communication and privacy-centric web applications. Lead maintainer of CodeChat, an open-source peer-to-peer messaging platform built on WebRTC and PeerJS Education School Work Student Joined Jan 11, 2026 • Jan 12 Dropdown menu Copy link Hide Finally, a UI that doesn't make me check my phone for a code. This is the peak user experience we should all strive for. 10/10 security. Like comment: Like comment: 4  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 Dropdown menu Copy link Hide haha Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 Dropdown menu Copy link Hide Today's AI comedy showdown based on the joke from the cover Gemini ChatGPT Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 • Edited on Jan 12 • Edited Dropdown menu Copy link Hide These are both complicated and not great but I think Gemini is a bit funnier here Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Reid Burton Reid Burton Reid Burton Follow I am an amateur programmer. I program in more languages than I care to remember. Location string Location = null; Education Homeschooled Pronouns He/Him Work Ceo of unemployment. Joined Nov 7, 2024 • Jan 12 Dropdown menu Copy link Hide Tru dat. Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Best Codes Best Codes Best Codes Follow I love coding, 3D designing, and listening to music. I'm currently a fanatic about Rust, TypeScript, and Next.js. Christian, Coder, Creator Email bestcodes.official+devto@gmail.com Location Earth Education Self-taught Work Freelance Programmer | Fullstack Dev Joined Oct 24, 2023 • Jan 13 Dropdown menu Copy link Hide It's hard to tell which one is “funnier” because they're both so bad 💀 Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   heckno heckno heckno Follow Joined Sep 4, 2025 • Jan 12 Dropdown menu Copy link Hide Like comment: Like comment: 9  likes Like Comment button Reply Collapse Expand   Aryan Choudhary Aryan Choudhary Aryan Choudhary Follow Level up 10x faster Email aryanc1240@gmail.com Location Pune, India Pronouns He/Him Work SDE 1 Joined Nov 5, 2024 • Jan 13 Dropdown menu Copy link Hide Haha I'm gonna use this term Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   heckno heckno heckno Follow Joined Sep 4, 2025 • Jan 12 • Edited on Jan 12 • Edited Dropdown menu Copy link Hide Like comment: Like comment: 10  likes Like Comment button Reply Collapse Expand   bingkahu bingkahu bingkahu Follow Full-stack developer focused on decentralized communication and privacy-centric web applications. Lead maintainer of CodeChat, an open-source peer-to-peer messaging platform built on WebRTC and PeerJS Education School Work Student Joined Jan 11, 2026 • Jan 12 Dropdown menu Copy link Hide 😂 Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Ben Halpern Ben Halpern Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Jan 12 Dropdown menu Copy link Hide lol Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Best Codes Best Codes Best Codes Follow I love coding, 3D designing, and listening to music. I'm currently a fanatic about Rust, TypeScript, and Next.js. Christian, Coder, Creator Email bestcodes.official+devto@gmail.com Location Earth Education Self-taught Work Freelance Programmer | Fullstack Dev Joined Oct 24, 2023 • Jan 13 Dropdown menu Copy link Hide Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Aryan Choudhary Aryan Choudhary Aryan Choudhary Follow Level up 10x faster Email aryanc1240@gmail.com Location Pune, India Pronouns He/Him Work SDE 1 Joined Nov 5, 2024 • Jan 13 Dropdown menu Copy link Hide Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Brian Zavala Brian Zavala Brian Zavala Follow CS Student & Dad. I build privacy-first apps on Arch Linux (btw). Turning caffeine into code. Location Texas Education Bachelor of science in computer science Pronouns He/Him Work Founder & Lead Dev Joined Sep 2, 2024 • Jan 13 Dropdown menu Copy link Hide When someone asks me about my side-project Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Timm David Timm David Timm David Follow Joined Dec 10, 2025 • Jan 13 Dropdown menu Copy link Hide hahaha great. Like comment: Like comment: 1  like Like Comment button Reply 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 • Jan 13 Dropdown menu Copy link Hide Like comment: Like comment: 1  like Like Comment button Reply View full discussion (18 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 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 Meme Monday # discuss # jokes # watercooler Meme Monday # discuss # watercooler # jokes Meme Monday # discuss # watercooler # jokes 💎 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:47:49
https://developers.reddit.com/apps/report-dismisser
Report Reasons Blacklist | Reddit for Developers Readme Report Reasons Blacklist is a bot that can automatically dismiss reports according to a user-defined blacklist. For info on setup & customization, please see the bot's full documentation: https://www.reddit.com/r/RyofistDev/wiki/report_dismisser About this app Iron_Fist351 Creator App identifier report-dismisser Version 0.0.24 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:49
https://dev.to/help/spam-and-abuse#DEV-Community-Moderation
Spam and Abuse - DEV Help - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Help > Spam and Abuse Spam and Abuse In this article Reporting spam, plagiarism, and other abuse DEV Community Moderation Utilize various channels available to provide feedback and report issues to us. Reporting spam, plagiarism, and other abuse In general, you can fill out our report abuse form here and a DEV Team member will review it. For a specific comment, navigate to the comment and click the ... for the option to report abuse. For a specific article, navigate to the article and click the ... in the sidebar for the option to report abuse. Otherwise, you may scroll to the bottom of the article, beneath the comments, and click report abuse. DEV Community Moderation We also regularly recruit DEV moderators to help us fight spam, organize the site via tags, welcome new members, spread good vibes, and ensure folks follow our Code of Conduct and   Terms . 💎 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:47:49
https://dev.to/pratikmahalle
Pratik Mahalle - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Follow User actions Pratik Mahalle DevRel, That DevOps Guy, Growing with the community Location Pune, India Joined Joined on  Mar 8, 2024 Email address mahallepratik683@gmail.com Personal website https://www.thatdevopsguy.tech/ github website twitter website More info about @pratikmahalle 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 Organizations AWS Community Builders Skills/Languages Full stack developer, devops, terraform, aws, gcp, azure Currently learning I am currently learning about Go Available for I am available for collaborations for events. If you are in tech or devops, just say me Hi! Post 11 posts published Comment 1 comment written Tag 0 tags followed From DevOps to Platform Engineering in the AI Era Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Jan 5 From DevOps to Platform Engineering in the AI Era # devops # platformengineering # ai # career Comments Add Comment 4 min read Want to connect with Pratik Mahalle? Create an account to connect with Pratik Mahalle. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in How ventoy help me to install Window Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Dec 30 '25 How ventoy help me to install Window # microsoft # linux Comments Add Comment 2 min read How can we integrate Bolna AI With Google Sheets? Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Nov 17 '25 How can we integrate Bolna AI With Google Sheets? # google # productivity # ai # automation Comments Add Comment 9 min read Is DevRel Just About Events, or Something Deeper? Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow for AWS Community Builders Oct 10 '25 Is DevRel Just About Events, or Something Deeper? # techtalks # devrel # ai # documentation Comments Add Comment 6 min read MemU: Memory that works everywhere Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Aug 17 '25 MemU: Memory that works everywhere # ai # opensource # database Comments Add Comment 5 min read Chaos Engineering for Security: Breaking Systems To Strengthen Defenses Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Jul 20 '25 Chaos Engineering for Security: Breaking Systems To Strengthen Defenses # security # kubernetes # devops 1  reaction Comments Add Comment 7 min read Google's Gemini CLI: Open Source AI Agent Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Jul 4 '25 Google's Gemini CLI: Open Source AI Agent # gemini # ai # google # opensource 2  reactions Comments Add Comment 5 min read KEDA: Smarter Scaling for Kubernetes – Event-Driven and Effortless Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Jun 29 '25 KEDA: Smarter Scaling for Kubernetes – Event-Driven and Effortless # kubernetes # opensource Comments 2  comments 4 min read 🐣How to Save Money with AWS Spot Instances Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow for AWS Community Builders May 20 '25 🐣How to Save Money with AWS Spot Instances # aws # contentwriting # cloud Comments Add Comment 2 min read A Beginner's Journey: Deploying Applications on Amazon EKS Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow for AWS Community Builders Apr 17 '25 A Beginner's Journey: Deploying Applications on Amazon EKS # devops # kubernetes # aws # docker 4  reactions Comments Add Comment 6 min read Lift Scholarship Application is now Open! Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow for AWS Community Builders Apr 16 '25 Lift Scholarship Application is now Open! # thelinuxfoundation # devops # career 11  reactions Comments 2  comments 3 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://developers.reddit.com/apps/ban-purge
Ban Purge | Reddit for Developers Readme Ban Purge 🗑️ A Reddit Devvit app that automatically removes posts and comments from banned users in your subreddit. Keep your community clean by retroactively enforcing bans on existing content. Features 🎯 Core Functionality 🤖 Automatic Purging : Automatically removes content when a user is banned 📋 Batch Processing : Process multiple recently banned users at once 🔒 Subreddit-Specific : Only removes content from the subreddit where the app is installed 📊 Detailed Reporting : Sends comprehensive ModMail reports after each purge Content Protection ⏰ Time-Based Protection : Only removes content within a specified age limit ⭐ Score Protection : Preserves high-value content above a score threshold 🛡️ Distinguished Protection : Protects moderator-distinguished content 🎯 Selective Removal : Choose to remove posts only or both posts and comments Configuration ⚙️ Setting Default Description Number of Recent Bans to Process 5 How many recently banned users to process when running manually Content Age Limit (days) 30 Only removes content from the last X days Auto-Remove on Ban ✅ Enabled Automatically purge content when a user is banned Include Comments ✅ Enabled Remove comments in addition to posts Score Protection 10 Protect content with scores at or above this value (0 to disable) Protect Distinguished ✅ Enabled Skip moderator-distinguished content Send ModMail Reports ✅ Enabled Send summary reports to modmail after each purge Usage 🚀 Automatic Mode When enabled (default), the app automatically triggers whenever a moderator bans a user: Moderator bans a user through Reddit's interface Ban Purge automatically detects the ban Removes the banned user's content based on your settings Sends a ModMail report with details Manual Mode Process recently banned users in batch: Navigate to your subreddit's main page Click the ⋮ (three dots) mod menu Select "🗑️ Purge Recent Bans Content" The app will process the number of users specified in settings Check ModMail for the detailed report ModMail Reports 📧 After each purge operation, you'll receive a ModMail with: Number of users processed Posts removed per user Comments removed per user (if enabled) Any errors encountered Settings used for the operation Example Report ## Banned User Content Purge Report **Subreddit:** r/yoursubreddit **Type:** Manual (recent bans) **Users Processed:** 3 **Total Posts Removed:** 15 **Total Comments Removed:** 42 ### User Details **u/exampleuser1** - Posts removed: 8 - Comments removed: 23 **u/exampleuser2** - Posts removed: 7 - Comments removed: 19 Safety Features 🛡️ The app includes multiple safeguards to prevent accidental content loss: Subreddit Boundary Protection : Only removes content from your subreddit Age Limits : Won't remove content older than your specified limit Score Protection : Preserves popular content Distinguished Content : Protects mod-distinguished posts/comments Detailed Logging : All actions are logged for transparency Best Practices 💡 Start Conservative : Begin with a shorter lookback period (e.g., 30 days) and higher score threshold Test First : Try the manual mode on a few users before enabling automatic mode Monitor Reports : Review ModMail reports to ensure the app is working as expected Adjust Settings : Fine-tune based on your community's needs Regular Maintenance : Periodically run manual purges to catch any missed content Troubleshooting 🔧 Common Issues No content is being removed: Check if the banned users have content within your lookback period Verify score thresholds aren't too low Ensure the content isn't distinguished App isn't triggering automatically: Verify "Auto-Remove on Ban" is enabled in settings Check that the app has proper permissions Missing ModMail reports: Ensure "Send ModMail Reports" is enabled Check your modmail inbox and spam folder Permissions Required 🔐 This app requires the following permissions: Read access to moderation logs Read access to banned users list Remove posts and comments Send ModMail Privacy & Data 🔒 The app only processes data within your subreddit No user data is stored externally All operations are logged locally for transparency The app respects Reddit's API rate limits About this app DreGotWangs Creator App identifier ban-purge Version 0.0.23 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:49
https://developers.reddit.com/apps/comment-nuke
Comment Mop | Reddit for Developers Readme A moderation tool used for removing and locking an entire comment tree, starting either with a single comment or at an entire post level. Run Comment Mop using the three-dot menu or mod shield menu (depending on platform) and chose the "Mop" option. You can opt to remove and/or lock, and skip mod-distinguished comments if desired. From version 9.2, you can configure the default options for the Mop form in your app settings, which you can find via the Developer Platform app portal . Mopping extremely large chains can fail, if this happens please try again, ensuring that the option to skip already actioned comments is enabled. Credits This app was originally written by /u/FlyingLaserTurtle, with contributions from /u/ni5arga. For support for Comment Mop, please contact /u/fsv (the current maintainer) rather than either of the above users. Source code and license Comment Mop is open source and licensed under the BSD Three Clause license. The source code is available on GitHub here . Change History v9.2.3 More reliable mopping of extremely large threads v9.2.0 Fix an error that causes Comment Mop to fail consistently for certain users The ability to set defaults for the Comment Mop form if the default values don't suit your sub's workflow Add new option to skip comments that have already been removed/locked Performance and reliability improvements Update to latest Dev Platform version About this app fsv Creator App identifier comment-nuke Version 9.2.3 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:49
https://www.reddit.com/r/learnprogramming/comments/1lmdjuk/what_have_you_been_working_on_recently_june_28/
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://dev.to/t/web3/page/4
Web3 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 Web3 Follow Hide Web3 refers to the next generation of the internet that leverages blockchain technology to enable decentralized and trustless systems for financial transactions, data storage, and other applications. Create Post Older #web3 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 Frontend Development: Where Trends Meet Real-World Freelancing erdem-sicak erdem-sicak erdem-sicak Follow Dec 23 '25 Frontend Development: Where Trends Meet Real-World Freelancing # web3 # css # frontend # design Comments Add Comment 3 min read Blockchain Beyond Crypto: Real-World Applications That Matter Ahmed Radwan Ahmed Radwan Ahmed Radwan Follow for Nerd Level Tech Dec 23 '25 Blockchain Beyond Crypto: Real-World Applications That Matter # blockchain # web3 # smartcontract 1  reaction Comments Add Comment 7 min read Ethereum-Solidity Quiz Q3: What is the ABI? MihaiHng MihaiHng MihaiHng Follow Dec 24 '25 Ethereum-Solidity Quiz Q3: What is the ABI? # web3 # beginners # ethereum # api Comments Add Comment 1 min read Sending EIP-4844 Blob Transactions with ethers.js and kzg-wasm Kurt Kurt Kurt Follow Dec 22 '25 Sending EIP-4844 Blob Transactions with ethers.js and kzg-wasm # eip4844 # protodarksharding # ethereum # web3 Comments Add Comment 2 min read How to Easily Call Smart Contracts Using Ethers.js and Next.js (BSC Testnet) Daniel Brooks Daniel Brooks Daniel Brooks Follow Dec 22 '25 How to Easily Call Smart Contracts Using Ethers.js and Next.js (BSC Testnet) # web3 # etherjs # nextjs # webdev Comments Add Comment 3 min read Next.js Web3 Boilerplate: Build a Production-Ready dApp Faster Daniel Brooks Daniel Brooks Daniel Brooks Follow Dec 22 '25 Next.js Web3 Boilerplate: Build a Production-Ready dApp Faster # nextjs # etherjs # web3 # boilerplate Comments Add Comment 3 min read How to Run and Test Your Midnight DApps Giovanni Giovanni Giovanni Follow Dec 23 '25 How to Run and Test Your Midnight DApps # testing # tutorial # web3 Comments Add Comment 2 min read From Zero to RWA: My 14-Day Journey Building on Mantle Azhar Aditya Pratama Azhar Aditya Pratama Azhar Aditya Pratama Follow Dec 21 '25 From Zero to RWA: My 14-Day Journey Building on Mantle # challenge # web3 # devjournal # learning Comments Add Comment 3 min read The MEV Dark Pool Problem: Why Private Mempools Need Decentralized Verification sid sid sid Follow Dec 25 '25 The MEV Dark Pool Problem: Why Private Mempools Need Decentralized Verification # web3 # blockchain # security # architecture Comments 2  comments 4 min read HTTP payments without logins, subscriptions, or checkout pages (x402 idea) Aditya Singh Aditya Singh Aditya Singh Follow Dec 25 '25 HTTP payments without logins, subscriptions, or checkout pages (x402 idea) # discuss # web3 # architecture # webdev Comments 2  comments 1 min read Adding a Missing Example for Privacy Controls Kalu Jennifer Kalu Jennifer Kalu Jennifer Follow Dec 21 '25 Adding a Missing Example for Privacy Controls # privacy # web3 # documentation # opensource Comments Add Comment 1 min read Beyond the PDF: Law as an Architectural Layer in the Modern Tech Stack Sercan Koç Sercan Koç Sercan Koç Follow Dec 20 '25 Beyond the PDF: Law as an Architectural Layer in the Modern Tech Stack # architecture # web3 # programming # law Comments Add Comment 3 min read Simplifying Technical Jargon in the Docs Marycynthia Ihemebiwo Marycynthia Ihemebiwo Marycynthia Ihemebiwo Follow Dec 20 '25 Simplifying Technical Jargon in the Docs # web3 # writing # documentation # beginners Comments Add Comment 1 min read # `@xchainjs/xchain-litecoin` Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # `@xchainjs/xchain-litecoin` # web3 # blockchain # webdev # programming Comments Add Comment 3 min read # `@xchainjs/xchain-ethereum` Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # `@xchainjs/xchain-ethereum` # ethereum # blockchain # web3 # etherjs Comments Add Comment 2 min read # XChainJS Check Transaction Example Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # XChainJS Check Transaction Example # web3 # blockchain # webdev # solidity Comments Add Comment 2 min read AI Dominates Tech Landscape with Major Advancements and Strategic Shifts Across Leading Companies Stelixx Insights Stelixx Insights Stelixx Insights Follow Dec 20 '25 AI Dominates Tech Landscape with Major Advancements and Strategic Shifts Across Leading Companies # ai # web3 # blockchain # productivity Comments Add Comment 1 min read # XChainJS Liquidity Example (THORChain) Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # XChainJS Liquidity Example (THORChain) # webdev # web3 # blockchain # solidity Comments Add Comment 2 min read Reflection of Co-Learning Mantle week 2 Bagas Hariyanto Bagas Hariyanto Bagas Hariyanto Follow Dec 21 '25 Reflection of Co-Learning Mantle week 2 # web3 # devjournal # blockchain # beginners Comments Add Comment 2 min read Building a Decentralized Event Ticketing System Web3 with Symfony 7.4 Matt Mochalkin Matt Mochalkin Matt Mochalkin Follow Dec 19 '25 Building a Decentralized Event Ticketing System Web3 with Symfony 7.4 # web3 # symfony # php # blockchain Comments Add Comment 5 min read Clarifying Zero Knowledge Proof Concepts Marycynthia Ihemebiwo Marycynthia Ihemebiwo Marycynthia Ihemebiwo Follow Dec 19 '25 Clarifying Zero Knowledge Proof Concepts # documentation # learning # web3 Comments Add Comment 1 min read The "Prompt-to-Playable" Shift: Why Gemini 3 Marks the End of Passive Media Juddiy Juddiy Juddiy Follow Dec 24 '25 The "Prompt-to-Playable" Shift: Why Gemini 3 Marks the End of Passive Media # webdev # ai # gamedev # web3 4  reactions Comments Add Comment 4 min read Understanding the Constant Product Formula in AMMs (Without Getting Tricked by k) Maria Kalala Maria Kalala Maria Kalala Follow Dec 23 '25 Understanding the Constant Product Formula in AMMs (Without Getting Tricked by k) # blockchain # web3 # smartcontract # defi Comments Add Comment 3 min read A Guide to Web3 Infrastructure & Concepts Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Follow Jan 1 A Guide to Web3 Infrastructure & Concepts # web3 # architecture # blockchain # cloud Comments Add Comment 3 min read Architecting Web3: Integrating Blockchain Events with Google Cloud (GKE) Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Follow Jan 1 Architecting Web3: Integrating Blockchain Events with Google Cloud (GKE) # architecture # blockchain # web3 # bitcoin 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:47:49
https://ruul.io/blog/ultimate-guide-to-freelancing-in-greece#$%7Bid%7D
How to Succeed as a Freelancer in Greece Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow Ultimate Guide to Freelancing in Greece Thinking of freelancing in Greece? Explore key tools and methods to help you thrive in this growing market. Ayşe Dinçer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Freelancing in Greece has seen a rise in popularity, particularly with the growth of remote work opportunities, digital nomads, and the global shift toward flexible work arrangements. As more professionals explore freelancing as a viable career path, understanding how to effectively manage various aspects of freelancing—such as pricing, invoicing, and payment collection—becomes crucial. Whether you’re working with local clients or handling international projects, mastering these aspects can help you establish a successful and sustainable freelancing career. In this comprehensive post, we’ll explore key strategies for freelancing in Greece, including how to use tools like a freelance pricing calculator , explore freelance jobs in crypto , manage payment collection methods, and create invoices that comply with tax regulations in countries like Spain. Platforms like Ruul can streamline many of these tasks, making it easier for freelancers to focus on delivering quality work. Setting the Right Prices with a Freelance Pricing Calculator One of the first and most important steps to freelancing is determining how much to charge for your services. Setting your rates too high could deter potential clients, while pricing too low could undervalue your work and leave you struggling to meet your financial goals. A freelance pricing calculator can be a valuable tool for determining the right rate. It helps freelancers consider several factors when setting their prices, such as: The level of expertise and experience you bring to the table Industry standards and what competitors are charging for similar services Your personal financial needs, including taxes, health insurance, and retirement savings The number of hours you expect to work each week and how many of those will be billable hours By using a freelance pricing calculator, you can ensure that your rates are fair and sustainable. This tool takes into account your expenses, including taxes and overhead costs, to help you calculate a rate that allows you to meet your financial goals while staying competitive in the market. Finding Freelance Jobs in the Crypto Industry The cryptocurrency industry has created a new wave of freelance opportunities, with many professionals turning to freelance jobs in crypto . Whether you’re a developer, graphic designer, writer, or marketer, there are numerous freelance jobs available within the rapidly growing crypto sector. Working in this industry can be particularly appealing for freelancers who are comfortable with technology and interested in blockchain, cryptocurrencies, and decentralized finance (DeFi). Many crypto companies are decentralized and hire freelancers to complete various projects, from developing blockchain applications to marketing new crypto products. In addition to working with exciting, innovative companies, crypto freelancing offers another unique benefit: crypto payout options. Freelancers can choose to be paid in cryptocurrency rather than traditional currency, which can be particularly useful if you’re working with international clients or want to avoid currency conversion fees. Platforms like Ruul support crypto payout , making it easy for freelancers to collect payments in Bitcoin, Ethereum, or other popular cryptocurrencies. Payment Collection Methods for Freelancers in Greece Once you’ve set your rates and landed clients, the next important step is figuring out how to collect payments. There are a variety of payment collection methods available to freelancers in Greece, each with its own benefits and drawbacks. Here are some of the most common options: Bank Transfers : One of the most widely used payment methods for freelancers in Greece is direct bank transfers. Many local clients prefer this method because it’s straightforward and involves minimal fees. However, if you’re working with international clients, bank transfers can come with high fees and long processing times. PayPal : PayPal is another popular method for freelancers to collect payments, especially when working with international clients. It’s fast, easy to use, and widely accepted. However, PayPal does charge fees for both receiving payments and currency conversions, so it’s important to account for these in your pricing. Credit Card Payments : Some freelancers choose to accept payments via credit cards through platforms like Stripe. This method allows clients to pay quickly and securely, but you’ll typically need to pay a processing fee for each transaction. Crypto Payout : For those working with clients in the cryptocurrency space or those looking to diversify their earnings, accepting payments in cryptocurrency can be a great option. Using a platform like Ruul, freelancers can easily set up crypto payout options, enabling clients to pay in Bitcoin, Ethereum, or other major cryptocurrencies. Crypto payouts offer faster processing times and lower fees compared to traditional bank transfers, making them a popular choice for freelancers working with international clients. Invoicing Clients and Using Spain Invoice Templates Invoicing is an essential part of freelancing, and ensuring that your invoices comply with both local and international regulations is critical. For freelancers working with clients in Spain, using a Spain invoice template can help you issue invoices that are compliant with Spanish tax laws and provide all the necessary details for proper record-keeping. A Spain invoice template should include the following elements: Your name and contact details Your client’s name and contact details A unique invoice number A breakdown of services provided, including the project description and hours worked The amount due, including any applicable taxes Payment terms, including due dates and accepted payment methods For freelancers in Greece working with clients abroad, including those in Spain, using an invoice template that complies with the client’s local regulations can help avoid delays in payment and ensure that both parties are on the same page regarding the work completed and the amount due. Platforms like Ruul make it easy to invoice globally , offering templates for various countries, including Spain, and ensuring that your invoices comply with different tax laws and requirements. Ruul’s automated invoicing features allow you to create and send invoices in just a few clicks, saving you time and reducing the risk of errors. Managing Taxes as a Freelancer in Greece Tax compliance is one of the more complex aspects of freelancing, especially if you’re working with international clients or across borders. In Greece, freelancers are responsible for keeping track of their income and expenses, filing tax returns, and ensuring that they comply with local tax laws. Freelancers in Greece must also consider VAT (Value Added Tax), which may apply depending on the nature of your services and the location of your clients. When invoicing clients within the European Union, including Spain, it’s important to know whether you need to include VAT on your invoices and how much to charge. Using tax software for freelancers can help you stay on top of your tax obligations and ensure that your invoicing is compliant with both Greek and international tax laws. Many invoicing platforms, including Ruul, integrate with tax software, allowing you to automatically track your income, apply the correct tax rates, and file your taxes on time. Leveraging Ruul for Global Freelancing Success Ruul is a comprehensive platform designed for freelancers, digital nomads, and remote workers who need to invoice globally and manage international payments. Whether you’re looking for a freelance pricing calculator to set your rates, need to issue a Spain invoice template, or want to explore freelance jobs in crypto, Ruul offers tools that simplify your freelancing journey. With features like automated invoicing, crypto payout options, and tax compliance tools, Ruul helps freelancers in Greece and around the world manage their businesses more effectively. From payment collection to tax filing, Ruul provides everything you need to run a successful freelance business across borders. Freelancing in Greece offers a world of opportunities, especially for those working with international clients. Whether you’re exploring freelance jobs in crypto , setting your rates with a freelance pricing calculator , or issuing a Spain invoice template , having the right tools and strategies in place can make all the difference. Platforms like Ruul provide freelancers with the resources they need to streamline their invoicing, manage payments, and ensure tax compliance, helping them succeed in today’s global freelancing market. By leveraging these tools, freelancers in Greece can take their careers to the next level and thrive in a competitive landscape. ABOUT THE AUTHOR Ayşe Dinçer Ayşe manages affiliate programs and partnerships, building strong connections and promoting the brand to drive growth. More How to Invoice Without a Company in Greece Explore how freelancers in Greece can easily invoice clients worldwide, manage payments, and stay compliant without needing to register a business. Read more Liam Martin explains why he became an advocate for remote work Discover Liam Martin's journey and insights into remote work advocacy. Explore the reasons behind his passion for remote work and its transformative impact on the modern workforce! Read more Cold Email Templates for Freelancers: Effective Strategies to Land Clients Discover powerful cold email templates for freelancers to attract clients and boost your business. Start converting leads today! Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy
2026-01-13T08:47:49
https://dev.to/t/web3/page/6
Web3 Page 6 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Web3 Follow Hide Web3 refers to the next generation of the internet that leverages blockchain technology to enable decentralized and trustless systems for financial transactions, data storage, and other applications. Create Post Older #web3 posts 3 4 5 6 7 8 9 10 11 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu DeArrow: Crowdsourcing Better YouTube Titles and Thumbnails Stelixx Insider Stelixx Insider Stelixx Insider Follow Dec 14 '25 DeArrow: Crowdsourcing Better YouTube Titles and Thumbnails # ai # web3 # blockchain # productivity Comments Add Comment 2 min read Cómo escribir smart contracts en Midnight Cardumen Cardumen Cardumen Follow Dec 13 '25 Cómo escribir smart contracts en Midnight # privacy # tutorial # blockchain # web3 Comments Add Comment 3 min read The “Vibe Coding” Revolution: Why Syntax is Dead and “Vibes” Are the New Programming Language Tech Croc Tech Croc Tech Croc Follow Dec 12 '25 The “Vibe Coding” Revolution: Why Syntax is Dead and “Vibes” Are the New Programming Language # webdev # programming # ai # web3 Comments Add Comment 2 min read An Analysis of Arbitrage Markets Across Ethereum, Solana, Optimism, and Starknet (2024-2025) Erick Fernandez Erick Fernandez Erick Fernandez Follow for Extropy.IO Dec 12 '25 An Analysis of Arbitrage Markets Across Ethereum, Solana, Optimism, and Starknet (2024-2025) # analytics # ethereum # blockchain # web3 Comments Add Comment 14 min read AI continues its pervasive integration across industries, from entertainment and tech giants to automotive and public services. Stelixx Insights Stelixx Insights Stelixx Insights Follow Dec 12 '25 AI continues its pervasive integration across industries, from entertainment and tech giants to automotive and public services. # ai # web3 # blockchain # productivity Comments Add Comment 1 min read Building Story CLI: From 30-Minute IP Registration to Under 5 Ola Adesoye Ola Adesoye Ola Adesoye Follow Dec 15 '25 Building Story CLI: From 30-Minute IP Registration to Under 5 # blockchain # web3 # cli # programming Comments Add Comment 4 min read REST vs GraphQL vs gRPC — Which One Should You Really Use? Vignesh Nagarajan Vignesh Nagarajan Vignesh Nagarajan Follow Dec 17 '25 REST vs GraphQL vs gRPC — Which One Should You Really Use? # programming # productivity # web3 1  reaction Comments 1  comment 3 min read Payra WooCommerce Plugin 1.0.2 - Added Transaction Fee Support Wraith Wraith Wraith Follow Dec 12 '25 Payra WooCommerce Plugin 1.0.2 - Added Transaction Fee Support # woocommerce # crypto # wordpress # web3 Comments Add Comment 1 min read Ethereum’s 2025 Endgame: 60M Gas Blocks, EIL Cross-L2 Architecture, ARBOS Unification & On-Chain Fan Identity Ankita Virani Ankita Virani Ankita Virani Follow Dec 11 '25 Ethereum’s 2025 Endgame: 60M Gas Blocks, EIL Cross-L2 Architecture, ARBOS Unification & On-Chain Fan Identity # architecture # ethereum # web3 Comments Add Comment 4 min read Why const Doesn’t Freeze Your JavaScript Arrays Luba Luba Luba Follow Dec 11 '25 Why const Doesn’t Freeze Your JavaScript Arrays # javascript # webdev # web3 # tutorial Comments Add Comment 3 min read Issue #7: Blockchain security and attacks Temiloluwa Akintade Temiloluwa Akintade Temiloluwa Akintade Follow Dec 15 '25 Issue #7: Blockchain security and attacks # web3 # blockchain 1  reaction Comments 1  comment 3 min read OpenTelemetry - stepping into gno.land's observability tools Sergio Matone Sergio Matone Sergio Matone Follow Dec 11 '25 OpenTelemetry - stepping into gno.land's observability tools # devops # web3 # blockchain Comments Add Comment 8 min read Fusaka Goes Live, EIL vs OIF Debate, Rewardy Launches ERC-7702 Wallet, 7702 Unlocks Recovering Assets Alexandra Alexandra Alexandra Follow for Etherspot Dec 11 '25 Fusaka Goes Live, EIL vs OIF Debate, Rewardy Launches ERC-7702 Wallet, 7702 Unlocks Recovering Assets # ethereum # web3 # blockchain Comments Add Comment 6 min read Understanding Flow’s Lending Protocol Architecture Rohit Purkait Rohit Purkait Rohit Purkait Follow Dec 12 '25 Understanding Flow’s Lending Protocol Architecture # web3 # tutorial # architecture # beginners 4  reactions Comments 3  comments 3 min read Custom Base op-Erigon Node for AMM Analytics. When Standard Infrastructure Solutions are Not Enough GetBlock GetBlock GetBlock Follow for GetBlock Dec 11 '25 Custom Base op-Erigon Node for AMM Analytics. When Standard Infrastructure Solutions are Not Enough # web3 # blockchain # go Comments Add Comment 4 min read Automa: Empowering Browser Automation for Developers Stelixx Insider Stelixx Insider Stelixx Insider Follow Dec 12 '25 Automa: Empowering Browser Automation for Developers # ai # web3 # blockchain # productivity 3  reactions Comments 1  comment 2 min read An Overview of EIP-3009: Transfer With Authorisation Erick Fernandez Erick Fernandez Erick Fernandez Follow for Extropy.IO Dec 9 '25 An Overview of EIP-3009: Transfer With Authorisation # ux # ethereum # web3 # blockchain Comments Add Comment 4 min read Architecting RWAs: Architecting RWAs: How We Built a Modular Policy Engine for Tokenized Assets Anya Volkov Anya Volkov Anya Volkov Follow Dec 22 '25 Architecting RWAs: Architecting RWAs: How We Built a Modular Policy Engine for Tokenized Assets # blockchain # architecture # solidity # web3 Comments 1  comment 2 min read akash DSL 参考 drake drake drake Follow Dec 9 '25 akash DSL 参考 # devops # cloudcomputing # networking # web3 Comments Add Comment 1 min read RAGFlow: Open-Source Engine for Deep Document Understanding Stelixx Insider Stelixx Insider Stelixx Insider Follow Dec 8 '25 RAGFlow: Open-Source Engine for Deep Document Understanding # ai # web3 # blockchain # productivity Comments Add Comment 1 min read The Double-Edged Sword of "Flow State" in Game Dev ⚔️ crow crow crow Follow Dec 11 '25 The Double-Edged Sword of "Flow State" in Game Dev ⚔️ # productivity # mentalhealth # web3 # developers 1  reaction Comments 1  comment 3 min read Build with Openfort and get paid: bounties for devs available! Juan Juan Juan Follow Dec 8 '25 Build with Openfort and get paid: bounties for devs available! # rewards # bounty # blockchain # web3 Comments Add Comment 1 min read How BUBUVERSE Is Blending Web3 Gaming, NFTs, and Scalable Infrastructure bubuverse bubuverse bubuverse Follow Dec 8 '25 How BUBUVERSE Is Blending Web3 Gaming, NFTs, and Scalable Infrastructure # webdev # ai # blockchain # web3 Comments Add Comment 2 min read How to Store Critical Secrets for 100+ Years Mohamad Nashaat Mohamad Nashaat Mohamad Nashaat Follow Dec 10 '25 How to Store Critical Secrets for 100+ Years # dapp # blockchain # web3 # cybersecurity 1  reaction Comments 2  comments 3 min read Where Can I Find Reviews of Popular Blockchain Certification Courses? Georgia Weston Georgia Weston Georgia Weston Follow Dec 8 '25 Where Can I Find Reviews of Popular Blockchain Certification Courses? # productivity # blockchain # web3 # career 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:47:49
https://developers.reddit.com/apps/hive-protect
Hive Protector | Reddit for Developers #Moderator Readme Hive Protector A Reddit app that can be used to ban, report or remove content from users of "undesirable" subreddits from participating in another. Originally inspired by SafestBot. Warning : Use of this app to take action against users of subreddits on the basis of identity or vulnerability may be a breach of Reddit's Mod Code of Conduct . Please be mindful of these rules and ensure that any ban messages or comment/post replies are civil and compliant with these policies. Detection Options List of Subreddits : A comma-separated list of subreddits to ban users from e.g. FreeKarma4U, FreeKarmaForAll. Not case sensitive. List of Domains : A comma-separated list of domains to watch for e.g. onlyfans.com, fansly.com. Don't include "www.". Wildcard support is also acceptable e.g. *.substack.com. Content type to act on : You can choose whether to check user content when they submit posts, comments or both. You can also check a user's social links. Thresholds : You can specify a combined posts and comments threshold, a posts threshold and comments threshold separately. Zero means that the threshold will not be checked. At least one threshold should have a value or the Social Links option should be on for the app to have any effect. Number of days to monitor : The app will only check a user's history back this many days. This can be used so that a user's old history is not held against them, or to ban only prolific users of "bad" subreddits. You can also choose to exempt Approved Users, specific users based on username and users based on specific flairs Ban options Banning users is optional, you can choose to remove, report, reply or send modmail instead. Please consider informing users in the ban message which subreddits or domains that they were detected in, and I recommend having a transparent appeal process in place. The application supports three main modes of handling users who have previously been banned by the app. If you set this to "Never" (the default), the user will never be banned a second time. "Always re-ban" is self-explanatory, and "Ban if new content since previous ban" will only take into account posts or comments in the "bad" subreddits made after their bot ban. Other actions You can choose to make a report on the user, remove their post/comment, reply to the user or notify sub moderators silently via Modmail. Operation notes The app will only check a user once every 24 hours to avoid flooding the API with requests, it caches the results of the previous check. If a user is over the action threshold the cache duration is reduced to one hour. However, if a user is unbanned, previously cached results are cleared because an unban may be as a result of a user cleaning up their profile, so it may need to be checked again. The app will never ban a user based on content in the subreddit the app is installed in - you cannot use this as a "ban anyone who posts or comments" bot. Hive Protector only looks back at a user's most recent 100 posts/comments, so detection will not be possible on older content. Example use cases Banning users who have participated in free karma subreddits Banning or reporting users from R4R subreddits who have posted in Onlyfans promo subs, or have posted Onlyfans/Fansly links anywhere on Reddit, or have an Onlyfans "social link" on their bio Banning or reporting users of fetish subreddits in SFW subreddits discussing the same topic (e.g. a women's hair styling subreddit might not welcome users with a hair fetish) Adding a sticky comment on a post in NSFW subreddits warning users about the user's post history in OF promotion subs/sharing OF links elsewhere Removing posts in a NSFW subreddit from users with participation history in teen-focussed subreddits or vice-versa Data stored by the app This app uses the Community Apps platform's Redis plugin to store very basic information about users checked. The date and time that the app last checked a user, to support checking only once every 12 hours User names of users who have been previously banned by the app, along with the date/time of their ban, to prevent inadvertent re-banning. All data is automatically removed if the app is uninstalled. If a user deletes their account, any data relating to them will be removed within 28 days. Change History For older changes, please see the change log . v1.12.7 Add resilience and error recovery v1.12.0 Check users after a short delay to ensure that curated profiles can be viewed by app Allow detection of users who have participated in any NSFW sub without explicitly having to specify a list Add option to add a one-off mod note if a user is potentially blocking Hive Protector Improved performance and reliability Feedback If you have been banned by a subreddit using Hive Protector, please contact the subreddit that banned you. For any feedback on the bot itself including bugs and enhancements, please post in /r/fsvapps or DM /u/fsv. Source code This app is open source. You can find it on Github here . With thanks to /u/Quick-Pumpkin-1259 for their contributions to the app's code. About this app fsv Creator App identifier hive-protect Version 1.12.7 Send feedback Terms and conditions Privacy policy Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:49
https://dev.to/pratikmahalle/from-devops-to-platform-engineering-in-the-ai-era-5bg9
From DevOps to Platform Engineering in the AI Era - 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 Pratik Mahalle Posted on Jan 5 From DevOps to Platform Engineering in the AI Era # devops # platformengineering # ai # career I've been talking to a lot of DevOps engineers lately, and the same question keeps coming up: "Is platform engineering just another hype, or should I actually care about this?" Here's what I've learned: Platform engineers are earning up to 27% more than DevOps roles. But that's not really why this matters. What Changed Six months ago, every company was scrambling to add AI tools. Give developers Copilot, throw in some AI agents, problem solved, right? Wrong. Rickey Zachary from Thoughtworks spent 200 days on the road in 2025, and he kept seeing the same pattern: AI doesn't fix broken systems. It just breaks them faster. Your documentation is scattered across Confluence, Notion, and somebody's Google Drive? AI can't help. Your deployment process has seven manual approval steps? AI agents will just fail at step three instead of step seven. Technical debt you've been working around for years? AI trips over it immediately. The uncomfortable truth is that AI amplifies whatever you already have. Good systems get better. Messy systems get messier. Why Platform Engineering This is where platform engineering comes in, and why it's not just DevOps with a new name. DevOps taught us to automate and collaborate. Platform engineering asks a different question: What if we built infrastructure as an actual product that developers want to use? You think about the last time a developer asked you to provision something. You probably: Got a Slack message or ticket Did the thing manually (or ran your script) Maybe documented it somewhere Repeated this next week with a different developer Platform engineering means building a self-service portal where developers do it themselves. You spend time building the product once, not doing the same task repeatedly. The mindset shift is huge. You're not just automating tasks - you're designing experiences. The AI Connection Here's why timing matters: AI needs platforms to work. Organizations are figuring out that giving developers AI tools without fixing the underlying infrastructure is pointless. Research shows that 86% of organizations now believe platform engineering is essential for getting real value from AI. And there's a dual opportunity here: Building AI-powered platforms means using AI to make your platforms smarter. Imagine documentation that answers questions, systems that predict issues before they happen, or troubleshooting that actually helps. Building platforms for AI means creating infrastructure that ML teams need. They're struggling with model deployment, GPU management, and data pipelines. If you can solve these problems, you're suddenly very valuable. What Actually Changes The skills you need aren't completely different. You already know: Infrastructure as code CI/CD pipelines Kubernetes and containers Cloud platforms Monitoring and security Add to that: Thinking about users (yes, developers are users) Designing APIs people want to use Writing documentation that doesn't suck Measuring developer experience, not just uptime Building things people choose to use, not have to use That last point is crucial. Platform engineering fails when you build something and force people to use it. It succeeds when developers actively choose your platform because it makes their lives easier. And now here is the bigger problem! How to Start You don't need permission to start thinking like a platform engineer. Pick the most annoying repetitive request you get. Build self-service for it. Make it so good that people stop asking you. Document it like you're explaining to a friend, not writing a technical manual. Measure the impact. How much time did you save? How many tickets disappeared? Then do it again with something bigger. I've seen people transition by: Building an internal portal that cut provisioning time from 3 days to 10 minutes Creating golden paths for deployments that reduced incidents by 60% Specializing in MLOps infrastructure when their company started AI initiatives None of them waited for a platform engineering job posting. They created platform engineering within their DevOps roles, proved the value, and the career followed. The Real Question Look, AI isn't replacing platform engineers. If anything, it's making the role more critical. But the DevOps engineer who just keeps doing what they've been doing? That might be a harder position in two years. The difference isn't about learning every new technology. It's about shifting from "I automate things" to "I build products that enable people." That's the transition. That's why it matters. Where I'd Start If this resonates and you want to explore it: This week: Talk to three developers. Ask them what's annoying about your infrastructure. Really listen. This month: Fix one of those problems with self-service. Document it well. Measure the impact. This quarter: Find platform engineering community. Join their Slack and see what others are building. The career path isn't mysterious. Build things that make developers' lives better. Measure the impact. Share what you learn. Repeat. Platform engineering isn't gatekept behind certifications or special knowledge. It's a mindset you can adopt starting today. The question is whether you will. Thank you for reading. See you soon! 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 Pratik Mahalle Follow DevRel, That DevOps Guy, Growing with the community Location Pune, India Joined Mar 8, 2024 More from Pratik Mahalle How can we integrate Bolna AI With Google Sheets? # google # productivity # ai # automation Is DevRel Just About Events, or Something Deeper? # devrel # techtalks # ai # documentation MemU: Memory that works everywhere # ai # opensource # database 💎 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:47:49
https://developers.reddit.com/apps/modqueue-nuke
Modqueue Nuke | Reddit for Developers Readme Modqueue Nuke Modqueue Nuke is an app that allows subreddit moderators to bulk remove items from the modqueue based on a set of criteria. This is useful for subreddits that want to remove a large number of items at once, such as spam, rule-breaking, or other unwanted content. Usage To use Modqueue Nuke, you must have the posts permission. You can access the app by navigating to the main page of your subreddit and finding "Nuke Modqueue" in the subreddit context menu. Next, you will see a dialog box where you can select the criteria for the items you want to remove. Note: Modqueue Nuke will only remove items that match ALL selected criteria. You can filter by: Item Type : Comments, submissions, or both. Defaults to both (All). Maximum Score : Maximum score of the item. Items with a score lower than this will be removed. Minimum Age : Minimum age of the item in hours. Items older than this will be removed. Minimum Reports : Minimum number of reports on the item. Items with greater than or equal to this number of reports will be removed. Title and Body Keyword/Phrase Filter : Keywords to search for in the item's title or body. Items that contain any of these keywords will be removed. Keywords are case-insensitive. Use Regex? : If enabled, interpret the text in "Keywords and/or Phrases" as Regular Expression. For example, no\s+(yo)?u would match any item with "no" followed by either "you" or "u" with one or more spaces or new lines between them. Each keyword or phrase you want to match must be on separate lines. Report Reason Keyword/Phrase Filter : Keywords to search for in the item's report reasons. Items that contain any of these keywords will be removed. Keywords are case-insensitive. Ignore User Reports? : If enabled, only check reports made by subreddit moderators. Use Regex? : If enabled, interpret the text in "Report Keywords and/or Phrases" as Regular Expression. For example, no\s+(yo)?u would match any item with "no" followed by either "you" or "u" with one or more spaces or new lines between them. Each keyword or phrase you want to match must be on separate lines. Ignore Sticky Posts : If enabled, items that are stickied/pinned will not be removed. Ignore Moderator Items : If enabled, items that are made by moderators or distinguished will not be removed. Ignore Visible Items : If enabled, items that are visible to users will not be removed. (i.e., not filtered by u/AutoModerator or removed by Reddit's spam filters). Ignore Previously Approved Items : If enabled, items that have been previously approved by a moderator will not be removed. Re-Approve Previously Approved Items : If enabled, items that have been previously approved by a moderator will be re-approved instead. Modqueue Scan Limit : The maximum number of items to scan in the modqueue. The default is 0. Set to 0 to scan as many items as possible. This applies to both posts and comments. As of 2025-07-15, iOS has a stricter timout so it is recommended to set this to 500 or less to avoid issues on iOS. Known Issues The "Ignore Visible Items" toggle is not perfect and will err on the side of caution. It is possible that some items that are not visible to users are not removed. If this happens, contact my author, u/Lil_SpazJoekp. Modqueue Nuke will not remove comments that have been filtered by AutoModerator when using the "Ignore Visible Items" filter. This is due to Modqueue Nuke not able to access the necessary data to determine if a comment has been filtered by AutoModerator. This limitation does not affect posts that have been filtered. A fix for this should be in the works by Reddit. Sometimes Modqueue Nuke will not catch all items in the modqueue. This is likely due to Reddit's API limitations and is out of the control of Modqueue Nuke. If this happens, try running the nuke again or contact my author, u/Lil_SpazJoekp, if you need additional assistance. Feedback If you have any feedback or suggestions for Modqueue Nuke, file a bug report or feature request on the GitHub page . Changes 1.3.3 Fixed a bug where minimum age was not being correctly checked when scanning the modqueue. 1.3.2 Updated devvit version. Fixed a bug when specifying an item limit when scanning the modqueue was ignored. 1.3.1 Updated devvit version for vulnerability fix. 1.3.0 Optimized nuking process to be faster and more efficient. Fixed an issue with the "Ignore Reports" toggle not working correctly. Fixed an issue with approving previously approved would also ignore reports even if the "Ignore Reports" toggle was off. 1.2.0 Added the ability to limit the number of items when scanning the modqueue. 1.1.5 Fixed an issue with nuking large modqueues taking too long to complete. 1.1.2 No changes, just updating the README. 1.1.1 No changes, just updating the README. 1.1.0 Set the default for "Item Type" to 'All' Added a check to verify if the invoker has post or all permissions before nuking. Added "Re-Approve Previously Approved Items" toggle to re-approve items that have been previously approved. Added "Ignore Reports" toggle to set "ignore reports" on previously approved items. Added the ability to filter items by keywords, phrases, and regular expressions in the items' title, body, and report reason. 1.0.0 Initial release. About this app Lil_SpazJoekp Creator App identifier modqueue-nuke Version 1.3.4 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved.
2026-01-13T08:47:49
https://www.reddit.com/r/learnprogramming/top/
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://platform.uno/blog/announcing-uno-platform-3-0-support-for-winui-3-0-preview-1/
Announcing Uno Platform 3.0 - Support for WinUI 3.0 Preview 1 Skip to content Platform.uno Logo Studio Platform Community GitHub Discord Blog Docs Resources Workshop – Simple Calc Workshop – Tube player Code Samples Case Studies Uno Gallery Uno Playground Support Contact Us Pricing Book a Demo Get Started Sign in Studio Platform Community GitHub Discord Blog Docs Resources Workshop – Simple Calc Workshop – Tube player Code Samples Case Studies Uno Gallery Uno Playground Support Contact Us Pricing Book a Demo Get Started Sign in Announcing Uno Platform 3.0 – Support for WinUI 3.0 Preview 1 Uno Platform Team May 19, 2020 4 min read Today, the Uno Platform is adding support for WinUI 3.0 Preview, alongside WinUI 2/UWP and later. This allows applications to use newer APIs from Microsoft and create cross platforms apps. We’ve worked closely together with the WinUI team in order to be able to bring you Uno Platform 3.0 release at the same time WinUI 3.0 Preview 1 is being announced at Microsoft Build 2020 conference. With the approach of keeping both API sets active with two nuget packages (Uno.UI and Uno.WinUI), we’re making sure that we’re not breaking existing applications, while enabling experiments with WinUI 3.0 Preview 1. About Uno Platform For those new to Uno Platform – it enables for creation of single-source C# and XAML apps which run natively on iOS, Android, macOS and Web via WebAssembly. (or #WinUIEverywhere). Uno Platform is Open Source (Apache 2.0) and available on GitHub . To learn more about Uno Platform, see  how it works , or create a  small sample app . Sample Uno Platform App with Source Code – Ch9 To showcase the power of WinUI and Uno Platform in a cross-platform setup, we created a small app which consumes videos from publicly available Channel 9 RSS feed – about 40 most recent videos and we are planning to show all available content soon. The app is available in App Stores ( Windows Store , Apple AppStore , Google Play ), and you can see its source code on GitHub . Current features are show listings & video playback, dark mode and device orientation changes. More features are coming as we improve this WinUI & Uno Platform showcase app.   Customer Showcase – Chorus Software Solutions Encore Support Services, a leading organization in the autism behavioral health industry, partnered with Chorus Software Solutions to solve significant operational challenges and practitioner burnout. Chorus, a Microsoft partner leveraging Azure, CDS, the Power Platform and the D365 Health Accelerator was intrigued by the Uno platform and WinUI tie-in to create an intuitive mobile and desktop apps to support Encore’s clinicians and impact quality care.     Creating a WinUI 3.0 app with Uno Platform support We’re already providing a set of command line templates to create blank applications, and we’re adding a new one to target the WinUI 3.0 API set. To create a new app: Install the dotnet new Uno templates: dotnet new -i Uno.ProjectTemplates.Dotnet::3.0.0-dev.22 Create a new app: dotnet new unoapp-winui -o MyWinUIApp Deep Dive The upgrade to WinUI 3.0, from a consumer perspective, is a simple “find and replace” to target the newer APIs. Migrating an application from UWP to WinUI 3.0 requires a few namespaces to be changed: Windows.UI.Xaml becomes Microsoft.UI.Xaml Windows.UI.Composition becomes Microsoft.UI.Composition A few other changes like the Uno.UI nuget packages: Uno.UI becomes Uno.WinUI Uno.UI.RemoteControl becomes Uno.WinUI.RemoteControl Uno.UI.Lottie becomes Uno.WinUI.Lottie Uno.UI.DualScreen becomes Uno.WinUI.DualScreen A few other changes need to be made to the UWP head, such as adding: <PropertyGroup> <WindowsXamlEnableOverview>true</WindowsXamlEnableOverview> <IsWinUIAlpha Condition="'$(IsWinUIAlpha)' == ''">true</IsWinUIAlpha> <WindowsKitsPath Condition="'$(IsWinUIAlpha)' == 'true'">WinUI-Alpha-Projects-Don-t-Use-SDK-Xaml-Tools</WindowsKitsPath> </PropertyGroup> <ItemGroup> <PackageReference Include=""Microsoft.WinUI""> <Version>3.0.0-alpha.200210.0</Version> </PackageReference> </ItemGroup> Those changes are already part of the unoapp-winui template. In Uno itself, we’ve taken the approach of keeping the repository under the Windows.UI.Xaml , as most of the current code will continue using it, then have a Continuous Integration job do the conversion work to the Microsoft.UI.Xaml namespace. This approach makes it easier to debug existing applications without having to transform the Uno source tree to the new namespaces. This way, we get to keep both Uno.UI and Uno.WinUI synchronized for a while until WinUI 3.0 is released. Once WinUI 3.0 is officially released, we’ll migrate the source tree over to WinUI 3.0.   You can see our official Press Release here , alongside quotes from our partners on WinUI Team. Jerome Laban, CTO, Uno Platform, on behalf of Uno Platform team. Search Search ON THIS PAGE Subscribe to Our Blog Where Uno Devs Get Their News Get the latest release news, tutorials, blogs, Uno Tech Bites, and more—straight to your inbox. No spam—just practical, developer-focused content delivered occasionally. X Subscribe via RSS Back to Top TAGS Release WinUI Related Posts News Announcing Uno Platform Holiday App Challenge Winner January 6, 2026 4 min News The Year We Shipped AI, Secured Funding, and Partnered with Microsoft December 23, 2025 9 min News Announcing DEV Uno Platform Challenge Winners December 19, 2025 7 min 360 rue Saint-Jacques, suite G101, Montréal, Québec, Canada H2Y 1P5 USA/CANADA toll free: +1-877-237-0471 International: +1-514-312-6958 Tools Visual Studio VS Code Rider Reactive MAUI Embedding C# Markup Extensions Themes Toolkit Figma Platform Windows 10/11 iOS & Android WebAssembly Linux macOS Windows 7 Migration WPF Silverlight Xamarin Forms Resources Docs Blog Uno Gallery Uno Samples Case Studies Newsletter Support About Us Contact Us Support Pricing Careers Terms of Use Privacy Policy Privacy Policy Terms of Use © 2026 All rights reserved Github Discord Twitter Reddit-alien Youtube Linkedin We use cookies on our website to give you the most relevant experience by remembering your preferences and repeat visits. By clicking “Accept”, you consent to the use of ALL the cookies. Cookie settings Accept Manage consent Close Privacy Overview This website uses cookies to improve your experience while you navigate through the website. Out of these, the cookies that are categorized as necessary are stored on your browser as they are essential for the working of basic functionalities of the website. We also use third-party cookies that help us analyze and understand how you use this website. These cookies will be stored in your browser only with your consent. You also have the option to opt-out of these cookies. But opting out of some of these cookies may affect your browsing experience. Necessary Necessary Always Enabled Necessary cookies are absolutely essential for the website to function properly. This category only includes cookies that ensures basic functionalities and security features of the website. These cookies do not store any personal information. Non-necessary Non-necessary Any cookies that may not be particularly necessary for the website to function and is used specifically to collect user personal data via analytics, ads, other embedded contents are termed as non-necessary cookies. It is mandatory to procure user consent prior to running these cookies on your website. SAVE & ACCEPT Uno Platform 5.2 LIVE Webinar – Today at 3 PM EST – Watch
2026-01-13T08:47:49
https://www.reddit.com/r/learnprogramming/comments/1qb7a1b/what_does_a_software_architect_actually_do_all_day/
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://www.reddit.com/r/programming/top/#main-content
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://dev.to/t/career/page/5#main-content
Career Page 5 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close 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 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) # devjournal # community # marketing # career 1  reaction Comments 1  comment 8 min read From DevOps to Platform Engineering in the AI Era Pratik Mahalle Pratik Mahalle Pratik Mahalle Follow Jan 5 From DevOps to Platform Engineering in the AI Era # devops # platformengineering # ai # career Comments Add Comment 4 min read How to Build a Winning Digital Marketing Strategy in 2025 Priya dharshini Priya dharshini Priya dharshini Follow Jan 6 How to Build a Winning Digital Marketing Strategy in 2025 # webdev # ai # productivity # career Comments Add Comment 2 min read Bridging the Gap: Why Every Modern Training Program Needs a Business Simulation Component Simulation Strategist Simulation Strategist Simulation Strategist Follow Jan 6 Bridging the Gap: Why Every Modern Training Program Needs a Business Simulation Component # career # leadership # learning Comments Add Comment 4 min read Building a Fraud Detection Model: My Experience as a Data Scientist Kenechukwu Anoliefo Kenechukwu Anoliefo Kenechukwu Anoliefo Follow Jan 6 Building a Fraud Detection Model: My Experience as a Data Scientist # career # datascience # machinelearning # mlzoomcamp Comments Add Comment 3 min read My Interview Experience & Questions Faced (Frontend + JavaScript + SQL) LAKSHMI G LAKSHMI G LAKSHMI G Follow Jan 7 My Interview Experience & Questions Faced (Frontend + JavaScript + SQL) # beginners # career # javascript # sql Comments Add Comment 1 min read Why Companies Are Pausing Hiring Sela Network Sela Network Sela Network Follow Jan 11 Why Companies Are Pausing Hiring # ai # productivity # softwaredevelopment # career Comments Add Comment 3 min read Why Your Portfolio is a "Living Artifact" Faareh Ahemed Faareh Ahemed Faareh Ahemed Follow Jan 6 Why Your Portfolio is a "Living Artifact" # showdev # vibecoding # career # ai Comments Add Comment 2 min read I Built in Public for 5 Months. Nobody Watched. 22nd Dec. I Got Fired. Marcin Firmuga Marcin Firmuga Marcin Firmuga Follow Jan 5 I Built in Public for 5 Months. Nobody Watched. 22nd Dec. I Got Fired. # beginners # programming # career # python 2  reactions Comments 2  comments 4 min read Problem solving with ML : Domains That Actually Matter Naimul Karim Naimul Karim Naimul Karim Follow Jan 6 Problem solving with ML : Domains That Actually Matter # ai # career # datascience # machinelearning Comments Add Comment 2 min read Skin In The Game Jake Page Jake Page Jake Page Follow Jan 10 Skin In The Game # webdev # kubernetes # programming # career 1  reaction Comments Add Comment 4 min read 32+ Civil Engineer Big Data & RAG Project | Which IT roles actually fit my profile? MR.SANDIP MR.SANDIP MR.SANDIP Follow Jan 5 32+ Civil Engineer Big Data & RAG Project | Which IT roles actually fit my profile? # career # hiring # beginners # machinelearning Comments Add Comment 1 min read Anyone want to team up to build small tools that actually make money? Adimchi Adimchi Adimchi Follow Jan 5 Anyone want to team up to build small tools that actually make money? # webdev # programming # saas # career Comments Add Comment 1 min read Building while studying: choosing the hard path instead of the safe one 0.01% 0.01% 0.01% Follow Jan 5 Building while studying: choosing the hard path instead of the safe one # discuss # career # startup # learning Comments Add Comment 1 min read Hello AWS Builders, I’m Cláudio Claudio Santos Claudio Santos Claudio Santos Follow Jan 5 Hello AWS Builders, I’m Cláudio # career # aws # cloud # ai Comments Add Comment 1 min read Data Analyst Guide: Mastering Portfolio Projects That Impress Hiring Managers amal org amal org amal org Follow Jan 6 Data Analyst Guide: Mastering Portfolio Projects That Impress Hiring Managers # career # datascience # portfolio # tutorial Comments Add Comment 4 min read This will be your last resume template Lakshit Pant Lakshit Pant Lakshit Pant Follow Jan 10 This will be your last resume template # career # leadership # resume # personalbrand 5  reactions Comments Add Comment 3 min read Systems, Leadership, and the Power of 'We' Jennifer Davis Jennifer Davis Jennifer Davis Follow Jan 3 Systems, Leadership, and the Power of 'We' # leadership # devops # career # softskills Comments Add Comment 2 min read STOP DOING KT SESSIONS Luke Mueller Luke Mueller Luke Mueller Follow Jan 6 STOP DOING KT SESSIONS # webdev # programming # career # productivity Comments Add Comment 2 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 The First Real Pause Craig Craig Craig Follow Jan 4 The First Real Pause # career # developer Comments Add Comment 1 min read Stripe checkout: how to add extra columns like tips and how the discount off is calculated Sahil kashyap Sahil kashyap Sahil kashyap Follow Jan 5 Stripe checkout: how to add extra columns like tips and how the discount off is calculated # discuss # productivity # career Comments Add Comment 1 min read Developer Marketing and Authentic Growth Mikuz Mikuz Mikuz Follow Jan 4 Developer Marketing and Authentic Growth # career # developer # marketing # startup Comments Add Comment 5 min read Choosing Your Path: Avenger (Front-End) vs Men in Black (Back-End) Luigi Escalante Luigi Escalante Luigi Escalante Follow Jan 5 Choosing Your Path: Avenger (Front-End) vs Men in Black (Back-End) # discuss # beginners # career # webdev Comments Add Comment 5 min read Flay the Fantasy: How I Stopped Betting My Future on Every Line of Code (And Started Shipping Like Crazy in 2026) ilya rahnavard ilya rahnavard ilya rahnavard Follow Jan 4 Flay the Fantasy: How I Stopped Betting My Future on Every Line of Code (And Started Shipping Like Crazy in 2026) # devchallenge # productivity # midnightchallenge # career 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:47:49
https://instatunnel.my/blog/vibe-coding-debt-the-security-risks-of-ai-generated-codebases
Vibe Coding Debt: The Hidden Security Risks of AI-Generated | InstaTunnel Blog Pricing Docs Download Dashboard Get Started Free Security January 12, 2026 6 min read 1194 views Vibe Coding Debt: The Security Risks of AI-Generated Codebases 🌊💻 IT InstaTunnel Team Published by our engineering team Vibe Coding Debt: The Security Risks of AI-Generated Codebases 🌊💻 In early 2025, former Tesla AI lead Andrej Karpathy popularized a term that perfectly captured the zeitgeist of the modern developer experience: “Vibe Coding.” Vibe coding is the practice of building entire applications using natural language prompts via Large Language Models (LLMs) and AI agents like Cursor, Windsurf, or Claude Engineer. In this paradigm, the developer often “forgets that the code even exists,” shifting their focus from syntax and logic to high-level intent and “vibes.” While vibe coding has democratized software creation—allowing non-technical founders to ship MVPs in hours—it has introduced a silent, compounding crisis: Vibe Coding Debt . This isn’t just traditional technical debt; it is a massive wave of security debt that threatens the very foundation of the software supply chain. What is Vibe Coding Debt? Technical debt is a well-understood concept where developers trade long-term maintainability for short-term speed. Security debt, a subset of technical debt, refers to unresolved security flaws that persist in a codebase over time. Vibe Coding Debt is the acceleration of this problem through AI. When an LLM generates a 500-line React component or a Python backend script, it prioritizes “working code” (code that runs without immediate errors) over “secure code.” Because vibe coders often lack the expertise—or the patience—to review these thousands of lines of machine-generated code, vulnerabilities are baked into the application’s DNA from day one. According to the Veracode 2025 GenAI Code Security Report, nearly 45% of AI-generated code contains security flaws . More alarmingly, research indicates that when LLMs are given a choice between a secure and an insecure method to solve a problem, they choose the insecure path nearly half the time. 1. The CORS Trap: Over-Permission by Default One of the most common “hallucinations” in AI-generated security logic isn’t a hallucination of a fact, but a hallucination of safety. LLMs often default to the most “convenient” settings to ensure the user’s app works immediately upon copy-pasting. The Problem: Wildcard Origins When a developer asks an AI to “fix my API connection issues,” the AI frequently suggests adding Cross-Origin Resource Sharing (CORS) headers. To ensure the code works regardless of the developer’s local environment, the AI often generates: // AI-generated convenience code app.use(cors({ origin: '*', // The security "vibe" is off here credentials: true })); The Risk The origin: '*' wildcard allows any website to make requests to your API. While this makes development easy, it is a critical security flaw in production. If a user is logged into your app and visits a malicious site, that site can use the user’s browser to make authenticated requests to your backend, leading to Cross-Site Request Forgery (CSRF) and data exfiltration. The AI prioritizes the “vibe” of a working app over the “reality” of a secure one. 2. The Cryptographic Time Machine: Use of Deprecated Libraries LLMs are trained on massive repositories of public code, much of which is outdated. This leads to a phenomenon where AI suggests cryptographic implementations that were considered “best practice” in 2015 but are dangerously obsolete today. The Problem: Weak Hashing and Old Protocols It is common to see AI suggest the MD5 or SHA-1 hashing algorithms for password storage or data integrity checks. In the Veracode study, 14% of AI-generated cryptographic implementations used weak or broken algorithms . Example of AI-generated “Vibe” Crypto: import hashlib # AI suggests MD5 because it's common in its training data def hash_password(password): return hashlib.md5(password.encode()).hexdigest() The Risk Algorithms like MD5 are susceptible to collision attacks and can be cracked in seconds using modern hardware. A “vibe coder” who doesn’t know the difference between MD5 and Argon2 will accept this code because it “works,” unknowingly leaving their users’ passwords vulnerable to data breaches. 3. The Placeholder Pitfall: Hardcoded Credentials AI agents often have access to your local file system, including your .env files or configuration scripts. A major security risk in vibe coding is the “accidental leak” where the AI includes real API keys or “test” credentials directly in the generated snippets. The Problem: “Test” Accounts and Exposed Keys When generating a login system or a database connection, AI models frequently insert hardcoded strings as placeholders. Sometimes, these are real keys the AI “remembered” from your other files; other times, they are “test” credentials like: const dbConfig = { host: "localhost", user: "admin", password: "password123", // AI "vibe" for "it's just a test" }; The Risk If the developer forgets to replace these placeholders—or if they assume the AI followed best practices by using process.env —these credentials get committed to version control (like GitHub). Once in the cloud, bots scan for these patterns in seconds. This has led to “Mass Credential Exposure,” where entire AWS clusters have been compromised due to AI-generated “test” configs left in production. 4. “Phantom” Supply Chain Risks: Hallucinated Packages A unique danger of LLM-driven development is AI Package Hallucination . This happens when an AI suggests a library that doesn’t actually exist, often giving it a name that sounds highly plausible (e.g., fastapi-security-helper or react-native-auth-guard ). The Problem: Prompt-Induced Dependency Injection If a developer prompts: “Give me a library to handle secure JWT tokens in Python,” the AI might suggest a non-existent package. The Risk: Dependency Hijacking Security researchers have found that attackers can monitor LLM hallucinations and register these “hallucinated” package names on registries like NPM or PyPI. When an unsuspecting vibe coder runs npm install <hallucinated-package> , they are actually installing a malicious payload—a “Trojan Horse” provided by an attacker who anticipated the AI’s mistake. 5. Logical Context Blindness AI models are excellent at writing functions but terrible at understanding threat models. An AI doesn’t know if the app you are building is a simple “to-do” list for yourself or a medical records system for a hospital. The Problem: Missing Authentication Gates An AI might generate a beautiful dashboard for an admin panel but forget to wrap the API routes in an authentication middleware. To the AI, the task was “create a dashboard,” and it succeeded. To a security professional, the task was “create a secure dashboard,” and the AI failed. Veracode Statistics on Logic Flaws: XSS (Cross-Site Scripting): AI fails to secure code against XSS 86% of the time. Log Injection: AI fails to sanitize logs 88% of the time. How to Manage Vibe Coding Debt We cannot—and should not—stop using AI to code. The productivity gains are too significant. However, we must evolve our “vibe” into a “Verified Vibe.” 1. The SHIELD Framework As suggested by security researchers at Unit 42, organizations should adopt the SHIELD framework for AI-generated code: S - Separation of Duties: Don’t give AI agents access to production environments. H - Human in the Loop: Never merge AI code without a line-by-line human review. I - Input/Output Validation: Explicitly prompt AI to “use parameterized queries” and “validate all user inputs.” E - Environment Scoping: Keep sensitive .env files in a .gitignore and .cursorignore to prevent AI from reading them. L - Least Agency: Give your AI agents only the permissions they need. D - Defense in Depth: Use automated scanners (Snyk, SonarQube, Veracode) to check every AI-generated PR. 2. Secure Prompting Hygiene Don’t just ask for a feature. Use Security-First Prompting: Bad: “Write a Python script to upload files to S3.” Good: “Write a secure Python script to upload files to S3. Include file type validation, size limits, and use environment variables for credentials. Do not use deprecated libraries.” Conclusion: The “6-Month Wall” Vibe coding feels like a superpower for the first three months of a project. But without rigorous security oversight, developers eventually hit the “6-Month Wall.” This is the point where the accumulated security debt and logical inconsistencies become so great that the app becomes unmaintainable and unfixable. The future of development isn’t just about the “vibe”—it’s about Engineering Excellence . AI is a powerful co-pilot, but the human must remain the pilot, the navigator, and the safety inspector. If you vibe code today without a security check, you aren’t just building an app; you’re building a “welcome mat” for attackers. Related Topics # vibe coding debt, ai generated code security, llm coding vulnerabilities, insecure ai code, ai software security risks, prompt to app security, ai hallucinated code, hardcoded credentials ai, deprecated crypto libraries, insecure cryptography usage, permissive cors vulnerability, ai developer mistakes, ai coding best practices, insecure defaults ai, security debt in ai code, machine generated code risks, llm code review, ai assisted development flaws, automated coding security, prompt engineering vulnerabilities, ai code injection risk, ai application security, devsecops ai, secure ai development, llm output validation, ai coding pitfalls, cloud app vulnerabilities ai, api security ai generated, authentication flaws ai code, authorization bypass ai, insecure configuration ai, supply chain risk ai code, open source ai security, ai hallucination bugs, data leakage ai code, devsecops automation risk, ai programming errors, insecure sdk usage ai, legacy library ai code, crypto misuse ai, compliance risks ai coding, security audit ai code, llm generated backend risks, ai frontend security issues, misconfigured headers ai, cross origin vulnerability ai, xss in ai code, sql injection ai, insecure file handling ai, unsafe defaults llm, ai code quality risks, automated development security, software supply chain ai, prompt driven development risk, ai developer productivity vs security, ai software engineering flaws, cloud misconfiguration ai, web security ai coding, ai dev shortcuts, model hallucination vulnerabilities, ai devsecops pipeline, llm code scanning, secure coding with ai Share this article Share on X Share on LinkedIn Copy Link More InstaTunnel Insights Discover more tutorials, tips, and updates to help you build better with localhost tunneling. Browse All Articles 🚀 InstaTunnel The professional ngrok alternative that's 50% cheaper Secure, fast, and reliable localhost tunneling for developers worldwide. Start tunneling in seconds with zero configuration. All systems operational 99.9% uptime last 30 days Product Features Pricing Documentation Downloads API Reference Company About Us Blog Contact Privacy Policy Terms of Service Security Connect X YouTube Medium Discord Reddit Email Support NPM Package © 2025 InstaTunnel. All rights reserved. Privacy Policy Terms of Service Made with ❤️ for developers
2026-01-13T08:47:49
https://anthonygiretti.com/2020/05/10/why-model-binding-to-jobject-from-a-request-doesnt-work-anymore-in-asp-net-core-3-1-and-whats-the-alternative/
Why model binding to JObject from a request doesn’t work anymore in ASP.NET Core 3.1 and what’s the alternative ? – Anthony Giretti's .NET blog Skip to content Anthony Giretti's .NET blog Ain't no mountain high enough Search Search for: Follow me ! Tags .NET .NET 5 .NET 6 .NET 7 .NET Core .NET Core 3 adal-angular5 adal.js Angular 5 ASP.NET Core ASP.NET Core 2.1 ASP.NET Core 2.2 ASP.NET Core 3 ASP.NET Core 5 ASP.NET Core 6 ASP.NET Core 7 Azure Functions C# C# 9 C# 10 C#11 C# 11 C#14 Dapper Entity Framework Core Entity Framework Core 2 ExpectedObjects Google Charts gRPC gRPC Client Javascript Massive minimal APIs NPoco OrmLite Peta POCO Polly SQL SQL SERVER Typescript unit tests Visual Studio Code VSTS Web API XUnit My latest posts .NET 10: Streaming over WebSockets with the New WebSocket Stream API 2026-01-12 .NET 10: Automatic support of TLS 1.3 on MacOS 2026-01-12 C# 14: User-Defined Compound Assignment Operators 2025-11-23 C# 14: Introducing partial constructors and partial events 2025-11-23 C# 14: Introducing field-backed auto‐properties via the contextual keyword field 2025-11-23 Styled Blog WordPress Theme by Blaze Themes ASP.NET Core SHARE: Why model binding to JObject from a request doesn’t work anymore in ASP.NET Core 3.1 and what’s the alternative ? 2020-05-10 by anthonygiretti Introduction Json.Net (NewtonSoft)  has been for a long time the most used JSON serializer in .NET world. Since  .NET Core 3 and ASP.NET Core 3 Microsoft introduced a new one named  System.Text.Json . JObject is a class that belongs to Json.Net (NewtonSoft) and if this latest is replaced by System.Text.Json , in this case you should expect that using JObject will no longer work. Unfortunately I have had to deal with JObject in request payloads and in this article I will show you how to live without JObject and how replace it without breaking your application. Before in ASP.NET Core 2+ As I said before, in previous version of ASP.NET Core 3 the serialization was done with Json.Net (NewtonSoft) and I have had to deal with json payload not stringified, so the only solution was to use JObject as model for the request payload databinding like this: Since ASP.NET Core 3 The previous case doesn’t work anymore unless if you decide to use Json.Net (NewtonSoft) as default JSON Serializer, so you have to download that package which enables it: Install-Package Microsoft.AspNetCore.Mvc.NewtonsoftJson -Version 3.1.3 This is not what I recommand, because you will loose a big advantage advantage brought by System.Text.Json : a better performance ! So we need to explore System.Text.Json to find a solution, and the solution is JsonElement . JsonElement is a struct that represents a specific JSON value within a  JsonDocument . How to enable it ? You don’t have anything to do, except import into your controller the assembly named “System.Text.Json” As you can see it’s easy to get data in the desired type, JsonElement exposes methods to get any types: GetBoolean() Gets the value of the element as a  Boolean . GetByte() Gets the current JSON number as a  Byte . GetBytesFromBase64() Gets the value of the element as a byte array. GetDateTime() Gets the value of the element as a  DateTime . GetDateTimeOffset() Gets the value of the element as a  DateTimeOffset . GetDecimal() Gets the current JSON number as a  Decimal . GetDouble() Gets the current JSON number as a  Double . GetGuid() Gets the value of the element as a  Guid . GetInt16() Gets the current JSON number as an  Int16 . GetInt32() Gets the current JSON number as an  Int32 . GetInt64() Gets the current JSON number as an  Int64 . GetProperty(ReadOnlySpan<Byte>) Gets a  JsonElement  representing the value of a required property identified by  utf8PropertyName . GetProperty(ReadOnlySpan<Char>) Gets a  JsonElement  representing the value of a required property identified by  propertyName . GetProperty(String) Gets a  JsonElement  representing the value of a required property identified by  propertyName . GetRawText() Gets a string that represents the original input data backing this value. GetSByte() Gets the current JSON number as an  SByte . GetSingle() Gets the current JSON number as a  Single . GetString() Gets the value of the element as a  String . GetUInt16() Gets the current JSON number as a  UInt16 . GetUInt32() Gets the current JSON number as a  UInt32 . GetUInt64() Gets the current JSON number as a  UInt64 . Source: https://docs.microsoft.com/en-us/dotnet/api/system.text.json.jsonelement?view=netcore-3.1 Demo Payload used on the demo: Execution: Hope this article helped you 😉 Like this: Like Loading... Related posts Post navigation Integrate NDepend 2020 into your .NET Core projects gRPC & ASP.NET Core 3.1: Message validation Written by anthonygiretti Anthony is a specialist in Web technologies (14 years of experience), in particular Microsoft .NET and learns the Cloud Azure platform. He has received twice the Microsoft MVP award and he is also certified Microsoft MCSD and Azure Fundamentals. Home About me Anthony Giretti's .NET blog Ain't no mountain high enough %d
2026-01-13T08:47:49
https://dev.to/callstacktech/how-to-build-a-voice-ai-agent-for-hvac-customer-support-my-experience-8ff#comments
How to Build a Voice AI Agent for HVAC Customer Support: My Experience - 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 CallStack Tech Posted on Jan 13 • Originally published at callstack.tech How to Build a Voice AI Agent for HVAC Customer Support: My Experience # ai # voicetech # machinelearning # webdev How to Build a Voice AI Agent for HVAC Customer Support: My Experience TL;DR Most HVAC support teams waste 40% of labor on repetitive calls (scheduling, filter status, warranty checks). Build a voice AI agent using VAPI + Twilio to handle inbound calls 24/7. Route complex issues to humans via function calling. Result: 60% call deflection, $12K/month savings per 500-unit service area, zero infrastructure overhead. Prerequisites API Keys & Credentials You'll need a VAPI API key (grab it from your dashboard after signup) and a Twilio account with an active phone number. Store both in .env as VAPI_API_KEY and TWILIO_AUTH_TOKEN . Your Twilio Account SID is also required for webhook routing. System Requirements Node.js 16+ (we're using async/await heavily). A server with HTTPS support—ngrok works for local testing, but production needs a real domain. Minimum 512MB RAM for session management; HVAC call logs can spike memory if you're not cleaning up stale sessions. Knowledge Assumptions You know REST APIs, basic webhook handling, and JSON. Familiarity with voice AI concepts helps but isn't mandatory. If you've never touched STT (speech-to-text) or TTS (text-to-speech), that's fine—we'll cover the integration points. Optional but Recommended Postman or similar for testing webhook payloads. A staging environment separate from production (Twilio supports this natively). Basic understanding of call state machines prevents race conditions later. Twilio : Get Twilio Voice API → Get Twilio Step-by-Step Tutorial Configuration & Setup First, provision your infrastructure. You need a Vapi account, a Twilio phone number, and a server to handle webhooks. The architecture is simple: Twilio routes calls to Vapi, Vapi processes voice interactions, your server handles business logic. Critical config mistake I see constantly: Developers set transcriber.endpointing to 200ms thinking it'll make the bot faster. Wrong. HVAC customers pause mid-sentence ("My AC is... uh... making a weird noise"). Set it to 800-1200ms or you'll get premature cutoffs. // Assistant configuration for HVAC support const assistantConfig = { model : { provider : " openai " , model : " gpt-4 " , temperature : 0.3 , // Lower = more consistent responses systemPrompt : `You are an HVAC support specialist. Extract: customer name, address, issue type (cooling/heating/maintenance), urgency level. If emergency (no heat in winter, no AC above 95°F), flag immediately. Never promise same-day service without checking availability.` }, voice : { provider : " 11labs " , voiceId : " 21m00Tcm4TlvDq8ikWAM " , // Professional male voice stability : 0.7 , similarityBoost : 0.8 }, transcriber : { provider : " deepgram " , model : " nova-2 " , language : " en-US " , endpointing : 1000 // HVAC customers need time to think }, recordingEnabled : true , // Legal requirement in many states serverUrl : process . env . WEBHOOK_URL , serverUrlSecret : process . env . WEBHOOK_SECRET }; Enter fullscreen mode Exit fullscreen mode Architecture & Flow The call flow: Customer dials → Twilio forwards to Vapi → Vapi streams audio to STT → GPT-4 processes → TTS generates response → Audio streams back. Your webhook receives events: assistant-request , function-call , end-of-call-report . Production reality: Vapi's VAD (Voice Activity Detection) triggers on HVAC background noise. A running furnace at 65dB will cause false interruptions. Solution: Increase voice.backgroundSound threshold or use Deepgram's noise suppression. Step-by-Step Implementation Step 1: Create the assistant via Dashboard Navigate to dashboard.vapi.ai, create assistant using the customer support template. Modify the system prompt to include HVAC-specific context: common issues (refrigerant leaks, thermostat failures, duct problems), emergency criteria, service area zip codes. Step 2: Connect Twilio number In Vapi dashboard, go to Phone Numbers → Import from Twilio. Vapi automatically configures the webhook. Twilio charges $1/month per number + $0.0085/minute. Vapi charges $0.05/minute for Deepgram + $0.10/minute for ElevenLabs. Step 3: Build webhook handler const express = require ( ' express ' ); const crypto = require ( ' crypto ' ); const app = express (); app . use ( express . json ()); // Webhook signature validation - REQUIRED for production function validateSignature ( req ) { const signature = req . headers [ ' x-vapi-signature ' ]; const payload = JSON . stringify ( req . body ); const hash = crypto . createHmac ( ' sha256 ' , process . env . WEBHOOK_SECRET ) . update ( payload ) . digest ( ' hex ' ); return signature === hash ; } app . post ( ' /webhook/vapi ' , async ( req , res ) => { if ( ! validateSignature ( req )) { return res . status ( 401 ). json ({ error : ' Invalid signature ' }); } const { message } = req . body ; // Handle function calls for scheduling if ( message . type === ' function-call ' ) { const { functionCall } = message ; if ( functionCall . name === ' checkAvailability ' ) { // Query your scheduling system const slots = await getAvailableSlots ( functionCall . parameters . zipCode ); return res . json ({ result : slots }); } } // Log call completion for analytics if ( message . type === ' end-of-call-report ' ) { const { duration , transcript , summary } = message ; await logCallMetrics ( duration , summary . issue_type ); } res . json ({ received : true }); }); Enter fullscreen mode Exit fullscreen mode Error Handling & Edge Cases Race condition: Customer interrupts mid-sentence while TTS is generating. Vapi handles this natively via transcriber.endpointing , but you need to cancel any pending function calls. Track call state: isProcessing flag prevents duplicate API calls. Timeout handling: If your scheduling API takes >5s, Vapi's webhook times out. Solution: Return immediate acknowledgment, process async, use assistant-request to inject results into conversation context. Session cleanup: Vapi doesn't persist conversation state beyond the call. If customer hangs up and calls back, you're starting fresh. Store call.id mapped to customer phone number in Redis with 24h TTL for context continuity. Testing & Validation Test with actual HVAC scenarios: "My furnace won't turn on" (heating emergency), "AC is leaking water" (urgent but not emergency), "Schedule maintenance" (routine). Validate the assistant extracts correct urgency levels. Latency benchmark: Measure end-to-end response time. Target: <2s from customer stops speaking to bot starts responding. Deepgram Nova-2 adds ~300ms, GPT-4 adds ~800ms, ElevenLabs adds ~400ms. Total: ~1.5s baseline. Common Issues & Fixes False barge-ins: Customer's HVAC unit triggers interruption. Increase transcriber.endpointing to 1200ms. Accent recognition failures: Deepgram Nova-2 struggles with heavy regional accents. Switch to model: "nova-2-general" or add accent-specific training data. Cost overruns: Long hold times rack up charges. Implement maxDuration: 600 (10 minutes) to force call termination. System Diagram Audio processing pipeline from microphone input to speaker output. graph LR A[Microphone] --> B[Audio Buffer] B --> C[Voice Activity Detection] C -->|Speech Detected| D[Speech-to-Text] C -->|Silence| E[Error: No Speech Detected] D --> F[Intent Detection] F -->|Intent Found| G[Response Generation] F -->|Intent Not Found| H[Error: Unknown Intent] G --> I[Text-to-Speech] I --> J[Speaker] E --> K[Log Error] H --> K K --> L[Retry or End Session] Enter fullscreen mode Exit fullscreen mode Testing & Validation Most HVAC voice agents fail in production because devs skip local testing. Here's how to catch issues before customers do. Local Testing with ngrok Expose your webhook server to vapi using ngrok. This lets you test the full call flow without deploying. // Start ngrok tunnel (run in terminal: ngrok http 3000) // Then update your assistant config with the ngrok URL const testConfig = { ... assistantConfig , serverUrl : " https://abc123.ngrok.io/webhook " , serverUrlSecret : process . env . VAPI_SERVER_SECRET }; // Test webhook signature validation locally app . post ( ' /webhook/test ' , ( req , res ) => { const signature = req . headers [ ' x-vapi-signature ' ]; const isValid = validateSignature ( req . body , signature ); if ( ! isValid ) { console . error ( ' Signature validation failed - check serverUrlSecret ' ); return res . status ( 401 ). json ({ error : ' Invalid signature ' }); } console . log ( ' ✓ Webhook validated: ' , req . body . message . type ); res . json ({ received : true }); }); Enter fullscreen mode Exit fullscreen mode Webhook Validation Test each event type manually. Use the dashboard's "Call" button to trigger real events. Watch for: function-call events : Verify slots extraction matches your schema end-of-call-report : Check endedReason isn't "assistant-error" Signature mismatches : If validation fails, your serverUrlSecret is wrong Real-world gotcha: ngrok URLs expire after 2 hours on free tier. Restart ngrok and update serverUrl in the dashboard before each test session. Real-World Example Barge-In Scenario Customer calls at 2 PM on a 95°F day. Their AC died. Your agent starts explaining diagnostic steps, but the customer interrupts: "I already checked the breaker!" This is where most voice AI systems break. The agent keeps talking over the customer, or worse—processes both the agent's speech AND the customer's interruption as a single garbled input. Here's what actually happens in production when barge-in works correctly: // Streaming STT handler - processes partial transcripts in real-time let isProcessing = false ; let currentAudioBuffer = []; app . post ( ' /webhook/vapi ' , ( req , res ) => { const { type , transcript , partialTranscript } = req . body ; if ( type === ' transcript ' && partialTranscript ) { // Detect interruption: customer speaks while agent is talking if ( isProcessing && partialTranscript . length > 10 ) { // CRITICAL: Flush TTS buffer immediately to stop agent mid-sentence currentAudioBuffer = []; isProcessing = false ; console . log ( `[ ${ new Date (). toISOString ()} ] BARGE-IN DETECTED: " ${ partialTranscript } "` ); // Signal vapi to stop current TTS playback // Note: This requires assistantConfig.voice.interruptible = true return res . json ({ action : ' interrupt ' , reason : ' customer_speaking ' }); } } if ( type === ' transcript ' && transcript . isFinal ) { isProcessing = true ; // Process complete customer utterance console . log ( `[ ${ new Date (). toISOString ()} ] FINAL: " ${ transcript . text } "` ); } res . sendStatus ( 200 ); }); Enter fullscreen mode Exit fullscreen mode The assistantConfig from earlier sections MUST have transcriber.endpointing set to 150-200ms for HVAC scenarios. Customers are stressed—they interrupt fast. Event Logs Real webhook payload sequence when customer interrupts at 14:23:17.450: { "type" : "transcript" , "timestamp" : "2024-01-15T14:23:17.450Z" , "partialTranscript" : "I already che" , "confidence" : 0.87 , "isFinal" : false } Enter fullscreen mode Exit fullscreen mode 120ms later, the final transcript arrives: { "type" : "transcript" , "timestamp" : "2024-01-15T14:23:17.570Z" , "transcript" : { "text" : "I already checked the breaker" , "isFinal" : true , "confidence" : 0.94 } } Enter fullscreen mode Exit fullscreen mode Notice the 120ms gap between partial detection and final transcript. Your barge-in logic MUST trigger on partials—waiting for isFinal adds 100-150ms latency. In a heated service call, that delay feels like the agent isn't listening. Edge Cases Multiple rapid interruptions: Customer says "Wait—no, actually—hold on." Three interrupts in 2 seconds. Your buffer flush logic runs three times. Without the isProcessing guard, you'll send three duplicate responses. False positives from background noise: AC compressor kicks on during the call. Registers as 0.4 confidence speech. Solution: Set transcriber.endpointing threshold to 0.5+ and add a minimum word count check ( partialTranscript.split(' ').length > 2 ) before triggering barge-in. Network jitter on mobile: Customer calls from their attic. Packet loss causes STT partials to arrive out of order. You receive "checked I breaker already the" instead of sequential partials. Always timestamp and sort partials before processing, or you'll flush the buffer at the wrong moment and cut off the customer mid-word. Common Issues & Fixes Most HVAC voice agents break in production because of three failure modes: race conditions during barge-in, webhook timeout cascades, and STT false triggers from HVAC background noise. Here's what actually breaks and how to fix it. Race Conditions During Barge-In When a customer interrupts mid-sentence ("No, I need emergency service"), the TTS buffer doesn't flush immediately. The agent keeps talking for 200-400ms, creating overlapping audio. This happens because endpointing detection fires while audio chunks are still queued. // Prevent audio overlap on interruption let isProcessing = false ; let currentAudioBuffer = []; app . post ( ' /webhook/vapi ' , ( req , res ) => { const { message } = req . body ; if ( message . type === ' speech-update ' && message . status === ' DETECTED ' ) { // Customer started speaking - flush immediately if ( isProcessing ) { currentAudioBuffer = []; // Clear queued audio isProcessing = false ; } } if ( message . type === ' transcript ' && message . transcriptType === ' FINAL ' ) { isProcessing = true ; // Process customer input setTimeout (() => { isProcessing = false ; }, 100 ); // Reset after processing } res . sendStatus ( 200 ); }); Enter fullscreen mode Exit fullscreen mode The fix: track processing state and flush currentAudioBuffer when speech-update fires with status DETECTED . This cuts overlap from 300ms to under 50ms. Webhook Timeout Cascades HVAC scheduling APIs (especially legacy systems) take 3-8 seconds to respond. Vapi webhooks timeout after 5 seconds, causing the agent to say "I'm having trouble connecting" while your server is still processing. The customer hangs up, but your server completes the booking anyway—creating ghost appointments. // Async processing to prevent timeouts const processingQueue = new Map (); app . post ( ' /webhook/vapi ' , async ( req , res ) => { const { message , call } = req . body ; // Respond immediately to prevent timeout res . sendStatus ( 200 ); if ( message . type === ' function-call ' ) { const requestId = ` ${ call . id } - ${ Date . now ()} ` ; // Queue the slow operation processingQueue . set ( requestId , { status : ' pending ' , timestamp : Date . now () }); // Process asynchronously processSchedulingRequest ( message . functionCall , requestId ) . then ( result => { processingQueue . set ( requestId , { status : ' complete ' , result }); }) . catch ( error => { processingQueue . set ( requestId , { status : ' error ' , error : error . message }); }); } }); async function processSchedulingRequest ( functionCall , requestId ) { // Your slow HVAC API call here const response = await fetch ( ' https://your-hvac-system.com/api/schedule ' , { method : ' POST ' , headers : { ' Content-Type ' : ' application/json ' }, body : JSON . stringify ( functionCall . parameters ) }); if ( ! response . ok ) throw new Error ( `Scheduling failed: ${ response . status } ` ); return response . json (); } Enter fullscreen mode Exit fullscreen mode Return HTTP 200 within 500ms, then process the scheduling request asynchronously. Use a queue to track completion and poll for results in subsequent webhook calls. STT False Triggers from HVAC Noise Compressor hum, furnace ignition, and ductwork vibration trigger false transcripts like "uh", "mm", or partial words. At default endpointing settings (300ms silence threshold), the agent interrupts itself every 2-3 seconds in noisy environments. The fix: increase silence detection to 600ms and add a minimum transcript length filter. In the dashboard assistant config, set transcriber.endpointing to 600. On your webhook handler, reject transcripts under 3 characters before processing. Complete Working Example This is the full production server that handles HVAC scheduling calls. Copy-paste this into server.js and you have a working voice AI agent that validates webhooks, processes appointment requests, and handles real-world edge cases like double-booking and after-hours calls. // server.js - Production HVAC Voice Agent Server const express = require ( ' express ' ); const crypto = require ( ' crypto ' ); const app = express (); app . use ( express . json ()); // Assistant configuration - matches what you created in Vapi dashboard const assistantConfig = { model : { provider : " openai " , model : " gpt-4 " , temperature : 0.3 , systemPrompt : " You are an HVAC scheduling assistant. Ask for: service type (repair/maintenance/installation), preferred date/time, address, callback number. Confirm all details before booking. " }, voice : { provider : " 11labs " , voiceId : " 21m00Tcm4TlvDq8ikWAM " , stability : 0.5 , similarityBoost : 0.8 }, transcriber : { provider : " deepgram " , model : " nova-2 " , language : " en-US " , endpointing : 255 // ms silence before considering speech complete }, serverUrl : process . env . WEBHOOK_URL , // Your ngrok/production URL serverUrlSecret : process . env . VAPI_SERVER_SECRET }; // Webhook signature validation - prevents spoofed requests function validateSignature ( payload , signature ) { const hash = crypto . createHmac ( ' sha256 ' , process . env . VAPI_SERVER_SECRET ) . update ( JSON . stringify ( payload )) . digest ( ' hex ' ); return crypto . timingSafeEqual ( Buffer . from ( signature ), Buffer . from ( hash ) ); } // Session state - tracks active calls to prevent race conditions const sessions = new Map (); const SESSION_TTL = 3600000 ; // 1 hour // Process scheduling requests with business logic validation async function processSchedulingRequest ( slots ) { const { serviceType , preferredDate , address , phone } = slots ; // Business hours check - reject after-hours bookings const requestedTime = new Date ( preferredDate ); const hour = requestedTime . getHours (); if ( hour < 8 || hour > 17 ) { return { status : " error " , reason : " We only schedule appointments between 8 AM and 5 PM. Please choose a different time. " }; } // Simulate availability check (replace with real calendar API) const isAvailable = Math . random () > 0.3 ; // 70% availability rate if ( ! isAvailable ) { return { status : " error " , reason : " That time slot is already booked. Our next available slot is tomorrow at 10 AM. " }; } // Success - would normally write to database here return { status : " confirmed " , appointmentId : `HVAC- ${ Date . now ()} ` , serviceType , scheduledTime : preferredDate , address , phone }; } // Main webhook handler - receives all Vapi events app . post ( ' /webhook/vapi ' , async ( req , res ) => { const signature = req . headers [ ' x-vapi-signature ' ]; const payload = req . body ; // Security: validate webhook signature if ( ! validateSignature ( payload , signature )) { console . error ( ' Invalid webhook signature ' ); return res . status ( 401 ). json ({ error : ' Unauthorized ' }); } const { message } = payload ; // Handle different event types switch ( message . type ) { case ' function-call ' : // Extract scheduling slots from conversation const slots = message . functionCall . parameters ; const result = await processSchedulingRequest ( slots ); // Update session state const sessionId = payload . call . id ; sessions . set ( sessionId , { lastUpdate : Date . now (), appointmentStatus : result . status }); // Clean up old sessions setTimeout (() => sessions . delete ( sessionId ), SESSION_TTL ); return res . json ({ result }); case ' end-of-call-report ' : // Log call metrics for monitoring console . log ( ' Call ended: ' , { duration : message . call . duration , cost : message . call . cost , endedReason : message . call . endedReason }); return res . sendStatus ( 200 ); case ' status-update ' : // Track call progress if ( message . status === ' in-progress ' ) { console . log ( ' Call connected: ' , payload . call . id ); } return res . sendStatus ( 200 ); default : return res . sendStatus ( 200 ); } }); // Health check endpoint app . get ( ' /health ' , ( req , res ) => { res . json ({ status : ' healthy ' , activeSessions : sessions . size , uptime : process . uptime () }); }); const PORT = process . env . PORT || 3000 ; app . listen ( PORT , () => { console . log ( `HVAC Voice Agent running on port ${ PORT } ` ); console . log ( `Webhook URL: ${ process . env . WEBHOOK_URL } /webhook/vapi` ); }); Enter fullscreen mode Exit fullscreen mode Run Instructions 1. Install dependencies: npm install express Enter fullscreen mode Exit fullscreen mode 2. Set environment variables: export WEBHOOK_URL = "https://your-domain.ngrok.io" export VAPI_SERVER_SECRET = "your_webhook_secret_from_vapi_dashboard" export PORT = 3000 Enter fullscreen mode Exit fullscreen mode 3. Start the server: node server.js Enter fullscreen mode Exit fullscreen mode 4. Configure Vapi assistant: Go to dashboard.vapi.ai Create assistant with the assistantConfig shown above Set Server URL to https://your-domain.ngrok.io/webhook/vapi Add your webhook secret Assign a phone number 5. Test the flow: Call your Vapi number. The agent will ask for service type, date, address, and phone. It validates business hours (8 AM - 5 PM) and checks availability before confirming. After-hours requests get rejected with the next available slot. Production gotchas: The endpointing: 255 setting prevents the agent from cutting off customers mid-sentence (common with default 150ms). Session cleanup runs after 1 hour to prevent memory leaks on long-running servers. Webhook signature validation blocks replay attacks. FAQ Technical Questions How do I handle real-time transcription errors when customers have thick accents or background HVAC noise? Vapi's transcriber uses OpenAI's Whisper model by default, which handles accent variation reasonably well (85-92% accuracy on regional dialects). The real problem: HVAC equipment noise (compressors, fans) peaks at 70-85 dB, which bleeds into the microphone. Set transcriber.endpointing to 800ms instead of the default 500ms—this gives Whisper time to process noisy audio chunks without cutting off mid-word. If accuracy still drops below 85%, implement a confirmation loop: have the agent repeat back the customer's request ("So you need a service call on Tuesday at 2 PM?") before executing processSchedulingRequest . This catches 90% of transcription errors before they hit your database. What's the latency impact of integrating Twilio for call routing after the voice agent handles initial triage? Twilio's SIP trunk integration adds 200-400ms of handoff latency. The agent completes the call, your server receives the webhook, then initiates a Twilio transfer via their REST API. Total time: ~600ms. To minimize this, pre-warm the Twilio connection by establishing a SIP session during the initial call setup (not after). Store the sessionId in your sessions object and reuse it for transfers. This cuts handoff latency to 150-200ms. Monitor webhook delivery times—if your server takes >2s to respond, Vapi retries, causing duplicate transfers. How do I prevent the agent from scheduling conflicting appointments? This breaks in production constantly. Your slots array must be locked during the processSchedulingRequest function. Use a database transaction or Redis lock with a 5-second TTL. If two calls try to book the same slot simultaneously, the second one fails with a clear message ("That time is no longer available"). Without locking, you'll double-book technicians. Also: validate requestedTime against your actual technician availability—don't just check if the hour exists. Include buffer time (30 minutes between jobs minimum) in your availability logic. Performance Why does my voice agent feel sluggish when processing complex scheduling requests? Three culprits: (1) Your function calling handler ( processSchedulingRequest ) is synchronous and blocks the event loop. Make it async and use await for database queries. (2) The agent's systemPrompt is too verbose (>500 tokens). Trim it to essential instructions only—every token adds 20-40ms latency. (3) You're not using partial transcripts. Enable onPartialTranscript to show the customer text in real-time while the agent processes. This masks 300-500ms of backend latency. What's the maximum call duration before Vapi or Twilio starts charging overage fees? Vapi charges per minute of connected call time (no setup fees). Twilio charges per minute of SIP trunk usage. A 10-minute support call costs roughly $0.15-0.30 combined. If you're handling 100 calls/day, budget $15-30/day. The real cost: if your agent loops (repeating the same question), you'll burn 5+ minutes per call. Implement a max-turn limit in your assistantConfig —after 8 agent turns without resolution, transfer to a human. Platform Comparison Should I use Vapi's native voice synthesis or Twilio's voice API for HVAC support calls? Use Vapi's native voice synthesis (ElevenLabs or Google). Twilio's voice API adds an extra hop and 150-300ms latency. Vapi handles voice directly in the call pipeline. Configure voice.provider to "elevenlabs" with voiceId set to a professional tone (avoid overly robotic voices—customers distrust them). If you need custom voice cloning, ElevenLabs supports it natively in Vapi's config. Can I use Vapi alone, or do I need Twilio for HVAC support automation? Vapi handles inbound/outbound calls and AI logic. Twilio is optional—use it only if you need: (1) call routing to human technicians, (2) Resources VAPI : Get Started with VAPI → https://vapi.ai/?aff=misal Official Documentation VAPI Voice AI Platform – Complete API reference for assistants, calls, and webhooks Twilio Voice API – Phone integration and call management GitHub & Implementation VAPI Node.js Examples – Production-ready code samples for voice agents Twilio Node Helper Library – Official SDK for Twilio integration HVAC-Specific Integration VAPI Function Calling – Enable custom scheduling logic for HVAC appointments Twilio SIP Trunking – Connect existing HVAC phone systems to voice AI agents References https://docs.vapi.ai/quickstart/phone https://docs.vapi.ai/workflows/quickstart https://docs.vapi.ai/quickstart/web https://docs.vapi.ai/quickstart/introduction https://docs.vapi.ai/chat/quickstart https://docs.vapi.ai/assistants/quickstart 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 CallStack Tech Follow We skip the "What is AI?" intro fluff. If you're shipping voice agents that handle real users, this is for you. Joined Dec 2, 2025 More from CallStack Tech How to Transcribe and Detect Intent Using Deepgram for STT: A Developer's Journey # ai # voicetech # machinelearning # webdev Integrating HubSpot with Salesforce using Webhooks for Real-Time Data Synchronization # api # webdev # tutorial # programming How to Build Custom Pipelines for Voice AI Integration: A Developer's Journey # ai # voicetech # machinelearning # webdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/t/devjournal
Dev Journal - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Dev Journal Follow Hide Dear Diary... Create Post submission guidelines UPDATED 30 AUG 2019 Posts should be about your own journey. The focus should be on what you tried, accomplished, learned, and/or plan to do. Some good examples: What I learned last week Weekly Goals Weeknotes 10 Days as a Software Developer What Doesn't Belong Posts NOT directly related to your experience. Posts primarily promoting a project. (Tell us how you did it instead!) Questions (use #help .) Most discussion prompts (use #discuss ). Journaling prompts encouraged, however! about #devjournal Public journaling is a great way to share your journey with other developers! Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I'm Open Sourcing Two SaaS Apps and Everything I'll Work on This Year Ben Ben Ben Follow Jan 12 I'm Open Sourcing Two SaaS Apps and Everything I'll Work on This Year # career # devjournal # opensource # saas Comments Add Comment 3 min read A Place To Store Projects Branden Hernandez Branden Hernandez Branden Hernandez Follow Jan 12 A Place To Store Projects # challenge # devjournal # portfolio Comments Add Comment 2 min read What Walking After Dinner Changed for Me Caleb Turner Caleb Turner Caleb Turner Follow Jan 12 What Walking After Dinner Changed for Me # watercooler # devjournal # mentalhealth Comments Add Comment 5 min read Electric Industry Operation GeunWooJeon GeunWooJeon GeunWooJeon Follow Jan 12 Electric Industry Operation # beginners # devjournal # learning Comments Add Comment 4 min read Starting My Learning Journey in Tech Hassan Olamide Hassan Olamide Hassan Olamide Follow Jan 12 Starting My Learning Journey in Tech # beginners # devjournal # learning # webdev 1  reaction Comments Add Comment 1 min read LINE Taiwan Developer Relations: 2020 Review and 2021 Community Plans Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Taiwan Developer Relations: 2020 Review and 2021 Community Plans # community # developer # devjournal Comments Add Comment 8 min read LINE Taiwan Developer Relations 2020 Review and 2021 Developer Community Plan Report (Part 2: Internal Evangelism) Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Taiwan Developer Relations 2020 Review and 2021 Developer Community Plan Report (Part 2: Internal Evangelism) # community # developer # devjournal Comments Add Comment 4 min read Day 100 of 100 days dsa coding challenge Manasi Patil Manasi Patil Manasi Patil Follow Jan 12 Day 100 of 100 days dsa coding challenge # challenge # algorithms # devjournal # showdev 1  reaction Comments Add Comment 2 min read Sharing My Article's Impact on Developers - Thank you! Caterpillar Evan Lin Evan Lin Evan Lin Follow Jan 11 Sharing My Article's Impact on Developers - Thank you! Caterpillar # watercooler # community # devjournal Comments Add Comment 2 min read 2020: Review and Outlook Evan Lin Evan Lin Evan Lin Follow Jan 11 2020: Review and Outlook # career # devjournal # productivity Comments Add Comment 1 min read [TIL][BOOX] New Toy - BOOX Nova Air C 7.8" e-reader: First Impressions and Potential Issues Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][BOOX] New Toy - BOOX Nova Air C 7.8" e-reader: First Impressions and Potential Issues # android # devjournal # learning Comments Add Comment 2 min read [MOOC] Georgia Tech Language Institute - Week 4: Better Business Writing in English Evan Lin Evan Lin Evan Lin Follow Jan 11 [MOOC] Georgia Tech Language Institute - Week 4: Better Business Writing in English # learning # devjournal # writing # career Comments Add Comment 3 min read 2023: A Year in Review and Looking Ahead Evan Lin Evan Lin Evan Lin Follow Jan 11 2023: A Year in Review and Looking Ahead # devjournal # github # llm Comments Add Comment 2 min read 2024 Year in Review and Outlook Evan Lin Evan Lin Evan Lin Follow Jan 11 2024 Year in Review and Outlook # watercooler # devjournal Comments Add Comment 2 min read I'm challenging myself to build 1 tool / mini startup a week this year. 52 tools Ido Cohen Ido Cohen Ido Cohen Follow Jan 9 I'm challenging myself to build 1 tool / mini startup a week this year. 52 tools # challenge # devjournal # learning # startup Comments 1  comment 1 min read 11 Years on a Hobby Project: SymOntoClay Dev Journal Sergiy Tolkachov Sergiy Tolkachov Sergiy Tolkachov Follow Jan 10 11 Years on a Hobby Project: SymOntoClay Dev Journal # devjournal # opensource # dsl # gamedev 1  reaction Comments 2  comments 4 min read Day 10 of 100 Palak Hirave Palak Hirave Palak Hirave Follow Jan 10 Day 10 of 100 # programming # python # devjournal # beginners Comments Add Comment 1 min read I left Windows for Ubuntu. Here’s everything I configured and what I learned Melia Log Melia Log Melia Log Follow Jan 9 I left Windows for Ubuntu. Here’s everything I configured and what I learned # ubuntu # devjournal # node # java Comments Add Comment 3 min read The Spice: My GitHub Looked Great. I Felt Like a Fraud. Om Keswani Om Keswani Om Keswani Follow Jan 9 The Spice: My GitHub Looked Great. I Felt Like a Fraud. # career # devjournal # mentalhealth # productivity Comments Add Comment 3 min read Walking the Park Before the Day Starts Samuel Wright Samuel Wright Samuel Wright Follow Jan 9 Walking the Park Before the Day Starts # watercooler # devjournal # mentalhealth Comments Add Comment 3 min read Why email journaling works when apps never did (and why I built DailyInk) Anthony Anthony Anthony Follow Jan 8 Why email journaling works when apps never did (and why I built DailyInk) # productivity # writing # devjournal # webdev 1  reaction Comments Add Comment 3 min read I finally Deployed on AWS Olamide Olanrewaju Olamide Olanrewaju Olamide Olanrewaju Follow Jan 8 I finally Deployed on AWS # aws # beginners # devjournal Comments Add Comment 3 min read Day 7: Untill I Get An Internship At Google Venkata Sugunadithya Venkata Sugunadithya Venkata Sugunadithya Follow Jan 8 Day 7: Untill I Get An Internship At Google # algorithms # career # devjournal # machinelearning Comments Add Comment 1 min read What an Early Bus Ride Gave Me Each Morning Mark Ellison Mark Ellison Mark Ellison Follow Jan 8 What an Early Bus Ride Gave Me Each Morning # watercooler # devjournal # mentalhealth # productivity Comments Add Comment 9 min read The Mirror Trick: Why Knowing Good Habits Changes Nothing Nimesh Thakur Nimesh Thakur Nimesh Thakur Follow Jan 12 The Mirror Trick: Why Knowing Good Habits Changes Nothing # webdev # opensource # devjournal # typescript 5  reactions Comments Add Comment 4 min read loading... trending guides/resources I've FINALLY launched my Product!! October Taught Me to Show Up A Year of Gratitude: Reflecting on 2025 From Zero to AI Agent: My 6-Month Journey with LLMs Back to Basics 2025 Wrapped 2025 Wrapped: still building, sharing, and finding my place in the community AI Developer Digest: Gemini Deep Research, GPT-5.2, and Agent Tools "Is this just a wrapper?" (How a Reddit Comment Changed My Roadmap) 80 Days of Python Challenges: How I Turned Consistency into Progress My First AWS re:Invent Experience Respiration Mengapa Saya Membuat Amalanku: Sebuah Pengingat untuk Saudara-Saudariku Seiman My Year in Review: 2025 Launching TwelveLabs Marengo 3.0 on Product Hunt - Behind-the-scenes A Good Engineer Never Blames the Domain My First Hackathon Experience: What I Learned as a Beginner Developer ZentoraOS Receives Global Recognition from Q2B Studio 🇪🇸 My journey to Linux Kernel Mentorship Fall 2025 Ai Implementation Analysis for FlashFX Pipes Won't Let Me Go 💎 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:47:49
https://dev.to/t/career/page/10
Career 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 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 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 Becoming a Senior Full-Stack Developer: What Actually Changed for Me Gerald Lucas Gerald Lucas Gerald Lucas Follow Dec 29 '25 Becoming a Senior Full-Stack Developer: What Actually Changed for Me # architecture # career # leadership Comments Add Comment 1 min read Do Vibe Coding à Engenharia de IA: O Guia Prático para 2025 (Com Prompts!) Eduardo Rosa Eduardo Rosa Eduardo Rosa Follow Dec 24 '25 Do Vibe Coding à Engenharia de IA: O Guia Prático para 2025 (Com Prompts!) # softwareengineering # career # promptengineering # ai Comments Add Comment 4 min read AI Didn’t Replace My Job. It Replaced My Worst Habits. Phoebe P. Phoebe P. Phoebe P. Follow Jan 5 AI Didn’t Replace My Job. It Replaced My Worst Habits. # career # ai # programming # careerdevelopment 24  reactions Comments 1  comment 2 min read Vibe Coding vs. Engenharia Assistida por IA: Onde você está no espectro? Eduardo Rosa Eduardo Rosa Eduardo Rosa Follow Dec 24 '25 Vibe Coding vs. Engenharia Assistida por IA: Onde você está no espectro? # discuss # ai # productivity # career Comments Add Comment 2 min read Computers Are Dumb. That’s Why AI Feels So Dangerous—and So Useful. Narnaiezzsshaa Truong Narnaiezzsshaa Truong Narnaiezzsshaa Truong Follow Dec 29 '25 Computers Are Dumb. That’s Why AI Feels So Dangerous—and So Useful. # ai # career # beginners # programming Comments Add Comment 3 min read How I Improved My GitHub Profile for Better Developer Branding Muhammad Yasir Muhammad Yasir Muhammad Yasir Follow Jan 9 How I Improved My GitHub Profile for Better Developer Branding # career # devjournal # github # portfolio 1  reaction Comments Add Comment 2 min read How I Get Unlimited Mock Interview Reps (Without Finding a Partner) Ashwin Kherde Ashwin Kherde Ashwin Kherde Follow Jan 8 How I Get Unlimited Mock Interview Reps (Without Finding a Partner) # ai # career # interview # productivity 1  reaction Comments Add Comment 5 min read Choosing Yourself Without Guilt: A Lesson I Learned the Hard Way as a Developer Zainab Zainab Zainab Follow for CareerByteCode Dec 28 '25 Choosing Yourself Without Guilt: A Lesson I Learned the Hard Way as a Developer # devjournal # career # productivity # mentalhealth 1  reaction Comments Add Comment 3 min read How I Learned System Design in 5 Days | Roadmap for Interviews Sayantan Banerjee Sayantan Banerjee Sayantan Banerjee Follow Dec 24 '25 How I Learned System Design in 5 Days | Roadmap for Interviews # webdev # systemdesign # programming # career Comments Add Comment 5 min read What 4 Years on the Fast Track Taught Me About My Career: From Dropping Out to Leading a Production Application Kaleb Garner Kaleb Garner Kaleb Garner Follow Dec 24 '25 What 4 Years on the Fast Track Taught Me About My Career: From Dropping Out to Leading a Production Application # career # software # programming # webdev Comments Add Comment 9 min read The Squint Test: How I fix Code that looks like a Grey Brick Doogal Simpson Doogal Simpson Doogal Simpson Follow Dec 24 '25 The Squint Test: How I fix Code that looks like a Grey Brick # beginners # java # career # webdev Comments Add Comment 3 min read 7 Lessons I Learned from Studying Twitter System Design Interview Courses Dev Loops Dev Loops Dev Loops Follow Dec 24 '25 7 Lessons I Learned from Studying Twitter System Design Interview Courses # twitter # systemdesign # career # productivity Comments Add Comment 4 min read Software Programming as a Skill QurioSkill QurioSkill QurioSkill Follow Dec 24 '25 Software Programming as a Skill # programming # coding # software # career Comments Add Comment 2 min read 5 Practical Tips to Find Legit Remote IT Jobs (Without Getting Scammed) Adam Adam Adam Follow Dec 24 '25 5 Practical Tips to Find Legit Remote IT Jobs (Without Getting Scammed) # career # remotework # jobs # webdev Comments Add Comment 2 min read 9 Scripts Developers Use but Never Mention in Interviews Dev. Resources Dev. Resources Dev. Resources Follow Dec 29 '25 9 Scripts Developers Use but Never Mention in Interviews # programming # beginners # tutorial # career 5  reactions Comments Add Comment 4 min read 3 things I want to learn in 2026 Luke Cartwright Luke Cartwright Luke Cartwright Follow Dec 24 '25 3 things I want to learn in 2026 # webdev # programming # career 2  reactions Comments Add Comment 1 min read How to Tailor Your Tech Resume for Every Job, Fast Steps That Beat ATS and Impress Recruiters Saber Amani Saber Amani Saber Amani Follow Jan 6 How to Tailor Your Tech Resume for Every Job, Fast Steps That Beat ATS and Impress Recruiters # career # jobsearch # techcareers # cvtips 2  reactions Comments Add Comment 3 min read overcoming developer’s block: the "already done" trap and why you should build it anyway Malek Malek Malek Follow Dec 29 '25 overcoming developer’s block: the "already done" trap and why you should build it anyway # programming # career # learning # software Comments Add Comment 7 min read C#.NET - day 05 Sabin Sim Sabin Sim Sabin Sim Follow Jan 7 C#.NET - day 05 # csharp # programming # learning # career 1  reaction Comments Add Comment 3 min read My 2026 Tech Stack is Boring as Hell (And That is the Point) NorthernDev NorthernDev NorthernDev Follow Jan 2 My 2026 Tech Stack is Boring as Hell (And That is the Point) # discuss # career # architecture # webdev 118  reactions Comments 100  comments 3 min read I realized I enjoy debugging real systems more than building features Aimen Aljalal Aimen Aljalal Aimen Aljalal Follow Dec 23 '25 I realized I enjoy debugging real systems more than building features # backend # career # softwareengineering # webdev Comments Add Comment 1 min read C#.NET - day 03 Sabin Sim Sabin Sim Sabin Sim Follow Jan 5 C#.NET - day 03 # csharp # learning # programming # career 1  reaction Comments Add Comment 3 min read The 3 Hardest Decisions I Make as a Dev (That Have Nothing to Do with Code) William Trindade William Trindade William Trindade Follow Jan 7 The 3 Hardest Decisions I Make as a Dev (That Have Nothing to Do with Code) # software # product # career # productivity Comments Add Comment 3 min read Do you have any New Year resolutions or goals? Jess Lee Jess Lee Jess Lee Follow for The DEV Team Jan 5 Do you have any New Year resolutions or goals? # discuss # career # accountability 26  reactions Comments 56  comments 1 min read Failing an Interview Is Not the End A. Moreno A. Moreno A. Moreno Follow Dec 23 '25 Failing an Interview Is Not the End # discuss # career 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:47:49
https://dev.to/codebunny20/building-voice-trainer-a-tiny-local-first-pitch-analysis-tool-for-gender-affirming-voice-practice-23a0
Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice - 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 codebunny20 Posted on Jan 12 Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice # privacy # opensource # tooling # showdev As part of the HRT Journey Tracker Suite, I’ve been building tools that support transition in practical, offline‑friendly ways. The newest addition is Voice Trainer, a small desktop app for recording short clips, estimating pitch, and saving voice practice notes — all stored locally, no accounts or cloud services. the voice trainer is located here in the HRT Journey Tracker git hub repo along with all the other tools ive made This is why im building this Voice training can feel intimidating, and most tools are either too clinical or too invasive with data. I wanted something simple: hit record, get your pitch, save your notes, move on. What the app does • Record short clips from any microphone • Estimate pitch (Hz) from recordings or imported audio • Save practice recordings and longer voice notes • Persist settings locally • Keep all data inside the app folder for privacy Key features Record & Analyze • Device selection with filtering • Optional countdown • Analyze last recording or any chosen file • Works best with clear, sustained vowels Voice Notes • Longer recordings stored in • File details shown on selection Settings • Default input device • Countdown toggle + duration • Settings saved to Troubleshooting • Refresh devices after plugging in a headset • Set a default input device if recording fails • Improve pitch detection with louder or cleaner If you’re building privacy‑first tools or working on gender‑affirming tech, I’d love to hear what you’re making too. im always looking for help and guidance and thanks in advance for any future contribution. 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 codebunny20 Follow I'm a trans woman and after I started my transition I started learning python and other code languages and fell down the rabbit hole and now I'm hooked. Education high school Pronouns She/Her Work hopefully freelance some day Joined Jan 2, 2026 More from codebunny20 🌈 Looking for help if possible: I’m Stuck on My TrackMyHRT App (Medication + Symptom Tracker) # programming # python # opensource # discuss 🌈 Looking for Guidance: I’m Building an HRT Journey Tracker Suite, but I’m Stuck # architecture # discuss # help # privacy 🌈 HRT Journey Tracker Suite # webdev # programming # 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:47:49
https://github.com/knackstedt/shokupan
GitHub - knackstedt/shokupan: A delightful, type-safe web framework for Bun 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 }} knackstedt / shokupan Public Notifications You must be signed in to change notification settings Fork 1 Star 20 A delightful, type-safe web framework for Bun shokupan.dev/ 20 stars 1 fork Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 0 Pull requests 0 Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Security Insights knackstedt/shokupan   dev Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit   History 306 Commits .github/ workflows .github/ workflows     .vscode .vscode     benchmarking benchmarking     docs docs     examples examples     src src     .gitignore .gitignore     README.md README.md     bun.lock bun.lock     bunfig.toml bunfig.toml     package.json package.json     tsconfig.json tsconfig.json     vite.config.ts vite.config.ts     View all files Repository files navigation README Shokupan 🍞 A delightful, type-safe web framework for Bun Built for Developer Experience Shokupan is designed to make building APIs delightful again. With zero-config defaults, instant startup times, and full type safety out of the box, you can focus on building your product, not configuring your framework. Note: Shokupan is still in alpha and is not guaranteed to be stable. Please use with caution. We will be adding more features and APIs in the future. Please file an issue if you find any bugs or have suggestions for improvement. 📚 Full documentation available at https://shokupan.dev ✨ Features 🎯 TypeScript First - End-to-end type safety with decorators and generics. No manual types needed. 🛠️ Zero Config - Works effectively out of the box. No complex setup or boilerplate. 🚀 Built for Bun - Native Bun performance with instant startup. 🔍 Debug Dashboard - Visual inspector for your routes, middleware, and request flow. 📝 Auto OpenAPI - Generate OpenAPI specs automatically from routes. 🔌 Rich Plugin System - CORS, Sessions, Auth, Validation, Rate Limiting, and more. 🌐 Flexible Routing - Express-style routes or decorator-based controllers. 🔀 Express Compatible - Works with Express middleware patterns. 📊 Built-in Telemetry - OpenTelemetry instrumentation out of the box. 🔐 OAuth2 Support - GitHub, Google, Microsoft, Apple, Auth0, Okta. ✅ Multi-validator Support - Zod, Ajv, TypeBox, Valibot. 📚 OpenAPI Docs - Beautiful OpenAPI documentation with Scalar . ⏩ Short shift - Very simple migration from Express or NestJS to Shokupan. 🚀 Quick Start Bun and TypeScript are recommended for Shokupan, though it also supports Node.js and standard JavaScript. import { Shokupan , ScalarPlugin } from 'shokupan' ; const app = new Shokupan ( ) ; app . get ( '/' , ( ctx ) => ( { message : 'Hello, World!' } ) ) ; app . get ( '/hello' , ( ctx ) => "world" ) ; app . mount ( '/scalar' , new ScalarPlugin ( { enableStaticAnalysis : true } ) ) ; app . listen ( ) ; That's it! Your server is running at http://localhost:3000 🎉 📖 Table of Contents Core Concepts Routing Controllers Middleware Context Static Files Plugins CORS Compression Rate Limiting Security Headers Sessions Authentication Validation Scalar (OpenAPI) Advanced Features Dependency Injection OpenAPI Generation Sub-Requests OpenTelemetry Migration Guides From Express From Koa From NestJS Using Express Middleware Testing Deployment Production Best Practices 📚 CLI Tools API Reference Roadmap Core Concepts Routing Shokupan supports Express-style routing with a clean, intuitive API: Basic Routes import { Shokupan } from 'shokupan' ; const app = new Shokupan ( ) ; // GET request app . get ( '/users' , ( ctx ) => { return { users : [ 'Alice' , 'Bob' ] } ; } ) ; // POST request app . post ( '/users' , async ( ctx ) => { const body = await ctx . body ( ) ; return { created : body } ; } ) ; // PUT, PATCH, DELETE app . put ( '/users/:id' , ( ctx ) => ( { updated : ctx . params . id } ) ) ; app . patch ( '/users/:id' , ( ctx ) => ( { patched : ctx . params . id } ) ) ; app . delete ( '/users/:id' , ( ctx ) => ( { deleted : ctx . params . id } ) ) ; app . listen ( ) ; Path Parameters app . get ( '/users/:id' , ( ctx ) => { const userId = ctx . params . id ; return { id : userId , name : 'Alice' } ; } ) ; app . get ( '/posts/:postId/comments/:commentId' , ( ctx ) => { return { postId : ctx . params . postId , commentId : ctx . params . commentId } ; } ) ; Query Strings app . get ( '/search' , ( ctx ) => { const query = ctx . query . get ( 'q' ) ; const page = ctx . query . get ( 'page' ) || '1' ; return { query , page : parseInt ( page ) , results : [ ] } ; } ) ; // GET /search?q=shokupan&page=2 Routers import { ShokupanRouter } from 'shokupan' ; const apiRouter = new ShokupanRouter ( ) ; apiRouter . get ( '/users' , ( ctx ) => ( { users : [ ] } ) ) ; apiRouter . get ( '/posts' , ( ctx ) => ( { posts : [ ] } ) ) ; // Mount router under /api prefix app . mount ( '/api' , apiRouter ) ; // Available at: // GET /api/users // GET /api/posts Controllers Use decorators for a more structured, class-based approach: import { Controller , Get , Post , Put , Delete , Param , Body , Query } from 'shokupan' ; export class UserController { @ Get ( '/' ) async getUsers ( @ Query ( 'role' ) role ?: string ) { return { users : [ 'Alice' , 'Bob' ] , filter : role || 'all' } ; } @ Get ( '/:id' ) async getUserById ( @ Param ( 'id' ) id : string ) { return { id , name : 'Alice' , email : 'alice@example.com' } ; } @ Post ( '/' ) async createUser ( @ Body ( ) body : any ) { return { message : 'User created' , data : body } ; } @ Put ( '/:id' ) async updateUser ( @ Param ( 'id' ) id : string , @ Body ( ) body : any ) { return { message : 'User updated' , id , data : body } ; } @ Delete ( '/:id' ) async deleteUser ( @ Param ( 'id' ) id : string ) { return { message : 'User deleted' , id } ; } } // Mount the controller app . mount ( '/api' , UserController ) ; Available Decorators @Get(path) - GET route @Post(path) - POST route @Put(path) - PUT route @Patch(path) - PATCH route @Delete(path) - DELETE route @Options(path) - OPTIONS route @Head(path) - HEAD route @All(path) - Match all HTTP methods Parameter Decorators: @Param(name) - Extract path parameter @Query(name) - Extract query parameter @Body() - Parse request body @Headers(name) - Extract header @Ctx() - Access full context @Req() - Access request object WebSockets Notice: The WebSocket API is currently in an experimental stage and subject to change. Shokupan provides native WebSocket handling and an HTTP Bridge feature. Event Decorator Handle WebSocket events directly in your controllers: import { Controller , Event , ShokupanContext } from 'shokupan' ; @ Controller ( '/chat' ) export class ChatController { @ Event ( 'message' ) async onMessage ( ctx : ShokupanContext ) { const payload = await ctx . body ( ) ; console . log ( 'Received:' , payload ) ; // Reply using underlying socket // Native Bun: ctx.socket is ServerWebSocket // Socket.IO: ctx.socket is Socket ctx . emit ( 'ack' , 'received' ) ; } } Socket.IO Support Easily integrate Socket.IO and wire up your event decorators via the built-in helper: import { Shokupan } from 'shokupan' ; import { Server } from 'socket.io' ; import { attachSocketIOBridge } from 'shokupan' ; const app = new Shokupan ( { enableHttpBridge : false } ) ; const server = await app . listen ( 3000 ) ; // Attach Socket.IO const io = new Server ( server . nodeServer ) ; // For Node.js attachSocketIOBridge ( io , app ) ; HTTP Bridge Expose your HTTP API over WebSockets (set enableHttpBridge: true in config). Client sends: { type: "HTTP", method: "GET", path: "/api/users", ... } Server responds: { type: "RESPONSE", status: 200, body: ... } Middleware Middleware functions have access to the context and can control request flow: import { Middleware } from 'shokupan' ; // Simple logging middleware const logger : Middleware = async ( ctx , next ) => { console . log ( ` ${ ctx . method } ${ ctx . path } ` ) ; const start = Date . now ( ) ; const result = await next ( ) ; console . log ( ` ${ ctx . method } ${ ctx . path } - ${ Date . now ( ) - start } ms` ) ; return result ; } ; app . use ( logger ) ; // Authentication middleware const auth : Middleware = async ( ctx , next ) => { const token = ctx . headers . get ( 'Authorization' ) ; if ( ! token ) { return ctx . json ( { error : 'Unauthorized' } , 401 ) ; } // Validate token and attach user to state ctx . state . user = { id : '123' , name : 'Alice' } ; return next ( ) ; } ; // Apply to specific routes app . get ( '/protected' , auth , ( ctx ) => { return { user : ctx . state . user } ; } ) ; Or use with decorators: import { Use } from 'shokupan' ; @ Controller ( '/admin' ) @ Use ( auth ) // Apply to all routes in controller export class AdminController { @ Get ( '/dashboard' ) getDashboard ( @ Ctx ( ) ctx ) { return { user : ctx . state . user } ; } } Context The ShokupanContext provides a rich API for handling requests and responses: app . get ( '/demo' , async ( ctx ) => { // Request properties ctx . method ; // HTTP method ctx . path ; // URL path ctx . url ; // Full URL ctx . params ; // Path parameters ctx . query ; // Query string (URLSearchParams) ctx . headers ; // Headers (Headers object) // Request body const body = await ctx . body ( ) ; // Auto-parsed JSON/form/multipart const json = await ctx . req . json ( ) ; // JSON body const text = await ctx . req . text ( ) ; // Text body const form = await ctx . req . formData ( ) ; // Form data // State (shared across middleware) ctx . state . user = { id : '123' } ; // Response helpers return ctx . json ( { message : 'Hello' } ) ; // JSON response return ctx . text ( 'Hello World' ) ; // Text response return ctx . html ( '<h1>Hello</h1>' ) ; // HTML response return ctx . redirect ( '/new-path' ) ; // Redirect // Set response headers ctx . set ( 'X-Custom-Header' , 'value' ) ; // Set cookies ctx . setCookie ( 'session' , 'abc123' , { httpOnly : true , secure : true , maxAge : 3600 } ) ; // Return Response directly return new Response ( 'Custom response' , { status : 200 , headers : { 'Content-Type' : 'text/plain' } } ) ; } ) ; Static Files Serve static files with directory listing support: // Serve static files from a directory app . static ( '/public' , { root : './public' , listDirectory : true // Enable directory listing } ) ; // Multiple static directories app . static ( '/images' , { root : './assets/images' , listDirectory : true } ) ; app . static ( '/js' , { root : './assets/js' , listDirectory : false } ) ; // Files available at: // GET /public/style.css -> ./public/style.css // GET /images/logo.png -> ./assets/images/logo.png 🔌 Plugins CORS Configure Cross-Origin Resource Sharing: import { Cors } from 'shokupan' ; // Simple CORS - allow all origins app . use ( Cors ( ) ) ; // Custom configuration app . use ( Cors ( { origin : 'https://example.com' , methods : [ 'GET' , 'POST' , 'PUT' ] , credentials : true , maxAge : 86400 } ) ) ; // Multiple origins app . use ( Cors ( { origin : [ 'https://example.com' , 'https://app.example.com' ] , credentials : true } ) ) ; // Dynamic origin validation app . use ( Cors ( { origin : ( ctx ) => { const origin = ctx . headers . get ( 'origin' ) ; // Validate origin dynamically return origin ?. endsWith ( '.example.com' ) ? origin : false ; } , credentials : true } ) ) ; // Full options app . use ( Cors ( { origin : '*' , // or string, string[], function methods : 'GET,POST,PUT,DELETE' , // or string[] allowedHeaders : [ 'Content-Type' ] , // or string exposedHeaders : [ 'X-Total-Count' ] , // or string credentials : true , maxAge : 86400 // Preflight cache duration } ) ) ; Compression Enable response compression: import { Compression } from 'shokupan' ; // Simple compression app . use ( Compression ( ) ) ; // Custom configuration app . use ( Compression ( { threshold : 1024 , // Only compress responses larger than 1KB level : 6 // Compression level (1-9) } ) ) ; Rate Limiting Protect your API from abuse: import { RateLimit } from 'shokupan' ; // Basic rate limiting - 100 requests per 15 minutes app . use ( RateLimit ( { windowMs : 15 * 60 * 1000 , max : 100 } ) ) ; // Different limits for different routes const apiLimiter = RateLimit ( { windowMs : 15 * 60 * 1000 , max : 100 , message : 'Too many requests from this IP' } ) ; const authLimiter = RateLimit ( { windowMs : 15 * 60 * 1000 , max : 5 , message : 'Too many login attempts' } ) ; app . use ( '/api' , apiLimiter ) ; app . use ( '/auth/login' , authLimiter ) ; // Custom key generator app . use ( RateLimit ( { windowMs : 15 * 60 * 1000 , max : 100 , keyGenerator : ( ctx ) => { // Rate limit by user ID instead of IP return ctx . state . user ?. id || ctx . ip ; } } ) ) ; Security Headers Add security headers to responses: import { SecurityHeaders } from 'shokupan' ; // Default secure headers app . use ( SecurityHeaders ( ) ) ; // Custom configuration app . use ( SecurityHeaders ( { contentSecurityPolicy : { directives : { defaultSrc : [ "'self'" ] , styleSrc : [ "'self'" , "'unsafe-inline'" ] , scriptSrc : [ "'self'" , "https://trusted-cdn.com" ] , imgSrc : [ "'self'" , "data:" , "https:" ] } } , hsts : { maxAge : 31536000 , includeSubDomains : true , preload : true } , frameguard : { action : 'deny' } } ) ) ; Sessions Session management with connect-style store support: import { Session } from 'shokupan' ; // Basic session with memory store (development only) app . use ( Session ( { secret : 'your-secret-key' } ) ) ; // Full configuration app . use ( Session ( { secret : 'your-secret-key' , name : 'sessionId' , // Cookie name resave : false , // Don't save unchanged sessions saveUninitialized : false , // Don't create sessions until needed cookie : { httpOnly : true , secure : true , // HTTPS only maxAge : 24 * 60 * 60 * 1000 , // 24 hours sameSite : 'lax' } } ) ) ; // Use session in routes app . get ( '/login' , async ( ctx ) => { ctx . session . user = { id : '123' , name : 'Alice' } ; return { message : 'Logged in' } ; } ) ; app . get ( '/profile' , ( ctx ) => { if ( ! ctx . session . user ) { return ctx . json ( { error : 'Not authenticated' } , 401 ) ; } return ctx . session . user ; } ) ; app . get ( '/logout' , ( ctx ) => { ctx . session . destroy ( ) ; return { message : 'Logged out' } ; } ) ; Using Connect-Style Session Stores Shokupan is compatible with connect/express-session stores: import { Session } from 'shokupan' ; import RedisStore from 'connect-redis' ; import { createClient } from 'redis' ; // Redis session store const redisClient = createClient ( ) ; await redisClient . connect ( ) ; app . use ( Session ( { secret : 'your-secret-key' , store : new RedisStore ( { client : redisClient } ) , cookie : { maxAge : 24 * 60 * 60 * 1000 } } ) ) ; Compatible stores include: connect-redis - Redis connect-mongo - MongoDB connect-sqlite3 - SQLite session-file-store - File system Any connect-compatible session store Authentication Built-in OAuth2 support with multiple providers: import { AuthPlugin } from 'shokupan' ; const auth = new AuthPlugin ( { jwtSecret : 'your-jwt-secret' , jwtExpiration : '7d' , // Cookie configuration cookieOptions : { httpOnly : true , secure : true , sameSite : 'lax' } , // GitHub OAuth github : { clientId : process . env . GITHUB_CLIENT_ID ! , clientSecret : process . env . GITHUB_CLIENT_SECRET ! , redirectUri : 'http://localhost:3000/auth/github/callback' } , // Google OAuth google : { clientId : process . env . GOOGLE_CLIENT_ID ! , clientSecret : process . env . GOOGLE_CLIENT_SECRET ! , redirectUri : 'http://localhost:3000/auth/google/callback' } , // Microsoft OAuth microsoft : { clientId : process . env . MICROSOFT_CLIENT_ID ! , clientSecret : process . env . MICROSOFT_CLIENT_SECRET ! , redirectUri : 'http://localhost:3000/auth/microsoft/callback' , tenantId : 'common' } , // Apple OAuth apple : { clientId : process . env . APPLE_CLIENT_ID ! , clientSecret : process . env . APPLE_CLIENT_SECRET ! , redirectUri : 'http://localhost:3000/auth/apple/callback' , teamId : process . env . APPLE_TEAM_ID ! , keyId : process . env . APPLE_KEY_ID ! } , // Auth0 auth0 : { clientId : process . env . AUTH0_CLIENT_ID ! , clientSecret : process . env . AUTH0_CLIENT_SECRET ! , redirectUri : 'http://localhost:3000/auth/auth0/callback' , domain : 'your-tenant.auth0.com' } , // Okta okta : { clientId : process . env . OKTA_CLIENT_ID ! , clientSecret : process . env . OKTA_CLIENT_SECRET ! , redirectUri : 'http://localhost:3000/auth/okta/callback' , domain : 'your-domain.okta.com' } , // Custom OAuth2 oauth2 : { clientId : 'your-client-id' , clientSecret : 'your-client-secret' , redirectUri : 'http://localhost:3000/auth/custom/callback' , authUrl : 'https://provider.com/oauth/authorize' , tokenUrl : 'https://provider.com/oauth/token' , userInfoUrl : 'https://provider.com/oauth/userinfo' } } ) ; // Mount auth routes at /auth app . mount ( '/auth' , auth ) ; // Protect routes with auth middleware app . get ( '/protected' , auth . middleware ( ) , ( ctx ) => { return { user : ctx . state . user } ; } ) ; // Available auth routes: // GET /auth/github // GET /auth/github/callback // GET /auth/google // GET /auth/google/callback // ... (and all other providers) Validation Validate request data with your favorite validation library: import { validate } from 'shokupan' ; import { z } from 'zod' ; // Zod validation const userSchema = z . object ( { name : z . string ( ) . min ( 2 ) , email : z . string ( ) . email ( ) , age : z . number ( ) . min ( 18 ) } ) ; app . post ( '/users' , validate ( { body : userSchema } ) , async ( ctx ) => { const body = await ctx . body ( ) ; // Already validated! return { created : body } ; } ) ; // Validate query parameters const searchSchema = z . object ( { q : z . string ( ) , page : z . coerce . number ( ) . default ( 1 ) , limit : z . coerce . number ( ) . max ( 100 ) . default ( 10 ) } ) ; app . get ( '/search' , validate ( { query : searchSchema } ) , ( ctx ) => { const q = ctx . query . get ( 'q' ) ; const page = ctx . query . get ( 'page' ) ; return { q , page } ; } ) ; // Validate path parameters app . get ( '/users/:id' , validate ( { params : z . object ( { id : z . string ( ) . uuid ( ) } ) } ) , ( ctx ) => { return { id : ctx . params . id } ; } ) ; // Validate headers app . post ( '/webhook' , validate ( { headers : z . object ( { 'x-webhook-signature' : z . string ( ) } ) } ) , async ( ctx ) => { // Process webhook } ) ; TypeBox Validation import { Type } from '@sinclair/typebox' ; import { validate } from 'shokupan' ; const UserSchema = Type . Object ( { name : Type . String ( { minLength : 2 } ) , email : Type . String ( { format : 'email' } ) , age : Type . Number ( { minimum : 18 } ) } ) ; app . post ( '/users' , validate ( { body : UserSchema } ) , async ( ctx ) => { const user = await ctx . body ( ) ; return { created : user } ; } ) ; Ajv Validation import Ajv from 'ajv' ; import { validate } from 'shokupan' ; const ajv = new Ajv ( ) ; const userSchema = ajv . compile ( { type : 'object' , properties : { name : { type : 'string' , minLength : 2 } , email : { type : 'string' , format : 'email' } , age : { type : 'number' , minimum : 18 } } , required : [ 'name' , 'email' , 'age' ] } ) ; app . post ( '/users' , validate ( { body : userSchema } ) , async ( ctx ) => { const user = await ctx . body ( ) ; return { created : user } ; } ) ; Valibot Validation import * as v from 'valibot' ; import { validate , valibot } from 'shokupan' ; const UserSchema = v . object ( { name : v . pipe ( v . string ( ) , v . minLength ( 2 ) ) , email : v . pipe ( v . string ( ) , v . email ( ) ) , age : v . pipe ( v . number ( ) , v . minValue ( 18 ) ) } ) ; app . post ( '/users' , validate ( { body : valibot ( UserSchema , v . parseAsync ) } ) , async ( ctx ) => { const user = await ctx . body ( ) ; return { created : user } ; } ) ; Scalar (OpenAPI) Beautiful, interactive API documentation: import { ScalarPlugin } from 'shokupan' ; app . mount ( '/docs' , new ScalarPlugin ( { baseDocument : { info : { title : 'My API' , version : '1.0.0' , description : 'API documentation' } } , config : { theme : 'purple' , layout : 'modern' } } ) ) ; // Access docs at http://localhost:3000/docs The Scalar plugin automatically generates OpenAPI documentation from your routes and controllers! Proxy Create a reverse proxy to forward requests to another server: import { Proxy } from 'shokupan' ; app . use ( '/api/v1' , Proxy ( { target : 'https://api.example.com' , changeOrigin : true , pathRewrite : ( path ) => path . replace ( '/api/v1' , '' ) , headers : { 'X-Custom-Header' : 'Proxy' } } ) ) ; // Proxy WebSockets app . use ( '/socket' , Proxy ( { target : 'ws://ws.example.com' , ws : true } ) ) ; OpenAPI Validator Validate incoming requests against your generated OpenAPI specification: import { enableOpenApiValidation } from 'shokupan' ; const app = new Shokupan ( { enableOpenApiGen : true } ) ; // Enable validation middleware // This validates Body, Query, Params, and Headers against your OpenAPI definitions enableOpenApiValidation ( app ) ; app . post ( '/users' , { parameters : [ { name : 'apiKey' , in : 'header' , required : true , schema : { type : 'string' } } ] , requestBody : { content : { 'application/json' : { schema : { type : 'object' , required : [ 'name' ] , properties : { name : { type : 'string' , minLength : 3 } } } } } } } , ( ctx ) => { return { success : true } ; } ) ; // Invalid requests will throw a ValidationError (400 Bad Request) Idempotency Ensure that multiple identical requests do not result in different outcomes (e.g., duplicate payments). This middleware caches the response of the first request and returns it for subsequent requests with the same idempotency key. import { Idempotency } from 'shokupan' ; app . post ( '/payments' , Idempotency ( { header : 'Idempotency-Key' , // default ttl : 24 * 60 * 60 * 1000 // default 24h } ) , async ( ctx ) => { // Process payment... return { status : 'charged' } ; } ) ; Failed Request Recorder Automatically record failed requests (500s) for debugging and replay purposes. import { FailedRequestRecorder } from 'shokupan' ; app . use ( FailedRequestRecorder ( { maxCapacity : 1000 , ttl : 86400000 // 1 day } ) ) ; This works great when combined with the Debug Dashboard. Debug Dashboard A visual dashboard to inspect your application, view metrics, analyze the middleware graph, and replay failed requests. import { Dashboard } from 'shokupan' ; // Mount the dashboard app . mount ( '/debug' , new Dashboard ( { retentionMs : 2 * 60 * 60 * 1000 , // Keep 2 hours of logs getRequestHeaders : ( ) => ( { 'Authorization' : 'Bearer ...' // Headers to using when replaying requests and accessing data APIs } ) } ) ) ; // Available at http://localhost:3000/debug 🚀 Advanced Features Dependency Injection Shokupan includes a simple but powerful DI container: import { Container } from 'shokupan' ; // Register services class Database { query ( sql : string ) { return [ ] ; } } class UserService { constructor ( private db : Database ) { } getUsers ( ) { return this . db . query ( 'SELECT * FROM users' ) ; } } Container . register ( 'db' , Database ) ; Container . register ( 'userService' , UserService ) ; // Use in controllers @ Controller ( '/users' ) export class UserController { constructor ( private userService : UserService = Container . resolve ( 'userService' ) ) { } @ Get ( '/' ) getUsers ( ) { return this . userService . getUsers ( ) ; } } OpenAPI Generation Generate OpenAPI specs automatically and add custom documentation: // Add OpenAPI metadata to routes app . get ( '/users/:id' , { summary : 'Get user by ID' , description : 'Retrieves a single user by their unique identifier' , tags : [ 'Users' ] , parameters : [ { name : 'id' , in : 'path' , required : true , schema : { type : 'string' } } ] , responses : { 200 : { description : 'User found' , content : { 'application/json' : { schema : { type : 'object' , properties : { id : { type : 'string' } , name : { type : 'string' } , email : { type : 'string' } } } } } } , 404 : { description : 'User not found' } } } , ( ctx ) => { return { id : ctx . params . id , name : 'Alice' } ; } ) ; // Generate OpenAPI spec const spec = app . computeOpenAPISpec ( { info : { title : 'My API' , version : '1.0.0' } } ) ; Sub-Requests Make internal requests without HTTP overhead: import { ShokupanRouter } from 'shokupan' ; const router = new ShokupanRouter ( ) ; // Service endpoints router . get ( '/wines/red' , async ( ctx ) => { const response = await fetch ( 'https://api.sampleapis.com/wines/reds' ) ; return response . json ( ) ; } ) ; router . get ( '/wines/white' , async ( ctx ) => { const response = await fetch ( 'https://api.sampleapis.com/wines/whites' ) ; return response . json ( ) ; } ) ; // Aggregate endpoint using sub-requests router . get ( '/wines/all' , async ( ctx ) => { // Make parallel sub-requests const [ redResponse , whiteResponse ] = await Promise . all ( [ router . internalRequest ( '/wines/red' ) , router . internalRequest ( '/wines/white' ) ] ) ; const red = await redResponse . json ( ) ; const white = await whiteResponse . json ( ) ; return { red , white } ; } ) ; app . mount ( '/api' , router ) ; // GET /api/wines/all // Returns both red and white wines aggregated Sub-requests are great for: Service composition Backend-for-Frontend (BFF) patterns Internal API aggregation Testing OpenTelemetry Built-in distributed tracing support: const app = new Shokupan ( { port : 3000 , development : true , enableAsyncLocalStorage : true // Enable for better trace context } ) ; // Tracing is automatic! // All routes and middleware are instrumented // Sub-requests maintain trace context Configure OpenTelemetry exporters in your environment: // src/instrumentation.ts import { NodeTracerProvider } from '@opentelemetry/sdk-trace-node' ; import { OTLPTraceExporter } from '@opentelemetry/exporter-trace-otlp-proto' ; const provider = new NodeTracerProvider ( ) ; provider . addSpanProcessor ( new BatchSpanProcessor ( new OTLPTraceExporter ( { url : 'http://localhost:4318/v1/traces' } ) ) ) ; provider . register ( ) ; Server Factory (Node.js & Deno) Run Shokupan on Node.js or Deno using the server adapter: import { Shokupan , createHttpServer } from 'shokupan' ; const app = new Shokupan ( { // Use Node.js http module serverFactory : createHttpServer ( ) } ) ; app . get ( '/' , ( ) => ( { message : 'Running on Node!' } ) ) ; app . listen ( 3000 ) ; Automatic Backpressure Protect your server from overload by shedding load when CPU usage is high: const app = new Shokupan ( { // Monitor CPU and reject requests when usage > 80% autoBackpressureFeedback : true , autoBackpressureLevel : 80 } ) ; When the threshold is reached, the server will return 429 Too Many Requests . 📦 Migration Guides From Express Shokupan is designed to feel familiar to Express developers. Here's how to migrate: Basic Server Express: import express from 'express' ; const app = express ( ) ; app . get ( '/' , ( req , res ) => { res . json ( { message : 'Hello' } ) ; } ) ; app . listen ( 3000 ) ; Shokupan: import { Shokupan } from 'shokupan' ; const app = new Shokupan ( { port : 3000 } ) ; app . get ( '/' , ( ctx ) => { return { message : 'Hello' } ; } ) ; app . listen ( ) ; Request/Response Express: app . get ( '/users/:id' , ( req , res ) => { const id = req . params . id ; const page = req . query . page ; const token = req . headers . authorization ; res . status ( 200 ) . json ( { id , page , authenticated : ! ! token } ) ; } ) ; Shokupan: app . get ( '/users/:id' , ( ctx ) => { const id = ctx . params . id ; const page = ctx . query . get ( 'page' ) ; const token = ctx . headers . get ( 'authorization' ) ; return ctx . json ( { id , page , authenticated : ! ! token } , 200 ) ; // Or simply return an object (auto JSON, status 200) return { id , page , authenticated : ! ! token } ; } ) ; Middleware Express: app . use ( ( req , res , next ) => { console . log ( ` ${ req . method } ${ req . path } ` ) ; next ( ) ; } ) ; app . use ( express . json ( ) ) ; app . use ( cors ( ) ) ; Shokupan: import { Cors } from 'shokupan' ; app . use ( async ( ctx , next ) => { console . log ( ` ${ ctx . method } ${ ctx . path } ` ) ; return next ( ) ; } ) ; // Body parsing is built-in, no middleware needed app . use ( Cors ( ) ) ; Static Files Express: app . use ( '/public' , express . static ( 'public' ) ) ; Shokupan: app . static ( '/public' , { root : './public' , listDirectory : true } ) ; Key Differences Context vs Req/Res : Shokupan uses a single ctx object Return vs Send : Return values directly instead of calling res.json() or res.send() Built-in Parsing : Body parsing is automatic, no need for express.json() Async by Default : All handlers and middleware are naturally async Web Standard APIs : Uses Headers , URL , Response etc. from web standards From Koa Shokupan's context-based approach is heavily inspired by Koa: Basic Differences Koa: import Koa from 'koa' ; const app = new Koa ( ) ; app . use ( async ( ctx , next ) => { ctx . body = { message : 'Hello' } ; } ) ; app . listen ( 3000 ) ; Shokupan: import { Shokupan } from 'shokupan' ; const app = new Shokupan ( { port : 3000 } ) ; app . get ( '/' , async ( ctx ) => { return { message : 'Hello' } ; } ) ; app . listen ( ) ; Middleware Koa: app . use ( async ( ctx , next ) => { const start = Date . now ( ) ; await next ( ) ; const ms = Date . now ( ) - start ; console . log ( ` ${ ctx . method } ${ ctx . url } - ${ ms } ms` ) ; } ) ; Shokupan: app . use ( async ( ctx , next ) => { const start = Date . now ( ) ; const result = await next ( ) ; const ms = Date . now ( ) - start ; console . log ( ` ${ ctx . method } ${ ctx . url } - ${ ms } ms` ) ; return result ; // Don't forget to return! } ) ; Routing Koa (with koa-router): import Router from '@koa/router' ; const router = new Router ( ) ; router . get ( '/users/:id' , ( ctx ) => { ctx . body = { id : ctx . params . id } ; } ) ; app . use ( router . routes ( ) ) ; Shokupan: import { ShokupanRouter } from 'shokupan' ; const router = new ShokupanRouter ( ) ; router . get ( '/users/:id' , ( ctx ) => { return { id : ctx . params . id } ; } ) ; app . mount ( '/' , router ) ; Key Differences Return Value : Shokupan requires returning the response from middleware Routing : Built-in routing, no need for external router package Context Properties : Some property names differ ( ctx.path vs ctx.url ) Body Parsing : Built-in, no need for koa-bodyparser From NestJS Moving from NestJS to Shokupan: Controllers NestJS: import { Controller , Get , Post , Param , Body } from '@nestjs/common' ; @ Controller ( 'users' ) export class UserController { @ Get ( ':id' ) getUser ( @ Param ( 'id' ) id : string ) { return { id , name : 'Alice' } ; } @ Post ( ) createUser ( @ Body ( ) body : CreateUserDto ) { return { created : body } ; } } Shokupan: import { Controller , Get , Post , Param , Body } from 'shokupan' ; @ Controller ( '/users' ) export class UserController { @ Get ( '/:id' ) getUser ( @ Param ( 'id' ) id : string ) { return { id , name : 'Alice' } ; } @ Post ( '/' ) createUser ( @ Body ( ) body : CreateUserDto ) { return { created : body } ; } } Dependency Injection NestJS: import { Injectable } from '@nestjs/common' ; @ Injectable ( ) export class UserService { getUsers ( ) { return [ ] ; } } @ Controller ( 'users' ) export class UserController { constructor ( private userService : UserService ) { } @ Get ( ) getUsers ( ) { return this . userService . getUsers ( ) ; } } Shokupan: import { Container } from 'shokupan' ; class UserService { getUsers ( ) { return [ ] ; } } Container . register ( 'userService' , UserService ) ; @ Controller ( '/users' ) export class UserController { constructor ( private userService : UserService = Container . resolve ( 'userService' ) ) { } @ Get ( '/' ) getUsers ( ) { return this . userService . getUsers ( ) ; } } Guards NestJS: import { CanActivate , ExecutionContext } from '@nestjs/common' ; export class AuthGuard implements CanActivate { canActivate ( context : ExecutionContext ) : boolean { const request = context . switchToHttp ( ) . getRequest ( ) ; return validateToken ( request . headers . authorization ) ; } } @ Controller ( 'admin' ) @ UseGuards ( AuthGuard ) export class AdminController { } Shokupan: import { Middleware , Use } from 'shokupan' ; const authGuard : Middleware = async ( ctx , next ) => { if ( ! validateToken ( ctx . headers . get ( 'authorization' ) ) ) { return ctx . json ( { error : 'Unauthorized' } , 401 ) ; } return next ( ) ; } ; @ Controller ( '/admin' ) @ Use ( authGuard ) export class AdminController { } Validation NestJS: import { IsString , IsEmail , IsNumber } from 'class-validator' ; export class CreateUserDto { @ IsString ( ) name : string ; @ IsEmail ( ) email : string ; @ IsNumber ( ) age : number ; } Shokupan: import { z } from 'zod' ; import { validate } from 'shokupan' ; const createUserSchema = z . object ( { name : z . string ( ) , email : z . string ( ) . email ( ) , age : z . number ( ) } ) ; @ Post ( '/' ) @ Use ( validate ( { body : createUserSchema } ) ) createUser ( @ Body ( ) body : any ) { return { created : body } ; } Key Differences Lighter DI : Manual registration vs automatic Middleware over Guards : Use middleware pattern instead of guards Validation Libraries : Use Zod/Ajv/TypeBox instead of class-validator Module System : No modules, simpler structure Less Boilerplate : More straightforward setup Using Express Middleware Many Express middleware packages work with Shokupan: import { Shokupan , useExpress } from 'shokupan' ; import helmet from 'helmet' ; import compression from 'compression' ; const app = new Shokupan ( ) ; // Use Express middleware app . use ( useExpress ( helmet ( ) ) ) ; app . use ( useExpress ( compression ( ) ) ) ; Note : While many Express middleware will work, native Shokupan plugins are recommended for better performance and TypeScript support. 🧪 Testing Shokupan applications are easy to test using Bun's built-in test runner. It can directly pass requests to the application or a router without requiring the server to fully start, bind to a port or listen for connections. This makes mocking the server unnecessary and allows for faster and more reliable testing. Additionally you can directly test authenticated endpoints without the need for a session or cookie. import { describe , it , expect } from 'bun:test' ; import { Shokupan } from 'shokupan' ; describe ( 'My App' , ( ) => { it ( 'should return hello world' , async ( ) => { const app = new Shokupan ( ) ; app . get ( '/' , ( ) => ( { message : 'Hello' } ) ) ; // Process a request without starting the server const res = await app . testRequest ( { method : 'GET' , path : '/' } ) ; expect ( res . status ) . toBe ( 200 ) ; expect ( res . data ) . toEqual ( { message : 'Hello' } ) ; } ) ; } ) ; 🚢 Deployment Since Shokupan is built on Bun, deployment is straightforward. Using Bun bun run src/main.ts Docker FROM oven/bun:1-alpine WORKDIR /app COPY . . RUN bun install --production EXPOSE 3000 CMD [ "bun" , "run" , "src/main.ts" ] 🛠️ CLI Tools Shokupan includes a CLI for scaffolding: # Install globally bun add -g shokupan # Or use with bunx bunx shokupan Generate Controller shokupan generate controller User # or skp g controller User Generates: import { Controller , Get , Post , Put , Delete , Param , Body } from 'shokupan' ; @ Controller ( '/user' ) export class UserController { @ Get ( '/' ) async getAll ( ) { return { users : [ ] } ; } @ Get ( '/:id' ) async getById ( @ Param ( 'id' ) id : string ) { return { id } ; } @ Post ( '/' ) async create ( @ Body ( ) body : any ) { return { created : body } ; } @ Put ( '/:id' ) async update ( @ Param ( 'id' ) id : string , @ Body ( ) body : any ) { return { id , updated : body } ; } @ Delete ( '/:id' ) async delete ( @ Param ( 'id' ) id : string ) { return { id , deleted : true } ; } } Generate Middleware shokupan generate middleware auth # or skp g middleware auth Generate Plugin shokupan generate plugin custom # or skp g plugin custom 📚 API Reference Shokupan Class Main application class. const app = new Shokupan ( config ?: ShokupanConfig ) ; Config Options: port?: number - Port to listen on (default: 3000) hostname?: string - Hostname (default: "localhost") development?: boolean - Development mode (default: auto-detect) enableAsyncLocalStorage?: boolean - Enable async context tracking enableTracing?: boolean - Enable OpenTelemetry tracing enableOpenApiGen?: boolean - Enable OpenAPI spec generation (default: true) controllersOnly?: boolean - If true, only allows controllers, disabling app.get/post/etc (default: false) requestTimeout?: number - Global request timeout (ms) readTimeout?: number - Request body read timeout (ms) serverFactory?: ServerFactory - Custom server factory (for Node.js/Deno support) autoBackpressureFeedback?: boolean - Enable automatic load shedding based on CPU usage autoBackpressureLevel?: number - CPU usage % threshold for backpressure (default: 60) logger?: Logger - Custom logger instance Methods: add({ method, path, spec, handler, regex, group) - Add a route with any HTTP method. get(path, spec?, ...handlers) - Add GET route post(path, spec?, ...handlers) - Add POST route put(path, spec?, ...handlers) - Add PUT route patch(path, spec?, ...handlers) - Add PATCH route delete(path, spec?, ...handlers) - Add DELETE route options(path, spec?, ...handlers) - Add OPTIONS route head(path, spec?, ...handlers) - Add HEAD route use(middleware) - Add middleware mount(path, controller) - Mount controller or router static(path, options) - Serve static files listen(port?) - Start server testRequest(options) - Process request (for testing purposes) internalRequest(options) - Make sub-request computeOpenAPISpec(base) - Generate OpenAPI spec ShokupanRouter Class Router for grouping operations, applying middleware, and mounting controllers. Additionally they are effective for creating sub-applications that are independently tested. Routers can have OpenAPI spec applied to all endpoints of the router. Additionally they can be mounted onto the main application or other routers. When a router is mounted to an app, if you are using the DebugView plugin you will be able to see it under the Registry tab and the Graph tab. const router = new ShokupanRouter ( config ?: ShokupanRouteConfig ) ; Config Options: name?: string - Name of the router group?: string - Group of the router openapi?: boolean - OpenAPI spec applied to all endpoints of the router Methods: add({ method, path, spec, handler, regex, group) - Add a route with any HTTP method. get(path, spec?, ...handlers) - Add GET route post(path, spec?, ...handlers) - Add POST route put(path, spec?, ...handlers) - Add PUT route patch(path, spec?, ...handlers) - Add PATCH route delete(path, spec?, ...handlers) - Add DELETE route options(path, spec?, ...handlers) - Add OPTIONS route head(path, spec?, ...handlers) - Add HEAD route mount(path, controller) - Mount controller or router static(path, options) - Serve static files testRequest(options) - Process request (for testing purposes) internalRequest(options) - Make sub-request ShokupanContext Request context object. Properties: req: Request - Request object method: string - HTTP method path: string - URL path url: URL - Full URL params: Record<string, string> - Path parameters query: URLSearchParams - Query parameters headers: Headers - Request headers state: Record<string, any> - Shared state object session: any - Session data (with session plugin) response: ShokupanResponse - Response builder ip: string - Client IP address hostname: string - Hostname (e.g. "localhost") host: string - Host (e.g. "localhost:3000") protocol: string - Protocol (http/https) secure: boolean - Whether the request is secure over HTTPS origin: string - Origin URL signal: AbortSignal - Request abort signal (for standard fetch requests) Methods: set(name: string, value: string): ShokupanContext - Set a response header setCookie(name: string, value: string, options?: CookieOptions): ShokupanContext - Set a response cookie send(body?: BodyInit, options?: ResponseInit): Response - Return response status(code: number): Response - Return status code default response body(): Promise<any> - Parse request body json(data: any, status?: number): ShokupanContext - Return JSON response text(data: string, status?: number): ShokupanContext - Return text response html(data: string, status?: number): ShokupanContext - Return HTML response jsx(element: any): ShokupanContext - Render a JSX element redirect(url: string, status?: number): ShokupanContext - Redirect response file(path: string, fileOptions?: BlobPropertyBag, responseOptions?: ResponseInit): Response - Return file response Container Dependency injection container. This feature is still experimental and subject to change. Container . register ( name : string , classOrFactory : any ) ; Container . resolve < T > ( name : string ) : T ; Container . clear ( ) ; 🗺️ Roadmap Current Features ✅ Built for Bun - Native performance ✅ Express Ecosystem - Middleware support ✅ TypeScript First - Decorators, Generics, Type Safety ✅ Auto OpenAPI - Scalar documentation ✅ Rich Plugin System - CORS, Session, Validation, Rate Limiting etc. ✅ Dependency Injection - Container for dependency injection ✅ OpenTelemetry - Built-in OpenTelemetry traces ✅ OAuth2 - Built-in OAuth2 support ✅ Request-Scoped Globals - Request-scoped values via AsyncLocalStorage ✅ Runtime Compatibility - Support for Deno and Node.js ✅ Deep Introspection - Type analysis for enhanced OpenAPI generation ✅ Controller Mode - Option for controller-only mode ✅ Supports Node/Deno - Shokupan can run on Node.js or Deno ✅ OpenAPI Validation - Built-in OpenAPI validation Future Features 🚧 Framework Plugins - Drop-in adapters for Express , Koa , and Elysia 🚧 Enhanced WebSockets - Event support and HTTP simulation 🚧 Benchmarks - Comprehensive performance comparisons 🚧 RPC Support - tRPC and gRPC integration 🚧 Binary Formats - Protobuf and MessagePack support 🚧 Reliability - Circuit breaker pattern for resilience 🚧 Standardized Errors - Consistent 4xx/5xx error formats 🤝 Contributing Contributions are welcome! Please feel free to submit a Pull Request. Fork the repository Create your feature branch ( git checkout -b feature/amazing-feature ) Commit your changes ( git commit -m 'Add some amazing feature' ) Publish the branch ( git push origin feature/amazing-feature ) Open a Pull Request 📝 License MIT License - see the LICENSE file for details. 🙏 Acknowledgments Inspired by Express , Koa , NestJS , and Elysia Built for the amazing Bun runtime Powered by Arctic for OAuth2 support Tests and Benchmarks created with Antigravity Made with ❤️ by the Shokupan team About A delightful, type-safe web framework for Bun shokupan.dev/ Topics javascript typescript rest-api openapi http-server developer-tools bun nodesjs opentelemetry Resources Readme Uh oh! There was an error while loading. Please reload this page . Activity Stars 20 stars Watchers 0 watching Forks 1 fork Report repository Releases 7 v0.9.0 Latest Jan 10, 2026 + 6 releases Contributors 2     Uh oh! There was an error while loading. Please reload this page . Languages HTML 89.2% TypeScript 8.6% JavaScript 1.7% CSS 0.5% 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:47:49
https://dev.to/t/bunjs/page/6
Bunjs Page 6 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # bunjs Follow Hide Create Post Older #bunjs posts 3 4 5 6 7 8 9 10 11 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Building a Fast and Compact SQLite Cache Store sjdonado sjdonado sjdonado Follow Jul 24 '24 Building a Fast and Compact SQLite Cache Store # bunjs # sqlite3 # msgpackr # cbor 2  reactions Comments Add Comment 3 min read Developing cross-platform apps with Bun v1.1 Megan Lee Megan Lee Megan Lee Follow for LogRocket Jul 16 '24 Developing cross-platform apps with Bun v1.1 # bunjs # deno # node 5  reactions Comments 2  comments 10 min read AWS Lambda in Deno or Bun Alexander Demin Alexander Demin Alexander Demin Follow Jul 4 '24 AWS Lambda in Deno or Bun # deno # bunjs # aws # awslambda 7  reactions Comments Add Comment 6 min read Should I use server-side rendering with Next.js, or would Express or Bun.js be better for scalability? Bhagat Surya Bhagat Surya Bhagat Surya Follow May 15 '24 Should I use server-side rendering with Next.js, or would Express or Bun.js be better for scalability? # discuss # nextjs # node # bunjs Comments Add Comment 1 min read Implement JWT Refresh Token Authentication with Elysia JS and Prisma: A Step-by-Step Guide Harsh Mangalam Harsh Mangalam Harsh Mangalam Follow Jun 13 '24 Implement JWT Refresh Token Authentication with Elysia JS and Prisma: A Step-by-Step Guide # prisma # typescript # webdev # bunjs 33  reactions Comments 9  comments 10 min read [Hono] Simple Messaging App Using Bun and WebSocket Yuta Kusuno Yuta Kusuno Yuta Kusuno Follow Jun 10 '24 [Hono] Simple Messaging App Using Bun and WebSocket # hono # bunjs # typescript # react 39  reactions Comments 3  comments 8 min read A crash course in using Bunjs instead of Node.js on Linux chovy chovy chovy Follow Jun 9 '24 A crash course in using Bunjs instead of Node.js on Linux # linux # bunjs # node # tutorial 1  reaction Comments Add Comment 1 min read Learn Bun.sh in Simple ways Aakash Aakash Aakash Follow Jun 9 '24 Learn Bun.sh in Simple ways # webdev # bunjs # beginners # tutorial Comments Add Comment 2 min read Getting started with Bun: A beginners guide Talha Ali Talha Ali Talha Ali Follow May 19 '24 Getting started with Bun: A beginners guide # bunjs # webdev # javascript # typescript 1  reaction Comments Add Comment 3 min read TypeScript Adventures: Prop Drilling Down the Rabbit Hole Stephen Smith Stephen Smith Stephen Smith Follow May 16 '24 TypeScript Adventures: Prop Drilling Down the Rabbit Hole # vue # typescript # vite # bunjs 5  reactions Comments Add Comment 2 min read When to Use Bun Instead of Node.js Antonello Zanini Antonello Zanini Antonello Zanini Follow for AppSignal May 15 '24 When to Use Bun Instead of Node.js # bunjs # node 3  reactions Comments Add Comment 6 min read Frameworks of BunJS: ElysiaJS and Hono Vo Van Thanh Vo Van Thanh Vo Van Thanh Follow May 15 '24 Frameworks of BunJS: ElysiaJS and Hono # webdev # javascript # bunjs # typescript 16  reactions Comments Add Comment 7 min read A new cross-platform version manager for SDKs moqsien moqsien moqsien Follow Apr 28 '24 A new cross-platform version manager for SDKs # go # node # bunjs # deno 1  reaction Comments Add Comment 1 min read Node Test Runner vs Bun Test Runner (with TypeScript and ESM) Bosco Domingo Bosco Domingo Bosco Domingo Follow Apr 26 '24 Node Test Runner vs Bun Test Runner (with TypeScript and ESM) # testing # node # bunjs # typescript 4  reactions Comments Add Comment 3 min read API using Deno and ElyasiaJS Santosh Anand Santosh Anand Santosh Anand Follow Apr 25 '24 API using Deno and ElyasiaJS # node # deno # typescript # bunjs 2  reactions Comments 1  comment 1 min read Node.js? More Like No-Go Slow! Bun.js and Elysia.js to the Rescue ✨ Muhammad Muzammil Loya Muhammad Muzammil Loya Muhammad Muzammil Loya Follow Apr 23 '24 Node.js? More Like No-Go Slow! Bun.js and Elysia.js to the Rescue ✨ # webdev # javascript # bunjs # elysiajs 1  reaction Comments Add Comment 3 min read Bun Runtime - Introduction (Part 1) Anish Ghimire Anish Ghimire Anish Ghimire Follow Apr 14 '24 Bun Runtime - Introduction (Part 1) # bunjs # javascript # cleavr # typescript 1  reaction Comments Add Comment 2 min read Run Bun! Command Guide Parth Virgoz Parth Virgoz Parth Virgoz Follow Apr 9 '24 Run Bun! Command Guide # npm # bunjs # javascript # node Comments Add Comment 2 min read Rescuing legacy Node.js projects with Bun Sadman Yasar Sayem Sadman Yasar Sayem Sadman Yasar Sayem Follow Apr 7 '24 Rescuing legacy Node.js projects with Bun # bunjs # node # adminjs # javascript 7  reactions Comments 2  comments 2 min read Kickstart your development with Bun AgentQuack AgentQuack AgentQuack Follow Apr 4 '24 Kickstart your development with Bun # bunjs # webdev # javascript 1  reaction Comments Add Comment 2 min read From Node to Bun: A New Dawn for JavaScript Engines? Sanchit Bajaj Sanchit Bajaj Sanchit Bajaj Follow Apr 3 '24 From Node to Bun: A New Dawn for JavaScript Engines? # javascript # webdev # node # bunjs 7  reactions Comments Add Comment 3 min read Bun - The One Tool for All Your JavaScript/Typescript Project's Needs? Maina Wycliffe Maina Wycliffe Maina Wycliffe Follow for This is Learning Apr 2 '24 Bun - The One Tool for All Your JavaScript/Typescript Project's Needs? # javascript # webdev # bunjs # typescript 3  reactions Comments Add Comment 8 min read 🐺 REST APIs with Elysia.js 🌿 James Robert Lund III James Robert Lund III James Robert Lund III Follow Mar 25 '24 🐺 REST APIs with Elysia.js 🌿 # elysia # bunjs # api # webdev 23  reactions Comments 5  comments 6 min read Will Bun replace Node.JS after windows launch? Rajaneesh R Rajaneesh R Rajaneesh R Follow Mar 23 '24 Will Bun replace Node.JS after windows launch? # discuss # news # node # bunjs Comments 1  comment 1 min read Bun error Krishna Bansal Krishna Bansal Krishna Bansal Follow Mar 12 '24 Bun error # errors # bunjs # webdev 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:47:49
https://www.reddit.com/r/programming/top/?t=hour
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://dev.to/a-cup-of-code-podcast/my-top-5-favorite-resources-for-learning-to-code#main-content
My Top 5 Favorite Resources for Learning to Code - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close A Cup of Code Podcast Follow My Top 5 Favorite Resources for Learning to Code Jul 23 '20 play In this episode, I’ll share my top 5 favorite resources for learning to code. Ranging from development environments to ebooks, these are resources that helped me most when I was learning to code. --- This episode is sponsored by · Anchor: The easiest way to make a podcast. https://anchor.fm/app Support this podcast: https://anchor.fm/acupofcodepodcast/support Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   Abdulrahman Othman Abdulrahman Othman Abdulrahman Othman Follow Joined Jun 9, 2024 • Nov 15 '24 Dropdown menu Copy link Hide Thanks! Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   nick nick nick Follow 👨‍💻 Software Engineer / Open source software contributor Location Philippines, Bacolod City Western Negros Occidental 6100 Joined May 16, 2023 • Jul 10 '23 Dropdown menu Copy link Hide ♥️ Like comment: Like comment: 1  like Like Comment button Reply Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/t/machinelearning/page/2
Machine Learning Page 2 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu The Non-Drinker's Guide to Clustering Algorithms 🎉 Seenivasa Ramadurai Seenivasa Ramadurai Seenivasa Ramadurai Follow Jan 11 The Non-Drinker's Guide to Clustering Algorithms 🎉 # algorithms # beginners # datascience # machinelearning Comments Add Comment 2 min read AI Trading: Lesson Learned #134: RAG Architecture Misunderstanding - Wrong Fix Applied Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #134: RAG Architecture Misunderstanding - Wrong Fix Applied # ai # trading # python # machinelearning Comments Add Comment 2 min read [TIL][Python] Python Tool for Online PDF Viewing, Comparison, and Data Import Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][Python] Python Tool for Online PDF Viewing, Comparison, and Data Import # machinelearning # tooling # python # opensource Comments Add Comment 2 min read VS Code Plugin for Colab Released by Google Evan Lin Evan Lin Evan Lin Follow Jan 11 VS Code Plugin for Colab Released by Google # news # google # machinelearning # vscode Comments Add Comment 3 min read AI Trading: Lesson Learned #133: LYING - Claimed Fix Without Verification Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #133: LYING - Claimed Fix Without Verification # ai # trading # python # machinelearning Comments Add Comment 1 min read AI Trading: Lesson Learned #131: Self-Healing Gap - Blog Lesson Sync Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #131: Self-Healing Gap - Blog Lesson Sync # ai # trading # python # machinelearning Comments Add Comment 2 min read AWS Certified Generative AI Developer – Professional in 2 Weeks (Part 2: Advanced Learning & Exam Prep) MakendranG MakendranG MakendranG Follow Jan 11 AWS Certified Generative AI Developer – Professional in 2 Weeks (Part 2: Advanced Learning & Exam Prep) # ai # aws # certification # machinelearning 1  reaction Comments Add Comment 13 min read AI Trading: Lesson Learned #130: Comprehensive Investment Strategy Review (Jan 11, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #130: Comprehensive Investment Strategy Review (Jan 11, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read High-performance GPUs or TPUs vs CPUs Neweraofcoding Neweraofcoding Neweraofcoding Follow Jan 11 High-performance GPUs or TPUs vs CPUs # architecture # machinelearning # performance # ai Comments Add Comment 2 min read AI Trading: Lesson Learned #079: Tomorrow Hallucination Incident (Jan 5, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #079: Tomorrow Hallucination Incident (Jan 5, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read AI Trading: Lesson Learned #132: RAG Stuck on December 2025 Content (CRISIS) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #132: RAG Stuck on December 2025 Content (CRISIS) # ai # trading # python # machinelearning Comments Add Comment 1 min read AI: A Child in the Digital Age – Shaping Its Future with Data and Ethics. Kaushik Patil Kaushik Patil Kaushik Patil Follow Jan 10 AI: A Child in the Digital Age – Shaping Its Future with Data and Ethics. # discuss # ai # data # machinelearning Comments Add Comment 3 min read Quantum Computing Explained in Simple Terms: Part 1 Adnan Arif Adnan Arif Adnan Arif Follow Jan 11 Quantum Computing Explained in Simple Terms: Part 1 # ai # machinelearning # quantumcomputing Comments Add Comment 4 min read AI Forecasting in Football: The Tool Changing Predictions in 2026 Anas Kayssi Anas Kayssi Anas Kayssi Follow Jan 11 AI Forecasting in Football: The Tool Changing Predictions in 2026 # machinelearning # sportsanalytics # datascience # football Comments Add Comment 4 min read 😲 Your Face is the Playlist: Building an Emotion-Aware Android App Jatin Sisodia Jatin Sisodia Jatin Sisodia Follow Jan 11 😲 Your Face is the Playlist: Building an Emotion-Aware Android App # programming # android # machinelearning # coding Comments Add Comment 3 min read From Deep Insight to Market Clarity Leigh k Valentine Leigh k Valentine Leigh k Valentine Follow Jan 12 From Deep Insight to Market Clarity # ai # machinelearning # performance # chatgpt 16  reactions Comments 2  comments 5 min read How I Designed an Enterprise RAG System Using AWS Bedrock, Pinecone & Neo4j Betty Waiyego Betty Waiyego Betty Waiyego Follow Jan 12 How I Designed an Enterprise RAG System Using AWS Bedrock, Pinecone & Neo4j # aws # machinelearning # ai # python Comments Add Comment 7 min read AI Trading: Lesson Learned #130: Account Balance RAG Recording Failure (Jan 11, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 11 AI Trading: Lesson Learned #130: Account Balance RAG Recording Failure (Jan 11, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read Introduction to Artificial Intelligence – My Structured Learning Notes Neha Chaturvedi Neha Chaturvedi Neha Chaturvedi Follow Jan 11 Introduction to Artificial Intelligence – My Structured Learning Notes # ai # machinelearning # generativeai # learning 1  reaction Comments 1  comment 2 min read What are LLaVA and LLaVA-Interactive? Evan Lin Evan Lin Evan Lin Follow Jan 11 What are LLaVA and LLaVA-Interactive? # ai # llm # machinelearning Comments Add Comment 2 min read Why AI Agents Fail Tests by Being Too Smart: A Guide to Proper Evaluation Claudius Papirus Claudius Papirus Claudius Papirus Follow Jan 10 Why AI Agents Fail Tests by Being Too Smart: A Guide to Proper Evaluation # ai # machinelearning # llm # anthropic Comments Add Comment 2 min read Fixing an Off-By-One Bug in PufferLib's PPO Implementation Jacob Lee Jacob Lee Jacob Lee Follow Jan 10 Fixing an Off-By-One Bug in PufferLib's PPO Implementation # machinelearning # reinforcementlearning # opensource # python Comments Add Comment 2 min read How to Set Up an AI Voice Agent for Customer Support in SaaS Applications CallStack Tech CallStack Tech CallStack Tech Follow Jan 10 How to Set Up an AI Voice Agent for Customer Support in SaaS Applications # ai # voicetech # machinelearning # webdev 1  reaction Comments Add Comment 12 min read How Code-Executing AI Agents are Making 128K Context Windows Obsolete Deviprasad Shetty Deviprasad Shetty Deviprasad Shetty Follow Jan 10 How Code-Executing AI Agents are Making 128K Context Windows Obsolete # ai # python # machinelearning # architecture Comments Add Comment 3 min read RAG Works — Until You Hit the Long Tail Meidi Airouche Meidi Airouche Meidi Airouche Follow for Onepoint Jan 11 RAG Works — Until You Hit the Long Tail # ai # llm # rag # machinelearning 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:47:49
https://dev.to/t/machinelearning/page/9
Machine Learning 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 Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning 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 AI Orchestration: The Microservices Approach to Large Language Models Mohammad ALi Abd Alwahed Mohammad ALi Abd Alwahed Mohammad ALi Abd Alwahed Follow Jan 3 AI Orchestration: The Microservices Approach to Large Language Models # ai # microservices # architecture # machinelearning Comments Add Comment 8 min read The Future of Social Media with AI Recommendations: A Technical Exploration Adnan Arif Adnan Arif Adnan Arif Follow Jan 3 The Future of Social Media with AI Recommendations: A Technical Exploration # ai # machinelearning # technology Comments Add Comment 4 min read RAG & Vector Databases - Efficient Retrieval Explained Hemanath Kumar J Hemanath Kumar J Hemanath Kumar J Follow Jan 3 RAG & Vector Databases - Efficient Retrieval Explained # tutorial # rag # vectordatabases # machinelearning Comments Add Comment 2 min read My single best advice for anyone wanting to start in AI: Furkan Şimşek Furkan Şimşek Furkan Şimşek Follow Jan 3 My single best advice for anyone wanting to start in AI: # ai # deeplearning # machinelearning # career Comments Add Comment 1 min read 50+ Essential Tools for Building Production RAG Systems Yiğit Erdoğan Yiğit Erdoğan Yiğit Erdoğan Follow Jan 8 50+ Essential Tools for Building Production RAG Systems # ai # machinelearning # python # llm 1  reaction Comments Add Comment 3 min read Threat Intelligence Automation with AI/ML Emanuele Balsamo Emanuele Balsamo Emanuele Balsamo Follow for CyberPath Jan 2 Threat Intelligence Automation with AI/ML # ai # machinelearning # threatintelligence Comments Add Comment 6 min read What is a Vector Space in Machine Learning? (With Math and Intuition) Chirag (Srce Cde) Chirag (Srce Cde) Chirag (Srce Cde) Follow for AWS Community Builders Jan 8 What is a Vector Space in Machine Learning? (With Math and Intuition) # machinelearning # ai 7  reactions Comments 2  comments 5 min read KNN Algorithm from Scratch -Cat vs Dog Image Classification in Python (Complete Experiment) Yogender Yogender Yogender Follow Jan 6 KNN Algorithm from Scratch -Cat vs Dog Image Classification in Python (Complete Experiment) # machinelearning # python # programming # ai 1  reaction Comments Add Comment 1 min read Linear Regression Explained: From Equation to Prediction + Python Examples Rijul Rajesh Rijul Rajesh Rijul Rajesh Follow Jan 3 Linear Regression Explained: From Equation to Prediction + Python Examples # machinelearning # ai 10  reactions Comments Add Comment 2 min read Beyond Prompt Chains: Orchestrating Multi-Agent AI 🤖 Workflows with Graphs 🔀 Hemant Hemant Hemant Follow Jan 2 Beyond Prompt Chains: Orchestrating Multi-Agent AI 🤖 Workflows with Graphs 🔀 # ai # crewai # python # machinelearning Comments 1  comment 4 min read Building an Autonomous Supply Chain Watchdog: My Experiment with AI Reasoning Agents Aniket Hingane Aniket Hingane Aniket Hingane Follow Jan 2 Building an Autonomous Supply Chain Watchdog: My Experiment with AI Reasoning Agents # ai # python # machinelearning # agents Comments Add Comment 8 min read MLOps vs DevOps: The Real Difference (and When You Need Both) AppRecode AppRecode AppRecode Follow Jan 2 MLOps vs DevOps: The Real Difference (and When You Need Both) # architecture # devops # machinelearning Comments Add Comment 4 min read Technical Implementation Focus Areas for Voice AI Integration: Key Insights CallStack Tech CallStack Tech CallStack Tech Follow Jan 2 Technical Implementation Focus Areas for Voice AI Integration: Key Insights # ai # voicetech # machinelearning # webdev Comments Add Comment 12 min read Why I Built a Dedicated Benchmarking System Jashwanth Thatipamula Jashwanth Thatipamula Jashwanth Thatipamula Follow Jan 6 Why I Built a Dedicated Benchmarking System # webdev # ai # machinelearning # programming 4  reactions Comments Add Comment 2 min read Agent Security Explained By Dawn Song Alessandro Pignati Alessandro Pignati Alessandro Pignati Follow Jan 2 Agent Security Explained By Dawn Song # ai # security # agents # machinelearning Comments Add Comment 3 min read Building an Autonomous Supply Chain Watchdog: My Experiment with AI Reasoning Agents Aniket Hingane Aniket Hingane Aniket Hingane Follow Jan 2 Building an Autonomous Supply Chain Watchdog: My Experiment with AI Reasoning Agents # ai # python # machinelearning # agents Comments Add Comment 8 min read I landed myself in a weird technical spot before graduation need perspective anant anant anant Follow Jan 2 I landed myself in a weird technical spot before graduation need perspective # help # programming # ai # machinelearning Comments Add Comment 1 min read AI Trading Daily Report: January 02, 2026 | $+100.11 Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 2 AI Trading Daily Report: January 02, 2026 | $+100.11 # trading # ai # machinelearning # python Comments Add Comment 1 min read Happy Public Domain Day 2026 Aman Shekhar Aman Shekhar Aman Shekhar Follow Jan 2 Happy Public Domain Day 2026 # ai # machinelearning # techtrends Comments Add Comment 6 min read AI-Powered Officers: Army Cracks Open New ML Career Path for Leaders Malik Abualzait Malik Abualzait Malik Abualzait Follow Jan 2 AI-Powered Officers: Army Cracks Open New ML Career Path for Leaders # army # launches # machinelearning Comments Add Comment 2 min read MLOps Practices : Technologies, Tools, Principles on Applied Real Life Data Science Workflows. Giri Dharan Giri Dharan Giri Dharan Follow Jan 1 MLOps Practices : Technologies, Tools, Principles on Applied Real Life Data Science Workflows. # machinelearning # datascience # ai # aiops Comments Add Comment 4 min read How I Built an API to Detect Fake Gemstones Using AI Sandeep Roy Sandeep Roy Sandeep Roy Follow Jan 2 How I Built an API to Detect Fake Gemstones Using AI # showdev # machinelearning # ai # api Comments Add Comment 1 min read Solving XOR without Backpropagation: A Genetic Algorithm Approach 🧬 İbrahim SEZER İbrahim SEZER İbrahim SEZER Follow Jan 6 Solving XOR without Backpropagation: A Genetic Algorithm Approach 🧬 # python # beginners # machinelearning # algorithms 2  reactions Comments Add Comment 4 min read Why Data SLAs Fail — and How to Enforce Them with a Unified Reliability Framework Baharath Bathula Baharath Bathula Baharath Bathula Follow Jan 1 Why Data SLAs Fail — and How to Enforce Them with a Unified Reliability Framework # dataengineering # aws # machinelearning # analytics Comments Add Comment 2 min read Amazon Q: Your AI Assistant for AWS, Developers, and the Business Brayan Arrieta Brayan Arrieta Brayan Arrieta Follow Jan 5 Amazon Q: Your AI Assistant for AWS, Developers, and the Business # ai # aws # machinelearning # 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:47:49
https://www.reddit.com/r/all/top/?t=week
r/all Skip to main content Open menu Open navigation Go to Reddit Home Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation Popular Communities :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskMen 7,128,340 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskWomen 5,604,512 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/PS4 5,513,074 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/apple 6,304,429 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/NBA2k 746,857 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/sysadmin 1,212,893 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nba 16,939,473 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/askscience 26,196,731 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/cars 7,382,842 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pcmasterrace 15,920,163 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pokemon 4,751,284 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/netflix 1,848,230 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nvidia 2,311,309 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/headphones 1,519,962 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/hearthstone 1,930,399 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/fantasyfootball 3,396,549 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pathofexile 1,050,683 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/canada 4,289,046 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nosleep 18,109,631 members See more Top Open sort options Hot New Top Rising This Week Open sort options Now Today This Week This Month This Year All Time Change post view Card Compact Domestic terrorist Kristi Noem addressing the murder of Renee Good. Upvote this so she comes up when you Google “domestic terrorist.” :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/ProgressiveHQ :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/ProgressiveHQ Headquarters for Progressives in the United States Members Online • Domestic terrorist Kristi Noem addressing the murder of Renee Good. Upvote this so she comes up when you Google “domestic terrorist.” Picture of the ICE Agent that murdered an Unarmed Civilian :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics Earn double karma when you post non-political content! A place for photographs, pictures, and other images. Members Online Earn double karma when you post non-political content! • Picture of the ICE Agent that murdered an Unarmed Civilian This was the glove compartment of the “domestic terrorist” :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics Earn double karma when you post non-political content! A place for photographs, pictures, and other images. Members Online Earn double karma when you post non-political content! • This was the glove compartment of the “domestic terrorist”
2026-01-13T08:47:49
https://www.reddit.com/r/pics/#main-content
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://www.reddit.com/user/Significant_Loss_541/
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://www.reddit.com/r/pics/rising/
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://www.reddit.com/r/askscience/?f=flair_name%3A%22Astronomy%22
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://www.reddit.com/r/askscience/?f=flair_name%3A%22Neuroscience%22
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://www.reddit.com/mod/learnprogramming/moderators/
Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help
2026-01-13T08:47:49
https://dev.to/t/machinelearning/page/8
Machine Learning 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 Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning posts 5 6 7 8 9 10 11 12 13 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Why “Lost in the Middle” Breaks Most RAG Systems Parth Sarthi Sharma Parth Sarthi Sharma Parth Sarthi Sharma Follow Jan 4 Why “Lost in the Middle” Breaks Most RAG Systems # ai # rag # vectordatabase # machinelearning Comments Add Comment 2 min read AI in Education: Can Robots Really Grade Essays? Adnan Arif Adnan Arif Adnan Arif Follow Jan 4 AI in Education: Can Robots Really Grade Essays? # ai # machinelearning # robotics Comments Add Comment 4 min read Learning Gradient Descent for Machine Learning with a Simple Python Example Rijul Rajesh Rijul Rajesh Rijul Rajesh Follow Jan 6 Learning Gradient Descent for Machine Learning with a Simple Python Example # machinelearning # ai 10  reactions Comments Add Comment 4 min read Building a Fully Offline AI Voice Assistant on a Laptop (2GB RAM, CPU Only) SANTHANA BHARATHI SANTHANA BHARATHI SANTHANA BHARATHI Follow Jan 4 Building a Fully Offline AI Voice Assistant on a Laptop (2GB RAM, CPU Only) # ai # machinelearning # opensource # deved Comments Add Comment 3 min read 5 AI Soccer Prediction Factors That Reveal Match Outcomes in 2026 Anas Kayssi Anas Kayssi Anas Kayssi Follow Jan 10 5 AI Soccer Prediction Factors That Reveal Match Outcomes in 2026 # machinelearning # socceranalytics # datascience # sportstech Comments Add Comment 7 min read Day 4: Untill I Get An Internship At Google Venkata Sugunadithya Venkata Sugunadithya Venkata Sugunadithya Follow Jan 4 Day 4: Untill I Get An Internship At Google # beginners # machinelearning # productivity Comments Add Comment 2 min read 5 Common Dating Red Flags in 2026 and How AI Can Spot Them Instantly Anas Kayssi Anas Kayssi Anas Kayssi Follow Jan 10 5 Common Dating Red Flags in 2026 and How AI Can Spot Them Instantly # machinelearning # nlp # ethicalai # developercommunity Comments Add Comment 4 min read Runpod vs. Vast.ai: A Deep Dive into GPU Cloud Platforms for AI/ML TheAIRabbit TheAIRabbit TheAIRabbit Follow Jan 5 Runpod vs. Vast.ai: A Deep Dive into GPU Cloud Platforms for AI/ML # ai # cloudcomputing # machinelearning Comments Add Comment 11 min read Rescuing the Signal: How PCA Salvages Accuracy from Catastrophic Data Poisoning aksh aggarwal aksh aggarwal aksh aggarwal Follow Jan 3 Rescuing the Signal: How PCA Salvages Accuracy from Catastrophic Data Poisoning # machinelearning # ai # learning Comments Add Comment 3 min read Chain Rule (Aturan Rantai) dalam Kalkulus dan Relevansinya dalam Machine Learning Mohammad Ezzeddin Pratama Mohammad Ezzeddin Pratama Mohammad Ezzeddin Pratama Follow Jan 4 Chain Rule (Aturan Rantai) dalam Kalkulus dan Relevansinya dalam Machine Learning # machinelearning # backpropagation # chainrule # neuralnetwork Comments Add Comment 11 min read TRANSFORMER BASICS Pranshu Tiwari Pranshu Tiwari Pranshu Tiwari Follow Jan 4 TRANSFORMER BASICS # transformer # genai # ai # machinelearning Comments Add Comment 2 min read I charged $18k for a Static HTML Page (2019) Aman Shekhar Aman Shekhar Aman Shekhar Follow Jan 5 I charged $18k for a Static HTML Page (2019) # ai # machinelearning # techtrends Comments Add Comment 5 min read Mitigating Human-Driven AI Misuse in Generative Systems Shravani Shravani Shravani Follow Jan 9 Mitigating Human-Driven AI Misuse in Generative Systems # discuss # ai # genai # machinelearning 1  reaction Comments Add Comment 3 min read Fine-tuning & Model Optimization: Key Trends & Insights Hemanath Kumar J Hemanath Kumar J Hemanath Kumar J Follow Jan 4 Fine-tuning & Model Optimization: Key Trends & Insights # trends # ai # machinelearning # modeloptimization Comments Add Comment 2 min read Your Weekly AI Coffee Break: 5 Stories Shaping AI in January 2026 Ethan Zhang Ethan Zhang Ethan Zhang Follow Jan 4 Your Weekly AI Coffee Break: 5 Stories Shaping AI in January 2026 # news # ai # machinelearning # technology Comments Add Comment 5 min read Welcome to my Newsletter, Sustained Attention Shawn Schwartz Shawn Schwartz Shawn Schwartz Follow Jan 6 Welcome to my Newsletter, Sustained Attention # datascience # learning # machinelearning Comments Add Comment 2 min read Neural Networks: Zero to Hero Aman Shekhar Aman Shekhar Aman Shekhar Follow Jan 4 Neural Networks: Zero to Hero # ai # machinelearning # techtrends Comments Add Comment 5 min read Surya OCR vs Tesseract en CPU con Python Carlos m. Ruiz Carlos m. Ruiz Carlos m. Ruiz Follow Jan 5 Surya OCR vs Tesseract en CPU con Python # python # ocr # machinelearning # español Comments Add Comment 4 min read Machine learning- Full Course Jayaprasanna Roddam Jayaprasanna Roddam Jayaprasanna Roddam Follow Jan 4 Machine learning- Full Course # programming # ai # machinelearning Comments Add Comment 3 min read Integrate Voice AI with No-Code Tools and CRM for Automation: My Journey CallStack Tech CallStack Tech CallStack Tech Follow Jan 3 Integrate Voice AI with No-Code Tools and CRM for Automation: My Journey # ai # voicetech # machinelearning # webdev Comments Add Comment 11 min read From Prototype to Production: Building a Multimodal Video Search Engine Jason Peterson Jason Peterson Jason Peterson Follow Jan 6 From Prototype to Production: Building a Multimodal Video Search Engine # showdev # python # docker # machinelearning 1  reaction Comments Add Comment 2 min read Building a Production-Ready AI Loan Prediction System: A 15-Day Journey Oluwatobiloba Olatunji Oluwatobiloba Olatunji Oluwatobiloba Olatunji Follow Jan 6 Building a Production-Ready AI Loan Prediction System: A 15-Day Journey # machinelearning # python # flask # ai Comments Add Comment 10 min read Chronotype Discovery: Using Python to Unlock Your Natural Sleep Patterns wellallyTech wellallyTech wellallyTech Follow Jan 4 Chronotype Discovery: Using Python to Unlock Your Natural Sleep Patterns # python # datascience # machinelearning # healthtech Comments Add Comment 2 min read Building a Fully Offline AI Voice Assistant on a Laptop (2GB RAM, CPU Only) SANTHANA BHARATHI SANTHANA BHARATHI SANTHANA BHARATHI Follow Jan 4 Building a Fully Offline AI Voice Assistant on a Laptop (2GB RAM, CPU Only) # ai # machinelearning # opensource # deved Comments Add Comment 3 min read DeepSeek's mHC: The AI Training Breakthrough That Could Reshape the Industry Mysterious Xuanwu Mysterious Xuanwu Mysterious Xuanwu Follow Jan 6 DeepSeek's mHC: The AI Training Breakthrough That Could Reshape the Industry # ai # machinelearning # deepseek # costoptimization 2  reactions Comments Add Comment 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:49
https://dev.to/t/career/page/832
Career Page 832 - 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 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:47:49
https://dev.to/t/machinelearning/page/3
Machine Learning 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 Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning 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 AI Trading: Lesson Learned #129: Wheel Strategy Criticism - Deep Research Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 10 AI Trading: Lesson Learned #129: Wheel Strategy Criticism - Deep Research # ai # trading # python # machinelearning Comments Add Comment 3 min read AI Trading: Lesson Learned #129: CEO Trust Audit - Comprehensive Answers (Jan 10, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 10 AI Trading: Lesson Learned #129: CEO Trust Audit - Comprehensive Answers (Jan 10, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read Smart Fashion Classifier: Building an AI-Powered Fashion Product Tagging System Kenechukwu Anoliefo Kenechukwu Anoliefo Kenechukwu Anoliefo Follow Jan 10 Smart Fashion Classifier: Building an AI-Powered Fashion Product Tagging System # machinelearning # deeplearning # mlzoomcamp Comments Add Comment 3 min read Quantum edge trading Neil Neil Neil Follow Jan 10 Quantum edge trading # ai # machinelearning # firstyearincode # programming Comments Add Comment 2 min read Local AI Therapy: Fine-Tuning Mistral-7B on Apple Silicon with MLX & LoRA (M3 Max Performance!) 🚀 wellallyTech wellallyTech wellallyTech Follow Jan 10 Local AI Therapy: Fine-Tuning Mistral-7B on Apple Silicon with MLX & LoRA (M3 Max Performance!) 🚀 # ai # python # machinelearning # applesilicon Comments Add Comment 4 min read Stop Manually Booking Doctors: Build an Autonomous Health Agent with LangGraph & Playwright Beck_Moulton Beck_Moulton Beck_Moulton Follow Jan 10 Stop Manually Booking Doctors: Build an Autonomous Health Agent with LangGraph & Playwright # ai # python # machinelearning # opensource Comments Add Comment 3 min read I built TuneKit to escape fine-tuning hell (trending #19 on Product Hunt today) Riyanshi Bohra Riyanshi Bohra Riyanshi Bohra Follow Jan 9 I built TuneKit to escape fine-tuning hell (trending #19 on Product Hunt today) # machinelearning # ai # opensource # webdev Comments Add Comment 2 min read Job Board Scraping: API Endpoints & Cheat Sheet Zayan Mohamed Zayan Mohamed Zayan Mohamed Follow Jan 10 Job Board Scraping: API Endpoints & Cheat Sheet # api # python # machinelearning # programming 1  reaction Comments Add Comment 1 min read 🧠✂️ Neural Network Lobotomy: Removed 7 Layers from an LLM — It Became 30% Faster Artyom Molchanov Artyom Molchanov Artyom Molchanov Follow Jan 9 🧠✂️ Neural Network Lobotomy: Removed 7 Layers from an LLM — It Became 30% Faster # machinelearning # ai Comments Add Comment 6 min read Your Model Choice Doesn't Matter Nearly as Much as You Think...And That's Actually Good News Andrea Liliana Griffiths Andrea Liliana Griffiths Andrea Liliana Griffiths Follow Jan 9 Your Model Choice Doesn't Matter Nearly as Much as You Think...And That's Actually Good News # ai # chatgpt # github # machinelearning 6  reactions Comments Add Comment 5 min read AI Trading: Lesson Learned #127: LangSmith Removal - Dead Code Cleanup Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #127: LangSmith Removal - Dead Code Cleanup # ai # trading # python # machinelearning Comments Add Comment 2 min read Multimodal AI: Why Text-Only Models Are Already Dead! SATINATH MONDAL SATINATH MONDAL SATINATH MONDAL Follow Jan 10 Multimodal AI: Why Text-Only Models Are Already Dead! # ai # multimodal # machinelearning # tutorial 6  reactions Comments Add Comment 12 min read AI Trading: LL-124: Phil Town CSP Strategy Not Executing Trades Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: LL-124: Phil Town CSP Strategy Not Executing Trades # ai # trading # python # machinelearning Comments Add Comment 2 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 AI Trading: Lesson Learned #125: Comprehensive Trust Audit (Jan 9, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #125: Comprehensive Trust Audit (Jan 9, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read I Built a Production RAG System in 3 Weeks - Here's What Actually Broke BLESSEDEFEM BLESSEDEFEM BLESSEDEFEM Follow Jan 9 I Built a Production RAG System in 3 Weeks - Here's What Actually Broke # ai # machinelearning # python # tutorial Comments Add Comment 9 min read AI Trading: Lesson Learned #127: Comprehensive Trust Audit - CEO Questions Answered (Jan 9, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #127: Comprehensive Trust Audit - CEO Questions Answered (Jan 9, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read Let’s Build a Deep Learning Library from Scratch Using NumPy (Part 3: Training MNIST) zekcrates zekcrates zekcrates Follow Jan 9 Let’s Build a Deep Learning Library from Scratch Using NumPy (Part 3: Training MNIST) # showdev # python # deeplearning # machinelearning Comments Add Comment 3 min read AI Trading: Lesson Learned #123: Trust Rebuild Audit - Comprehensive Evidence-Based Review Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #123: Trust Rebuild Audit - Comprehensive Evidence-Based Review # ai # trading # python # machinelearning Comments Add Comment 2 min read AI Trading: Lesson Learned #124: Secret Exposure Incident - Jan 9, 2026 Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #124: Secret Exposure Incident - Jan 9, 2026 # ai # trading # python # machinelearning Comments Add Comment 2 min read AI Trading: Lesson Learned #122: CEO Trust Audit - Comprehensive Strategy Review (Jan 9, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #122: CEO Trust Audit - Comprehensive Strategy Review (Jan 9, 2026) # ai # trading # python # machinelearning Comments Add Comment 3 min read AI Trading: LL-126: Alpaca API Credentials Invalid - 401 Unauthorized Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: LL-126: Alpaca API Credentials Invalid - 401 Unauthorized # ai # trading # python # machinelearning Comments Add Comment 1 min read MLOps - Continuous Model Monitoring - Complete Tutorial Hemanath Kumar J Hemanath Kumar J Hemanath Kumar J Follow Jan 9 MLOps - Continuous Model Monitoring - Complete Tutorial # tutorial # mlops # modelmonitoring # machinelearning Comments Add Comment 2 min read AI Trading: LL-120: API Access Verification Required Before Trading Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: LL-120: API Access Verification Required Before Trading # ai # trading # python # machinelearning Comments Add Comment 2 min read AI Trading: Lesson Learned #120: Capital-Aware Watchlist Required for Paper Trading Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 9 AI Trading: Lesson Learned #120: Capital-Aware Watchlist Required for Paper Trading # ai # trading # python # machinelearning 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:47:49
https://dev.to/t/machinelearning/page/75
Machine Learning Page 75 - 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 Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning posts 72 73 74 75 76 77 78 79 80 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Quantum Leaps in Concept Understanding: Building AI That Truly 'Gets It' Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 Quantum Leaps in Concept Understanding: Building AI That Truly 'Gets It' # quantumcomputing # machinelearning # ai # python 4  reactions Comments Add Comment 2 min read Don't Be Ashamed to Use AI, Even Iron Man Did Giorgi Kobaidze Giorgi Kobaidze Giorgi Kobaidze Follow Oct 13 '25 Don't Be Ashamed to Use AI, Even Iron Man Did # discuss # ai # machinelearning # career 12  reactions Comments 6  comments 19 min read Tensor Logic: The Elegant Foundation for Next-Gen AI by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 15 '25 Tensor Logic: The Elegant Foundation for Next-Gen AI by Arvind Sundararajan # ai # machinelearning # datascience # tensors 1  reaction Comments Add Comment 2 min read Smarter Tuning: LLMs Automate Hyperparameter Magic Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 Smarter Tuning: LLMs Automate Hyperparameter Magic # machinelearning # ai # python # optimization 5  reactions Comments Add Comment 2 min read Quantum Composition: Teaching AI to Think Like Us Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 Quantum Composition: Teaching AI to Think Like Us # quantumcomputing # machinelearning # ai # python 5  reactions Comments Add Comment 2 min read LLMs: Transforming AI with Large Language Models Youssef Taha Youssef Taha Youssef Taha Follow Sep 12 '25 LLMs: Transforming AI with Large Language Models # ai # llms # machinelearning # nlp Comments Add Comment 1 min read Poisoned Prompts: How Malicious Documentation Can Hijack Your AI Code Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 11 '25 Poisoned Prompts: How Malicious Documentation Can Hijack Your AI Code # ai # security # machinelearning # llm Comments Add Comment 2 min read Unlock Robot Speed: Decoupling 'Seeing' and 'Doing' Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 Unlock Robot Speed: Decoupling 'Seeing' and 'Doing' # ai # robotics # machinelearning # python 1  reaction Comments Add Comment 2 min read Understanding Neural Networks: From Neurons to LLMs siva1b3 siva1b3 siva1b3 Follow Sep 16 '25 Understanding Neural Networks: From Neurons to LLMs # deeplearning # ai # machinelearning # llm Comments Add Comment 2 min read The story of how machines went from mimicking humans to creating ideas of their own. Sailee Das Sailee Das Sailee Das Follow Sep 12 '25 The story of how machines went from mimicking humans to creating ideas of their own. # machinelearning # datascience # chatgpt # ai Comments Add Comment 4 min read Unlock LLM Potential at the Edge: Secure, Efficient Inference Without the Cloud Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 Unlock LLM Potential at the Edge: Secure, Efficient Inference Without the Cloud # ai # machinelearning # privacy # security 5  reactions Comments Add Comment 2 min read Altruistic AI: When Helping Others Helps You Win by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 15 '25 Altruistic AI: When Helping Others Helps You Win by Arvind Sundararajan # ai # machinelearning # reinforcementlearning # marl 2  reactions Comments Add Comment 2 min read Taming the Twist: Mastering Rotation Actions in Robotic Reinforcement Learning Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 15 '25 Taming the Twist: Mastering Rotation Actions in Robotic Reinforcement Learning # machinelearning # python # ai # robotics Comments Add Comment 2 min read Bridging Worlds: AI's Breakthrough in Nepali Sign Language Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 14 '25 Bridging Worlds: AI's Breakthrough in Nepali Sign Language # a11y # machinelearning # python # opensource 4  reactions Comments Add Comment 2 min read Decoding the LLM Cipher: Unlocking AI Behavior Through Geometric Insights Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 15 '25 Decoding the LLM Cipher: Unlocking AI Behavior Through Geometric Insights # ai # machinelearning # llm # datascience Comments Add Comment 2 min read I Built a Mental Wellness AI with Python + Streamlit (Complete Tutorial) Akshat Raj Akshat Raj Akshat Raj Follow Oct 14 '25 I Built a Mental Wellness AI with Python + Streamlit (Complete Tutorial) # python # ai # machinelearning # opensource 1  reaction Comments Add Comment 2 min read Tensor Harmony: Unifying AI Through Equation Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 15 '25 Tensor Harmony: Unifying AI Through Equation # ai # machinelearning # datascience # programming 1  reaction Comments Add Comment 2 min read Unleashing AI Speed: Decoupling Perception for Blazing-Fast Robots by Arvind Sundararajan Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 Unleashing AI Speed: Decoupling Perception for Blazing-Fast Robots by Arvind Sundararajan # ai # robotics # machinelearning # embodiedai 5  reactions Comments Add Comment 2 min read Mastering Hyperparameter Tuning in Machine Learning Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Oct 15 '25 Mastering Hyperparameter Tuning in Machine Learning # python # tutorial # machinelearning # performance 3  reactions Comments Add Comment 2 min read **Episodic vs Dr. Carlos Ruiz Viquez Dr. Carlos Ruiz Viquez Dr. Carlos Ruiz Viquez Follow Oct 15 '25 **Episodic vs # ai # machinelearning # technology # programming 3  reactions Comments Add Comment 1 min read Private Graphs, Public Insights: Feature Propagation with a Twist by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 14 '25 Private Graphs, Public Insights: Feature Propagation with a Twist by Arvind Sundararajan # machinelearning # privacy # graphneuralnetworks # ai 1  reaction Comments Add Comment 2 min read 🧠Introducing OrKa Cloud API marcosomma marcosomma marcosomma Follow Oct 14 '25 🧠Introducing OrKa Cloud API # ai # opensource # machinelearning # mlops 9  reactions Comments Add Comment 12 min read Lifespan Thinking: How to Build IoT that Learns Forever Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 11 '25 Lifespan Thinking: How to Build IoT that Learns Forever # iot # machinelearning # embedded # sustainability 1  reaction Comments Add Comment 2 min read Breaking Barriers: AI Empowers Nepali Sign Language Recognition by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Oct 14 '25 Breaking Barriers: AI Empowers Nepali Sign Language Recognition by Arvind Sundararajan # a11y # machinelearning # python # opensource 1  reaction Comments Add Comment 2 min read AI's Spatial Blind Spot: Why Brain-Inspired Navigation is the Next Frontier by Arvind Sundararajan Arvind Sundara Rajan Arvind Sundara Rajan Arvind Sundara Rajan Follow Sep 12 '25 AI's Spatial Blind Spot: Why Brain-Inspired Navigation is the Next Frontier by Arvind Sundararajan # ai # neuroscience # machinelearning # spatialcomputing 1  reaction Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/t/blockchain/page/3#main-content
Blockchain 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 Blockchain Follow Hide A decentralized, distributed, and oftentimes public, digital ledger consisting of records called blocks that are used to record transactions across many computers so that any involved block cannot be altered retroactively, without the alteration of all subsequent blocks. Create Post Older #blockchain 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 Verifiable Compute for Onchain Prop Trading: How Carrotfunding Uses ROFL Manav Manav Manav Follow Dec 25 '25 Verifiable Compute for Onchain Prop Trading: How Carrotfunding Uses ROFL # web3 # blockchain # privacy # proptrading 2  reactions Comments 2  comments 2 min read The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 25 '25 The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway # ai # cryptography # blockchain Comments Add Comment 8 min read x402: Turning HTTP 402 into a Real Payment Primitive Manav Manav Manav Follow Dec 25 '25 x402: Turning HTTP 402 into a Real Payment Primitive # privacy # blockchain # web3 # http 1  reaction Comments 2  comments 3 min read VeritasChain Completes VCP v1.0 Proof of Concept VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 29 '25 VeritasChain Completes VCP v1.0 Proof of Concept # opensource # blockchain # python # fintech 1  reaction Comments Add Comment 5 min read Why Oasis Is Backing Custody-Native Credit Infrastructure Manav Manav Manav Follow Dec 25 '25 Why Oasis Is Backing Custody-Native Credit Infrastructure # privacy # web3 # blockchain # infrastructure 2  reactions Comments 2  comments 2 min read Ethereum-Solidity Quiz Q4: What is the Ethereum Mempool? MihaiHng MihaiHng MihaiHng Follow Dec 25 '25 Ethereum-Solidity Quiz Q4: What is the Ethereum Mempool? # ethereum # solidity # smartcontract # blockchain Comments Add Comment 1 min read Tornado Cash Comeback: New Contracts And Changes Tami Stone Tami Stone Tami Stone Follow Dec 24 '25 Tornado Cash Comeback: New Contracts And Changes # cryptocurrency # bitcoin # ethereum # blockchain Comments Add Comment 4 min read Verifiable Compute for On-Chain Trading Feels Like an Underrated Breakthrough Aditya Singh Aditya Singh Aditya Singh Follow Dec 25 '25 Verifiable Compute for On-Chain Trading Feels Like an Underrated Breakthrough # architecture # blockchain # security 1  reaction Comments 2  comments 2 min read A 30% Hashrate Drop: Are Bitcoin Miners Really Capitulating? Apnews Apnews Apnews Follow Dec 24 '25 A 30% Hashrate Drop: Are Bitcoin Miners Really Capitulating? # discuss # analytics # bitcoin # blockchain Comments Add Comment 5 min read Bitcoin Mining Explained for Beginners in 2026 Maverick Bryson Maverick Bryson Maverick Bryson Follow Jan 7 Bitcoin Mining Explained for Beginners in 2026 # bitcoin # blockchain # cryptocurrency # bitcoinmining 2  reactions Comments 1  comment 4 min read Tokenomics' Hidden Flaw: Why Economic Models Need Privacy to Prevent Manipulation sid sid sid Follow Dec 25 '25 Tokenomics' Hidden Flaw: Why Economic Models Need Privacy to Prevent Manipulation # privacy # web3 # blockchain # security 1  reaction Comments 2  comments 5 min read Blockchain Beyond Crypto: Real-World Applications That Matter Ahmed Radwan Ahmed Radwan Ahmed Radwan Follow for Nerd Level Tech Dec 23 '25 Blockchain Beyond Crypto: Real-World Applications That Matter # blockchain # web3 # smartcontract 1  reaction Comments Add Comment 7 min read Clarifying What Runs On-Chain vs Off-Chain Wang Wei Wang Wei Wang Wei Follow Dec 22 '25 Clarifying What Runs On-Chain vs Off-Chain # architecture # blockchain # documentation Comments Add Comment 1 min read Explaining What Happens On-Chain vs Off-Chain Marycynthia Ihemebiwo Marycynthia Ihemebiwo Marycynthia Ihemebiwo Follow Dec 22 '25 Explaining What Happens On-Chain vs Off-Chain # privacy # opensource # blockchain # beginners Comments Add Comment 1 min read The MEV Dark Pool Problem: Why Private Mempools Need Decentralized Verification sid sid sid Follow Dec 25 '25 The MEV Dark Pool Problem: Why Private Mempools Need Decentralized Verification # web3 # blockchain # security # architecture Comments 2  comments 4 min read # `@xchainjs/xchain-litecoin` Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # `@xchainjs/xchain-litecoin` # web3 # blockchain # webdev # programming Comments Add Comment 3 min read # `@xchainjs/xchain-ethereum` Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # `@xchainjs/xchain-ethereum` # ethereum # blockchain # web3 # etherjs Comments Add Comment 2 min read # XChainJS Check Transaction Example Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # XChainJS Check Transaction Example # web3 # blockchain # webdev # solidity Comments Add Comment 2 min read AI Dominates Tech Landscape with Major Advancements and Strategic Shifts Across Leading Companies Stelixx Insights Stelixx Insights Stelixx Insights Follow Dec 20 '25 AI Dominates Tech Landscape with Major Advancements and Strategic Shifts Across Leading Companies # ai # web3 # blockchain # productivity Comments Add Comment 1 min read # XChainJS Liquidity Example (THORChain) Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 19 '25 # XChainJS Liquidity Example (THORChain) # webdev # web3 # blockchain # solidity Comments Add Comment 2 min read Reflection of Co-Learning Mantle week 2 Bagas Hariyanto Bagas Hariyanto Bagas Hariyanto Follow Dec 21 '25 Reflection of Co-Learning Mantle week 2 # web3 # devjournal # blockchain # beginners Comments Add Comment 2 min read Building a Decentralized Event Ticketing System Web3 with Symfony 7.4 Matt Mochalkin Matt Mochalkin Matt Mochalkin Follow Dec 19 '25 Building a Decentralized Event Ticketing System Web3 with Symfony 7.4 # web3 # symfony # php # blockchain Comments Add Comment 5 min read Moon Math Itinerary: The Lunar Map of ZK Erick Fernandez Erick Fernandez Erick Fernandez Follow for Extropy.IO Dec 19 '25 Moon Math Itinerary: The Lunar Map of ZK # zeroknowledgeproofs # zkp # math # blockchain Comments Add Comment 1 min read The Arbitrage Bot Arms Race: What We Learned Running FlashArb in Production Altug Tatlisu Altug Tatlisu Altug Tatlisu Follow Dec 19 '25 The Arbitrage Bot Arms Race: What We Learned Running FlashArb in Production # blockchain # ethereum # webdev # javascript Comments Add Comment 5 min read Understanding the Constant Product Formula in AMMs (Without Getting Tricked by k) Maria Kalala Maria Kalala Maria Kalala Follow Dec 23 '25 Understanding the Constant Product Formula in AMMs (Without Getting Tricked by k) # blockchain # web3 # smartcontract # defi 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:47:49
https://dev.to/callstacktech/how-to-build-a-voice-ai-agent-for-hvac-customer-support-my-experience-8ff
How to Build a Voice AI Agent for HVAC Customer Support: My Experience - 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 CallStack Tech Posted on Jan 13 • Originally published at callstack.tech How to Build a Voice AI Agent for HVAC Customer Support: My Experience # ai # voicetech # machinelearning # webdev How to Build a Voice AI Agent for HVAC Customer Support: My Experience TL;DR Most HVAC support teams waste 40% of labor on repetitive calls (scheduling, filter status, warranty checks). Build a voice AI agent using VAPI + Twilio to handle inbound calls 24/7. Route complex issues to humans via function calling. Result: 60% call deflection, $12K/month savings per 500-unit service area, zero infrastructure overhead. Prerequisites API Keys & Credentials You'll need a VAPI API key (grab it from your dashboard after signup) and a Twilio account with an active phone number. Store both in .env as VAPI_API_KEY and TWILIO_AUTH_TOKEN . Your Twilio Account SID is also required for webhook routing. System Requirements Node.js 16+ (we're using async/await heavily). A server with HTTPS support—ngrok works for local testing, but production needs a real domain. Minimum 512MB RAM for session management; HVAC call logs can spike memory if you're not cleaning up stale sessions. Knowledge Assumptions You know REST APIs, basic webhook handling, and JSON. Familiarity with voice AI concepts helps but isn't mandatory. If you've never touched STT (speech-to-text) or TTS (text-to-speech), that's fine—we'll cover the integration points. Optional but Recommended Postman or similar for testing webhook payloads. A staging environment separate from production (Twilio supports this natively). Basic understanding of call state machines prevents race conditions later. Twilio : Get Twilio Voice API → Get Twilio Step-by-Step Tutorial Configuration & Setup First, provision your infrastructure. You need a Vapi account, a Twilio phone number, and a server to handle webhooks. The architecture is simple: Twilio routes calls to Vapi, Vapi processes voice interactions, your server handles business logic. Critical config mistake I see constantly: Developers set transcriber.endpointing to 200ms thinking it'll make the bot faster. Wrong. HVAC customers pause mid-sentence ("My AC is... uh... making a weird noise"). Set it to 800-1200ms or you'll get premature cutoffs. // Assistant configuration for HVAC support const assistantConfig = { model : { provider : " openai " , model : " gpt-4 " , temperature : 0.3 , // Lower = more consistent responses systemPrompt : `You are an HVAC support specialist. Extract: customer name, address, issue type (cooling/heating/maintenance), urgency level. If emergency (no heat in winter, no AC above 95°F), flag immediately. Never promise same-day service without checking availability.` }, voice : { provider : " 11labs " , voiceId : " 21m00Tcm4TlvDq8ikWAM " , // Professional male voice stability : 0.7 , similarityBoost : 0.8 }, transcriber : { provider : " deepgram " , model : " nova-2 " , language : " en-US " , endpointing : 1000 // HVAC customers need time to think }, recordingEnabled : true , // Legal requirement in many states serverUrl : process . env . WEBHOOK_URL , serverUrlSecret : process . env . WEBHOOK_SECRET }; Enter fullscreen mode Exit fullscreen mode Architecture & Flow The call flow: Customer dials → Twilio forwards to Vapi → Vapi streams audio to STT → GPT-4 processes → TTS generates response → Audio streams back. Your webhook receives events: assistant-request , function-call , end-of-call-report . Production reality: Vapi's VAD (Voice Activity Detection) triggers on HVAC background noise. A running furnace at 65dB will cause false interruptions. Solution: Increase voice.backgroundSound threshold or use Deepgram's noise suppression. Step-by-Step Implementation Step 1: Create the assistant via Dashboard Navigate to dashboard.vapi.ai, create assistant using the customer support template. Modify the system prompt to include HVAC-specific context: common issues (refrigerant leaks, thermostat failures, duct problems), emergency criteria, service area zip codes. Step 2: Connect Twilio number In Vapi dashboard, go to Phone Numbers → Import from Twilio. Vapi automatically configures the webhook. Twilio charges $1/month per number + $0.0085/minute. Vapi charges $0.05/minute for Deepgram + $0.10/minute for ElevenLabs. Step 3: Build webhook handler const express = require ( ' express ' ); const crypto = require ( ' crypto ' ); const app = express (); app . use ( express . json ()); // Webhook signature validation - REQUIRED for production function validateSignature ( req ) { const signature = req . headers [ ' x-vapi-signature ' ]; const payload = JSON . stringify ( req . body ); const hash = crypto . createHmac ( ' sha256 ' , process . env . WEBHOOK_SECRET ) . update ( payload ) . digest ( ' hex ' ); return signature === hash ; } app . post ( ' /webhook/vapi ' , async ( req , res ) => { if ( ! validateSignature ( req )) { return res . status ( 401 ). json ({ error : ' Invalid signature ' }); } const { message } = req . body ; // Handle function calls for scheduling if ( message . type === ' function-call ' ) { const { functionCall } = message ; if ( functionCall . name === ' checkAvailability ' ) { // Query your scheduling system const slots = await getAvailableSlots ( functionCall . parameters . zipCode ); return res . json ({ result : slots }); } } // Log call completion for analytics if ( message . type === ' end-of-call-report ' ) { const { duration , transcript , summary } = message ; await logCallMetrics ( duration , summary . issue_type ); } res . json ({ received : true }); }); Enter fullscreen mode Exit fullscreen mode Error Handling & Edge Cases Race condition: Customer interrupts mid-sentence while TTS is generating. Vapi handles this natively via transcriber.endpointing , but you need to cancel any pending function calls. Track call state: isProcessing flag prevents duplicate API calls. Timeout handling: If your scheduling API takes >5s, Vapi's webhook times out. Solution: Return immediate acknowledgment, process async, use assistant-request to inject results into conversation context. Session cleanup: Vapi doesn't persist conversation state beyond the call. If customer hangs up and calls back, you're starting fresh. Store call.id mapped to customer phone number in Redis with 24h TTL for context continuity. Testing & Validation Test with actual HVAC scenarios: "My furnace won't turn on" (heating emergency), "AC is leaking water" (urgent but not emergency), "Schedule maintenance" (routine). Validate the assistant extracts correct urgency levels. Latency benchmark: Measure end-to-end response time. Target: <2s from customer stops speaking to bot starts responding. Deepgram Nova-2 adds ~300ms, GPT-4 adds ~800ms, ElevenLabs adds ~400ms. Total: ~1.5s baseline. Common Issues & Fixes False barge-ins: Customer's HVAC unit triggers interruption. Increase transcriber.endpointing to 1200ms. Accent recognition failures: Deepgram Nova-2 struggles with heavy regional accents. Switch to model: "nova-2-general" or add accent-specific training data. Cost overruns: Long hold times rack up charges. Implement maxDuration: 600 (10 minutes) to force call termination. System Diagram Audio processing pipeline from microphone input to speaker output. graph LR A[Microphone] --> B[Audio Buffer] B --> C[Voice Activity Detection] C -->|Speech Detected| D[Speech-to-Text] C -->|Silence| E[Error: No Speech Detected] D --> F[Intent Detection] F -->|Intent Found| G[Response Generation] F -->|Intent Not Found| H[Error: Unknown Intent] G --> I[Text-to-Speech] I --> J[Speaker] E --> K[Log Error] H --> K K --> L[Retry or End Session] Enter fullscreen mode Exit fullscreen mode Testing & Validation Most HVAC voice agents fail in production because devs skip local testing. Here's how to catch issues before customers do. Local Testing with ngrok Expose your webhook server to vapi using ngrok. This lets you test the full call flow without deploying. // Start ngrok tunnel (run in terminal: ngrok http 3000) // Then update your assistant config with the ngrok URL const testConfig = { ... assistantConfig , serverUrl : " https://abc123.ngrok.io/webhook " , serverUrlSecret : process . env . VAPI_SERVER_SECRET }; // Test webhook signature validation locally app . post ( ' /webhook/test ' , ( req , res ) => { const signature = req . headers [ ' x-vapi-signature ' ]; const isValid = validateSignature ( req . body , signature ); if ( ! isValid ) { console . error ( ' Signature validation failed - check serverUrlSecret ' ); return res . status ( 401 ). json ({ error : ' Invalid signature ' }); } console . log ( ' ✓ Webhook validated: ' , req . body . message . type ); res . json ({ received : true }); }); Enter fullscreen mode Exit fullscreen mode Webhook Validation Test each event type manually. Use the dashboard's "Call" button to trigger real events. Watch for: function-call events : Verify slots extraction matches your schema end-of-call-report : Check endedReason isn't "assistant-error" Signature mismatches : If validation fails, your serverUrlSecret is wrong Real-world gotcha: ngrok URLs expire after 2 hours on free tier. Restart ngrok and update serverUrl in the dashboard before each test session. Real-World Example Barge-In Scenario Customer calls at 2 PM on a 95°F day. Their AC died. Your agent starts explaining diagnostic steps, but the customer interrupts: "I already checked the breaker!" This is where most voice AI systems break. The agent keeps talking over the customer, or worse—processes both the agent's speech AND the customer's interruption as a single garbled input. Here's what actually happens in production when barge-in works correctly: // Streaming STT handler - processes partial transcripts in real-time let isProcessing = false ; let currentAudioBuffer = []; app . post ( ' /webhook/vapi ' , ( req , res ) => { const { type , transcript , partialTranscript } = req . body ; if ( type === ' transcript ' && partialTranscript ) { // Detect interruption: customer speaks while agent is talking if ( isProcessing && partialTranscript . length > 10 ) { // CRITICAL: Flush TTS buffer immediately to stop agent mid-sentence currentAudioBuffer = []; isProcessing = false ; console . log ( `[ ${ new Date (). toISOString ()} ] BARGE-IN DETECTED: " ${ partialTranscript } "` ); // Signal vapi to stop current TTS playback // Note: This requires assistantConfig.voice.interruptible = true return res . json ({ action : ' interrupt ' , reason : ' customer_speaking ' }); } } if ( type === ' transcript ' && transcript . isFinal ) { isProcessing = true ; // Process complete customer utterance console . log ( `[ ${ new Date (). toISOString ()} ] FINAL: " ${ transcript . text } "` ); } res . sendStatus ( 200 ); }); Enter fullscreen mode Exit fullscreen mode The assistantConfig from earlier sections MUST have transcriber.endpointing set to 150-200ms for HVAC scenarios. Customers are stressed—they interrupt fast. Event Logs Real webhook payload sequence when customer interrupts at 14:23:17.450: { "type" : "transcript" , "timestamp" : "2024-01-15T14:23:17.450Z" , "partialTranscript" : "I already che" , "confidence" : 0.87 , "isFinal" : false } Enter fullscreen mode Exit fullscreen mode 120ms later, the final transcript arrives: { "type" : "transcript" , "timestamp" : "2024-01-15T14:23:17.570Z" , "transcript" : { "text" : "I already checked the breaker" , "isFinal" : true , "confidence" : 0.94 } } Enter fullscreen mode Exit fullscreen mode Notice the 120ms gap between partial detection and final transcript. Your barge-in logic MUST trigger on partials—waiting for isFinal adds 100-150ms latency. In a heated service call, that delay feels like the agent isn't listening. Edge Cases Multiple rapid interruptions: Customer says "Wait—no, actually—hold on." Three interrupts in 2 seconds. Your buffer flush logic runs three times. Without the isProcessing guard, you'll send three duplicate responses. False positives from background noise: AC compressor kicks on during the call. Registers as 0.4 confidence speech. Solution: Set transcriber.endpointing threshold to 0.5+ and add a minimum word count check ( partialTranscript.split(' ').length > 2 ) before triggering barge-in. Network jitter on mobile: Customer calls from their attic. Packet loss causes STT partials to arrive out of order. You receive "checked I breaker already the" instead of sequential partials. Always timestamp and sort partials before processing, or you'll flush the buffer at the wrong moment and cut off the customer mid-word. Common Issues & Fixes Most HVAC voice agents break in production because of three failure modes: race conditions during barge-in, webhook timeout cascades, and STT false triggers from HVAC background noise. Here's what actually breaks and how to fix it. Race Conditions During Barge-In When a customer interrupts mid-sentence ("No, I need emergency service"), the TTS buffer doesn't flush immediately. The agent keeps talking for 200-400ms, creating overlapping audio. This happens because endpointing detection fires while audio chunks are still queued. // Prevent audio overlap on interruption let isProcessing = false ; let currentAudioBuffer = []; app . post ( ' /webhook/vapi ' , ( req , res ) => { const { message } = req . body ; if ( message . type === ' speech-update ' && message . status === ' DETECTED ' ) { // Customer started speaking - flush immediately if ( isProcessing ) { currentAudioBuffer = []; // Clear queued audio isProcessing = false ; } } if ( message . type === ' transcript ' && message . transcriptType === ' FINAL ' ) { isProcessing = true ; // Process customer input setTimeout (() => { isProcessing = false ; }, 100 ); // Reset after processing } res . sendStatus ( 200 ); }); Enter fullscreen mode Exit fullscreen mode The fix: track processing state and flush currentAudioBuffer when speech-update fires with status DETECTED . This cuts overlap from 300ms to under 50ms. Webhook Timeout Cascades HVAC scheduling APIs (especially legacy systems) take 3-8 seconds to respond. Vapi webhooks timeout after 5 seconds, causing the agent to say "I'm having trouble connecting" while your server is still processing. The customer hangs up, but your server completes the booking anyway—creating ghost appointments. // Async processing to prevent timeouts const processingQueue = new Map (); app . post ( ' /webhook/vapi ' , async ( req , res ) => { const { message , call } = req . body ; // Respond immediately to prevent timeout res . sendStatus ( 200 ); if ( message . type === ' function-call ' ) { const requestId = ` ${ call . id } - ${ Date . now ()} ` ; // Queue the slow operation processingQueue . set ( requestId , { status : ' pending ' , timestamp : Date . now () }); // Process asynchronously processSchedulingRequest ( message . functionCall , requestId ) . then ( result => { processingQueue . set ( requestId , { status : ' complete ' , result }); }) . catch ( error => { processingQueue . set ( requestId , { status : ' error ' , error : error . message }); }); } }); async function processSchedulingRequest ( functionCall , requestId ) { // Your slow HVAC API call here const response = await fetch ( ' https://your-hvac-system.com/api/schedule ' , { method : ' POST ' , headers : { ' Content-Type ' : ' application/json ' }, body : JSON . stringify ( functionCall . parameters ) }); if ( ! response . ok ) throw new Error ( `Scheduling failed: ${ response . status } ` ); return response . json (); } Enter fullscreen mode Exit fullscreen mode Return HTTP 200 within 500ms, then process the scheduling request asynchronously. Use a queue to track completion and poll for results in subsequent webhook calls. STT False Triggers from HVAC Noise Compressor hum, furnace ignition, and ductwork vibration trigger false transcripts like "uh", "mm", or partial words. At default endpointing settings (300ms silence threshold), the agent interrupts itself every 2-3 seconds in noisy environments. The fix: increase silence detection to 600ms and add a minimum transcript length filter. In the dashboard assistant config, set transcriber.endpointing to 600. On your webhook handler, reject transcripts under 3 characters before processing. Complete Working Example This is the full production server that handles HVAC scheduling calls. Copy-paste this into server.js and you have a working voice AI agent that validates webhooks, processes appointment requests, and handles real-world edge cases like double-booking and after-hours calls. // server.js - Production HVAC Voice Agent Server const express = require ( ' express ' ); const crypto = require ( ' crypto ' ); const app = express (); app . use ( express . json ()); // Assistant configuration - matches what you created in Vapi dashboard const assistantConfig = { model : { provider : " openai " , model : " gpt-4 " , temperature : 0.3 , systemPrompt : " You are an HVAC scheduling assistant. Ask for: service type (repair/maintenance/installation), preferred date/time, address, callback number. Confirm all details before booking. " }, voice : { provider : " 11labs " , voiceId : " 21m00Tcm4TlvDq8ikWAM " , stability : 0.5 , similarityBoost : 0.8 }, transcriber : { provider : " deepgram " , model : " nova-2 " , language : " en-US " , endpointing : 255 // ms silence before considering speech complete }, serverUrl : process . env . WEBHOOK_URL , // Your ngrok/production URL serverUrlSecret : process . env . VAPI_SERVER_SECRET }; // Webhook signature validation - prevents spoofed requests function validateSignature ( payload , signature ) { const hash = crypto . createHmac ( ' sha256 ' , process . env . VAPI_SERVER_SECRET ) . update ( JSON . stringify ( payload )) . digest ( ' hex ' ); return crypto . timingSafeEqual ( Buffer . from ( signature ), Buffer . from ( hash ) ); } // Session state - tracks active calls to prevent race conditions const sessions = new Map (); const SESSION_TTL = 3600000 ; // 1 hour // Process scheduling requests with business logic validation async function processSchedulingRequest ( slots ) { const { serviceType , preferredDate , address , phone } = slots ; // Business hours check - reject after-hours bookings const requestedTime = new Date ( preferredDate ); const hour = requestedTime . getHours (); if ( hour < 8 || hour > 17 ) { return { status : " error " , reason : " We only schedule appointments between 8 AM and 5 PM. Please choose a different time. " }; } // Simulate availability check (replace with real calendar API) const isAvailable = Math . random () > 0.3 ; // 70% availability rate if ( ! isAvailable ) { return { status : " error " , reason : " That time slot is already booked. Our next available slot is tomorrow at 10 AM. " }; } // Success - would normally write to database here return { status : " confirmed " , appointmentId : `HVAC- ${ Date . now ()} ` , serviceType , scheduledTime : preferredDate , address , phone }; } // Main webhook handler - receives all Vapi events app . post ( ' /webhook/vapi ' , async ( req , res ) => { const signature = req . headers [ ' x-vapi-signature ' ]; const payload = req . body ; // Security: validate webhook signature if ( ! validateSignature ( payload , signature )) { console . error ( ' Invalid webhook signature ' ); return res . status ( 401 ). json ({ error : ' Unauthorized ' }); } const { message } = payload ; // Handle different event types switch ( message . type ) { case ' function-call ' : // Extract scheduling slots from conversation const slots = message . functionCall . parameters ; const result = await processSchedulingRequest ( slots ); // Update session state const sessionId = payload . call . id ; sessions . set ( sessionId , { lastUpdate : Date . now (), appointmentStatus : result . status }); // Clean up old sessions setTimeout (() => sessions . delete ( sessionId ), SESSION_TTL ); return res . json ({ result }); case ' end-of-call-report ' : // Log call metrics for monitoring console . log ( ' Call ended: ' , { duration : message . call . duration , cost : message . call . cost , endedReason : message . call . endedReason }); return res . sendStatus ( 200 ); case ' status-update ' : // Track call progress if ( message . status === ' in-progress ' ) { console . log ( ' Call connected: ' , payload . call . id ); } return res . sendStatus ( 200 ); default : return res . sendStatus ( 200 ); } }); // Health check endpoint app . get ( ' /health ' , ( req , res ) => { res . json ({ status : ' healthy ' , activeSessions : sessions . size , uptime : process . uptime () }); }); const PORT = process . env . PORT || 3000 ; app . listen ( PORT , () => { console . log ( `HVAC Voice Agent running on port ${ PORT } ` ); console . log ( `Webhook URL: ${ process . env . WEBHOOK_URL } /webhook/vapi` ); }); Enter fullscreen mode Exit fullscreen mode Run Instructions 1. Install dependencies: npm install express Enter fullscreen mode Exit fullscreen mode 2. Set environment variables: export WEBHOOK_URL = "https://your-domain.ngrok.io" export VAPI_SERVER_SECRET = "your_webhook_secret_from_vapi_dashboard" export PORT = 3000 Enter fullscreen mode Exit fullscreen mode 3. Start the server: node server.js Enter fullscreen mode Exit fullscreen mode 4. Configure Vapi assistant: Go to dashboard.vapi.ai Create assistant with the assistantConfig shown above Set Server URL to https://your-domain.ngrok.io/webhook/vapi Add your webhook secret Assign a phone number 5. Test the flow: Call your Vapi number. The agent will ask for service type, date, address, and phone. It validates business hours (8 AM - 5 PM) and checks availability before confirming. After-hours requests get rejected with the next available slot. Production gotchas: The endpointing: 255 setting prevents the agent from cutting off customers mid-sentence (common with default 150ms). Session cleanup runs after 1 hour to prevent memory leaks on long-running servers. Webhook signature validation blocks replay attacks. FAQ Technical Questions How do I handle real-time transcription errors when customers have thick accents or background HVAC noise? Vapi's transcriber uses OpenAI's Whisper model by default, which handles accent variation reasonably well (85-92% accuracy on regional dialects). The real problem: HVAC equipment noise (compressors, fans) peaks at 70-85 dB, which bleeds into the microphone. Set transcriber.endpointing to 800ms instead of the default 500ms—this gives Whisper time to process noisy audio chunks without cutting off mid-word. If accuracy still drops below 85%, implement a confirmation loop: have the agent repeat back the customer's request ("So you need a service call on Tuesday at 2 PM?") before executing processSchedulingRequest . This catches 90% of transcription errors before they hit your database. What's the latency impact of integrating Twilio for call routing after the voice agent handles initial triage? Twilio's SIP trunk integration adds 200-400ms of handoff latency. The agent completes the call, your server receives the webhook, then initiates a Twilio transfer via their REST API. Total time: ~600ms. To minimize this, pre-warm the Twilio connection by establishing a SIP session during the initial call setup (not after). Store the sessionId in your sessions object and reuse it for transfers. This cuts handoff latency to 150-200ms. Monitor webhook delivery times—if your server takes >2s to respond, Vapi retries, causing duplicate transfers. How do I prevent the agent from scheduling conflicting appointments? This breaks in production constantly. Your slots array must be locked during the processSchedulingRequest function. Use a database transaction or Redis lock with a 5-second TTL. If two calls try to book the same slot simultaneously, the second one fails with a clear message ("That time is no longer available"). Without locking, you'll double-book technicians. Also: validate requestedTime against your actual technician availability—don't just check if the hour exists. Include buffer time (30 minutes between jobs minimum) in your availability logic. Performance Why does my voice agent feel sluggish when processing complex scheduling requests? Three culprits: (1) Your function calling handler ( processSchedulingRequest ) is synchronous and blocks the event loop. Make it async and use await for database queries. (2) The agent's systemPrompt is too verbose (>500 tokens). Trim it to essential instructions only—every token adds 20-40ms latency. (3) You're not using partial transcripts. Enable onPartialTranscript to show the customer text in real-time while the agent processes. This masks 300-500ms of backend latency. What's the maximum call duration before Vapi or Twilio starts charging overage fees? Vapi charges per minute of connected call time (no setup fees). Twilio charges per minute of SIP trunk usage. A 10-minute support call costs roughly $0.15-0.30 combined. If you're handling 100 calls/day, budget $15-30/day. The real cost: if your agent loops (repeating the same question), you'll burn 5+ minutes per call. Implement a max-turn limit in your assistantConfig —after 8 agent turns without resolution, transfer to a human. Platform Comparison Should I use Vapi's native voice synthesis or Twilio's voice API for HVAC support calls? Use Vapi's native voice synthesis (ElevenLabs or Google). Twilio's voice API adds an extra hop and 150-300ms latency. Vapi handles voice directly in the call pipeline. Configure voice.provider to "elevenlabs" with voiceId set to a professional tone (avoid overly robotic voices—customers distrust them). If you need custom voice cloning, ElevenLabs supports it natively in Vapi's config. Can I use Vapi alone, or do I need Twilio for HVAC support automation? Vapi handles inbound/outbound calls and AI logic. Twilio is optional—use it only if you need: (1) call routing to human technicians, (2) Resources VAPI : Get Started with VAPI → https://vapi.ai/?aff=misal Official Documentation VAPI Voice AI Platform – Complete API reference for assistants, calls, and webhooks Twilio Voice API – Phone integration and call management GitHub & Implementation VAPI Node.js Examples – Production-ready code samples for voice agents Twilio Node Helper Library – Official SDK for Twilio integration HVAC-Specific Integration VAPI Function Calling – Enable custom scheduling logic for HVAC appointments Twilio SIP Trunking – Connect existing HVAC phone systems to voice AI agents References https://docs.vapi.ai/quickstart/phone https://docs.vapi.ai/workflows/quickstart https://docs.vapi.ai/quickstart/web https://docs.vapi.ai/quickstart/introduction https://docs.vapi.ai/chat/quickstart https://docs.vapi.ai/assistants/quickstart 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 CallStack Tech Follow We skip the "What is AI?" intro fluff. If you're shipping voice agents that handle real users, this is for you. Joined Dec 2, 2025 More from CallStack Tech How to Transcribe and Detect Intent Using Deepgram for STT: A Developer's Journey # ai # voicetech # machinelearning # webdev Integrating HubSpot with Salesforce using Webhooks for Real-Time Data Synchronization # api # webdev # tutorial # programming How to Build Custom Pipelines for Voice AI Integration: A Developer's Journey # ai # voicetech # machinelearning # webdev 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/t/programming/page/3611#main-content
Programming Page 3611 - 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 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:47:49
https://dev.to/t/machinelearning/page/5
Machine Learning Page 5 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning posts 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Understanding DLCM: A Deep Dive into Its Core Architecture and the Power of Causal Encoding mehrshad mehrshad mehrshad Follow Jan 8 Understanding DLCM: A Deep Dive into Its Core Architecture and the Power of Causal Encoding # attentionmechanism # machinelearning # nlp # ai Comments Add Comment 6 min read How People Actually Use AI: Insights from 100 Trillion Tokens Claudius Papirus Claudius Papirus Claudius Papirus Follow Jan 6 How People Actually Use AI: Insights from 100 Trillion Tokens # ai # machinelearning # opensource # data Comments Add Comment 2 min read How Developer Features Predict AI Tool Adoption: Insights from the 2025 Stack Overflow Survey janelle janelle janelle Follow Jan 9 How Developer Features Predict AI Tool Adoption: Insights from the 2025 Stack Overflow Survey # ai # datascience # developer # machinelearning 1  reaction Comments Add Comment 2 min read How I Used GitLab Duo Agent Platorm to Build a Conference Demo in under an hour Shivay Lamba Shivay Lamba Shivay Lamba Follow Jan 8 How I Used GitLab Duo Agent Platorm to Build a Conference Demo in under an hour # gitlab # devops # ai # machinelearning 5  reactions Comments Add Comment 4 min read Amazing Z-Image Workflow v3.0: Complete Guide to Enhanced ComfyUI Image Generation Garyvov Garyvov Garyvov Follow Jan 8 Amazing Z-Image Workflow v3.0: Complete Guide to Enhanced ComfyUI Image Generation # ai # machinelearning # tooling # tutorial Comments Add Comment 9 min read AI Trading: Lesson Learned #110: Trailing Stops Script Existed But Never Executed Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #110: Trailing Stops Script Existed But Never Executed # ai # trading # python # machinelearning Comments Add Comment 2 min read How to Set Up Voice AI Webhook Handling for Real Estate Inquiries Effectively CallStack Tech CallStack Tech CallStack Tech Follow Jan 7 How to Set Up Voice AI Webhook Handling for Real Estate Inquiries Effectively # ai # voicetech # machinelearning # webdev Comments Add Comment 13 min read AWS Bedrock Security Best Practices: Building Secure Generative AI Applications Brayan Arrieta Brayan Arrieta Brayan Arrieta Follow Jan 7 AWS Bedrock Security Best Practices: Building Secure Generative AI Applications # machinelearning # ai # aws # security Comments Add Comment 4 min read Deciphering the coordinated GPS-spoofing incidents that disrupted Indian airports Secure10 Secure10 Secure10 Follow Jan 7 Deciphering the coordinated GPS-spoofing incidents that disrupted Indian airports # news # ai # machinelearning # cybersecurity Comments Add Comment 3 min read AI Trading: Lesson Learned #112: Phase 1 Cleanup - ChromaDB Removed Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #112: Phase 1 Cleanup - ChromaDB Removed # ai # trading # python # machinelearning Comments Add Comment 1 min read AI Trading: Lesson Learned #112: Pre-Market Position Protection Gap Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #112: Pre-Market Position Protection Gap # ai # trading # python # machinelearning Comments Add Comment 1 min read AI Trading: Lesson Learned #108: Strategy Verification Session (Jan 7, 2026) Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #108: Strategy Verification Session (Jan 7, 2026) # ai # trading # python # machinelearning Comments Add Comment 2 min read AI Trading: Lesson Learned #111: Paper Trading Capital Must Be Realistic Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #111: Paper Trading Capital Must Be Realistic # ai # trading # python # machinelearning Comments Add Comment 2 min read Anomaly Detection in Seasonal Data: Why Z-Score Still Wins (But You Need to Use It Right) Vinicius Fagundes Vinicius Fagundes Vinicius Fagundes Follow Jan 7 Anomaly Detection in Seasonal Data: Why Z-Score Still Wins (But You Need to Use It Right) # algorithms # datascience # machinelearning # python Comments Add Comment 11 min read AI Trading Daily Report: January 06, 2026 | $+101,272.24 Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 6 AI Trading Daily Report: January 06, 2026 | $+101,272.24 # trading # ai # machinelearning # python Comments Add Comment 1 min read Automating machine learning with AI agents Dmitry Glhf Dmitry Glhf Dmitry Glhf Follow Jan 6 Automating machine learning with AI agents # machinelearning # automation # python # agents Comments Add Comment 8 min read The Silent Collapse of Stack Overflow – And Why It Should Worry Every Developer Muhammad Gawish Muhammad Gawish Muhammad Gawish Follow Jan 7 The Silent Collapse of Stack Overflow – And Why It Should Worry Every Developer # ai # modelcollapse # machinelearning # stackoverflow Comments Add Comment 1 min read AI Trading: Lesson Learned #093: Automation Metadata Stale - No Trades Executed Jan 7 Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #093: Automation Metadata Stale - No Trades Executed Jan 7 # ai # trading # python # machinelearning Comments Add Comment 2 min read Time-Series Alchemy: Predicting Glucose Trends 2 Hours Out with Transformers and PyTorch Lightning Beck_Moulton Beck_Moulton Beck_Moulton Follow Jan 7 Time-Series Alchemy: Predicting Glucose Trends 2 Hours Out with Transformers and PyTorch Lightning # python # machinelearning # webdev # datascience Comments Add Comment 4 min read Why Your 99% Accurate Model is Useless in Production (And How to Fix It) Best Tech Company Best Tech Company Best Tech Company Follow Jan 7 Why Your 99% Accurate Model is Useless in Production (And How to Fix It) # datascience # machinelearning # performance Comments Add Comment 3 min read 📘 CUSTOMER CHURN PROJECT — MASTER STEP LIST likhitha manikonda likhitha manikonda likhitha manikonda Follow Jan 6 📘 CUSTOMER CHURN PROJECT — MASTER STEP LIST # machinelearning # data # ai # learning Comments Add Comment 2 min read Why There's No "Perfect Prompt" And Why The Debate Still Won't Die shivraj patare shivraj patare shivraj patare Follow Jan 6 Why There's No "Perfect Prompt" And Why The Debate Still Won't Die # ai # machinelearning # promptengineering # llm Comments Add Comment 5 min read AI Trading: Lesson Learned #115: PAL MCP for Adversarial Trade Validation Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 8 AI Trading: Lesson Learned #115: PAL MCP for Adversarial Trade Validation # ai # trading # python # machinelearning Comments Add Comment 2 min read Why Image Hallucination Is More Dangerous Than Text Hallucination Priyam Priyam Priyam Follow Jan 6 Why Image Hallucination Is More Dangerous Than Text Hallucination # evaluation # ai # machinelearning # futureagi Comments Add Comment 1 min read The Incomputability of Simple Learning Alex Towell Alex Towell Alex Towell Follow Jan 7 The Incomputability of Simple Learning # machinelearning # philosophy # ai # bitterlesson Comments Add Comment 10 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://dev.to/t/marketing
Marketing - 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 # marketing Follow Hide Marketing campaigns and trailers Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Case Study (Day 0): Testing a Topical Authority Burst Strategy on a Brand-New Site Topical HQ Topical HQ Topical HQ Follow Jan 13 Case Study (Day 0): Testing a Topical Authority Burst Strategy on a Brand-New Site # devjournal # marketing # startup # testing 4  reactions Comments Add Comment 2 min read How I got internet famous, you can too. Ariyo Aresa Ariyo Aresa Ariyo Aresa Follow Jan 10 How I got internet famous, you can too. # webdev # productivity # seo # marketing Comments Add Comment 3 min read HarisLab Connect: Manage Website Forms, Feedback, Newsletters & Subscribers Effortlessly 🚀 Muhammad Haris Muhammad Haris Muhammad Haris Follow Jan 10 HarisLab Connect: Manage Website Forms, Feedback, Newsletters & Subscribers Effortlessly 🚀 # webdev # productivity # marketing # saas 5  reactions Comments 1  comment 1 min read Building promobot: # From Code to Content: Buildi... Shashank Chakraborty Shashank Chakraborty Shashank Chakraborty Follow Jan 10 Building promobot: # From Code to Content: Buildi... # showdev # ai # marketing # automation Comments Add Comment 5 min read I Built a SaaS People Actually Needed—Marketing It With $0 Has Been Brutal Nyanguno Nyanguno Nyanguno Follow Jan 8 I Built a SaaS People Actually Needed—Marketing It With $0 Has Been Brutal # saas # indiehacker # buildinpublic # marketing Comments Add Comment 2 min read I am building a self-hosted dnd email builder and campaign management platform Ihor Filippov Ihor Filippov Ihor Filippov Follow Jan 8 I am building a self-hosted dnd email builder and campaign management platform # opensource # marketing # react # nextjs Comments Add Comment 1 min read Conversion Funnels & the Banality of Success Nick Goldstein Nick Goldstein Nick Goldstein Follow Jan 7 Conversion Funnels & the Banality of Success # startup # beginners # productivity # marketing 2  reactions Comments Add Comment 3 min read LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Taiwan DevRel: 2020 Review and 2021 Community Plans (Part 3: Technical Branding and Hiring) # devjournal # community # marketing # career 1  reaction Comments 1  comment 8 min read 🚀 From Idea-Hopping to Seeing One Product Through: My Struggle With Marketing a SaaS Nyanguno Nyanguno Nyanguno Follow Jan 5 🚀 From Idea-Hopping to Seeing One Product Through: My Struggle With Marketing a SaaS # webdev # marketing # ai # saas Comments Add Comment 2 min read A Retail Investor's Self-Discipline Journey: Using AI to Block 80% of Bad Trades fmzquant fmzquant fmzquant Follow Jan 5 A Retail Investor's Self-Discipline Journey: Using AI to Block 80% of Bad Trades # ai # marketing # trader # management Comments Add Comment 8 min read Building a Simple Digital Marketing Strategy for 2026 (That You Can Actually Execute) Panchal Mukunda K Panchal Mukunda K Panchal Mukunda K Follow Jan 5 Building a Simple Digital Marketing Strategy for 2026 (That You Can Actually Execute) # marketing # startup # strategy # business Comments Add Comment 4 min read Developer Marketing and Authentic Growth Mikuz Mikuz Mikuz Follow Jan 4 Developer Marketing and Authentic Growth # career # developer # marketing # startup Comments Add Comment 5 min read GitHub SEO: 5 lessons learned to promote your project Nakora Nakora Nakora Follow Jan 4 GitHub SEO: 5 lessons learned to promote your project # devrel # marketing Comments Add Comment 2 min read Networking Mistakes That Cost Me 6 Months sanjay kumar sanjay kumar sanjay kumar Follow Jan 3 Networking Mistakes That Cost Me 6 Months # marketing # networking # career # opensource 1  reaction Comments Add Comment 3 min read Automating Serverless Data Ingestion: How to Connect External APIs to BigQuery using Python and Cloud Functions Amine Laatfa Amine Laatfa Amine Laatfa Follow Jan 1 Automating Serverless Data Ingestion: How to Connect External APIs to BigQuery using Python and Cloud Functions # googlecloud # bigquery # marketing # dataengineering Comments Add Comment 12 min read Alpha Arena AI Trading System 2.0: The Optimization Journey from Ideal to Reality fmzquant fmzquant fmzquant Follow Dec 31 '25 Alpha Arena AI Trading System 2.0: The Optimization Journey from Ideal to Reality # systems # ai # discord # marketing Comments Add Comment 8 min read Entities in SEO explained simply (and why keywords alone don’t work anymore) Ivan Jarkov Ivan Jarkov Ivan Jarkov Follow Dec 31 '25 Entities in SEO explained simply (and why keywords alone don’t work anymore) # beginners # google # marketing Comments Add Comment 2 min read I Was Tired of Link-in-Bio Tools, So I Built an AI One-Page Website Generator Beka Makharoblishvili Beka Makharoblishvili Beka Makharoblishvili Follow Dec 30 '25 I Was Tired of Link-in-Bio Tools, So I Built an AI One-Page Website Generator # webdev # ai # marketing # sideprojects Comments Add Comment 2 min read Stop Losing Marketing Attribution Data in Your Forms (Zero-Dependency Solution) Ben Sabic Ben Sabic Ben Sabic Follow Dec 30 '25 Stop Losing Marketing Attribution Data in Your Forms (Zero-Dependency Solution) # javascript # webdev # marketing # opensource Comments Add Comment 7 min read I built a "Perfect" landing page for my business. Now, how do I actually get people to see it? Tejas Baid Tejas Baid Tejas Baid Follow Dec 29 '25 I built a "Perfect" landing page for my business. Now, how do I actually get people to see it? # discuss # startup # beginners # marketing Comments Add Comment 1 min read Build a YouTube Shorts Trend Tracker to Go Viral Olamide Olaniyan Olamide Olaniyan Olamide Olaniyan Follow Dec 29 '25 Build a YouTube Shorts Trend Tracker to Go Viral # tutorial # webdev # node # marketing 2  reactions Comments Add Comment 6 min read A Brief Discussion on Digital Currency Market Making Strategies (2): Order Book Strategies fmzquant fmzquant fmzquant Follow Jan 12 A Brief Discussion on Digital Currency Market Making Strategies (2): Order Book Strategies # marketing # arbitrage # liquidity # management Comments Add Comment 13 min read Why Your Tech Startup's Brand Matters More Than Your Code (And How to Build One) Abdullah Abid Abdullah Abid Abdullah Abid Follow Jan 1 Why Your Tech Startup's Brand Matters More Than Your Code (And How to Build One) # management # marketing # startup Comments Add Comment 6 min read Org-Level Email Campaigns are Somehow an Unsolved Problem Nick K Nick K Nick K Follow Dec 29 '25 Org-Level Email Campaigns are Somehow an Unsolved Problem # webdev # marketing # programming # javascript 2  reactions Comments 1  comment 4 min read Homepage vs. Landing Page: What is Right for Your Business? Per Starke Per Starke Per Starke Follow Dec 26 '25 Homepage vs. Landing Page: What is Right for Your Business? # beginners # marketing # ux 1  reaction Comments Add Comment 9 min read loading... trending guides/resources Claude Code for Growth Marketing (Hell Yeah!) Stop Calling LLMs AI What Are the Best Ways to Integrate LLMs Into SEO and Analytics Workflows? The Ultimate Guide to GitHub SEO for 2025 SEO in 2025: Why Your Strategy Probably Needs Fewer Tactics, Not More Launching TwelveLabs Marengo 3.0 on Product Hunt - Behind-the-scenes How to Use Bundles, Upsells, and Cross-Sells to Increase AOV in Ecommerce 15 Small Business Marketing Ideas for Founders, Devs, and Indie Hackers How to improve your waitlist landing page and get more signups? How to Rank on ChatGPT: LLM Visibility Strategies for B2B SaaS How to Find and Fix Broken Links: The Complete Guide 2025 Stop Losing Marketing Attribution Data in Your Forms (Zero-Dependency Solution) Building ScrapeForge in public starting tomorrow 🚀 [2025 Guide] 9 Best AI Tools for Social Media Advertising (Tested) Stop Writing Bad Case Studies: This AI Prompt Generates Professional Business Narratives Developer Marketing and Authentic Growth I Built a Press Release AI Prompt That Actually Works—Here's the Complete Template AI in Content Marketing: 2025's Biggest Shift The Localized Stack: Hacking the Google Algorithm for Dental Patient Acquisition The Most Expensive Sentence In The World? 💎 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:47:49
https://dev.to/t/machinelearning/page/7
Machine Learning Page 7 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Machine Learning Follow Hide A branch of artificial intelligence (AI) and computer science which focuses on the use of data and algorithms to imitate the way that humans learn, gradually improving its accuracy. Create Post submission guidelines Articles and discussions should be directly related to the machine learning. Questions are encouraged! (See the #help tag) Older #machinelearning posts 4 5 6 7 8 9 10 11 12 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How Exactly  Are AI Models Deployed? CyberLord CyberLord CyberLord Follow Jan 6 How Exactly  Are AI Models Deployed? # ai # beginners # machinelearning # chatgpt Comments Add Comment 4 min read Dense vs Sparse Vectors in AI — Explained for Developers Chintan Soni Chintan Soni Chintan Soni Follow Jan 6 Dense vs Sparse Vectors in AI — Explained for Developers # ai # machinelearning # search # embeddings Comments Add Comment 2 min read Deploying Machine Learning Applications with Render: A Data Scientist’s Guide Kenechukwu Anoliefo Kenechukwu Anoliefo Kenechukwu Anoliefo Follow Jan 6 Deploying Machine Learning Applications with Render: A Data Scientist’s Guide # cloudcomputing # devops # machinelearning # tutorial Comments Add Comment 3 min read How Machine Learning Works? NEBULA DATA NEBULA DATA NEBULA DATA Follow Jan 6 How Machine Learning Works? # ai # beginners # machinelearning Comments Add Comment 3 min read The 5 things we broke building our first major ML pipeline at Besttech (and how we fixed them). Best Tech Company Best Tech Company Best Tech Company Follow Jan 5 The 5 things we broke building our first major ML pipeline at Besttech (and how we fixed them). # dataengineering # learning # machinelearning Comments Add Comment 3 min read Why MLOps Needs Blockchain for True Data Integrity Krunal Bhimani Krunal Bhimani Krunal Bhimani Follow Jan 5 Why MLOps Needs Blockchain for True Data Integrity # machinelearning # blockchain # devops # security 1  reaction Comments Add Comment 3 min read Getting Started with Flask: A Lightweight Web Framework for Python Kenechukwu Anoliefo Kenechukwu Anoliefo Kenechukwu Anoliefo Follow Jan 6 Getting Started with Flask: A Lightweight Web Framework for Python # machinelearning # programming # python Comments Add Comment 2 min read AI Trading: Lesson Learned #105: Post-Trade RAG Sync Was Missing Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: Lesson Learned #105: Post-Trade RAG Sync Was Missing # ai # trading # python # machinelearning Comments Add Comment 2 min read Building a Fraud Detection Model: Why It Matters in Modern Finance Kenechukwu Anoliefo Kenechukwu Anoliefo Kenechukwu Anoliefo Follow Jan 6 Building a Fraud Detection Model: Why It Matters in Modern Finance # mlzoomcamp # datatalksclub # machinelearning # datascience Comments Add Comment 3 min read Data Analyst Guide: Mastering Neural Networks: When Analysts Should Use Deep Learning amal org amal org amal org Follow Jan 6 Data Analyst Guide: Mastering Neural Networks: When Analysts Should Use Deep Learning # ai # datascience # deeplearning # machinelearning Comments Add Comment 5 min read [AI-Powered ASL Communication App] - Part 1: Cost-Effective Sign Detection Model Training on AWS EKS Ooi Yee Fei Ooi Yee Fei Ooi Yee Fei Follow for AWS Community Builders Jan 3 [AI-Powered ASL Communication App] - Part 1: Cost-Effective Sign Detection Model Training on AWS EKS # aws # programming # ai # machinelearning 2  reactions Comments Add Comment 4 min read So I've been losing my mind over document extraction in insurance for the past few years Melek Messoussi Melek Messoussi Melek Messoussi Follow Jan 6 So I've been losing my mind over document extraction in insurance for the past few years # discuss # ai # llm # machinelearning Comments 1  comment 3 min read AI Trading: LL-095: Pre-Trade Pattern Validation Wired In Igor Ganapolsky Igor Ganapolsky Igor Ganapolsky Follow Jan 7 AI Trading: LL-095: Pre-Trade Pattern Validation Wired In # ai # trading # python # machinelearning Comments Add Comment 2 min read Problem solving with ML : Domains That Actually Matter Naimul Karim Naimul Karim Naimul Karim Follow Jan 6 Problem solving with ML : Domains That Actually Matter # ai # career # datascience # machinelearning Comments Add Comment 2 min read Why My Old QA Habits Would Fail in Today's Compliance-Driven Tech World Adnan Arif Adnan Arif Adnan Arif Follow Jan 6 Why My Old QA Habits Would Fail in Today's Compliance-Driven Tech World # ai # machinelearning # technology Comments Add Comment 4 min read Human Activity Recognition Using Wearable Sensors: An End-to-End ML Pipeline Sreeram Achutuni Sreeram Achutuni Sreeram Achutuni Follow Jan 5 Human Activity Recognition Using Wearable Sensors: An End-to-End ML Pipeline # programming # ai # tutorial # machinelearning Comments Add Comment 7 min read Building a Real-Time Object Detection System for Edge Devices Sreeram Achutuni Sreeram Achutuni Sreeram Achutuni Follow Jan 5 Building a Real-Time Object Detection System for Edge Devices # programming # ai # python # machinelearning Comments Add Comment 5 min read 32+ Civil Engineer Big Data & RAG Project | Which IT roles actually fit my profile? MR.SANDIP MR.SANDIP MR.SANDIP Follow Jan 5 32+ Civil Engineer Big Data & RAG Project | Which IT roles actually fit my profile? # career # hiring # beginners # machinelearning Comments Add Comment 1 min read Building AI/ML Models on NetSuite: A Technical Guide Nick Peterson Nick Peterson Nick Peterson Follow Jan 5 Building AI/ML Models on NetSuite: A Technical Guide # ai # machinelearning # api # guide Comments Add Comment 6 min read 🚀 Building an AI-Powered Stock Trading Bot in Python (With Backtesting) Sajja Sudhakararao Sajja Sudhakararao Sajja Sudhakararao Follow Jan 4 🚀 Building an AI-Powered Stock Trading Bot in Python (With Backtesting) # python # ai # machinelearning # algorithms Comments Add Comment 3 min read AWS raises GPU prices 15% on a Saturday, hopes you weren't paying attention Aman Shekhar Aman Shekhar Aman Shekhar Follow Jan 6 AWS raises GPU prices 15% on a Saturday, hopes you weren't paying attention # ai # machinelearning # techtrends Comments Add Comment 5 min read Turning a Research Paper into a Runnable System Kwansub Yun Kwansub Yun Kwansub Yun Follow Jan 4 Turning a Research Paper into a Runnable System # ai # algorithms # machinelearning # softwareengineering 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 Day 6: Untill I Get An Internship At Google Venkata Sugunadithya Venkata Sugunadithya Venkata Sugunadithya Follow Jan 6 Day 6: Untill I Get An Internship At Google # devjournal # learning # machinelearning # python Comments Add Comment 1 min read AI Learning Journey #1: What Is AI? An Vo An Vo An Vo Follow Jan 5 AI Learning Journey #1: What Is AI? # genai # ai # machinelearning 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:47:49
https://dev.to/veritaschain
VeritasChain Standards Organization (VSO) - 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 VeritasChain Standards Organization (VSO) Developing global cryptographic standards for algorithmic & AI-driven trading. Maintainer of VeritasChain Protocol (VCP) — a tamper-evident audit layer designed for MiFID II, EU AI Act, and next-gener Location Tokyo, Japan Joined Joined on  Dec 7, 2025 Personal website https://veritaschain.org/ More info about @veritaschain 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 48 posts published Comment 0 comments written Tag 4 tags followed Proving What AI Didn't Generate: A Cryptographic Solution to the Grok Crisis VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 13 Proving What AI Didn't Generate: A Cryptographic Solution to the Grok Crisis # ai # security # opensource # cryptography Comments Add Comment 8 min read Building Tamper-Proof Audit Trails: A Deep Dive into Cryptographic Evidence for Trading Disputes VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 12 Building Tamper-Proof Audit Trails: A Deep Dive into Cryptographic Evidence for Trading Disputes # python # veritaschain # vcp # propfirm Comments Add Comment 9 min read Building Tamper-Proof Audit Trails: How VCP v1.1's Three-Layer Architecture Addresses €150M in Regulatory Failures VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 12 Building Tamper-Proof Audit Trails: How VCP v1.1's Three-Layer Architecture Addresses €150M in Regulatory Failures # fintech # python # security # veritaschain 1  reaction Comments Add Comment 15 min read Building Cryptographic Audit Trails for AI Trading Systems: A Deep Dive into RFC 6962-Based Verification VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 11 Building Cryptographic Audit Trails for AI Trading Systems: A Deep Dive into RFC 6962-Based Verification # ai # regtech Comments Add Comment 15 min read The Grok Scandal Proves AI Needs Cryptographic Audit Trails—Not Just Content Moderation VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 10 The Grok Scandal Proves AI Needs Cryptographic Audit Trails—Not Just Content Moderation # ai # security # opensource Comments Add Comment 4 min read Why Your Trading Algorithm Needs a Flight Recorder: Lessons from the 2025 Market Chaos VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 10 Why Your Trading Algorithm Needs a Flight Recorder: Lessons from the 2025 Market Chaos # fintech # cryptography # security # algorithms Comments Add Comment 14 min read Building the World's First Edge-Deployed Cryptographic Audit Trail for Algorithmic Trading VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 10 Building the World's First Edge-Deployed Cryptographic Audit Trail for Algorithmic Trading # cloudflarechallenge # security # fintech # opensource Comments Add Comment 5 min read Building the Verification Layer: A Developer's Guide to Cryptographic AI Provenance VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 8 Building the Verification Layer: A Developer's Guide to Cryptographic AI Provenance # cryptographic # vap # veritaschain # protocol Comments Add Comment 9 min read Why Detection Lost: Building Cryptographic Provenance for the Synthetic Media Crisis VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 7 Why Detection Lost: Building Cryptographic Provenance for the Synthetic Media Crisis # security # ai # opensource Comments Add Comment 10 min read When "Trust Me" Fails: How Cryptographic Audit Trails Could Have Prevented 2025's Biggest Trading Scandals VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 7 When "Trust Me" Fails: How Cryptographic Audit Trails Could Have Prevented 2025's Biggest Trading Scandals # vcp # veritaschain Comments Add Comment 15 min read Building "AI's Flight Recorder" for Algorithmic Trading: A Deep Dive into VCP-IBKR Reference Implementation VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 7 Building "AI's Flight Recorder" for Algorithmic Trading: A Deep Dive into VCP-IBKR Reference Implementation # fintech # ibkr # vcp # veritaschain Comments Add Comment 11 min read We Open-Sourced a Cryptographic Audit Trail for FIX Trading — Here's How to Verify It VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 6 We Open-Sourced a Cryptographic Audit Trail for FIX Trading — Here's How to Verify It # fix # fintech # opensource Comments Add Comment 5 min read Building a Cryptographic Audit Trail for Financial Compliance: From Hash Chains to Multi-Regulation Coverage VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 6 Building a Cryptographic Audit Trail for Financial Compliance: From Hash Chains to Multi-Regulation Coverage # fintech # regtec Comments Add Comment 18 min read Building AI's Flight Recorder: How VCP v1.1 Addresses EU's Converging Regulatory Frameworks for Algorithmic Trading VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 4 Building AI's Flight Recorder: How VCP v1.1 Addresses EU's Converging Regulatory Frameworks for Algorithmic Trading # fintech # vcp # veritaschain Comments Add Comment 13 min read Noah's Ark for Algorithmic Trading: Why VCP v1.1 Requires a Three-Layer Architecture VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 4 Noah's Ark for Algorithmic Trading: Why VCP v1.1 Requires a Three-Layer Architecture # ai # vcp # veritaschain # protocol Comments Add Comment 6 min read Building Tamper-Proof Audit Trails: What Three 2025 Trading Disasters Teach Us About Cryptographic Logging VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 4 Building Tamper-Proof Audit Trails: What Three 2025 Trading Disasters Teach Us About Cryptographic Logging # fintech # vcp # veritaschain Comments Add Comment 12 min read DVP: Building the AI Flight Recorder for Autonomous Vehicles—A Technical Deep Dive into VCP v1.1 Applied to Automotive Safety VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 4 DVP: Building the AI Flight Recorder for Autonomous Vehicles—A Technical Deep Dive into VCP v1.1 Applied to Automotive Safety # autonomousvehicles # ai # security Comments Add Comment 17 min read Provably Fair Gaming: Building Cryptographic RNG Verification with VAP-GAM VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 3 Provably Fair Gaming: Building Cryptographic RNG Verification with VAP-GAM # gamedev # python # typescript Comments Add Comment 13 min read Building Tamper-Evident Audit Trails for Hiring AI: A Technical Deep Dive into VAP-PAP VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 3 Building Tamper-Evident Audit Trails for Hiring AI: A Technical Deep Dive into VAP-PAP # ai # python Comments Add Comment 6 min read VCP v1.1: Building Tamper-Proof Audit Trails for Algorithmic Trading Systems VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 3 VCP v1.1: Building Tamper-Proof Audit Trails for Algorithmic Trading Systems # ai # vcp # veritaschain Comments Add Comment 7 min read Building Cryptographic Audit Trails for cTrader cBots - A Sidecar Approach VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 2 Building Cryptographic Audit Trails for cTrader cBots - A Sidecar Approach # ctrader # csharp Comments Add Comment 5 min read DVP: Why Autonomous Vehicles Need an AI Flight Recorder VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 2 DVP: Why Autonomous Vehicles Need an AI Flight Recorder # ai # automation # opensource Comments Add Comment 7 min read Building Tamper-Proof Audit Trails for Algorithmic Trading with VCP v1.1 VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 2 Building Tamper-Proof Audit Trails for Algorithmic Trading with VCP v1.1 # python # fintech # opensource Comments Add Comment 8 min read Introducing VCC Demo: A Browser-Based Cryptographic Audit Trail You Can Try Right Now VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 2 Introducing VCC Demo: A Browser-Based Cryptographic Audit Trail You Can Try Right Now # javascript # react # blockchain # fintech Comments Add Comment 4 min read VCP v1.1 Implementation Guide Released: Building Cryptographic Audit Trails for Trading Systems VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 1 VCP v1.1 Implementation Guide Released: Building Cryptographic Audit Trails for Trading Systems # ai # fintech # security # opensource Comments Add Comment 4 min read Building Tamper-Evident Audit Trails for AI Trading Systems: A Deep Dive into VCP v1.1 VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 1 Building Tamper-Evident Audit Trails for AI Trading Systems: A Deep Dive into VCP v1.1 # python # fintech # ai Comments Add Comment 9 min read Building Tamper-Evident Audit Trails for Trading Systems: A VCP v1.1 Implementation Guide VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 1 Building Tamper-Evident Audit Trails for Trading Systems: A VCP v1.1 Implementation Guide # ai # fintech # blockchain Comments Add Comment 10 min read Implementing VCP v1.1: Cryptographically Verifiable AI Trading Logs for MetaTrader 5 VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 31 '25 Implementing VCP v1.1: Cryptographically Verifiable AI Trading Logs for MetaTrader 5 # python # mt5 # fintech Comments Add Comment 7 min read Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 30 '25 Building Tamper-Evident Audit Trails for Algorithmic Trading: A Developer's Guide # python # fintech # cryptography Comments Add Comment 8 min read VeritasChain Completes VCP v1.0 Proof of Concept VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 29 '25 VeritasChain Completes VCP v1.0 Proof of Concept # opensource # blockchain # python # fintech 1  reaction Comments Add Comment 5 min read Building Tamper-Evident Audit Trails for Algorithmic Trading: A Deep Dive into Hash Chains and Merkle Trees VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 28 '25 Building Tamper-Evident Audit Trails for Algorithmic Trading: A Deep Dive into Hash Chains and Merkle Trees # eu # ai Comments Add Comment 9 min read Building a Tamper-Evident Audit Log with SHA-256 Hash Chains (Zero Dependencies) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 28 '25 Building a Tamper-Evident Audit Log with SHA-256 Hash Chains (Zero Dependencies) # javascript # cryptography # security Comments Add Comment 7 min read Building Tamper-Proof Audit Trails for AI Content Pipelines: A Practical Guide to CAP VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 27 '25 Building Tamper-Proof Audit Trails for AI Content Pipelines: A Practical Guide to CAP # ai # security # opensource # tutorial Comments Add Comment 6 min read Building the World's First Cryptographic Audit Trail for MetaTrader: A Deep Technical Dive VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 27 '25 Building the World's First Cryptographic Audit Trail for MetaTrader: A Deep Technical Dive # mt5 # mt4 # cryptocurrency # ai Comments Add Comment 15 min read MiFID II/III and VeritasChain Protocol: The Future of Cryptographic Audit Trails in Algorithmic Trading VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 25 '25 MiFID II/III and VeritasChain Protocol: The Future of Cryptographic Audit Trails in Algorithmic Trading # ai # cryptographic # audit Comments Add Comment 19 min read The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 25 '25 The EU AI Act Doesn't Mandate Cryptographic Logs—But You'll Want Them Anyway # ai # cryptography # blockchain Comments Add Comment 8 min read Building Cryptographic Audit Trails for SEC Rule 17a-4: A Technical Deep Dive VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 24 '25 Building Cryptographic Audit Trails for SEC Rule 17a-4: A Technical Deep Dive # security # fintech # python # cryptography Comments Add Comment 9 min read Adding Cryptographic Audit Trails to FIX Without Touching Your Trading Engine VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 22 '25 Adding Cryptographic Audit Trails to FIX Without Touching Your Trading Engine # fix # cryptocurrency # fintech # ai Comments Add Comment 4 min read Your Audit Logs Are Lying to You: 6 Properties That Make Logs Actually Verifiable VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 22 '25 Your Audit Logs Are Lying to You: 6 Properties That Make Logs Actually Verifiable # security # architecture # systemdesign # observability Comments Add Comment 6 min read IAP-FIN: Building AI Audit Trails That Actually Satisfy Financial Regulators VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 18 '25 IAP-FIN: Building AI Audit Trails That Actually Satisfy Financial Regulators # fintech # ai # security Comments Add Comment 10 min read DVP: Why Your Self-Driving Car Needs an AI Flight Recorder VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 18 '25 DVP: Why Your Self-Driving Car Needs an AI Flight Recorder # autonomous # ai # security # automotive Comments Add Comment 9 min read VAP: A Universal Framework for AI Flight Recorders VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 18 '25 VAP: A Universal Framework for AI Flight Recorders # ai # security # opensource # cryptocurrency Comments Add Comment 6 min read Ed25519 + Merkle Tree + UUIDv7 = Building Tamper-Proof Decision Logs VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 13 '25 Ed25519 + Merkle Tree + UUIDv7 = Building Tamper-Proof Decision Logs # blockchain # security # architecture # python Comments Add Comment 9 min read AI Needs a Flight Recorder: Introducing VeritasChain Protocol (VCP) v1.0 VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 11 '25 AI Needs a Flight Recorder: Introducing VeritasChain Protocol (VCP) v1.0 # ai # blockchain # fintech # openstandard Comments Add Comment 4 min read Addressing 8 Technical Criticisms of Cryptographic Audit Protocols: A Deep Dive VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 8 '25 Addressing 8 Technical Criticisms of Cryptographic Audit Protocols: A Deep Dive Comments Add Comment 9 min read VCP v1.0 — The Flight Recorder for AI Systems (Submitted to 20 Global Regulators) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 8 '25 VCP v1.0 — The Flight Recorder for AI Systems (Submitted to 20 Global Regulators) # ai Comments Add Comment 3 min read Crypto-Shredding: How Immutable Audit Logs and GDPR Coexist VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 8 '25 Crypto-Shredding: How Immutable Audit Logs and GDPR Coexist # blockchain # cryptography # security Comments Add Comment 4 min read The VeritasChain Protocol: A Cryptographic Audit Standard for the Algorithmic Trading Era VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Dec 7 '25 The VeritasChain Protocol: A Cryptographic Audit Standard for the Algorithmic Trading Era # ai # fintech # cryptography Comments 1  comment 4 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:47:49
https://www.reddit.com/r/compsci/hot/
Reddit - The heart of the internet Skip to main content Open menu Open navigation Go to Reddit Home r/compsci Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/compsci members online Create Post Feed About Hot Open sort options Best Hot New Top Rising Change post view Card Compact Community highlights PSA: This is not r/Programming. Quick Clarification on the guidelines :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> votes • comments [D] Why Causality Matters for Production ML: Moving Beyond Correlation u/KelynPaul • [D] Why Causality Matters for Production ML: Moving Beyond Correlation [D] Why Causality Matters for Production ML: Moving Beyond Correlation r/MachineLearning • [D] Why Causality Matters for Production ML: Moving Beyond Correlation After 8 years building production ML systems (in data quality, entity resolution, diagnostics), I keep running into the same problem: Models with great offline metrics fail in production because they learn correlations, not causal mechanisms. I just started a 5-part series on building causal ML systems on the NeoForge Labs research blog. Part 1 covers: Why correlation fails - The ice cream/drowning example, but with real production failures Pearl's Ladder of Causation - Association, Intervention, Counterfactuals Practical implications - When does this actually matter? Case study - Plant disease diagnosis (correlation vs. causal approach) Key insight: Your model can predict disease with 90% accuracy but still give recommendations that make things worse. Because prediction ≠ intervention. The series builds up to implementing a full causal inference system using DoWhy, with counterfactual reasoning and intervention optimization. Link (free to read): https://blog.neoforgelabs.tech/why-causality-matters-for-ai ( Also available on Medium for members ) Next parts: - Part 2 (Wed): Building Causal DAGs - Part 3 (Fri): Counterfactual Reasoning - Parts 4-5 (next week): Interventions + Distributed Systems Would love to hear your thoughts, especially if you've dealt with distribution shift, confounding, or intervention prediction in production. Questions I'm exploring: - When is causal inference overkill vs. essential? - What's the practical overhead of DAG construction? - How do you validate causal assumptions? Happy to discuss in the comments! upvotes · comments A fully auditable, typed, Kleene-effective learning loop under a finite semantics lock :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> u/Doctor-Ugs • A fully auditable, typed, Kleene-effective learning loop under a finite semantics lock https://milanrosko.com/typedrepair.html GitHub - HN4 (Hydra-Nexus 4) storage allocator :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> u/Afraid-Technician-74 • GitHub - HN4 (Hydra-Nexus 4) storage allocator r/osdev • GitHub - hn4-dev/hn4 https://github.com/hn4-dev/hn4 • comments Created Mar 24, 2008 Public Anyone can view, post, and comment to this community 45K 257 r/compsci Rules 1 Be on-topic This subreddit is dedicated to the discussion of Computer Science theory and application. Here, we discuss CS research, as well as theory behind software engineering and programming (e.g. language design). This is not a general purpose programming forum. Consider posting topics not related to Computer Science to r/programming . 2 No career, major, or study advice This subreddit is dedicated to the discussion of Computer Science theory and application, not the career focused aspects of CS. Posts about careers in CS belong in r/cscareerquestions . Posts about studying CS in university belong in r/csMajors . 3 No homework or introductory questions Even though we like to help you out, this is not the place for homework questions. There are ethical considerations such as how much help to give and what is the right kind of help. Additionally, even introductory questions may not be suitable for this subreddit. Consider instead posting about a generalized problem that can result in a broader discussion, rather than asking people to solve your problem. Check out r/csMajors , r/programming , and r/learnprogramming for additional resources. 4 No tech/programming support These kind of questions belong on r/techsupport , r/learnprogramming , r/programminghelp , r/CodingHelp or StackOverflow. If you want to learn programming, need help with a particular language or have some computer issue, go to those subreddits or to one directly involved with the topic. 5 No purchase advice Posts about consumer hardware are not allowed. Consider r/SuggestALaptop , r/PickAnAndroidForMe , or r/buildapc . Moderators Moderator list hidden. Learn More View all moderators Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
2026-01-13T08:47:49
https://www.reddit.com/r/compsci/about/
Reddit - The heart of the internet Skip to main content Open menu Open navigation Go to Reddit Home r/compsci Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/compsci members online Feed About Created Mar 24, 2008 Public Anyone can view, post, and comment to this community 45K 257 r/compsci Rules 1 Be on-topic This subreddit is dedicated to the discussion of Computer Science theory and application. Here, we discuss CS research, as well as theory behind software engineering and programming (e.g. language design). This is not a general purpose programming forum. Consider posting topics not related to Computer Science to r/programming . 2 No career, major, or study advice This subreddit is dedicated to the discussion of Computer Science theory and application, not the career focused aspects of CS. Posts about careers in CS belong in r/cscareerquestions . Posts about studying CS in university belong in r/csMajors . 3 No homework or introductory questions Even though we like to help you out, this is not the place for homework questions. There are ethical considerations such as how much help to give and what is the right kind of help. Additionally, even introductory questions may not be suitable for this subreddit. Consider instead posting about a generalized problem that can result in a broader discussion, rather than asking people to solve your problem. Check out r/csMajors , r/programming , and r/learnprogramming for additional resources. 4 No tech/programming support These kind of questions belong on r/techsupport , r/learnprogramming , r/programminghelp , r/CodingHelp or StackOverflow. If you want to learn programming, need help with a particular language or have some computer issue, go to those subreddits or to one directly involved with the topic. 5 No purchase advice Posts about consumer hardware are not allowed. Consider r/SuggestALaptop , r/PickAnAndroidForMe , or r/buildapc . Moderators Moderator list hidden. Learn More View all moderators Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
2026-01-13T08:47:49
https://dev.to/t/career/page/6#main-content
Career Page 6 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close 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 3 4 5 6 7 8 9 10 11 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Choosing Your Path: Avenger (Front-End) vs Men in Black (Back-End) Luigi Escalante Luigi Escalante Luigi Escalante Follow Jan 5 Choosing Your Path: Avenger (Front-End) vs Men in Black (Back-End) # discuss # beginners # career # webdev Comments Add Comment 5 min read Flay the Fantasy: How I Stopped Betting My Future on Every Line of Code (And Started Shipping Like Crazy in 2026) ilya rahnavard ilya rahnavard ilya rahnavard Follow Jan 4 Flay the Fantasy: How I Stopped Betting My Future on Every Line of Code (And Started Shipping Like Crazy in 2026) # devchallenge # productivity # midnightchallenge # career Comments Add Comment 3 min read 🚀 Boost Your CV with AI: How VitaeBoost Helps You Stand Out Coder Coder Coder Follow Jan 5 🚀 Boost Your CV with AI: How VitaeBoost Helps You Stand Out # ai # career # resume # productivity Comments Add Comment 1 min read Why You Should Learn Swift in 2026 Gamya Gamya Gamya Follow Jan 4 Why You Should Learn Swift in 2026 # beginners # career # ios # swift Comments Add Comment 3 min read An award-winning devportal is more than words Naomi Pentrel Naomi Pentrel Naomi Pentrel Follow Jan 7 An award-winning devportal is more than words # career # devjournal # documentation # writing Comments Add Comment 5 min read Meta AI Interview Deep Dive: Invisible Thresholds from OA to Onsite net programhelp net programhelp net programhelp Follow Jan 5 Meta AI Interview Deep Dive: Invisible Thresholds from OA to Onsite # ai # career # interview Comments Add Comment 5 min read 365 Days, 2,010 Contributions: What I Learned from a Year of Zero Missed Days Md Mohosin Ali Shah Md Mohosin Ali Shah Md Mohosin Ali Shah Follow Jan 4 365 Days, 2,010 Contributions: What I Learned from a Year of Zero Missed Days # webdev # programming # productivity # career Comments Add Comment 2 min read Kill Chain Analysis for a Toxic Meeting Narnaiezzsshaa Truong Narnaiezzsshaa Truong Narnaiezzsshaa Truong Follow Jan 4 Kill Chain Analysis for a Toxic Meeting # career # management # mentalhealth # cybersecurity Comments Add Comment 3 min read From Writing Code to Designing Constraints: How AI Is Reshaping the Engineer’s Job Kishan Das Kishan Das Kishan Das Follow Jan 6 From Writing Code to Designing Constraints: How AI Is Reshaping the Engineer’s Job # discuss # ai # career # softwareengineering Comments Add Comment 3 min read Open Source Programs You Can Join (and How They Help You Grow) Coding Dev Coding Dev Coding Dev Follow Jan 3 Open Source Programs You Can Join (and How They Help You Grow) # opensource # webdev # beginners # career Comments Add Comment 3 min read What 6+ Years of Backend Development Taught Me (So Far) Rishali Kalnad Rishali Kalnad Rishali Kalnad Follow Jan 4 What 6+ Years of Backend Development Taught Me (So Far) # discuss # beginners # career # learning Comments Add Comment 1 min read Do you actually keep your portfolio site updated? naveen gaur naveen gaur naveen gaur Follow Jan 3 Do you actually keep your portfolio site updated? # discuss # career # productivity # webdev 1  reaction Comments Add Comment 1 min read 개발 조직에서 시니어의 진짜 역할: 성장 시스템 설계 wes5510 wes5510 wes5510 Follow Jan 3 개발 조직에서 시니어의 진짜 역할: 성장 시스템 설계 # career # leadership # teamwork # growth Comments Add Comment 1 min read Advice to become a Software Engineer Luis-Escalante-SFAdmin Luis-Escalante-SFAdmin Luis-Escalante-SFAdmin Follow Jan 3 Advice to become a Software Engineer # career # softwareengineering # careerdevelopment Comments Add Comment 1 min read Choosing Your Next Job: Startup vs Large Company, B2B vs B2C Diogo Daniel Soares Ferreira Diogo Daniel Soares Ferreira Diogo Daniel Soares Ferreira Follow Jan 3 Choosing Your Next Job: Startup vs Large Company, B2B vs B2C # softwareengineering # career # softwaredevelopment Comments Add Comment 5 min read Most Developer Productivity Tools Are Just Procrastination With Better UX azril hakim azril hakim azril hakim Follow Jan 8 Most Developer Productivity Tools Are Just Procrastination With Better UX # productivity # opinion # career 1  reaction Comments Add Comment 2 min read C#.NET - day 06 Sabin Sim Sabin Sim Sabin Sim Follow Jan 8 C#.NET - day 06 # csharp # learning # programming # career Comments Add Comment 4 min read Mastering DevOps in 2026: Free Resources, Roadmaps, and Real-World Tips Meena Nukala Meena Nukala Meena Nukala Follow Jan 3 Mastering DevOps in 2026: Free Resources, Roadmaps, and Real-World Tips # productivity # career # devops # tutorial Comments Add Comment 4 min read Networking Mistakes That Cost Me 6 Months sanjay kumar sanjay kumar sanjay kumar Follow Jan 3 Networking Mistakes That Cost Me 6 Months # marketing # networking # career # opensource 1  reaction Comments Add Comment 3 min read I’m Building an AI Resume ATS Tool Because the System Is Broken Utkarsh Yadav Utkarsh Yadav Utkarsh Yadav Follow Jan 2 I’m Building an AI Resume ATS Tool Because the System Is Broken # webdev # ai # resume # career Comments Add Comment 3 min read My single best advice for anyone wanting to start in AI: Furkan Şimşek Furkan Şimşek Furkan Şimşek Follow Jan 3 My single best advice for anyone wanting to start in AI: # ai # deeplearning # machinelearning # career Comments Add Comment 1 min read Most developers aren’t rejected for lack of skill but for lack of clarity Ghazi Khan Ghazi Khan Ghazi Khan Follow Jan 8 Most developers aren’t rejected for lack of skill but for lack of clarity # career # softwareengineering # interview # webdev 1  reaction Comments Add Comment 3 min read Uma jornada completa em tecnologia: suporte, desenvolvimento e liderança técnica Pedro Victor Fernandes de Abreu Pedro Victor Fernandes de Abreu Pedro Victor Fernandes de Abreu Follow Jan 2 Uma jornada completa em tecnologia: suporte, desenvolvimento e liderança técnica # beginners # career # devjournal Comments 1  comment 4 min read Technically Approved, Still Rejected: The Feedback Gap in Hiring Elmer Chacon Elmer Chacon Elmer Chacon Follow Jan 2 Technically Approved, Still Rejected: The Feedback Gap in Hiring # discuss # career # interview Comments Add Comment 3 min read We Didn’t “Align” — We Argued (and Shipped a Better System) Art light Art light Art light Follow Jan 11 We Didn’t “Align” — We Argued (and Shipped a Better System) # discuss # career # programming # developer 29  reactions Comments 6  comments 2 min read 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:47:49
https://dev.to/sivarampg/building-a-production-ready-prediction-market-smart-contract-in-solidity-complete-guide-with-2iio
Building a Production-Ready Prediction Market Smart Contract in Solidity: Complete Guide with Foundry - 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 Sivaram Posted on Jan 8           Building a Production-Ready Prediction Market Smart Contract in Solidity: Complete Guide with Foundry # smartcontract # solidity # web3 # ethereum TL;DR I built an open-source, gas-optimized prediction market smart contract in Solidity using Foundry. It features pot-based binary markets, proportional payout distribution, admin resolution, and comprehensive security patterns. 95 tests, 98%+ coverage, deployable to Ethereum, Base, Polygon, Arbitrum, Optimism, and BSC. GitHub: https://github.com/SivaramPg/evm-simple-prediction-market-contract Table of Contents Introduction Architecture Overview Smart Contract Design Payout Formula Deep Dive Security Patterns Implemented Gas Optimization Techniques Testing with Foundry Multi-Chain Deployment Conclusion Introduction Prediction markets are fascinating DeFi primitives that allow users to bet on the outcome of future events. Unlike AMM-based prediction markets (like Polymarket's CLAMM), this implementation uses a simpler pot-based parimutuel system - perfect for learning smart contract development or bootstrapping your own prediction market protocol. What We're Building Binary prediction markets (YES/NO outcomes) Pot-based parimutuel betting (proportional payouts) ERC20 stablecoin integration (USDC, USDT, DAI) Admin-controlled resolution (oracle-free for simplicity) Multi-chain deployment (6 EVM chains) Tech Stack Solidity ^0.8.20 - Smart contract language Foundry - Development framework (forge, cast, anvil) OpenZeppelin patterns - Security best practices Slither/Mythril compatible - Static analysis ready Architecture Overview System Components ┌─────────────────────────────────────────────────────────────┐ │ PredictionMarket.sol │ ├─────────────────────────────────────────────────────────────┤ │ Config │ Market[] │ Positions │ │ - admin │ - id │ - yesBet │ │ - stablecoin │ - question │ - noBet │ │ - feeRecipient │ - resolutionTime │ - claimed │ │ - maxFeePercentage │ - state │ │ │ - paused │ - yesPool / noPool │ │ │ │ - winningOutcome │ │ │ │ - configSnapshot │ │ ├─────────────────────────────────────────────────────────────┤ │ Functions │ │ - createMarket() - placeBet() - claimWinnings() │ │ - resolveMarket() - cancelMarket() - claimMultiple() │ │ - pause/unpause() - updateConfig() │ └─────────────────────────────────────────────────────────────┘ Enter fullscreen mode Exit fullscreen mode State Machine Markets follow a strict state machine: ┌──────────┐ │ Active │ ←── createMarket() └────┬─────┘ │ │ (resolution time reached) ▼ ┌─────────────────────────────┐ │ │ ▼ ▼ ┌──────────┐ ┌───────────┐ │ Resolved │ │ Cancelled │ └──────────┘ └───────────┘ │ │ └──────────┬──────────────────┘ ▼ claimWinnings() Enter fullscreen mode Exit fullscreen mode Smart Contract Design Storage Layout Efficient storage packing is crucial for gas optimization: struct Config { address admin; // slot 0 (20 bytes) bool paused; // slot 0 (1 byte) - packed! address stablecoin; // slot 1 uint8 stablecoinDecimals;// slot 1 - packed! address feeRecipient; // slot 2 uint16 maxFeePercentage; // slot 2 - packed! uint256 marketCounter; // slot 3 } struct Market { uint256 id; string question; // dynamic, separate slot uint256 resolutionTime; MarketState state; // uint8 Outcome winningOutcome; // uint8 uint256 yesPool; uint256 noPool; uint256 creationFee; address creator; ConfigSnapshot configSnapshot; // frozen at creation } struct UserPosition { uint256 yesBet; uint256 noBet; bool claimed; } Enter fullscreen mode Exit fullscreen mode Key Design Decisions 1. Config Snapshot at Market Creation function createMarket(...) external returns (uint256) { // Snapshot config at creation time market.configSnapshot = ConfigSnapshot({ feeRecipient: config.feeRecipient, maxFeePercentage: config.maxFeePercentage }); } Enter fullscreen mode Exit fullscreen mode Why? If admin changes fee settings mid-market, existing markets retain their original terms. This prevents rug-pull scenarios where admins could change fees after users have committed funds. 2. No Opposition = Must Cancel function resolveMarket(uint256 marketId, Outcome outcome) external onlyAdmin { require(market.yesPool > 0 && market.noPool > 0, NoOpposition()); // ... } Enter fullscreen mode Exit fullscreen mode Why? If only one side has bets, there's no losing pool to distribute. The market must be cancelled with full refunds. 3. Manual Admin Resolution We chose manual resolution over oracles for simplicity. For production, consider integrating: Chainlink Functions for API-based resolution UMA Optimistic Oracle for dispute-based resolution Reality.eth for crowd-sourced resolution Payout Formula Deep Dive The Parimutuel Formula payout = user_bet + (user_bet / winning_pool) * losing_pool Enter fullscreen mode Exit fullscreen mode Or equivalently: payout = user_bet * (1 + losing_pool / winning_pool) payout = user_bet * total_pool / winning_pool Enter fullscreen mode Exit fullscreen mode Implementation function _calculatePayout( uint256 marketId, address user ) internal view returns (uint256) { Market storage market = markets[marketId]; UserPosition storage position = userPositions[marketId][user]; if (market.state == MarketState.Cancelled) { // Full refund on cancellation return position.yesBet + position.noBet; } // Resolved market uint256 winningPool; uint256 losingPool; uint256 userWinningBet; if (market.winningOutcome == Outcome.Yes) { winningPool = market.yesPool; losingPool = market.noPool; userWinningBet = position.yesBet; } else { winningPool = market.noPool; losingPool = market.yesPool; userWinningBet = position.noBet; } if (userWinningBet == 0) return 0; // payout = userBet + (userBet * losingPool) / winningPool uint256 winnings = (userWinningBet * losingPool) / winningPool; return userWinningBet + winnings; } Enter fullscreen mode Exit fullscreen mode Example Scenarios Scenario 1: Equal Pools YES pool: 100 USDC, NO pool: 100 USDC Alice bet 100 USDC on YES, YES wins Payout: 100 + (100 * 100) / 100 = 200 USDC (2x return) Scenario 2: Unequal Pools YES pool: 100 USDC, NO pool: 400 USDC Alice bet 100 USDC on YES, YES wins Payout: 100 + (100 * 400) / 100 = 500 USDC (5x return) Scenario 3: Multiple Winners YES pool: 200 USDC (Alice: 100, Bob: 100), NO pool: 100 USDC YES wins Alice: 100 + (100 * 100) / 200 = 150 USDC Bob: 100 + (100 * 100) / 200 = 150 USDC Security Patterns Implemented 1. Checks-Effects-Interactions (CEI) function claimWinnings(uint256 marketId) external { // CHECKS require(market.state != MarketState.Active, MarketNotFinalized()); require(!position.claimed, AlreadyClaimed()); require(position.yesBet > 0 || position.noBet > 0, NoPosition()); // EFFECTS position.claimed = true; uint256 payout = _calculatePayout(marketId, msg.sender); // INTERACTIONS if (payout > 0) { IERC20(config.stablecoin).transfer(msg.sender, payout); } } Enter fullscreen mode Exit fullscreen mode 2. Reentrancy Protection Although we follow CEI, we also use state flags: // The `claimed` flag is set BEFORE external call position.claimed = true; // EFFECT // ... IERC20(config.stablecoin).transfer(...); // INTERACTION Enter fullscreen mode Exit fullscreen mode 3. Integer Overflow Protection Solidity 0.8+ has built-in overflow checks, but we're explicit: // Safe accumulation market.yesPool += amount; // Reverts on overflow in 0.8+ Enter fullscreen mode Exit fullscreen mode 4. Access Control modifier onlyAdmin() { require(msg.sender == config.admin, NotAdmin()); _; } modifier whenNotPaused() { require(!config.paused, Paused()); _; } Enter fullscreen mode Exit fullscreen mode 5. Input Validation function createMarket( string calldata question, uint256 resolutionTime, uint256 fee ) external whenNotPaused returns (uint256) { require(bytes(question).length > 0, EmptyQuestion()); require(resolutionTime > block.timestamp, InvalidResolutionTime()); // ... } Enter fullscreen mode Exit fullscreen mode 6. Balance Checks Before Transfer function placeBet(...) external { require( IERC20(config.stablecoin).balanceOf(msg.sender) >= amount, InsufficientBalance() ); require( IERC20(config.stablecoin).allowance(msg.sender, address(this)) >= amount, InsufficientAllowance() ); // ... } Enter fullscreen mode Exit fullscreen mode Gas Optimization Techniques 1. Custom Errors (Solidity 0.8.4+) // Gas expensive require(condition, "This is an error message"); // Gas efficient (saves ~50 gas per error) error NotAdmin(); require(condition, NotAdmin()); Enter fullscreen mode Exit fullscreen mode 2. Calldata vs Memory // Use calldata for read-only dynamic parameters function createMarket( string calldata question, // calldata, not memory uint256 resolutionTime, uint256 fee ) external { ... } Enter fullscreen mode Exit fullscreen mode 3. Storage Packing struct Config { address admin; // 20 bytes bool paused; // 1 byte ─┐ uint8 decimals; // 1 byte ─┼─ packed into same slot uint16 maxFee; // 2 bytes ─┘ } Enter fullscreen mode Exit fullscreen mode 4. Unchecked Arithmetic (Where Safe) // When we know overflow is impossible unchecked { for (uint256 i = 0; i < marketIds.length; ++i) { // ++i is cheaper than i++ } } Enter fullscreen mode Exit fullscreen mode 5. Short-Circuit Evaluation // Cheaper check first require(market.state == MarketState.Active && block.timestamp < market.resolutionTime, MarketNotActive()); Enter fullscreen mode Exit fullscreen mode Testing with Foundry Test Structure test/ ├── BaseTest.sol # Common setup and helpers ├── unit/ │ ├── MarketCreation.t.sol │ ├── Betting.t.sol │ ├── Resolution.t.sol │ ├── Cancellation.t.sol │ ├── Claiming.t.sol │ ├── AccessControl.t.sol │ └── ViewFunctions.t.sol ├── integration/ │ └── MarketLifecycle.t.sol └── fuzz/ └── PayoutFuzz.t.sol Enter fullscreen mode Exit fullscreen mode Base Test Setup abstract contract BaseTest is Test { PredictionMarket public market; MockERC20 public stablecoin; address public admin = makeAddr("admin"); address public alice = makeAddr("alice"); address public bob = makeAddr("bob"); uint256 constant DECIMALS = 6; uint256 constant ONE_WEEK = 7 days; function setUp() public virtual { vm.startPrank(admin); stablecoin = new MockERC20("USDC", "USDC", DECIMALS); market = new PredictionMarket( address(stablecoin), DECIMALS, admin, feeRecipient, 500 // 5% max fee ); vm.stopPrank(); // Fund test accounts stablecoin.mint(alice, usdc(10_000)); stablecoin.mint(bob, usdc(10_000)); // Approve vm.prank(alice); stablecoin.approve(address(market), type(uint256).max); vm.prank(bob); stablecoin.approve(address(market), type(uint256).max); } function usdc(uint256 amount) internal pure returns (uint256) { return amount * 10**DECIMALS; } } Enter fullscreen mode Exit fullscreen mode Unit Test Example contract ClaimingTest is BaseTest { function test_ClaimWinnings_WinningSide() public { // Setup uint256 marketId = createDefaultMarket(); placeBet(alice, marketId, Outcome.Yes, usdc(100)); placeBet(bob, marketId, Outcome.No, usdc(50)); warpToResolution(marketId); resolveMarket(marketId, Outcome.Yes); uint256 balanceBefore = stablecoin.balanceOf(alice); // Execute vm.prank(alice); market.claimWinnings(marketId); // Assert: 100 + (100/100) * 50 = 150 assertEq( stablecoin.balanceOf(alice), balanceBefore + usdc(150) ); } } Enter fullscreen mode Exit fullscreen mode Fuzz Testing contract PayoutFuzzTest is BaseTest { function testFuzz_PayoutDistribution( uint256 yesAmount, uint256 noAmount ) public { // Bound inputs to reasonable ranges yesAmount = bound(yesAmount, usdc(1), usdc(1_000_000)); noAmount = bound(noAmount, usdc(1), usdc(1_000_000)); // Setup uint256 marketId = createDefaultMarket(); placeBet(alice, marketId, Outcome.Yes, yesAmount); placeBet(bob, marketId, Outcome.No, noAmount); warpToResolution(marketId); resolveMarket(marketId, Outcome.Yes); // Claim vm.prank(alice); market.claimWinnings(marketId); vm.prank(bob); market.claimWinnings(marketId); // Invariant: Contract should have 0 balance assertEq(stablecoin.balanceOf(address(market)), 0); } } Enter fullscreen mode Exit fullscreen mode Running Tests # Run all tests forge test # Run with verbosity forge test -vvv # Run specific test forge test --match-test test_ClaimWinnings # Run with gas reporting forge test --gas-report # Run coverage forge coverage Enter fullscreen mode Exit fullscreen mode Test Results Running 95 tests... ✓ All tests passed Coverage: - Line coverage: 98.35% - Function coverage: 100% - Branch coverage: 94.12% Enter fullscreen mode Exit fullscreen mode Multi-Chain Deployment Supported Networks Network Chain ID Stablecoin Ethereum Mainnet 1 USDC Base 8453 USDC Polygon 137 USDC Arbitrum One 42161 USDC Optimism 10 USDC BSC 56 USDT/BUSD Deployment Script // script/Deploy.s.sol contract DeployScript is Script { function run() external { uint256 deployerPrivateKey = vm.envUint("PRIVATE_KEY"); address stablecoin = vm.envOr("STABLECOIN_ADDRESS", address(0)); uint8 decimals = uint8(vm.envOr("STABLECOIN_DECIMALS", uint256(6))); address admin = vm.envOr("ADMIN_ADDRESS", msg.sender); address feeRecipient = vm.envOr("FEE_RECIPIENT", msg.sender); uint16 maxFee = uint16(vm.envOr("MAX_FEE_PERCENTAGE", uint256(500))); vm.startBroadcast(deployerPrivateKey); // Deploy mock token if needed (testnet) if (stablecoin == address(0)) { MockERC20 token = new MockERC20("Mock USDC", "mUSDC", decimals); stablecoin = address(token); } PredictionMarket market = new PredictionMarket( stablecoin, decimals, admin, feeRecipient, maxFee ); vm.stopBroadcast(); console.log("PredictionMarket deployed at:", address(market)); } } Enter fullscreen mode Exit fullscreen mode Deploy Commands # Deploy to Base Sepolia (testnet) forge script script/Deploy.s.sol:DeployScript \ --rpc-url $BASE_SEPOLIA_RPC \ --broadcast \ --verify # Deploy to Polygon Mainnet forge script script/Deploy.s.sol:DeployScript \ --rpc-url $POLYGON_MAINNET_RPC \ --broadcast \ --verify \ --etherscan-api-key $POLYGONSCAN_API_KEY Enter fullscreen mode Exit fullscreen mode Foundry Configuration # foundry.toml [profile.default] src = "src" out = "out" libs = [ "lib" ] optimizer = true optimizer_runs = 200 via_ir = false [rpc_endpoints] ethereum = "${ETHEREUM_MAINNET_RPC}" base = "${BASE_MAINNET_RPC}" polygon = "${POLYGON_MAINNET_RPC}" arbitrum = "${ARBITRUM_MAINNET_RPC}" optimism = "${OPTIMISM_MAINNET_RPC}" bsc = "${BSC_MAINNET_RPC}" [etherscan] ethereum = { key = "${ETHERSCAN_API_KEY}" } base = { key = "${BASESCAN_API_KEY}" } polygon = { key = "${POLYGONSCAN_API_KEY}" } arbitrum = { key = "${ARBISCAN_API_KEY}" } optimism = { key = "${OPSCAN_API_KEY}" } bsc = { key = "${BSCSCAN_API_KEY}" } Enter fullscreen mode Exit fullscreen mode Conclusion This prediction market smart contract demonstrates: Clean architecture with separation of concerns Gas-efficient Solidity patterns Comprehensive security measures Thorough testing with Foundry Multi-chain deployment capability What's Next? For a production deployment, consider adding: Oracle Integration - Chainlink, UMA, or Reality.eth Time-weighted fees - Dynamic fees based on market age Liquidity incentives - Rewards for early participants Governance - DAO-controlled resolution disputes Cross-chain - LayerZero or Axelar for unified liquidity Resources Foundry Book Solidity Docs OpenZeppelin Contracts EVM Opcodes & Gas Costs Disclaimer: This code is for educational purposes only. It has not been audited and should not be used in production without proper security review. Found this useful? Star the repo and follow for more Web3 tutorials! solidity #ethereum #smartcontracts #defi #predictionmarket #foundry #web3 #blockchain #tutorial #opensource 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 Sivaram Follow Full Stack Engineer. Consultant. Designing & Developing Blockchain & AI E2E Solutions. De-risking Ambiguity. OSS Location India Joined Oct 5, 2023 More from Sivaram Building a Prediction Market on Solana with Anchor: Complete Rust Smart Contract Guide # solana # web3 # smartcontract # predictionmarket 💎 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:47:49
https://dev.to/villelmo
William Torrez - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Follow User actions William Torrez An user more in this world! Location Managua, Nicaragua Joined Joined on  Nov 12, 2021 github website twitter website Education UNI | National University of Engineering Work Technical Support at LAFISE Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close 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 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 One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close More info about @villelmo Skills/Languages C, C++, Perl Currently learning Graduated of the career of Computer Engineering and learning about Perl from the regular expression even package Available for I am a novice Post 7 posts published Comment 123 comments written Tag 14 tags followed Pin Pinned Why Use a Language Like C++? William Torrez William Torrez William Torrez Follow Jun 10 '23 Why Use a Language Like C++? # cpp 1  reaction Comments 1  comment 1 min read I don't be what make William Torrez William Torrez William Torrez Follow Dec 15 '23 I don't be what make # careerdevelopment Comments Add Comment 1 min read Want to connect with William Torrez? Create an account to connect with William Torrez. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Productivity and unemployment William Torrez William Torrez William Torrez Follow Dec 3 '23 Productivity and unemployment # productivity Comments Add Comment 1 min read What happen with my logic? William Torrez William Torrez William Torrez Follow Nov 26 '23 What happen with my logic? # programming # beginners # productivity Comments Add Comment 1 min read My problem learning a new language of programming William Torrez William Torrez William Torrez Follow Nov 15 '23 My problem learning a new language of programming # beginners # productivity # coding Comments Add Comment 1 min read Countries with standstill technological and industrial in Latin America William Torrez William Torrez William Torrez Follow Nov 14 '23 Countries with standstill technological and industrial in Latin America # countries # career # development # motivation Comments Add Comment 1 min read StackOverflow is the Least Friendly Developer Community William Torrez William Torrez William Torrez Follow Oct 30 '23 StackOverflow is the Least Friendly Developer Community # stackoverflow # community 11  reactions Comments 12  comments 1 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:49
https://dev.to/t/programming/page/3608
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:47:49