url stringlengths 11 2.25k | text stringlengths 88 50k | ts timestamp[s]date 2026-01-13 08:47:33 2026-01-13 09:30:40 |
|---|---|---|
https://dev.to/ikram_khan/scrapy-performance-optimization-make-your-spider-10x-faster-31f7 | Scrapy Performance Optimization: Make Your Spider 10x Faster - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Muhammad Ikramullah Khan Posted on Jan 5 Scrapy Performance Optimization: Make Your Spider 10x Faster # webdev # programming # performance # web My first spider took 6 hours to scrape 50,000 pages. I thought that was just how long it took. Then I learned about optimization. Same spider, same website, now takes 30 minutes. That's 12x faster! The difference? Understanding bottlenecks and fixing them. Let me show you how to make your spiders blazing fast. The Big Picture: Where Time Is Spent When Scrapy scrapes, time goes to: 1. Network (70-90%) Downloading pages Waiting for responses DNS lookups 2. Parsing (5-15%) Running selectors Extracting data Processing items 3. Processing (5-15%) Running pipelines Saving to database Validating data Key insight: Network is usually the bottleneck. Optimize that first! Optimization 1: Increase Concurrency By default, Scrapy runs 16 concurrent requests. Increase it: # settings.py # From default CONCURRENT_REQUESTS = 16 # To faster CONCURRENT_REQUESTS = 32 # or 64, or even 128 Enter fullscreen mode Exit fullscreen mode Speed improvement: 2-4x Also Increase Per-Domain Concurrency CONCURRENT_REQUESTS_PER_DOMAIN = 16 # From 8 Enter fullscreen mode Exit fullscreen mode What the Docs Don't Tell You More isn't always better: Your network might be the limit Target server might block you Your CPU might max out Find your limit: Start at 16, double it, test speed. Keep doubling until speed stops improving. Test with: time scrapy crawl myspider Enter fullscreen mode Exit fullscreen mode Optimization 2: Reduce Download Timeout Default timeout is 180 seconds. That's way too long! # settings.py # From default DOWNLOAD_TIMEOUT = 180 # 3 minutes! # To faster DOWNLOAD_TIMEOUT = 30 # 30 seconds Enter fullscreen mode Exit fullscreen mode If a page takes 30+ seconds, it's either: The site is blocking you The server is overloaded The page is broken Don't wait 3 minutes for it! Speed improvement: Saves time on slow/dead pages Optimization 3: Disable Cookies (When Not Needed) Cookie processing takes time. If you don't need cookies: COOKIES_ENABLED = False Enter fullscreen mode Exit fullscreen mode Speed improvement: 5-10% Warning: Only disable if: You don't need session handling You don't need to stay logged in The site doesn't require cookies Optimization 4: Disable Redirects (When Safe) Following redirects takes extra requests: REDIRECT_ENABLED = False Enter fullscreen mode Exit fullscreen mode Speed improvement: 10-20% (if site uses many redirects) Warning: Only disable if: You know the exact URLs No redirects are expected You're scraping an API Optimization 5: Disable Retry Middleware (Advanced) Retrying failed requests takes time: RETRY_ENABLED = False Enter fullscreen mode Exit fullscreen mode Speed improvement: 5-15% (if many failures) Warning: Only disable if: You're okay with missing some pages You'll re-run the spider anyway Speed matters more than completeness Optimization 6: Use DNS Cache DNS lookups are slow. Cache them: DNSCACHE_ENABLED = True # Already default, but verify Enter fullscreen mode Exit fullscreen mode Also increase DNS timeout: DNS_TIMEOUT = 10 # From 60 Enter fullscreen mode Exit fullscreen mode Speed improvement: 5-10% Optimization 7: Optimize Your Selectors Slow selectors slow down everything. Use CSS Over XPath (Usually) # Slower response . xpath ( ' //div[@class= " product " ]/span[@class= " name " ]/text() ' ). get () # Faster response . css ( ' div.product span.name::text ' ). get () Enter fullscreen mode Exit fullscreen mode CSS selectors are usually 10-30% faster than XPath. Cache Selector Results # Slow (selector runs multiple times) def parse ( self , response ): for product in response . css ( ' .product ' ): name = product . css ( ' .name::text ' ). get () price = product . css ( ' .price::text ' ). get () description = product . css ( ' .description::text ' ). get () # Fast (selector runs once, cached) def parse ( self , response ): products = response . css ( ' .product ' ) # Cache this for product in products : name = product . css ( ' .name::text ' ). get () price = product . css ( ' .price::text ' ). get () description = product . css ( ' .description::text ' ). get () Enter fullscreen mode Exit fullscreen mode Use More Specific Selectors # Slow (searches entire page) response . css ( ' span::text ' ). getall () # Fast (narrows search) response . css ( ' .product-list span.price::text ' ). getall () Enter fullscreen mode Exit fullscreen mode Optimization 8: Minimize Pipeline Work Heavy pipeline processing slows everything down. Bad Pipeline class SlowPipeline : def process_item ( self , item , spider ): # Slow: API call for each item enriched_data = requests . get ( f ' https://api.example.com/enrich?q= { item [ " name " ] } ' ) item [ ' enriched ' ] = enriched_data . json () # Slow: Database call for each item self . cursor . execute ( ' INSERT INTO items VALUES (...) ' ) self . conn . commit () # Commit each item! return item Enter fullscreen mode Exit fullscreen mode Fast Pipeline class FastPipeline : def __init__ ( self ): self . items_buffer = [] self . buffer_size = 100 def process_item ( self , item , spider ): # Buffer items self . items_buffer . append ( item ) # Batch insert when buffer is full if len ( self . items_buffer ) >= self . buffer_size : self . flush_buffer () return item def flush_buffer ( self ): # Batch insert (much faster!) values = [( item [ ' name ' ], item [ ' price ' ]) for item in self . items_buffer ] self . cursor . executemany ( ' INSERT INTO items VALUES (?, ?) ' , values ) self . conn . commit () self . items_buffer = [] def close_spider ( self , spider ): # Insert remaining items self . flush_buffer () Enter fullscreen mode Exit fullscreen mode Speed improvement: 5-50x for database operations! Optimization 9: Use Async Pipelines For I/O heavy pipelines (API calls, database), use async: import asyncio import aiohttp class AsyncPipeline : async def process_item ( self , item , spider ): async with aiohttp . ClientSession () as session : async with session . get ( f ' https://api.example.com/data?id= { item [ " id " ] } ' ) as response : data = await response . json () item [ ' extra ' ] = data return item Enter fullscreen mode Exit fullscreen mode Speed improvement: 2-10x for I/O operations Optimization 10: Scrape APIs Instead of HTML If the site has an API, use it! # Slow: Scraping HTML def parse ( self , response ): for product in response . css ( ' .product ' ): yield { ' name ' : product . css ( ' h2::text ' ). get (), ' price ' : product . css ( ' .price::text ' ). get () } # Fast: Scraping API def parse ( self , response ): data = json . loads ( response . text ) for product in data [ ' products ' ]: yield { ' name ' : product [ ' name ' ], ' price ' : product [ ' price ' ] } Enter fullscreen mode Exit fullscreen mode Speed improvement: 10-100x APIs are: Faster to download (smaller) Faster to parse (no HTML) More reliable Optimization 11: Use HTTP/2 HTTP/2 is faster than HTTP/1.1: # Install pip install scrapy [ http2 ] # Enable in settings.py DOWNLOAD_HANDLERS = { ' https ' : ' scrapy.core.downloader.handlers.http2.H2DownloadHandler ' , } Enter fullscreen mode Exit fullscreen mode Speed improvement: 10-30% (especially with high latency) Optimization 12: Disable Logging in Production Logging to console is slow: # Development LOG_LEVEL = ' DEBUG ' # Production LOG_LEVEL = ' WARNING ' # or ERROR LOG_FILE = ' spider.log ' # Log to file, not console Enter fullscreen mode Exit fullscreen mode Speed improvement: 5-10% Optimization 13: Use Memory Queue By default, Scrapy uses disk for request queue. Use memory: SCHEDULER_PRIORITY_QUEUE = ' scrapy.pqueues.ScrapyPriorityQueue ' SCHEDULER_DISK_QUEUE = ' scrapy.squeues.PickleFifoDiskQueue ' SCHEDULER_MEMORY_QUEUE = ' scrapy.squeues.FifoMemoryQueue ' Enter fullscreen mode Exit fullscreen mode Actually, this is already the default for memory queue. Just make sure you're not using disk queue: # Make sure this is NOT set # JOBDIR = 'crawls/myjob' # This forces disk queue Enter fullscreen mode Exit fullscreen mode Speed improvement: 10-20% Optimization 14: Reduce Item Overhead Items have overhead. For simple scraping, use dicts: # Slower (Item objects have overhead) class ProductItem ( scrapy . Item ): name = scrapy . Field () price = scrapy . Field () def parse ( self , response ): item = ProductItem () item [ ' name ' ] = response . css ( ' h1::text ' ). get () yield item # Faster (plain dicts) def parse ( self , response ): yield { ' name ' : response . css ( ' h1::text ' ). get (), ' price ' : response . css ( ' .price::text ' ). get () } Enter fullscreen mode Exit fullscreen mode Speed improvement: 5-10% Trade-off: Lose Item validation and field definitions. Optimization 15: Profile Your Spider Find actual bottlenecks: # Install yappi pip install yappi # Profile spider python -m cProfile -o profile.stats scrapy crawl myspider # Analyze python -m pstats profile.stats >>> sort cumulative >>> stats 20 Enter fullscreen mode Exit fullscreen mode Shows which functions take the most time. Real-World Optimization Example Let's optimize a slow spider: Before (Slow) class SlowSpider ( scrapy . Spider ): name = ' slow ' custom_settings = { ' CONCURRENT_REQUESTS ' : 16 , # Default ' DOWNLOAD_TIMEOUT ' : 180 , ' COOKIES_ENABLED ' : True , ' RETRY_ENABLED ' : True , ' LOG_LEVEL ' : ' DEBUG ' } def parse ( self , response ): # Inefficient selectors for product in response . xpath ( ' //div[@class= " product " ] ' ): item = ProductItem () item [ ' name ' ] = product . xpath ( ' .//h2/text() ' ). get () item [ ' price ' ] = product . xpath ( ' .//span[@class= " price " ]/text() ' ). get () yield item # Slow pipeline class SlowPipeline : def process_item ( self , item , spider ): # Single insert (slow!) self . cursor . execute ( ' INSERT INTO products VALUES (?, ?) ' , ( item [ ' name ' ], item [ ' price ' ])) self . conn . commit () return item Enter fullscreen mode Exit fullscreen mode Speed: 50,000 pages in 6 hours After (Fast) class FastSpider ( scrapy . Spider ): name = ' fast ' custom_settings = { ' CONCURRENT_REQUESTS ' : 64 , # Increased ' CONCURRENT_REQUESTS_PER_DOMAIN ' : 32 , ' DOWNLOAD_TIMEOUT ' : 30 , # Reduced ' COOKIES_ENABLED ' : False , # Disabled (not needed) ' RETRY_ENABLED ' : True , ' RETRY_TIMES ' : 2 , # Reduced from 3 ' LOG_LEVEL ' : ' INFO ' , # Less verbose ' LOG_FILE ' : ' spider.log ' # File instead of console } def parse ( self , response ): # Efficient CSS selectors for product in response . css ( ' .product ' ): yield { # Dict instead of Item ' name ' : product . css ( ' h2::text ' ). get (), ' price ' : product . css ( ' .price::text ' ). get () } # Fast pipeline with batching class FastPipeline : def __init__ ( self ): self . items = [] self . batch_size = 100 def process_item ( self , item , spider ): self . items . append ( item ) if len ( self . items ) >= self . batch_size : self . flush () return item def flush ( self ): # Batch insert (much faster!) values = [( item [ ' name ' ], item [ ' price ' ]) for item in self . items ] self . cursor . executemany ( ' INSERT INTO products VALUES (?, ?) ' , values ) self . conn . commit () self . items = [] def close_spider ( self , spider ): self . flush () Enter fullscreen mode Exit fullscreen mode Speed: 50,000 pages in 30 minutes Result: 12x faster! Measuring Performance Always measure before and after: from datetime import datetime class MeasuredSpider ( scrapy . Spider ): name = ' measured ' def __init__ ( self , * args , ** kwargs ): super (). __init__ ( * args , ** kwargs ) self . start_time = datetime . now () self . page_count = 0 def parse ( self , response ): self . page_count += 1 # Log speed every 1000 pages if self . page_count % 1000 == 0 : elapsed = ( datetime . now () - self . start_time ). total_seconds () speed = self . page_count / elapsed self . logger . info ( f ' Scraped { self . page_count } pages in { elapsed : . 1 f } s ' f ' ( { speed : . 1 f } pages/sec) ' ) yield { ' url ' : response . url } Enter fullscreen mode Exit fullscreen mode When NOT to Optimize Don't over-optimize: Skip optimization if: Spider runs once Total time < 5 minutes You're still developing Site is very slow (bottleneck is server, not you) Optimize when: Spider runs regularly Total time > 30 minutes Scraping large sites (100k+ pages) Time is critical Quick Wins Checklist Apply these for immediate speed boost: [ ] Increase CONCURRENT_REQUESTS to 32-64 [ ] Reduce DOWNLOAD_TIMEOUT to 30 [ ] Disable COOKIES_ENABLED if not needed [ ] Use CSS selectors instead of XPath [ ] Batch database operations [ ] Set LOG_LEVEL to INFO or WARNING [ ] Look for APIs instead of scraping HTML These 7 changes can give you 2-10x speedup! Summary Network optimization (biggest impact): Increase concurrency Reduce timeouts Disable unnecessary features (cookies, redirects) Use HTTP/2 Parsing optimization: Use CSS over XPath Cache selector results Use more specific selectors Use dicts instead of Items Pipeline optimization: Batch database operations Use async for I/O Minimize per-item processing General tips: Profile to find real bottlenecks Measure before and after Start with quick wins APIs are always faster than HTML Remember: Network is usually the bottleneck Optimize network first Batch database operations More concurrency = faster (up to a point) Start with the quick wins checklist. That alone can give you 5-10x speedup in 5 minutes! Happy scraping! 🕷️ 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 Muhammad Ikramullah Khan Follow Backend dev who loves data, APIs & web scraping | Building scalable solutions | Teaching developers through practical guides. Location Pakistan Joined Dec 17, 2025 More from Muhammad Ikramullah Khan Scrapy Log Files: Save, Rotate, and Organize Your Crawler Logs # webdev # programming # beginners # python Sitemaps & robots.txt: The Secret to Faster, Smarter Scraping # webdev # programming # python # beginners Handling Pagination in Scrapy: Scrape Every Page Without Breaking # webdev # programming # python # beginners 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/p/markdown_basics | Markdown Basics - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Markdown Basics 🤓 Below are some examples of commonly used markdown syntax. If you want to dive deeper, check out this cheat sheet. Bold & Italic Italics : *asterisks* or _underscores_ Bold : **double asterisks** or __double underscores__ Links I'm an inline link : [I'm an inline link](put-link-here) Inline Images  Headers Add a header to your post with this syntax: #One '#' for a h1 header ##Two '#'s for a h2 header ... ######Six '#'s for a h6 header One '#' for a h1 header Two '#'s for a h2 header Six '#'s for a h6 header 🌊 Liquid Tags We support native Liquid tags in our editor, but have created our own custom tags as well. A list of supported custom embeds appears below. To create a custom embed, use the complete URL: {% embed https://... %} Supported URL Embeds DEV Community Comment DEV Community Link DEV Community Link DEV Community Listing DEV Community Organization DEV Community Podcast Episode DEV Community Tag DEV Community User Profile asciinema CodePen CodeSandbox DotNetFiddle GitHub Gist, Issue or Repository Glitch Instagram JSFiddle JSitor Loom Kotlin Medium Next Tech Reddit Replit Slideshare Speaker Deck SoundCloud Spotify StackBlitz Stackery Stack Exchange or Stack Overflow Twitch Twitter Twitter timeline Wikipedia Vimeo YouTube Supported Non-URL Embeds Call To Action (CTA) {% cta link %} description {% endcta %} Provide a link that a user will be redirected to. The description will contain the label/description for the call to action. Details You can embed a details HTML element by using details, spoiler, or collapsible. The summary will be what the dropdown title displays. The content will be the text hidden behind the dropdown. This is great for when you want to hide text (i.e. answers to questions) behind a user action/intent (i.e. a click). {% details summary %} content {% enddetails %} {% spoiler summary %} content {% endspoiler %} {% collapsible summary %} content {% endcollapsible %} KaTex Place your mathematical expression within a KaTeX liquid block, as follows: {% katex %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} To render KaTeX inline add the "inline" option: {% katex inline %} c = \pm\sqrt{a^2 + b^2} {% endkatex %} RunKit Put executable code within a runkit liquid block, as follows: {% runkit // hidden setup JavaScript code goes in this preamble area const hiddenVar = 42 %} // visible, reader-editable JavaScript code goes here console.log(hiddenVar) {% endrunkit %} Parsing Liquid Tags as a Code Example To parse Liquid tags as code, simply wrap it with a single backtick or triple backticks. `{% mytag %}{{ site.SOMETHING }}{% endmytag %}` One specific edge case is with using the raw tag. To properly escape it, use this format: `{% raw %}{{site.SOMETHING }} {% ``endraw`` %}` Here's the Markdown cheatsheet again for reference. Happy posting! 📝 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/etherspot/account-abstractions-role-in-decentralized-innovation-michael-messele-etherspot-zebulive-2024-h03 | Account Abstraction's Role in Decentralized Innovation | Michael Messele | Etherspot | ZebuLive 2024 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Alexandra for Etherspot Posted on Oct 31, 2024 • Originally published at youtu.be Account Abstraction's Role in Decentralized Innovation | Michael Messele | Etherspot | ZebuLive 2024 # web3 # development # blockchain # learning Michael unravels the mechanisms of Account Abstraction & Chain Abstraction and their profound impact on reshaping the landscape of decentralized technologies. From enhancing user experience to fostering cross-chain compatibility, uncover how these fundamental concepts are propelling the forefront of innovation in blockchain and beyond. Keynote at ZebuLive 2024 Follow us Website | Twitter | Discord | Telegram | 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 Etherspot Follow More from Etherspot Ethereum in 2025 Becomes Global Infrastructure, Vitalik on Decentralization vs UX, L2BEAT on Trustless EIL, EIP-7702 Adoption # ethereum # web3 # blockchain Glamsterdam, Bitcoin in MetaMask, EIL & 7702 Alignment, PillarX Universal Gas Tank # blockchain # web3 # ethereum Vitalik’s Gas Futures, EIL X Space, Polygon Upgrade, USDT Gas Fees, ERC-8092 # blockchain # web3 # ethereum 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/scale_youtube/techworld-with-nana-apache-kafka-complete-course-for-beginners-5dfj | TechWorld with Nana: Apache Kafka Complete Course for Beginners - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Scale YouTube Posted on Oct 1, 2025 TechWorld with Nana: Apache Kafka Complete Course for Beginners # architecture # cloud # career Apache Kafka Crash Course for Beginners Kickstart your Kafka journey in this hands-on tutorial where you’ll learn what Kafka is, why it exists, and how it solves real-world messaging challenges. We’ll set up a Python project, spin up Kafka with Docker Compose, and build both a producer and a consumer step-by-step—complete with CLI tricks and a graceful shutdown demo. Along the way, grab bonus resources like the GitLab repo, official Kafka docs, and a free PyCharm Pro trial to follow along smoothly. Timestamps guide you through every segment, from core concepts (00:40) to testing the full pipeline (01:01:05), so you can jump right to what you need. Enjoy! Watch on YouTube Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Scale YouTube Follow Joined Aug 2, 2025 More from Scale YouTube NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career NDC Conferences: Optimize Your Internal OS and Minimize Compatibility Issues at Work - Alice Meredith # career 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://www.linkedin.com/posts/devcyclehq_who-knew-feature-flags-would-save-ai-coding-activity-7405322365427064835-o70N | Modern Dev Loop: Generate, Wrap, Deploy, Test, Roll Out | DevCycle posted on the topic | LinkedIn Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join for free Modern Dev Loop: Generate, Wrap, Deploy, Test, Roll Out This title was summarized by AI from the post below. DevCycle 1,008 followers 1mo Report this post 🔁 The modern dev loop (or cycle 😉) isn’t write → test → ship anymore. It’s: 🤖 generate → 🏁wrap behind feature flag → 🚀 deploy → 🍰 test on a tiny slice → 🛼 roll out 🏃💨 That loop is why AI-driven teams ship faster without lighting prod on 🔥🚒. https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 2 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in More Relevant Posts Luca Tagliaferri 3w Report this post Source: https://lnkd.in/eDMqTmfj 🚀 Balancing AI Speed & Engineering Discipline Vibe coding feels fast but risks chaos—until you structure it! 🧠 Use step-by-step prompts, enforce rules in every request, and review like an engineer, not a tool. 💡 Docs + retrospectives? Win. CI/CD pipelines? Must-have. 💡 Example: GitHub Speckit automates prompt boilerplate. Retrospectives document lessons learned. Prioritize process over output—your team’s sanity depends on it. 🚀 #AI #Engineering #Productivity #CodeQuality #DevOps View C2PA information 1 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in TheSSS.AI 110 followers 3w Report this post Unlock 95% Faster Development: Transform Weeks of Setup into Hours with AI POV: It's week 6 of a new project, and you've written exactly zero lines of business logic. Just… config files. 💀 We’ve all been there. Stuck in the "Setup Time Crisis." The weeks spent debating architecture, wrestling with Terraform, configuring CI/CD pipelines, and writing boilerplate before you can even build the first feature. It’s the soul-crushing phase where momentum dies while you're stuck in configuration purgatory. The real cost here isn't just the 8-12 weeks of engineering time. It's the market opportunity you lose. While your team is setting up, a competitor is shipping. We've seen teams watch a competitor launch the exact feature they were building *during* their setup phase. Speed isn't about writing code faster; it's about starting to write the *right* code sooner. This is exactly why AI code generation platforms exist. Instead of spending weeks manually building a foundation, these tools can generate a production-ready starting point from a simple requirements doc in hours. We're talking a **95% reduction** in setup time. From 8 weeks to a single day. Don't just accept the setup slog as the cost of doing business. Next time you kick off a project, track the time from day one to the first line of actual business logic. The number will probably shock you. It’s the metric that exposes the biggest bottleneck in your delivery pipeline. So, what's the most absurd amount of time you've ever sunk into project setup before shipping a single feature? #SoftwareDevelopment #EngineeringLeadership #DeveloperProductivity #AICoding #DevOps #CodeGeneration #CTO 3 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in TANGUDU HEMANTH KUMAR 2w Report this post 🤖 Day 3: cto.new – The AI "Teammate" That Actually Ships Code Most AI tools are just fancy keyboards. They give you a snippet, and then you have to figure out where it fits. I’m calling it now: The future of development isn't "autocomplete"—it’s autonomous agents. For Day 3 of my #100DaysOfAI challenge, we’re looking at cto.new . This isn't just another chat window; it’s an AI code agent that understands your entire stack, plans tasks, and opens pull requests directly in your GitHub. Practical implementation tips for your workflow: Intelligent Task Planning: Don't just ask for code. Give it a high-level goal (e.g., "Add a login flow with JWT"), and it will deconstruct that into a multi-step plan. Context-Aware Coding: Because it integrates with your repo, it knows your specific patterns, tech debt, and architectural rules. Asynchronous Shipping: You can assign a task and move on. The agent works in the cloud, runs tests, and alerts you when the PR is ready for review. I tried it on a complex legacy project that usually takes me hours to navigate. I gave cto.new a single task, and it identified the exact files needed and suggested an architectural fix I hadn't even considered. It’s like having a senior developer available 24/7—for free. Use the "Setup Agent" first. It automatically analyzes your tech stack and configures your task runner environment so the AI can start writing code immediately without manual setup. If you could delegate 80% of your repetitive coding tasks to an agent, what would you spend your new free time building? Here is the link have a try : https://cto.new/ #AI #SoftwareEngineering #100DaysOfAI #ctonew #Automation #DevTools #GitHub #CodingLife #FutureOfWork #Innovation …more 3 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Tarek Akik Sohan 3w Report this post Vibe coding tools aren't just "LLM for code." They're a complete rethinking of the development stack. I tried to dig deeper into the product to understand the architecture. The architecture has main 3 layers: 1. AI Agent: Uses tools to take action or write code 2. Sandbox: MicroVMs for isolated, persistent dev environments 3. Deployment: One-click production It's not magic, just really good engineering. AI acting as an abstraction layer over the entire SDLC. It's not about the LLM, it's about the infrastructure that lets AI actually ship code. Full article link in the comment. 3 1 Comment Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Rohit Raj 1w Edited Report this post 𝗛𝗼𝘄 𝗜 𝗨𝘀𝗲 𝗚𝗶𝘁𝗛𝘂𝗯’𝘀 𝗦𝗽𝗲𝗰 𝗞𝗶𝘁 𝘁𝗼 𝗕𝗿𝗶𝗻𝗴 𝗖𝗼𝗻𝘀𝗶𝘀𝘁𝗲𝗻𝗰𝘆 𝘁𝗼 𝗔𝗜-𝗚𝗲𝗻𝗲𝗿𝗮𝘁𝗲𝗱 𝗖𝗼𝗱𝗲 𝗪𝗵𝘆 𝗱𝗼 𝘁𝘄𝗼 𝗱𝗲𝘃𝗲𝗹𝗼𝗽𝗲𝗿𝘀 𝘂𝘀𝗶𝗻𝗴 𝘁𝗵𝗲 𝘀𝗮𝗺𝗲 𝗔𝗜 𝘁𝗼𝗼𝗹 𝘄𝗿𝗶𝘁𝗲 𝗰𝗼𝗺𝗽𝗹𝗲𝘁𝗲𝗹𝘆 𝗱𝗶𝗳𝗳𝗲𝗿𝗲𝗻𝘁 𝗰𝗼𝗱𝗲 𝗳𝗼𝗿 𝘁𝗵𝗲 𝘀𝗮𝗺𝗲 𝗳𝗲𝗮𝘁𝘂𝗿𝗲? AI coding tools like 𝗖𝗼𝗽𝗶𝗹𝗼𝘁, 𝗖𝗼𝗱𝗲𝘅, 𝗖𝗵𝗮𝘁𝗚𝗣𝗧, and 𝗖𝗹𝗮𝘂𝗱𝗲 are now part of our daily development stack. But every developer phrases requests differently: “Create an API to add a new user” “Implement user creation with validation and error handling” To a human, these may sound similar. To an AI, they’re completely different. Here’s what I kept seeing: -- Different implementations for the same feature -- Hidden assumptions baked into code -- Long review cycles debating intent -- Rework due to mismatched expectations 𝗧𝗵𝗮𝘁’𝘀 𝘄𝗵𝗲𝗻 𝗜 𝗰𝗮𝗺𝗲 𝗮𝗰𝗿𝗼𝘀𝘀 𝗚𝗶𝘁𝗛𝘂𝗯’𝘀 𝗦𝗽𝗲𝗰-𝗗𝗿𝗶𝘃𝗲𝗻 𝗗𝗲𝘃𝗲𝗹𝗼𝗽𝗺𝗲𝗻𝘁 𝗞𝗶𝘁 -- 𝗮 𝘁𝗼𝗼𝗹𝗸𝗶𝘁 𝗯𝘂𝗶𝗹𝘁 𝗲𝘅𝗮𝗰𝘁𝗹𝘆 𝗳𝗼𝗿 𝘁𝗵𝗶𝘀 𝗰𝗵𝗮𝗹𝗹𝗲𝗻𝗴𝗲. 𝗦𝗽𝗲𝗰-𝗗𝗿𝗶𝘃𝗲𝗻 𝗗𝗲𝘃𝗲𝗹𝗼𝗽𝗺𝗲𝗻𝘁 𝗳𝗹𝗶𝗽𝘀 𝘁𝗵𝗲 𝗽𝗿𝗼𝗰𝗲𝘀𝘀: Start with a clear, shared spec—then let both developers and AI follow the same source of truth. 𝗛𝗼𝘄 𝗜 𝘂𝘀𝗲 𝗶𝘁 𝟭. 𝗗𝗲𝗳𝗶𝗻𝗲 𝗮 𝗖𝗼𝗻𝘀𝘁𝗶𝘁𝘂𝘁𝗶𝗼𝗻 Sets rules: tech stack, architecture, domain principles 𝟮. 𝗪𝗿𝗶𝘁𝗲 𝘁𝗵𝗲 𝗳𝗲𝗮𝘁𝘂𝗿𝗲 𝘀𝗽𝗲𝗰 Defines what to build, what not to build, edge cases 𝟯. 𝗚𝗲𝗻𝗲𝗿𝗮𝘁𝗲 𝘀𝘁𝗿𝘂𝗰𝘁𝘂𝗿𝗲𝗱 𝗮𝗿𝘁𝗶𝗳𝗮𝗰𝘁𝘀: -- plan.md → how it will be built -- spec.md → detailed requirements -- task.md → implementation steps Then, whether it’s 𝗖𝗼𝗽𝗶𝗹𝗼𝘁, 𝗖𝗵𝗮𝘁𝗚𝗣𝗧, 𝗖𝗹𝗮𝘂𝗱𝗲 or any CLI-based LLM, the AI follows the same understanding as the team. https://lnkd.in/gTEAnd6X #SoftwareEngineering #AIinDevelopment #SpecDrivenDevelopment #GitHub #Copilot #LLM #ChatGPT #Claude #DeveloperTools #Productivity #CodeQuality #DevWorkflow 6 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Nazma Shaik 2w Report this post Is your team still using AI as a "Chatbot"? You’re leaving productivity on the table. 📈 In 2025, the conversation around AI in software development has shifted from "Can it write code?" to "How can it scale our engineering standards?" We’ve moved beyond the basic GitHub Copilot experience. The real competitive advantage now lies in Custom AI Agents—specialized models tailored to your team's specific architectural standards. I’ve been experimenting with routing high-level architectural tasks to Anthropic’s Claude Opus 4.5 via GitHub’s new multi-model platform. The results in team velocity and code quality are undeniable. Why this is a game-changer for Engineering Managers: ✅ Embedded Governance: You can now bake your "Definition of Done" and architectural standards directly into an Agent Profile. Your team isn't just getting code; they’re getting code that fits your stack. ✅ The Right Tool for the Job: We no longer use one model for everything. We use high-speed models (GPT-4o) for boilerplate and high-reasoning models (Claude Opus 4.5) for complex refactoring and system design. ✅ Reduced Senior Friction: Custom agents act as a "First Responder" for code reviews, catching architectural drift before it ever hits a human reviewer. The Strategy: Instead of a generic assistant, we’ve created a "Virtual Lead Architect." By using a simple . agent.md configuration in our repo, every developer on the team has instant access to a Claude-powered expert that knows our specific design patterns. The Bottom Line: AI is no longer just a "copilot" for the individual contributor; it’s a force multiplier for the entire engineering organization. #EngineeringLeadership #CTO #GitHubCopilot #Claude4 #DigitalTransformation #SoftwareEngineering #Productivity What makes this work for Managers: Focus on Outcomes: It highlights "team velocity" and "code quality" instead of "lines of code." Risk Mitigation: Mentions "governance" and "standards," which are top-of-mind for leadership. Strategic Positioning: Frames the use of Claude Opus 4.5 as a "Virtual Lead Architect," justifying the cost/usage of premium models through the lens of senior-level output. Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Arindam Majumder 1w Report this post Your AI coding assistant just got superpowers. 🚀 Most devs using Claude Code are missing out on its plugin system. Here's what I discovered: Claude-Workflow-V2 transforms Claude Code into a specialized development team with 7 AI agents, 17 slash commands, and intelligent automation hooks. Instead of manually reviewing code, committing changes, and running tests—Claude handles it all. Here's what's inside: → 7 Specialized Agents • Orchestrator: Coordinates multi-step tasks • Code Reviewer: Auto-reviews before commits • Debugger: Systematic bug investigation • Security Auditor: Catches vulnerabilities • Test Architect: Designs testing strategies • Refactorer: Improves code structure • Docs Writer: Generates documentation → 17 Slash Commands • /commit → Auto-generates conventional commits • /verify-changes → Multi-agent verification before shipping • /commit-push-pr → Full git workflow in one command • /architect → System design mode • /rapid → Fast prototyping mode • /security-scan → Vulnerability detection → 8 Automation Hooks • Blocks commits with secrets • Auto-formats code (Prettier, Black, etc.) • Validates environment on startup • Desktop notifications when Claude needs input The game-changer? Adversarial verification. Before shipping code, spawn multiple AI agents that challenge each other: • Build validator checks compilation • Test runner verifies functionality • Security scanner hunts vulnerabilities • Lint checker ensures quality If they all agree → ship with confidence. Best part: It's modular. Add custom agents for your domain (mobile, ML, DevOps). Create team-specific commands. Define your architecture patterns in skills. Installation takes 30 seconds: git clone https://lnkd.in/dam4GJg5 claude --plugin-dir ./claude-workflow-v2 844 stars. MIT licensed. Community-driven. This is what modern AI-assisted development looks like. No more context switching between terminals, GitHub, and your IDE. Your AI assistant now understands your entire workflow. Are you using Claude Code plugins yet? 🔗 Repo: https://lnkd.in/dam4GJg5 https://lnkd.in/dg-STmzN #AI #Coding #DeveloperTools #ClaudeAI #Productivity #SoftwareEngineering #DevTools 15 1 Comment Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Abas Turabli 4d Report this post ◉ Moving from AI assistance to AI-governed engineering Most teams think of GitHub Copilot as a coding accelerator. But the real impact starts when Copilot becomes governed by architecture, standards, and policy, not just developer intent. That’s where Copilot Instruction Files and org-level AI controls change the picture. They allow you to define once how AI should behave across your engineering ecosystem: → Security expectations → Coding standards → Architecture principles → Compliance constraints → Naming + structural conventions So instead of “AI that sometimes helps, you get AI that consistently aligns to your engineering model. Layer that with: → Repo-aware Copilot Chat → AI-assisted PR reviews → Refactoring guidance → Domain-specific prompt files → Secure SDLC workflows …and AI becomes part of the architecture fabric, not just a developer tool. This is where AI starts supporting: ✔ consistency ✔ governance ✔ maintainability ✔ long-term architectural intent The goal isn’t more code. ◉ The goal is better-aligned systems delivered faster with AI acting inside the guardrails we design. #AiAssistedProgramming #githubcopilot #responsibleAi 2 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Metizsoft Solutions Private Limited 19,430 followers 2w Report this post ⚡ Code Reviews Just Got Smarter with AI 🤖💻 AI is no longer just assisting developers — it’s actively reviewing code. With JetBrains introducing AI-guided code review in IntelliJ IDEA, development teams can now catch issues earlier, improve code quality, and move faster without compromising control. From intelligent analysis to actionable suggestions with human approval, this marks a big step toward more efficient, reliable, and collaborative software development. 🚀 The way we build software is evolving — and AI is becoming a true development partner. #AIInDevelopment #JetBrains #IntelliJIDEA #AICoding #CodeReview #SoftwareDevelopment #DeveloperTools #DevOps #TechTrends #AIInnovation #EngineeringLeadership #DigitalTransformation 7 Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in Bojan Andrejek 3w Edited Report this post Hands-on CTO + AI tools = ~1.7 million lines of production code in a year. Free tool inside ↓ I started going through my work from this year the usual way — writing a report for myself, cleaning up repositories, and trying to get a clear picture of what actually shipped. Not what was planned. Not what was presented. Just what was built. Very quickly, I realized I was doing this manually… again. So I did what a hands-on CTO does when powerful AI tools are within reach: I built a small tool to do it properly. Then I generalized it, cleaned it up, and shared it. 👉 https://lnkd.in/gXU4xpKS It’s a simple CLI tool that analyzes a single repo or all your repositories via the GitHub API and gives you a clean snapshot of commits, additions, deletions, and net code change. Those numbers led me to this reflection: When a CTO stays close to the code — now amplified by AI — velocity, scope, and quality change dramatically. This year meant building and shipping across multiple production systems: a large-scale medical platform, a luxury real-time configurator stack, an AI-first commercial product, and core engine tooling. 📈 2025 in code 17 active repositories ~950 commits ~1.7M lines written, ~1.0M refactored Net +750k lines of production code Not vanity metrics — just a reminder of what happens when strategy, architecture, and execution live in the same hands. On to the next iteration. #CTO #UnrealEngine #Cursor #AI #LLM #Development #Coding #Blackcode View C2PA information 9 2 Comments Like Comment Share Copy LinkedIn Facebook X To view or add a comment, sign in 1,008 followers View Profile Connect Explore content categories Career Productivity Finance Soft Skills & Emotional Intelligence Project Management Education Technology Leadership Ecommerce User Experience Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Sign in to view more content Create your free account or sign in to continue your search Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/common-cto-startup-pitfalls#how-to-succeed-as-a-startup-cto-in-ai | 7 Common AI Startup Pitfalls and How CTOs Can Avoid Them Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back 7 Common AI Startup Pitfalls and How CTOs Can Avoid Them Table of Contents Misjudging Data Quality Requirements Ignoring Ethical and Bias Concerns Overpromising AI Capabilities Underestimating Infrastructure Needs Lack of Clear Metrics for Success Building Everything from Scratch Overlooking Scalability How to Succeed as a Startup CTO in AI AI is transforming industries. For small startups, it's the difference between success and stagnation. But AI development is complex, especially for small teams with limited resources. Here are seven common pitfalls AI startups face and how CTOs can avoid them. 1. Misjudging Data Quality Requirements A common mistake among startups is underestimating the importance of data quality. Machine learning models thrive on clean, well-labeled data, and poor data quality can lead to incorrect conclusions and unreliable products. CTOs should establish robust data collection and cleaning processes early on, ensuring that data used in training models is accurate and relevant. Prioritize setting up validation checks and consider leveraging synthetic data to supplement small datasets when needed. 2. Ignoring Ethical and Bias Concerns Bias in AI systems can lead to flawed outcomes and reputational damage. Startups may move quickly to deploy their AI, ignoring the need to consider ethical implications and the potential biases inherent in training data. CTOs should take the lead in evaluating datasets for bias and ensuring fairness. Collaborate with data scientists to audit models regularly and be transparent about the limitations and risks associated with your AI. 3. Overpromising AI Capabilities In the excitement of innovation, it's easy to overpromise what AI can achieve. Overpromising to stakeholders or customers often results in unmet expectations, leading to frustration and loss of credibility. CTOs should manage expectations by being transparent about the limitations of current AI capabilities. Start with smaller, tangible goals and build from there, ensuring scalability once the foundational models have proven their value. 4. Underestimating Infrastructure Needs AI can be resource-intensive, requiring significant computational power and specialized hardware. Underestimating infrastructure needs can lead to bottlenecks and unexpected expenses, slowing down development. CTOs should evaluate the computational requirements early on and consider cloud-based solutions or partnerships with third-party providers to keep costs manageable without sacrificing performance. 5. Lack of Clear Metrics for Success Without clear success metrics, AI projects can drift without direction. For a startup, time and resources are scarce commodities. CTOs must define success metrics for their AI initiatives right from the beginning. Whether it's model accuracy, user engagement, or processing speed, having well-defined KPIs helps the team stay focused and enables better iteration based on measurable outcomes. 6. Building Everything from Scratch Many small AI startups fall into the trap of building all components in-house. While this might seem like the right way to maintain control, it’s often impractical and inefficient. CTOs should consider leveraging open-source tools, pre-trained models, and third-party APIs to accelerate development. For example, tools like TensorFlow, PyTorch, and existing NLP models can save time and enable the team to focus on unique value propositions instead of reinventing the wheel. 7. Overlooking Scalability Startups may initially focus on getting a minimum viable product (MVP) out, but overlooking scalability can create issues down the road. Building an AI product that works well for ten users doesn’t necessarily mean it will work for ten thousand. CTOs should keep scalability in mind when designing data pipelines, choosing infrastructure, and developing models. Cloud-based infrastructure and modular code can make scaling smoother as demand grows. How to Succeed as a Startup CTO in AI Avoiding these pitfalls is key to making AI work for your startup. Focus on data quality, avoid biases, manage expectations, and don’t try to do it all alone. Leveraging existing tools and maintaining a clear vision for scalability will help your team deliver AI products that meet market needs and grow with your users. By recognizing these challenges, CTOs can set realistic goals, align resources, and foster a culture of learning and adaptation—key ingredients to AI startup success. Interested in seeing how AI coding assistants can streamline your development process? Discover more with Fine.dev and bring efficiency to your team's AI development journey. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.git-tower.com/features/integrations#a | Integrations and Services | Tower Git Client Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Integrations & Services Seamless integration with your favorite tools. Get Started - It's Free Also available for Windows Also available for macOS Get Started - It's Free Also available for Windows Also available for macOS Git Hosting Services Tower offers seamless integration with industry-leading services like GitHub, Atlassian Bitbucket, GitLab, Azure DevOps, or Perforce - both online and behind the firewall. And since Tower uses pure Git under the hood, it works with any other code hosting service, too! Bitbucket Integration GitLab Integration About Remote Services integrations GitHub Bitbucket GitSwarm GitLab Azure DevOps CodeBase Assembla Beanstalk Planio Diff & Merge Tools Tower comes with a built-in diff viewer. However, you can also use your favorite tool instead - like Kaleidoscope, P4Merge, BBEdit, Beyond Compare, FileMerge, Araxis Merge, TextMate, and many more. Tower comes with a built-in diff viewer. However, you can also use your favorite tool instead - like P4Merge, Meld, Beyond Compare, Code Compare, Araxis Merge, KDiff 3, Ultra Compare, WinMerge, and many more. Command Line and Tower You can perfectly use Git in Tower and on the Command Line or in your favorite IDE ( like Xcode ) side by side ! There’s no need to choose one and abandon the other. Git LFS. Git-Flow. Git Everything. Use all of Git's powerful feature set - in a GUI that makes you more productive. Always Up-to-Date New remote changes are fetched automatically in the background. git-flow Support Use the popular “git-flow” branching model right from within Tower. Conflict Wizard Solve merge conflicts with ease. Goodbye fear. Hello confidence. Faster Committing The commit dialog is integrated into the working copy view for faster access. Unsynced Commits Instantly see which commits haven't been pushed or pulled, yet. Services Manager Clone your repos from GitHub / Bitbucket / GitLab / Azure DevOps with a single click. Get Started - It's Free Also available for Windows Also available for macOS Get Started - It's Free Also available for Windows Also available for macOS Tower is the tool of choice for over 100,000 users worldwide Sebastian Kreutzberger CEO at SwiftyBeaver The new Tower is great! Github pull requests have never been easier 🚀 Jesse Bilsten Principal Designer at GoDaddy I utilize Git in both design and development environments - and Tower is the only tool that empowers me in both. Collin Allen Software Engineer I can't even tell you how much I love Tower. It's easily my favorite development tool, and I depend on it every single day. All features, 30 days for free! Try Tower now and see why it's the tool of choice for thousands of professionals all over the world. Download the Free Trial Also available for Windows Also available for macOS Download the Free Trial Also available for Windows Also available for macOS Tower Git Client Download for macOS Download for Windows Releases Pricing Beta Channel Use Cases Developers Designers Teams Enterprise Students Teachers & Universities Features Easy Powerful Productive New Features All Features Integrations CLI vs GUI Tower Workflows Stacked Pull Requests Free Tools Code Diff Tool .gitignore Generator Support Help Center Documentation Learn Git Newsletter Contact Us Company About Blog Press Jobs Merch Affiliate Program Legal License Agreement Privacy Policy Privacy Settings Imprint © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (8 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing. Please check your email to confirm. Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/o1-vs-sonnet-es#context-window-and-performance | OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Introducción A medida que la IA continúa evolucionando, dos modelos destacan: o1 de OpenAI y Claude Sonnet 3.5 de Anthropic. Ambos ofrecen capacidades impresionantes para los desarrolladores de software, pero sus fortalezas varían, especialmente cuando se trata de programación. Este blog compara estos dos modelos de IA, centrándose en tareas de programación y rendimiento general. Fine incluye acceso ilimitado a ambos modelos, lo que lo convierte en una excelente manera de probar y comparar cómo o1 y Sonnet se desempeñan con tareas de programación. Diferencias Principales o1 está diseñado para razonamiento complejo y resolución de problemas . Sus respuestas son profundas y reflexivas, lo que lo hace ideal para desarrolladores que trabajan en problemas intrincados o que necesitan explicaciones detalladas. Por otro lado, Claude Sonnet 3.5 se centra en eficiencia y velocidad , destacando en tiempos de respuesta rápidos mientras es más rentable. Si buscas generar código rápidamente o manejar tareas de alto volumen, Claude Sonnet 3.5 puede ser la mejor opción. Ambos modelos utilizan arquitecturas basadas en transformadores, pero o1 es más adecuado para desarrolladores que buscan razonamiento detallado, mientras que Claude Sonnet 3.5 es la opción preferida para aquellos que priorizan la velocidad. Ventana de Contexto y Rendimiento La ventana de contexto juega un papel crucial en cómo estos modelos manejan entradas grandes o conversaciones extendidas. ChatGPT o1 admite 128,000 tokens, mientras que Claude Sonnet 3.5 maneja un mayor 200,000 tokens , dándole una ventaja para tareas que requieren una retención significativa de contexto, como revisar grandes bases de código. Ambos modelos ofrecen un rendimiento sólido en una variedad de tareas, pero sus habilidades brillan en diferentes áreas. ChatGPT o1 sobresale en razonamiento multietapa , explicando la lógica de código compleja en detalle, mientras que Claude Sonnet 3.5 se centra en correcciones de errores rápidas y generación eficiente de código . Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? En octubre de 2024, Anthropic anunció una versión mejorada de Claude 3.5 Sonnet. Las recientes actualizaciones a Claude 3.5 Sonnet han mejorado significativamente sus capacidades de ingeniería de software. Notablemente, el rendimiento del modelo en el benchmark SWE-bench Verified ha mejorado del 33.4% al 49.0%, superando a todos los modelos disponibles públicamente, incluido el o1-preview de OpenAI. Este avance refleja la mayor precisión de Claude 3.5 Sonnet en la generación de funciones y verificación de errores, particularmente en la depuración y refactorización de código que involucra funciones anidadas o segmentos interdependientes. Además, la capacidad de tokens ampliada del modelo le permite retener y utilizar un contexto más extenso, lo que lo hace ideal para revisar grandes bases de código o gestionar proyectos intrincados con múltiples dependencias. Las pruebas iniciales indican que Claude 3.5 Sonnet sobresale en tareas de programación especializadas, como identificar vulnerabilidades de seguridad en aplicaciones web y optimizar algoritmos para velocidad y eficiencia. GitLab, por ejemplo, informó hasta un 10% de mejora en las capacidades de razonamiento para tareas de DevSecOps con el modelo actualizado, sin ningún aumento en la latencia. Casos de uso de IA para programación con o1 y Claude Sonnet 3.5 ChatGPT o1: Depuración de gestión de estado compleja en React: Usa o1 para analizar profundamente por qué ciertos estados no se actualizan correctamente o entran en conflicto entre componentes. Refactorización de código heredado: Emplea el razonamiento exhaustivo de o1 para reestructurar un script antiguo de Python para mejorar su legibilidad y mantenibilidad. Creación de algoritmos: Ideal para escribir y explicar algoritmos como ordenamiento, recorrido de árboles o programación dinámica en detalle. Claude Sonnet 3.5: Generación de código boilerplate: Crea rápidamente archivos de configuración para nuevos proyectos como APIs de Flask o estructura de front-end en Next.js. Autocompletar funciones: Úsalo para completar una función de JavaScript a medio escribir con manejo de errores adecuado y casos extremos. Generación masiva de código: Sonnet 3.5 sobresale en producir estructuras de código repetitivas pero ligeramente variadas como endpoints de API similares o casos de prueba unitarios. ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Hoy en día hay muchas herramientas de desarrollo disponibles para ayudarte con tu programación con IA, desde asistentes avanzados de programación con IA como Fine hasta generadores de código como GitHub Copilot. Algunas usan múltiples LLMs, algunas te dan la opción y otras se basan en un solo modelo. ¿Qué modelo de IA (LLM) utiliza Fine? Fine es una de las pocas herramientas de programación con IA que ofrece a los usuarios la opción entre diferentes LLMs para diversas tareas. Al usar Fine a través del navegador web, los usuarios pueden elegir entre o1-preview, 4o y Claude 3.5 Sonnet. Sin embargo, necesitarás una suscripción pro para aprovechar esto, que cuesta $13-15 por mes. Si eres un usuario gratuito, podrás usar Fine con 4o. Haz clic aquí para probarlo. ¿Qué modelo de IA (LLM) utiliza GitHub Copilot? GitHub Copilot está fuertemente integrado con OpenAI. GitHub es propiedad de Microsoft, que tiene una profunda asociación con OpenAI. La mayoría de los usuarios tienen acceso a 4o, mientras que los suscriptores de Azure AI pueden usar GitHub Copilot con o1-mini y o1-preview. ACTUALIZACIÓN: En GitHub Universe 2024, se anunció que esta asociación exclusiva ya no era tan exclusiva y que la opción de usar Claude se implementaría para todos los usuarios de GitHub Copilot en breve. Algunos usuarios ya han podido acceder a Claude. Está disponible en el Copilot Chat en Visual Studio Code y en Immersive Copilot en el navegador web solamente. ¿Qué modelo de IA (LLM) utiliza Cursor? Cursor utiliza Claude 3.5 Sonnet por defecto y recurre a OpenAI 4o durante interrupciones de Anthropic. ¿Qué modelo de IA (LLM) utiliza Bolt? Bolt, la herramienta de programación con IA que se especializa exclusivamente en front-end, se basa en Claude 3.5 Sonnet. ¿Qué modelo de IA (LLM) utiliza Replit? Aunque Replit lanzó previamente su propio modelo de IA en 2023, cuando anunciaron Replit Agent, su principal herramienta de programación con IA, en 2024, parece que tomaron la decisión de usar Claude 3.5 Sonnet. ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? Si estás buscando comparar cuáles son las mejores herramientas de programación con IA o LLMs, hay algunas cosas a tener en cuenta. Primero, es importante evaluar el LLM y la herramienta por separado. Usa una herramienta como Fine que te permita dar la misma tarea a múltiples LLMs para comparar cuál te da el mejor resultado. Aquí hay una comparación que hicimos de los tres modelos ofrecidos por Fine, planteados con la misma pregunta: ¿Qué hace este repositorio? (Es una pregunta que algunos están llamando el Hola Mundo de la programación con IA). Segundo, compara cómo las herramientas se desempeñan con tu LLM elegido, específico para tu caso de uso. Fine ofrece una variedad de integraciones para aumentar tu productividad, como la capacidad de hacer revisiones dentro de GitHub PR, que están ahorrando horas a los desarrolladores cada semana. ¿Cuál modelo es mejor para programar? Para tareas de programación, tu elección depende de tus necesidades: ChatGPT o1 es la mejor opción cuando trabajas en problemas complejos y multietapa donde necesitas un razonamiento profundo y explicaciones detalladas. Por ejemplo, sobresale en explicar código intrincado o ayudar con la depuración de una manera más reflexiva. Claude Sonnet 3.5 es el modelo preferido para generación de código rápida y eficiente y prototipado iterativo. Es rentable para tareas de alto volumen como generar múltiples fragmentos de código o automatizar correcciones de errores. Ambos modelos apoyan a los desarrolladores en la programación, pero Claude Sonnet 3.5 puede ahorrar tiempo y dinero para tareas de programación cotidianas, mientras que ChatGPT o1 podría ser tu aliado para problemas de programación más difíciles y detallados. Conclusión Al decidir entre ChatGPT o1 y Claude Sonnet 3.5 , considera la complejidad de tus tareas de programación y las restricciones de presupuesto. ChatGPT o1 ofrece una mejor resolución de problemas para tareas intrincadas, mientras que Claude Sonnet 3.5 proporciona una generación de código más rápida y asequible para las necesidades de desarrollo diarias. Ambos modelos son herramientas de IA poderosas que pueden mejorar significativamente tu productividad como desarrollador de software. Regístrate en una plataforma como Fine , que incluye acceso ilimitado a ambos, para lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso ilimitado tanto a o1 como a Claude Sonnet 3.5 , permitiendo a los desarrolladores cambiar entre estos poderosos LLMs según las necesidades de su tarea. Esta flexibilidad es perfecta para aquellos que requieren explicaciones detalladas de ChatGPT o generación de código rápida y eficiente de Claude. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso ilimitado y rentable a ambos modelos para todas tus tareas de programación y desarrollo. Fuentes McNulty, Niall. "ChatGPT o1 vs Claude Sonnet 3.5." Medium , hace 5 días. Enlace . "GPT o1 vs Claude 3.5 Sonnet: ¿Cuál modelo es mejor para programar?" Bind AI Blog , 17 Sep 2024. Enlace . "Comparar o1 Preview vs. Claude 3.5 Sonnet." Context.ai . Enlace . Harisec. "o1 vs Claude." GitHub . Enlace . Tabla de Contenidos Introducción Diferencias Principales Ventana de Contexto y Rendimiento Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? Casos de uso de IA para programación con o1 y Claude 3.5 Sonnet ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Fine GitHub Copilot Cursor Bolt Replit ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? ¿Cuál modelo es mejor para programar? Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://dev.to/fosres/master-iptables-security-4-production-ready-firewall-scenarios-860 | Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse fosres Posted on Jan 12 Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables # security # linux # networking # cybersecurity Introduction Understanding iptables is a fundamental skill for Security Engineers, System Administrators, and DevOps professionals. Yet most engineers learn iptables through toy examples that don't reflect real-world complexity. This article presents four production-grade security scenarios that will test your understanding of: Stateful firewalls and connection tracking NAT configurations (DNAT, SNAT, MASQUERADE) Defense-in-depth security controls Attack surface reduction through network segmentation Security logging and monitoring These labs are designed to prepare you for actual Security Engineering interviews and on-the-job firewall configuration. Each scenario includes detailed network diagrams, specific requirements, and security constraints you'd encounter in production environments. Time commitment: 5-7 hours total for all scenarios Difficulty: Intermediate to Advanced Prerequisites: Basic understanding of TCP/IP, Linux command line, and iptables syntax Sources & References These labs are based on industry-standard security engineering practices and curriculum materials: Grace Nolan's Security Engineering Notes - github.com/gracenolan/Notes - Comprehensive security interview preparation resource Complete 48-Week Security Engineering Curriculum (Pages 13-14) - Networking fundamentals and firewall configuration methodology All exercises follow production security best practices for enterprise firewall configurations. Scenario 1: Startup Web Application Firewall Difficulty: ⭐⭐☆☆☆ (Intermediate) Time estimate: 60-90 minutes You are the first Security Engineer at a startup. The engineering team has deployed their web application and asks you to configure the server's firewall. Network Diagram INTERNET │ │ │ ┌───────────────────┴───────────────────┐ │ │ │ │ ┌───────┴───────┐ ┌───────┴───────┐ │ Legitimate │ │ Attackers │ │ Users │ │ (anywhere) │ │ │ │ │ └───────┬───────┘ └───────┬───────┘ │ │ │ │ └───────────────────┬───────────────────┘ │ │ ┌────────┴────────┐ │ │ │ Web Server │ │ │ │ 104.196.45.120 │ │ │ │ Services: │ │ - HTTPS (443) │ │ - SSH (22) │ │ │ │ eth0 (public) │ │ │ └─────────────────┘ Enter fullscreen mode Exit fullscreen mode Requirements The web application must be accessible via HTTPS from anywhere on the internet SSH must only be accessible from the CTO's home IP: 73.189.45.22 The server must be able to resolve DNS to function properly The server must be able to download security updates from Ubuntu repositories Protect SSH from brute force attacks (max 4 attempts per minute) Drop all other inbound traffic Log dropped packets for security monitoring Your Task Write a complete iptables firewall configuration for this server. Include comments explaining each rule. Hint: Remember that your server needs to initiate outbound connections for DNS and package updates. Don't forget the loopback interface! Scenario 2: Corporate Network with DMZ Difficulty: ⭐⭐⭐⭐☆ (Advanced) Time estimate: 2-3 hours You've been hired as a Security Engineer at a mid-size company. They have a standard three-tier network architecture and need you to configure the firewall that sits between all three zones. Network Diagram INTERNET │ │ ┌────────┴────────┐ │ ISP Router │ │ (not managed) │ └────────┬────────┘ │ │ 203.0.113.1 (gateway) │ ┌─────────────────────────────────────────────────────────────────────────────────────┐ │ │ │ FIREWALL │ │ │ │ eth0 (WAN) eth1 (DMZ) eth2 (LAN) │ │ 203.0.113.10 10.0.1.1 10.0.0.1 │ │ │ └─────────┬─────────────────────────────┬─────────────────────────────┬───────────────┘ │ │ │ │ │ │ │ ┌────────┴────────┐ ┌────────┴────────┐ │ │ DMZ Network │ │ LAN Network │ │ │ 10.0.1.0/24 │ │ 10.0.0.0/24 │ │ └────────┬────────┘ └────────┬────────┘ │ │ │ │ ┌─────────────┼─────────────┐ │ │ │ │ │ │ │ ┌──────┴──────┐ ┌────┴────┐ ┌──────┴──────┐ ┌──────┴──────┐ │ │ Web Server │ │ Mail │ │ DNS Server │ │ Employee │ │ │ 10.0.1.10 │ │ Server │ │ 10.0.1.30 │ │ Workstations│ │ │ │ │10.0.1.20│ │ │ │10.0.0.50-200│ │ │ HTTPS: 443 │ │ │ │ DNS: 53 │ │ │ │ │ HTTP: 80 │ │SMTP: 25 │ │ │ │ │ │ └─────────────┘ │IMAPS:993│ └─────────────┘ └─────────────┘ │ └─────────┘ │ │ ┌──────┴──────┐ │ Admin VPN │ │ Endpoint │ │ │ │ 198.51.100.50│ │ │ │ (needs SSH │ │ to all DMZ │ │ servers) │ └─────────────┘ Enter fullscreen mode Exit fullscreen mode Traffic Flow Requirements Source Destination Service Port(s) Allow? Internet Web Server HTTPS 443 Yes Internet Web Server HTTP 80 Yes (redirect to HTTPS) Internet Mail Server SMTP 25 Yes Internet Mail Server IMAPS 993 Yes Internet DNS Server DNS 53/udp, 53/tcp Yes Admin VPN (198.51.100.50) All DMZ Servers SSH 22 Yes Employee Workstations Internet HTTP/HTTPS 80, 443 Yes Employee Workstations Internet DNS 53 Yes DMZ Servers Internet DNS 53 Yes (for updates) DMZ Servers Internet HTTP/HTTPS 80, 443 Yes (for updates) Any Any ICMP ping - Rate limited Everything else - - - DROP and LOG Security Requirements Brute Force Protection: SSH must be protected against brute force (max 5 attempts per 60 seconds per source IP) Port Scan Detection: Block packets with invalid TCP flag combinations (NULL, XMAS, SYN+FIN) SYN Flood Protection: Rate limit incoming SYN packets to 50/second Connection Limits: No single IP can have more than 50 concurrent connections to any server Logging: All dropped traffic must be logged with appropriate prefixes NAT: External users access DMZ services via the firewall's public IP (203.0.113.10) Internal users and DMZ servers access internet via MASQUERADE Your Task Write a complete iptables firewall configuration for this corporate network. This firewall handles traffic between all three zones. Critical considerations: Use the FORWARD chain for traffic passing through the firewall Implement DNAT in PREROUTING for inbound services Use MASQUERADE in POSTROUTING for outbound NAT Apply security controls (rate limiting, logging) before ACCEPT rules Scenario 3: Remote File Server Debugging Difficulty: ⭐⭐☆☆☆ (Intermediate) Time estimate: 60-90 minutes You're a Security Consultant hired to debug a broken firewall. A company has a cloud-hosted file server that developers access remotely. The firewall was configured by a contractor who is no longer available, and multiple issues have been reported. Network Diagram SEATTLE OFFICE (NAT Router) ┌─────────────────┐ WAN: 52.12.45.100 │ │ LAN: 192.168.1.0/24 │ DEVELOPER A │ │ │ ┌─────────────────┐ │ 192.168.1.50 │─────│ NAT Router │─────┐ │ │ └─────────────────┘ │ │ Needs: │ │ │ - HTTPS │ │ │ - SSH │ │ │ │ │ └─────────────────┘ │ │ │ INTERNET │ │ │ │ │ ┌───────────────────────────┴───────────────────┘ │ │ │ AUSTIN OFFICE │ (NAT Router) │ WAN: 104.210.32.55 │ LAN: 192.168.1.0/24 │ │ ┌─────────────────┐ └───│ NAT Router │ └────────┬────────┘ │ │ ┌────────────┴─────────┐ │ │ │ DEVELOPER B │ │ │ │ 192.168.1.75 │ │ │ │ Needs: │ │ - HTTPS │ │ - SSH │ │ │ └──────────────────────┘ ┌─────────────────┐ │ │ │ FILE SERVER │ │ │ │ 20.141.12.34 │ │ │ │ Services: │ │ - HTTPS (443) │ │ - SSH (22) │ │ │ └─────────────────┘ Enter fullscreen mode Exit fullscreen mode Current File Server Firewall (BROKEN) # Chain policies iptables -P INPUT DROP iptables -P FORWARD DROP iptables -P OUTPUT DROP # Input rules iptables -A INPUT -m conntrack --ctstate RELATED,ESTABLISHED -j ACCEPT iptables -A INPUT -p tcp -d 20.141.12.34 --dport 443 -j ACCEPT iptables -A INPUT -p tcp -s 192.168.1.50 -d 20.141.12.34 --dport 22 -j ACCEPT iptables -A INPUT -p tcp -s 192.168.1.75 -d 20.141.12.34 --dport 22 -j ACCEPT # Output rules iptables -A OUTPUT -m conntrack --ctstate ESTABLISHED -j ACCEPT Enter fullscreen mode Exit fullscreen mode Reported Problems Seattle developer can access HTTPS but cannot SSH to the server Austin developer can access HTTPS but cannot SSH to the server Neither developer can ping the server Server cannot download security updates Server cannot resolve DNS names Your Task Part A: Root Cause Analysis For each reported problem, explain the root cause. Why is the current configuration failing? Part B: Write the Fixed Firewall Write a corrected firewall configuration that: Fixes all reported problems Allows HTTPS from anywhere Allows SSH from both office public IPs Allows ping (rate limited) Allows server to download updates and resolve DNS Logs dropped packets Critical insight: Remember that NAT routers translate private IPs to public IPs. The file server sees the WAN IP, not the LAN IP! Scenario 4: Multi-Tier Application with Bastion Host Difficulty: ⭐⭐⭐⭐⭐ (Expert) Time estimate: 2-3 hours Your company runs a production application in AWS. Security policy requires all administrative access go through a bastion (jump) host. You're configuring the bastion's firewall. Network Diagram INTERNET │ │ ┌────────────────────────────┴────────────────────────────┐ │ │ │ │ ┌────────┴────────┐ │ │ │ │ │ Security Team │ │ │ Office NAT │ │ │ │ │ │ WAN: 198.51.100.10 │ │ LAN: 10.50.0.1 │ │ │ │ │ └────────┬────────┘ │ │ │ ┌────────┴────────┐ │ │ Security │ │ │ Engineers │ │ │ │ │ │ 10.50.0.20-30 │ │ │ │ │ │ Needs SSH to: │ │ │ - Bastion │ │ │ - App servers │ │ │ (via bastion)│ │ └─────────────────┘ │ │ │ ┌─────────────────────────────────────────┘ │ │ ┌────────┴────────┐ │ AWS VPC │ │ 10.0.0.0/16 │ │ │ └────────┬────────┘ │ ┌────────────────────┼────────────────────┐ │ │ │ │ │ │ ┌────────┴────────┐ ┌────────┴────────┐ ┌───────┴─────────┐ │ PUBLIC SUBNET │ │ PRIVATE SUBNET │ │ DATABASE SUBNET │ │ 10.0.1.0/24 │ │ 10.0.2.0/24 │ │ 10.0.3.0/24 │ │ │ │ │ │ │ │ ┌─────────────┐ │ │ ┌─────────────┐ │ │ ┌─────────────┐ │ │ │ BASTION │ │ │ │ App Server │ │ │ │ Database │ │ │ │ │ │ │ │ #1 │ │ │ │ Primary │ │ │ │ eth0: │ │ │ │ │ │ │ │ │ │ │ │ 10.0.1.10 │ │ │ │ 10.0.2.10 │ │ │ │ 10.0.3.10 │ │ │ │ (has EIP: │ │ │ │ │ │ │ │ │ │ │ │ 54.23.45.67)│ │ │ └─────────────┘ │ │ └─────────────┘ │ │ │ │ │ │ │ │ │ │ │ eth1: │ │ │ ┌─────────────┐ │ │ ┌─────────────┐ │ │ │ 10.0.2.1 │ │ │ │ App Server │ │ │ │ Database │ │ │ │ (private │ │ │ │ #2 │ │ │ │ Replica │ │ │ │ subnet gw) │ │ │ │ │ │ │ │ │ │ │ │ │ │ │ │ 10.0.2.11 │ │ │ │ 10.0.3.11 │ │ │ └─────────────┘ │ │ │ │ │ │ │ │ │ │ │ │ └─────────────┘ │ │ └─────────────┘ │ └─────────────────┘ └─────────────────┘ └─────────────────┘ Traffic Flows: - Security Team SSHs to Bastion (via NAT router WAN IP) - Bastion SSHs to App Servers (internal) - App Servers need outbound HTTP/HTTPS/DNS (via Bastion NAT) - App Servers connect to Database (internal, no NAT) - Database has NO internet access (strict isolation) Enter fullscreen mode Exit fullscreen mode Requirements External SSH to Bastion: Only Security Team office (public IP: 198.51.100.10) can SSH to Bastion Rate limit: 3 attempts per minute (strict security) Log all SSH attempts (successful and blocked) Bastion to Internal SSH: Bastion can SSH to App Servers (10.0.2.0/24) only Bastion CANNOT SSH to Database subnet (10.0.3.0/24) — separation of duties DBA team has separate access path (not your concern) NAT Gateway Function: App Servers access internet via Bastion (MASQUERADE) Restricted egress: DNS (53), HTTP (80), HTTPS (443) only Log denied egress attempts Database Isolation: NO traffic from Bastion to Database subnet NO traffic from Database subnet through Bastion This is enforced at Bastion level as defense-in-depth Port Scan Detection: Detect and log NULL, XMAS, SYN+FIN scans on external interface Drop invalid packets Your Task Write the complete Bastion host firewall configuration. Remember: Enable IP forwarding: echo 1 > /proc/sys/net/ipv4/ip_forward Use INPUT for traffic destined to the bastion itself Use OUTPUT for traffic originating from the bastion Use FORWARD for traffic passing through the bastion Database isolation rules must appear BEFORE any ACCEPT rules Defense-in-depth principle: Even though AWS Security Groups might block database access, the bastion's firewall enforces this rule as well. Grading Rubric Overall Evaluation Criteria Criterion Points Correct chain selection (INPUT/OUTPUT/FORWARD) 15 Proper stateful rules (ESTABLISHED,RELATED first) 15 Correct NAT configuration (DNAT/SNAT/MASQUERADE) 15 Understanding of NAT IP translation 15 Brute force protection implementation 10 Port scan detection rules 10 Proper logging configuration 5 Complete solution (no missing rules) 10 Correct syntax 5 Total: 100 points Passing Score: 85% Answer Key ⚠️ Attempt all scenarios before viewing the answer key! These solutions represent one valid approach, but multiple correct solutions exist. Scenario 1: Startup Web Application - Solution #!/bin/bash # Startup Web Application Firewall # Server IP: 104.196.45.120 # CTO Home IP: 73.189.45.22 # Default policies (drop everything by default) iptables -P INPUT DROP iptables -P OUTPUT DROP iptables -P FORWARD DROP # Connection tracking - ACCEPT established connections first (performance) iptables -A INPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT iptables -A OUTPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT # Loopback interface (required for local services) iptables -A INPUT -i lo -j ACCEPT iptables -A OUTPUT -o lo -j ACCEPT # HTTPS from anywhere (public web service) iptables -A INPUT -p tcp --dport 443 -j ACCEPT # SSH with brute force protection (CTO only) # Track SSH attempts - mark source IP when SSH attempt occurs iptables -A INPUT -p tcp -s 73.189.45.22 --dport 22 -m conntrack --ctstate NEW -m recent --set # Rate limit: Drop if >4 attempts in 60 seconds iptables -A INPUT -p tcp --dport 22 -m conntrack --ctstate NEW -m recent --update --seconds 60 --hitcount 4 -j DROP # Accept SSH from CTO if under rate limit iptables -A INPUT -p tcp -s 73.189.45.22 --dport 22 -j ACCEPT # DNS resolution (TCP and UDP, both needed) iptables -A OUTPUT -p udp --dport 53 -j ACCEPT iptables -A OUTPUT -p tcp --dport 53 -j ACCEPT # Package updates (HTTP and HTTPS) iptables -A OUTPUT -p tcp --dport 80 -j ACCEPT iptables -A OUTPUT -p tcp --dport 443 -j ACCEPT # Logging dropped packets iptables -A INPUT -j LOG --log-prefix "INPUT_DROPPED: " iptables -A OUTPUT -j LOG --log-prefix "OUTPUT_DROPPED: " # Default DROP (explicit for clarity, policies already set) iptables -A INPUT -j DROP iptables -A OUTPUT -j DROP Enter fullscreen mode Exit fullscreen mode Key concepts: Default DROP policies enforce "deny all, permit explicitly" Connection tracking reduces rules needed for return traffic recent module provides stateful rate limiting per source IP Both TCP and UDP DNS are required (TCP for large responses) Scenario 2: Corporate DMZ - Solution #!/bin/bash # Corporate Three-Tier Firewall # WAN: eth0 (203.0.113.10) # DMZ: eth1 (10.0.1.1) # LAN: eth2 (10.0.0.1) # Default policies iptables -P INPUT DROP iptables -P OUTPUT DROP iptables -P FORWARD DROP # Connection tracking (FORWARD is critical for router) iptables -A FORWARD -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT iptables -A INPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT iptables -A OUTPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT # Port scan detection (before other rules) iptables -A FORWARD -p tcp --tcp-flags ALL NONE -j LOG --log-prefix "PORT_SCAN_NULL: " iptables -A FORWARD -p tcp --tcp-flags ALL NONE -j DROP iptables -A FORWARD -p tcp --tcp-flags ALL ALL -j LOG --log-prefix "PORT_SCAN_XMAS: " iptables -A FORWARD -p tcp --tcp-flags ALL ALL -j DROP iptables -A FORWARD -p tcp --tcp-flags ALL SYN,FIN -j LOG --log-prefix "PORT_SCAN_SYNFIN: " iptables -A FORWARD -p tcp --tcp-flags ALL SYN,FIN -j DROP # SYN flood protection (custom chain for modularity) iptables -N syn_flood iptables -A FORWARD -p tcp --syn -j syn_flood iptables -A syn_flood -m limit --limit 50/s -j RETURN iptables -A syn_flood -m limit --limit 5/s -j LOG --log-prefix "SYN_FLOOD: " iptables -A syn_flood -j DROP # ICMP rate limiting iptables -A FORWARD -p icmp -m limit --limit 50/s -j ACCEPT iptables -A FORWARD -p icmp -j LOG --log-prefix "ICMP_FLOOD: " iptables -A FORWARD -p icmp -j DROP # NAT - DNAT for inbound services (PREROUTING, before routing decision) # Internet → Web Server (HTTP/HTTPS) iptables -t nat -A PREROUTING -i eth0 -p tcp --dport 80 -j DNAT --to-destination 10.0.1.10:80 iptables -t nat -A PREROUTING -i eth0 -p tcp --dport 443 -j DNAT --to-destination 10.0.1.10:443 # Internet → Mail Server (SMTP/IMAPS) iptables -t nat -A PREROUTING -i eth0 -p tcp --dport 25 -j DNAT --to-destination 10.0.1.20:25 iptables -t nat -A PREROUTING -i eth0 -p tcp --dport 993 -j DNAT --to-destination 10.0.1.20:993 # Internet → DNS Server iptables -t nat -A PREROUTING -i eth0 -p udp --dport 53 -j DNAT --to-destination 10.0.1.30:53 iptables -t nat -A PREROUTING -i eth0 -p tcp --dport 53 -j DNAT --to-destination 10.0.1.30:53 # NAT - MASQUERADE for outbound traffic (POSTROUTING, after routing decision) iptables -t nat -A POSTROUTING -s 10.0.1.0/24 -o eth0 -j MASQUERADE iptables -t nat -A POSTROUTING -s 10.0.0.0/24 -o eth0 -j MASQUERADE # FORWARD rules (traffic passing through firewall) # Internet → Web Server (with connection limits) iptables -A FORWARD -p tcp -m connlimit --connlimit-above 50 -i eth0 -o eth1 -d 10.0.1.10 --dport 80 -j LOG --log-prefix "WEB_CONN_LIMIT: " iptables -A FORWARD -p tcp -m connlimit --connlimit-above 50 -i eth0 -o eth1 -d 10.0.1.10 --dport 80 -j DROP iptables -A FORWARD -p tcp -i eth0 -o eth1 -d 10.0.1.10 --dport 80 -j ACCEPT iptables -A FORWARD -p tcp -m connlimit --connlimit-above 50 -i eth0 -o eth1 -d 10.0.1.10 --dport 443 -j LOG --log-prefix "WEB_CONN_LIMIT: " iptables -A FORWARD -p tcp -m connlimit --connlimit-above 50 -i eth0 -o eth1 -d 10.0.1.10 --dport 443 -j DROP iptables -A FORWARD -p tcp -i eth0 -o eth1 -d 10.0.1.10 --dport 443 -j ACCEPT # Internet → Mail Server iptables -A FORWARD -p tcp -i eth0 -o eth1 -d 10.0.1.20 --dport 25 -j ACCEPT iptables -A FORWARD -p tcp -i eth0 -o eth1 -d 10.0.1.20 --dport 993 -j ACCEPT # Internet → DNS Server iptables -A FORWARD -p udp -i eth0 -o eth1 -d 10.0.1.30 --dport 53 -j ACCEPT iptables -A FORWARD -p tcp -i eth0 -o eth1 -d 10.0.1.30 --dport 53 -j ACCEPT # Admin VPN → DMZ SSH (with brute force protection) iptables -A FORWARD -p tcp -s 198.51.100.50 -i eth0 -o eth1 -d 10.0.1.0/24 --dport 22 -m conntrack --ctstate NEW -m recent --set iptables -A FORWARD -p tcp -s 198.51.100.50 -d 10.0.1.0/24 --dport 22 -m conntrack --ctstate NEW -m recent --update --seconds 60 --hitcount 5 -j DROP iptables -A FORWARD -p tcp -s 198.51.100.50 -i eth0 -o eth1 -d 10.0.1.0/24 --dport 22 -j ACCEPT # Employee workstations → Internet iptables -A FORWARD -i eth2 -o eth0 -s 10.0.0.0/24 -p tcp -m multiport --dports 80,443 -j ACCEPT iptables -A FORWARD -i eth2 -o eth0 -s 10.0.0.0/24 -p udp --dport 53 -j ACCEPT iptables -A FORWARD -i eth2 -o eth0 -s 10.0.0.0/24 -p tcp --dport 53 -j ACCEPT # DMZ servers → Internet (updates) iptables -A FORWARD -i eth1 -o eth0 -s 10.0.1.0/24 -p tcp -m multiport --dports 80,443 -j ACCEPT iptables -A FORWARD -i eth1 -o eth0 -s 10.0.1.0/24 -p udp --dport 53 -j ACCEPT iptables -A FORWARD -i eth1 -o eth0 -s 10.0.1.0/24 -p tcp --dport 53 -j ACCEPT # Loopback for firewall itself iptables -A INPUT -i lo -j ACCEPT iptables -A OUTPUT -o lo -j ACCEPT # Allow firewall to resolve DNS and perform updates iptables -A OUTPUT -p udp --dport 53 -j ACCEPT iptables -A OUTPUT -p tcp --dport 53 -j ACCEPT iptables -A OUTPUT -p tcp --dport 80 -j ACCEPT iptables -A OUTPUT -p tcp --dport 443 -j ACCEPT # ICMP for firewall itself iptables -A OUTPUT -p icmp -j ACCEPT # Final logging iptables -A FORWARD -j LOG --log-prefix "FORWARD_DROPPED: " iptables -A INPUT -j LOG --log-prefix "INPUT_DROPPED: " iptables -A OUTPUT -j LOG --log-prefix "OUTPUT_DROPPED: " Enter fullscreen mode Exit fullscreen mode Key concepts: DNAT happens in PREROUTING (before routing decision) MASQUERADE happens in POSTROUTING (after routing decision) Security controls (port scan detection, rate limiting) go BEFORE ACCEPT rules Connection tracking eliminates need for explicit return traffic rules -i and -o specify interfaces to prevent routing loops Scenario 3: Remote File Server - Solution Part A: Root Cause Analysis Problem 1 (Seattle SSH fails): The File Server exists outside Seattle's LAN. The source address 192.168.1.50 is meaningless to the File Server because NAT translates it to 52.12.45.100 . The firewall rule: iptables -A INPUT -p tcp -s 192.168.1.50 -d 20.141.12.34 --dport 22 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Should be: iptables -A INPUT -p tcp -s 52.12.45.100 -d 20.141.12.34 --dport 22 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Problem 2 (Austin SSH fails): Similar problem - the firewall rule: iptables -A INPUT -p tcp -s 192.168.1.75 -d 20.141.12.34 --dport 22 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Should be: iptables -A INPUT -p tcp -s 104.210.32.55 -d 20.141.12.34 --dport 22 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Problem 3 (Ping fails): No ICMP rules exist in the INPUT chain. Add: iptables -A INPUT -p icmp -d 20.141.12.34 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Problem 4 (No updates): The OUTPUT chain has no rule for HTTP/HTTPS. Add: iptables -A OUTPUT -p tcp -m multiport --dports 80,443 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Problem 5 (DNS fails): The OUTPUT chain has no DNS rules. Add: iptables -A OUTPUT -p tcp --dport 53 -j ACCEPT iptables -A OUTPUT -p udp --dport 53 -j ACCEPT Enter fullscreen mode Exit fullscreen mode Part B: Fixed Firewall #!/bin/bash # Fixed File Server Firewall # Server IP: 20.141.12.34 # Seattle Office WAN: 52.12.45.100 # Austin Office WAN: 104.210.32.55 iptables -F # Chain policies iptables -P INPUT DROP iptables -P FORWARD DROP iptables -P OUTPUT DROP # Connection tracking iptables -A INPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT iptables -A OUTPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT # Loopback iptables -A INPUT -i lo -j ACCEPT iptables -A OUTPUT -o lo -j ACCEPT # HTTPS from anywhere iptables -A INPUT -p tcp -d 20.141.12.34 --dport 443 -j ACCEPT # SSH from Seattle Office (public IP) iptables -A INPUT -p tcp -s 52.12.45.100 -d 20.141.12.34 --dport 22 -j ACCEPT # SSH from Austin Office (public IP) iptables -A INPUT -p tcp -s 104.210.32.55 -d 20.141.12.34 --dport 22 -j ACCEPT # ICMP (rate limited) iptables -A INPUT -p icmp -d 20.141.12.34 -m limit --limit 5/min -j ACCEPT iptables -A INPUT -p icmp -d 20.141.12.34 -j LOG --log-prefix "ICMP_EXCEEDED: " iptables -A INPUT -p icmp -d 20.141.12.34 -j DROP # Server outbound for updates and DNS iptables -A OUTPUT -s 20.141.12.34 -p tcp -m multiport --dports 80,443 -j ACCEPT iptables -A OUTPUT -s 20.141.12.34 -p tcp --dport 53 -j ACCEPT iptables -A OUTPUT -s 20.141.12.34 -p udp --dport 53 -j ACCEPT # Final logging iptables -A INPUT -j LOG --log-prefix "INPUT_DROPPED: " iptables -A OUTPUT -j LOG --log-prefix "OUTPUT_DROPPED: " Enter fullscreen mode Exit fullscreen mode Key lesson: Always remember that NAT routers translate private IPs to public IPs. Servers behind NAT cannot see RFC 1918 addresses from remote locations. Scenario 4: Bastion Host - Solution #!/bin/bash # Bastion Host Firewall # Public Interface: eth0 (10.0.1.10, EIP: 54.23.45.67) # Private Interface: eth1 (10.0.2.1) # App Subnet: 10.0.2.0/24 # Database Subnet: 10.0.3.0/24 (BLOCKED) # Enable IP Forwarding echo 1 > /proc/sys/net/ipv4/ip_forward # Default policies iptables -P FORWARD DROP iptables -P INPUT DROP iptables -P OUTPUT DROP # Connection tracking (critical for all chains) iptables -A INPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT iptables -A OUTPUT -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT iptables -A FORWARD -m conntrack --ctstate ESTABLISHED,RELATED -j ACCEPT # Loopback iptables -A INPUT -i lo -j ACCEPT iptables -A OUTPUT -o lo -j ACCEPT # Port scan detection on external interface (before other INPUT rules) iptables -A INPUT -i eth0 -p tcp --tcp-flags ALL NONE -j LOG --log-prefix "SCAN_NULL: " iptables -A INPUT -i eth0 -p tcp --tcp-flags ALL NONE -j DROP iptables -A INPUT -i eth0 -p tcp --tcp-flags ALL ALL -j LOG --log-prefix "SCAN_XMAS: " iptables -A INPUT -i eth0 -p tcp --tcp-flags ALL ALL -j DROP iptables -A INPUT -i eth0 -p tcp --tcp-flags ALL SYN,FIN -j LOG --log-prefix "SCAN_SYNFIN: " iptables -A INPUT -i eth0 -p tcp --tcp-flags ALL SYN,FIN -j DROP # Drop invalid packets iptables -A INPUT -i eth0 -m conntrack --ctstate INVALID -j LOG --log-prefix "INVALID: " iptables -A INPUT -i eth0 -m conntrack --ctstate INVALID -j DROP # Database isolation (BEFORE any ACCEPT rules in FORWARD) iptables -A FORWARD -s 10.0.3.0/24 -j LOG --log-prefix "DATABASE_EGRESS_BLOCKED: " iptables -A FORWARD -s 10.0.3.0/24 -j DROP iptables -A FORWARD -d 10.0.3.0/24 -j LOG --log-prefix "DATABASE_ACCESS_BLOCKED: " iptables -A FORWARD -d 10.0.3.0/24 -j DROP # Database isolation for bastion itself iptables -A OUTPUT -s 10.0.1.0/24 -d 10.0.3.0/24 -j LOG --log-prefix "BASTION_TO_DB_BLOCKED: " iptables -A OUTPUT -s 10.0.1.0/24 -d 10.0.3.0/24 -j DROP # NAT - MASQUERADE for App Servers iptables -t nat -A POSTROUTING -s 10.0.2.0/24 -o eth0 -j MASQUERADE # External SSH to Bastion (with rate limiting and logging) iptables -A INPUT -i eth0 -s 198.51.100.10 -p tcp --dport 22 -m limit --limit 3/min -j LOG --log-prefix "SSH_ALLOWED: " iptables -A INPUT -i eth0 -s 198.51.100.10 -p tcp --dport 22 -m limit --limit 3/min -j ACCEPT iptables -A INPUT -i eth0 -s 198.51.100.10 -p tcp --dport 22 -j LOG --log-prefix "SSH_RATE_LIMITED: " iptables -A INPUT -i eth0 -s 198.51.100.10 -p tcp --dport 22 -j DROP # Bastion → App Servers SSH (OUTPUT chain - bastion is source) iptables -A OUTPUT -p tcp -s 10.0.1.0/24 -d 10.0.2.0/24 --dport 22 -j ACCEPT # App Servers → Internet (FORWARD chain - traffic passing through) iptables -A FORWARD -i eth1 -o eth0 -s 10.0.2.0/24 -p tcp -m multiport --dports 80,443 -j ACCEPT iptables -A FORWARD -i eth1 -o eth0 -s 10.0.2.0/24 -p tcp --dport 53 -j ACCEPT iptables -A FORWARD -i eth1 -o eth0 -s 10.0.2.0/24 -p udp --dport 53 -j ACCEPT # Log denied egress from App Servers iptables -A FORWARD -i eth1 -o eth0 -s 10.0.2.0/24 -j LOG --log-prefix "APP_EGRESS_DENIED: " iptables -A FORWARD -i eth1 -o eth0 -s 10.0.2.0/24 -j DROP # Final logging iptables -A INPUT -j LOG --log-prefix "INPUT_DROPPED: " iptables -A OUTPUT -j LOG --log-prefix "OUTPUT_DROPPED: " iptables -A FORWARD -j LOG --log-prefix "FORWARD_DROPPED: " Enter fullscreen mode Exit fullscreen mode Key concepts: INPUT: traffic destined TO the bastion OUTPUT: traffic originating FROM the bastion FORWARD: traffic THROUGH the bastion (acting as router) Explicit denies for database access implement defense-in-depth Rate limiting on SSH protects against brute force from trusted network Conclusion & Next Steps Congratulations on working through these production-grade iptables scenarios! You've now practiced: ✅ Stateful firewall design with connection tracking ✅ NAT configurations (DNAT, SNAT, MASQUERADE) ✅ Attack surface reduction through explicit deny rules ✅ Defense-in-depth with multiple security layers ✅ Security logging for incident detection ✅ Real-world debugging of broken configurations Want More Security Engineering Challenges? These labs are part of a larger collection of Security Engineering exercises covering: Application Security: SAST/DAST, secure code review, vulnerability assessment Cloud Security: AWS/Azure security configurations, IAM policies Cryptography: Implementation challenges, protocol security Web Security: OWASP Top 10, API security, authentication flaws ⭐ Star the repository for more exercises: 👉 github.com/fosres/SecEng-Exercises 👈 Each exercise includes: Detailed scenarios based on real interview questions Step-by-step solutions with explanations Grading rubrics for self-assessment References to industry-standard resources Additional Resources If you found these labs valuable, here are some recommended resources for deepening your security engineering knowledge: Security Engineering References: Grace Nolan's Security Engineering Notes - github.com/gracenolan/Notes OWASP Testing Guide - owasp.org/www-project-web-security-testing-guide PortSwigger Web Security Academy - portswigger.net/web-security iptables Documentation: Netfilter Documentation - netfilter.org/documentation iptables Tutorial by Oskar Andreasson - Comprehensive iptables guide Linux iptables Pocket Reference - Quick reference for common patterns Share Your Solutions Did you find alternative solutions to these scenarios? Security engineering often has multiple valid approaches! Share your solutions and discuss different strategies in the GitHub repository's Discussions section. Practice Makes Perfect The best way to master iptables and firewall security is through hands-on practice. Set up virtual machines, test your rules, intentionally break configurations, and learn to debug them. Each scenario you solve builds your intuition for network security. Happy firewalling! 🔥🛡️ About the Author: These exercises are designed to help aspiring Security Engineers prepare for technical interviews and real-world security challenges. Follow my journey and more security engineering content at github.com/fosres . Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse fosres Follow Studied at UCLA Worked at Intel Corporation as a Security Software Engineer Education UCLA Pronouns He/him/his Joined Nov 21, 2025 More from fosres Week 4 SQL Injection Audit Challenge # security # python # tutorial # sql Week 4 Network Packet Tracing Challenge # security # networking # linux # interview 🔐 Week 4 Scripting Challenge: Build an Auth Log Failed Login Scraper in Python # python # security # linux # securityengineering 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
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:49:32 |
https://opensource.org/board-member/ruth-suehle | Ruth Suehle – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Ruth Suehle Ruth Suehle she/her Director Board Member Proposed by: Apache Software Foundation Candidacy Period: March 21, 2025 – March 21, 2028 Type of Seat: Affiliate About Ruth Suehle is director of the open source program at SAS, where she is building the analytics company’s open source program office. She began her career in web development, then spent 15 years at Red Hat as editor of Red Hat Magazine, on opensource.com, and then as one of the first employees in the OSPO, eventually leading its community leadership team. Her work at Red Hat included writing their Open Source Participation Guidelines, which cover licensing and legal matters, how to participate in communities, and an “upstream first” approach. She has keynoted/spoken on community building, open hardware/makers, and the history of open source. She is co-author of Raspberry Pi Hacks (O’Reilly, Dec. 2013). Ruth is president of the Apache Software Foundation, served as executive vice-president, and has produced its conference since 2018. Ruth has served on the O3DF board and TSC, the Open@RIT advisory board, and co-founded the Open Source SIG in the International Game Developers Association. Current employer SAS Other affiliations TODO group member What areas of the Board’s work do you see yourself contributing towards? First, it is important to me that as an affiliate representative, that I am, in fact, representing on behalf of the more than 85 OSI affiliates and not only for the ASF. For the last 25+ years, the open source ecosystem has been able to succeed with many independent foundations and organizations that communicated infrequently with one another. But it is becoming increasingly useful and important for us to do what we do best—collaborate—not only within our organizations, but with one another. Networking OSI affiliates into common communications around our common needs and goals is a great potential piece of that. One of the reasons that inter-organizational collaboration has become increasingly important is the rapidly changing state of regulation and policy around the world related to software development. I was delighted to see the OSI create the Open Policy Alliance in 2023 and all of its work since then. I have supported it in the past few months by helping the OSI with its search and interview process in hiring a US policy manager and as a conference speaker on OSI-led policy panels, and I look forward to continuing to support the OSI’s policy work and inter-organizational collaboration through a director role. In a broader sense, the board’s basic duty is oversight and high-level strategy. My wide experience across a variety of parts of the open source ecosystem and with foundations (both software and otherwise) make me well-suited to supporting the OSI board functions. What goals do you hope to achieve for OSI and the world of open source by serving on the Board of Directors? The OSI has served an important role since 1998 advocating for open source software and the Open Source Definition. After significant initial attention in the early years, the open source development model went largely ignored by the rest of the world for two decades while it quietly came to be the critical underpinning of all modern software development. Although the term “open source” has from time to time been used incorrectly, it is now far from being ignored, not only by individuals and corporate contributors, but also by global regulators. As a result, we are seeing some who want to use the term to their advantage without their work being in line with the OSD. That means that the OSI’s ongoing work on behalf of the OSD and as a thought leader in open source is more important now than it has ever been. As for my personal contribution to the board, I believe organizations of all types benefit from an equilibrium of experienced members and new ones for the different perspectives they each provide. Those with long tenure provide important institutional knowledge and context, while fresh perspectives help look at things in ways that those who have long been close to the organization inevitably lose. Although I would be a newcomer to OSI’s board, I am certainly not a newcomer to the organization in general. I hope to provide some of that fresh perspective as a largely external observer in the past, balanced by the insights of board members with long OSI experience. Previous board service O3DF governing board and TSC Open@RIT advisory board LANFest board and secretary Main social media account or blog https://bsky.app/profile/suehle.bsky.social Ask this candidate questions in our forum ! Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#why-raspberry-pi | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.linkedin.com/company/devcyclehq?trk=organization_guest_main-feed-card_feed-actor-name | DevCycle | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join now for free DevCycle Software Development Toronto, Ontario 1,008 followers A feature flag management platform built for developers 👩💻 🚩 | Part of the OpenFeature Ecosystem 🌎 Follow Discover all 21 employees Report this company About us A feature flag management platform built for developers 👩💻 🚩 | Part of the OpenFeature Ecosystem 🌎 Website https://devcycle.com External link for DevCycle Industry Software Development Company size 11-50 employees Headquarters Toronto, Ontario Type Privately Held Founded 2021 Specialties feature flags, feature management, and developer productivity Locations Primary 49 Spadina Ave Suite 304 Toronto, Ontario 55V 2J1, US Get directions Employees at DevCycle Mark Allen Bryan Clark Chris Aniszczyk Julia Gilinets See all employees Updates DevCycle 1,008 followers 3w Report this post 🧑💻 Engineering managers: 😬 If every deploy makes your team nervous, the problem isn’t confidence — it’s tooling. 🧗 Feature flags turn production into a controlled environment, not a cliff edge. https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com Like Comment Share DevCycle 1,008 followers 3w Report this post ⏱️ Every hour your engineers spend maintaining a homegrown feature flag system 🏗️ Is an hour they’re not building features users actually pay for. DIY flags aren’t free. 🐢 They’re paid for in lost velocity, focus, and morale. https://lnkd.in/eqWXpDfE #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why a Homegrown Feature Flag System is a Trap blog.devcycle.com Like Comment Share DevCycle 1,008 followers 3w Report this post ✅ The era of smashing the big green deploy button and praying is over. When AI writes code, you don’t launch it wide. You wrap it in a feature flag. Ship to prod. Turn it on for 3 people. Watch it breathe. Then roll it out. This is how AI code survives production. 🏕️ https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 4 Like Comment Share DevCycle 1,008 followers 3w Report this post 👾 Engineering teams don’t slow down because of code 🐌 They slow down because every deployment is treated like a launch 🏎️ Feature flags fix that 👯♂️ Decouple deploy from release → ship faster, fear less, validate sooner 🔥 If you’re still shipping big-bang style… you’re burning velocity https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com 1 Like Comment Share DevCycle 1,008 followers 4w Report this post The real data is brutal: • 30% of engineering time lost to DIY flag maintenance 🚧 • 73% of flags never removed 🔒 • Thousands of hours per year navigating flag technical debt and bloat 🫃 Homegrown feature flags aren’t “lightweight.” They’re a slow bleed. 🩸 🩸 🩸 https://lnkd.in/eqWXpDfE #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why a Homegrown Feature Flag System is a Trap blog.devcycle.com 2 1 Comment Like Comment Share DevCycle 1,008 followers 1mo Report this post 🔁 The modern dev loop (or cycle 😉) isn’t write → test → ship anymore. It’s: 🤖 generate → 🏁wrap behind feature flag → 🚀 deploy → 🍰 test on a tiny slice → 🛼 roll out 🏃💨 That loop is why AI-driven teams ship faster without lighting prod on 🔥🚒. https://lnkd.in/da5eDB8W #FeatureFlags #SoftwareEng #EngManager by Mark Allen Who Knew Feature Flags Would Save AI Coding blog.devcycle.com 2 Like Comment Share DevCycle 1,008 followers 1mo Report this post ⚔️ Most teams think they have a product/engineering alignment problem. 🏁 Really, they just don’t have feature flags. 🎚️ Flags turn launches into decisions, not deployments—PMs own timing, engineers own flow, and everyone sleeps better. https://lnkd.in/esqHPr-f #FeatureFlags #SoftwareEng #EngManager by Mark Allen Why Feature Flags Are a Must in Every Engineering Manager’s Toolkit blog.devcycle.com 5 Like Comment Share DevCycle reposted this Mark Allen 1mo Report this post I’ve always wrestled with building meaningful frontend + backend demos. Nothing breaks the illusion faster than fake auth flows or placeholder tokens. In the real world, we rely on proper JWTs; therefore, our demos should reflect that. To fix the gap, I built a small Express middleware that issues real JWTs for an email address, mimicking a lightweight IDP. With that, I’ve taken the next step and created an example app using OpenFeature and DevCycle across both the frontend and the backend. The app uses middleware to generate the token and pass it through the stack, end-to-end evaluating the user's feature flags as you would in a real app. If this helps you, I’d love a ⭐ or two and PRs are always welcome. #DevOps #FeatureFlags #OpenFeature #DevCycle #NodeJS #JavaScript #SoftwareEngineering #DevEx 22 1 Comment Like Comment Share DevCycle reposted this Andrew Norris 1mo Report this post 6 months ago our onboarding looked “fine.” Nice UI, polished tutorial, solid drop-off rates. But devs still weren’t hitting SDK install. So we nuked the tutorial and rebuilt around MCP — where onboarding happens in your editor. 3× more installs. https://lnkd.in/gGShAmhK MCP Onboarding for Feature Flagging: 3x SDK Installs blog.devcycle.com 15 1 Comment Like Comment Share DevCycle reposted this Andrew Norris 2mo Report this post We learned something big about onboarding: Even great tutorials can break if they pull developers away from their real workflow. So we rebuilt onboarding around MCP to bring DevCycle into the IDE. 3× more users now reach SDK install. How it works → https://lnkd.in/gGShAmhK MCP Onboarding for Feature Flagging: 3x SDK Installs blog.devcycle.com 8 1 Comment Like Comment Share Join now to see what you are missing Find people you know at DevCycle Browse recommended jobs for you View all updates, news, and articles Join now Similar pages Taplytics Software Development Toronto, Ontario Reprompt (YC W24) Technology, Information and Internet San Francisco, California sync. Software Development San Francisco, California FlexDesk Technology, Information and Internet New York City, NY Wasp Information Technology & Services Capi Money Financial Services VectorShift Technology, Information and Internet Sully.ai Hospitals and Health Care Mountain View, California TeamOut (YC W22) Software Development San Francisco, CA Optery Technology, Information and Internet Show more similar pages Show fewer similar pages Browse jobs Engineer jobs 555,845 open jobs Senior Product Designer jobs 20,576 open jobs User Experience Specialist jobs 7,714 open jobs User Interface Designer jobs 13,154 open jobs Product Designer jobs 45,389 open jobs Product Manager jobs 199,941 open jobs Business Partner jobs 188,284 open jobs User Experience Designer jobs 13,659 open jobs Developer jobs 258,935 open jobs Designer jobs 65,273 open jobs Business Intelligence Analyst jobs 43,282 open jobs Senior Software Engineer jobs 78,145 open jobs Business Development Associate jobs 31,101 open jobs President jobs 92,709 open jobs Salesperson jobs 172,678 open jobs Software Engineer jobs 300,699 open jobs Analyst jobs 694,057 open jobs Application Tester jobs 5,112 open jobs Embedded System Engineer jobs 116,786 open jobs Full Stack Engineer jobs 38,546 open jobs Show more jobs like this Show fewer jobs like this Funding DevCycle 1 total round Last Round Pre seed Feb 1, 2021 External Crunchbase Link for last round of funding See more info on crunchbase More searches More searches Engineer jobs Web Producer jobs Digital Product Manager jobs Intern jobs Training Specialist jobs Customer Experience Manager jobs Strategy Manager jobs President jobs Product Management Intern jobs Data Scientist jobs Project Manager jobs Developer jobs Software Engineer jobs Scientist jobs Full Stack Engineer jobs C Developer jobs Senior Software Engineer jobs Enterprise Account Executive jobs Key Account Manager jobs Buyer jobs Account Manager jobs Senior Product Manager jobs Manager jobs Business Development Representative jobs Site Reliability Engineer jobs Machine Learning Engineer jobs Technical Sales Specialist jobs Claims Adjuster jobs Support Representative jobs Application Developer jobs Support Specialist jobs Lead jobs Specialist jobs Lead Engineer jobs Geographic Information System Specialist jobs Account Executive jobs Geographic Information Systems Analyst jobs Analyst jobs Support Engineer jobs Engineering Manager jobs Product Manager jobs Frontend Developer jobs Software Engineering Manager jobs Senior Tax Manager jobs Technology Lead jobs Tax Attorney jobs Associate Attorney jobs Associate Brand Manager jobs Scout jobs Operations Manager jobs Marketing Coordinator jobs User Experience Designer jobs Science Manager jobs Product Associate jobs Ruby on Rails Developer jobs Quality Assurance Automation Engineer jobs Sourcer jobs Director jobs Data Engineer jobs Research Analyst jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at DevCycle Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:32 |
https://opensource.org/board-member/josh-berkus | Josh Berkus – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Josh Berkus Josh Berkus he/him Chair of the License Committee Board Member Candidacy Period: April 1, 2022 – March 31, 2026 Type of Seat: Individual Josh Berkus has been involved with open source for 25 years, including participating in Linux, PostgreSQL, Perl, OpenOffice, Django, MySQL, CouchDB, Docker, Kubernetes, and multiple other communities. He is currently an Individual Board Member of the OSI, and has been on the board for one term. He chairs the License Consistency Working Group. He has also been a contributing member of License Review since 2003, regularly contributing a developer perspective to reviews of submitted licenses. Josh works for the Red Hat Open Source Program Office, where he supports and administers multiple open source projects and interfaces with many OSS-supporting companies and foundations, including guiding teams and partners in launching open source efforts. Additionally, Josh has accumulated a significant amount of nonprofit experience. He has been a fundraiser for the San Francisco Opera, during which time he was a member of Development Executives Rountable and other professional fundraising organizations. He is the co-chair of the Contributor Strategy TAG in the Cloud Native Computing foundation, and has a history of collaboration with the Linux Foundation and the Open Infra Foundation. Josh is also a former board member and treasurer of Software In The Public Interest, where he helped with the final transfer of ownership of the Opensource.org domain to the OSI. Josh sits on the program committee for several software conferences, is a well-known public speaker at many tech events, and wants to know “why is it always database companies messing with licenses?” How will you contribute to the board: I plan to complete my work on the License Consistency Working Group, and significantly rationalize our license list. This work is coordinated with the other working group in seeing that licenses are marked in ways that make them clear to adopters. I will continue my efforts to improve the election rules and processes for the OSI in order to prevent issues and increase election participation. I also plan to continue collaborate with staff in the following areas as OSI’s staffing grows and the staff are able to take on new initiatives: Improving membership participation, recruitment, and fundraising Launching an Ambassador program Working on new license review tools Building awareness of the OSI, its mission and programs Why you should be elected: My main goal as a board member is to help the OSI improve continuously as a non-profit organization. In order for OSI to promote real open source, develop new standards for open source AI, educate developers and lawyers, and advocate for open source projects and contributors in legislatures and with regulatory bodies, it needs to have a stable and growing foundation. OSI needs a high profile and it needs to be trusted and respected, not just by its members, but by world leaders. Maintaining OSI’s status and effectiveness requires continuous work, and as a board member I will be there to help the staff do that work. Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://www.youtube.com/watch?v=ze7N_RE9KU0 | diskcache: Your secret Python perf weapon - Talk Python to Me Ep. 534 - YouTube 정보 보도자료 저작권 문의하기 크리에이터 광고 개발자 약관 개인정보처리방침 정책 및 안전 YouTube 작동의 원리 새로운 기능 테스트하기 © 2026 Google LLC, Sundar Pichai, 1600 Amphitheatre Parkway, Mountain View CA 94043, USA, 0807-882-594 (무료), yt-support-solutions-kr@google.com, 호스팅: Google LLC, 사업자정보 , 불법촬영물 신고 크리에이터들이 유튜브 상에 게시, 태그 또는 추천한 상품들은 판매자들의 약관에 따라 판매됩니다. 유튜브는 이러한 제품들을 판매하지 않으며, 그에 대한 책임을 지지 않습니다. var ytInitialData = {"responseContext":{"serviceTrackingParams":[{"service":"CSI","params":[{"key":"c","value":"WEB"},{"key":"cver","value":"2.20260109.01.00"},{"key":"yt_li","value":"0"},{"key":"GetWatchNext_rid","value":"0x2c936ce1fd9ced14"}]},{"service":"GFEEDBACK","params":[{"key":"logged_in","value":"0"},{"key":"visitor_data","value":"CgtCeDN5S2NGbGlaYyiVjpjLBjIKCgJLUhIEGgAgUQ%3D%3D"}]},{"service":"GUIDED_HELP","params":[{"key":"logged_in","value":"0"}]},{"service":"ECATCHER","params":[{"key":"client.version","value":"2.20260109"},{"key":"client.name","value":"WEB"}]}],"mainAppWebResponseContext":{"loggedOut":true,"trackingParam":"kx_fmPxhoPZRTiuSLYPPA3cd3dblEWyiTxMrrkim0A85z8HRgkussh7BwOcCE59TDtslLKPQ-SS"},"webResponseContextExtensionData":{"webResponseContextPreloadData":{"preloadMessageNames":["twoColumnWatchNextResults","results","videoPrimaryInfoRenderer","videoViewCountRenderer","menuRenderer","menuServiceItemRenderer","segmentedLikeDislikeButtonViewModel","likeButtonViewModel","toggleButtonViewModel","buttonViewModel","modalWithTitleAndButtonRenderer","buttonRenderer","dislikeButtonViewModel","unifiedSharePanelRenderer","menuFlexibleItemRenderer","videoSecondaryInfoRenderer","videoOwnerRenderer","subscribeButtonRenderer","subscriptionNotificationToggleButtonRenderer","menuPopupRenderer","confirmDialogRenderer","metadataRowContainerRenderer","compositeVideoPrimaryInfoRenderer","itemSectionRenderer","videoMetadataCarouselViewModel","carouselTitleViewModel","carouselItemViewModel","textCarouselItemViewModel","continuationItemRenderer","secondaryResults","lockupViewModel","thumbnailViewModel","thumbnailOverlayBadgeViewModel","thumbnailBadgeViewModel","thumbnailHoverOverlayToggleActionsViewModel","lockupMetadataViewModel","decoratedAvatarViewModel","avatarViewModel","contentMetadataViewModel","sheetViewModel","listViewModel","listItemViewModel","badgeViewModel","autoplay","liveChatRenderer","liveChatHeaderRenderer","sortFilterSubMenuRenderer","clientSideToggleMenuItemRenderer","menuNavigationItemRenderer","playerOverlayRenderer","watchNextEndScreenRenderer","endScreenVideoRenderer","thumbnailOverlayTimeStatusRenderer","thumbnailOverlayNowPlayingRenderer","playerOverlayAutoplayRenderer","playerOverlayVideoDetailsRenderer","autoplaySwitchButtonRenderer","quickActionsViewModel","decoratedPlayerBarRenderer","speedmasterEduViewModel","engagementPanelSectionListRenderer","engagementPanelTitleHeaderRenderer","sectionListRenderer","adsEngagementPanelContentRenderer","chipBarViewModel","chipViewModel","structuredDescriptionContentRenderer","videoDescriptionHeaderRenderer","expandableVideoDescriptionBodyRenderer","videoDescriptionTranscriptSectionRenderer","videoDescriptionInfocardsSectionRenderer","desktopTopbarRenderer","topbarLogoRenderer","fusionSearchboxRenderer","topbarMenuButtonRenderer","multiPageMenuRenderer","hotkeyDialogRenderer","hotkeyDialogSectionRenderer","hotkeyDialogSectionOptionRenderer","voiceSearchDialogRenderer","cinematicContainerRenderer"]},"ytConfigData":{"visitorData":"CgtCeDN5S2NGbGlaYyiVjpjLBjIKCgJLUhIEGgAgUQ%3D%3D","rootVisualElementType":3832},"webPrefetchData":{"navigationEndpoints":[{"clickTrackingParams":"CAAQg2ciEwis2d2MkYiSAxVhplYBHen5J3wyDHJlbGF0ZWQtYXV0b0jN0vSJ0b-z980BmgEFCAMQ-B3KAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=5uNifnVlBy4\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"5uNifnVlBy4","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwis2d2MkYiSAxVhplYBHen5J3wyDHJlbGF0ZWQtYXV0b0jN0vSJ0b-z980BmgEFCAMQ-B3KAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=5uNifnVlBy4\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"5uNifnVlBy4","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwis2d2MkYiSAxVhplYBHen5J3wyDHJlbGF0ZWQtYXV0b0jN0vSJ0b-z980BmgEFCAMQ-B3KAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=5uNifnVlBy4\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"5uNifnVlBy4","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}}]},"hasDecorated":true}},"contents":{"twoColumnWatchNextResults":{"results":{"results":{"contents":[{"videoPrimaryInfoRenderer":{"title":{"runs":[{"text":"diskcache: Your secret Python perf weapon - Talk Python to Me Ep. 534"}]},"viewCount":{"videoViewCountRenderer":{"viewCount":{"simpleText":"조회수 773회"},"shortViewCount":{"simpleText":"조회수 773회"},"originalViewCount":"0"}},"videoActions":{"menuRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"runs":[{"text":"신고"}]},"icon":{"iconType":"FLAG"},"serviceEndpoint":{"clickTrackingParams":"CJ8CEMyrARgAIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","showEngagementPanelEndpoint":{"identifier":{"tag":"PAabuse_report"},"globalConfiguration":{"params":"qgdxCAESC3plN05fUkU5S1UwGmBFZ3Q2WlRkT1gxSkZPVXRWTUVBQldBQjRCWklCTWdvd0VpNW9kSFJ3Y3pvdkwya3VlWFJwYldjdVkyOXRMM1pwTDNwbE4wNWZVa1U1UzFVd0wyUmxabUYxYkhRdWFuQm4%3D"},"engagementPanelPresentationConfigs":{"engagementPanelPopupPresentationConfig":{"popupType":"PANEL_POPUP_TYPE_DIALOG"}}}},"trackingParams":"CJ8CEMyrARgAIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}}],"trackingParams":"CJ8CEMyrARgAIhMIrNndjJGIkgMVYaZWAR3p-Sd8","topLevelButtons":[{"segmentedLikeDislikeButtonViewModel":{"likeButtonViewModel":{"likeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"28","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CKoCEKVBIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},{"innertubeCommand":{"clickTrackingParams":"CKoCEKVBIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"동영상이 마음에 드시나요?"},"content":{"simpleText":"로그인하여 의견을 알려주세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CKsCEPqGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko\u0026hl=ko\u0026ec=66426","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CKsCEPqGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/like"}},"likeEndpoint":{"status":"LIKE","target":{"videoId":"ze7N_RE9KU0"},"likeParams":"Cg0KC3plN05fUkU5S1UwIAAyCwiWjpjLBhDh4Lg3"}},"idamTag":"66426"}},"trackingParams":"CKsCEPqGBCITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}}}}}}}]}},"accessibilityText":"다른 사용자 28명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CKoCEKVBIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"이 동영상이 마음에 듭니다."}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"29","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CKkCEKVBIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},{"innertubeCommand":{"clickTrackingParams":"CKkCEKVBIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"ze7N_RE9KU0"},"removeLikeParams":"Cg0KC3plN05fUkU5S1UwGAAqCwiWjpjLBhCtibo3"}}}]}},"accessibilityText":"다른 사용자 28명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CKkCEKVBIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"좋아요 취소"}},"identifier":"watch-like","trackingParams":"CJ8CEMyrARgAIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isTogglingDisabled":true}},"likeStatusEntityKey":"Egt6ZTdOX1JFOUtVMCA-KAE%3D","likeStatusEntity":{"key":"Egt6ZTdOX1JFOUtVMCA-KAE%3D","likeStatus":"INDIFFERENT"}}},"dislikeButtonViewModel":{"dislikeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"DISLIKE","title":"싫어요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CKcCEKiPCSITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}},{"innertubeCommand":{"clickTrackingParams":"CKcCEKiPCSITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"동영상이 마음에 안 드시나요?"},"content":{"simpleText":"로그인하여 의견을 알려주세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CKgCEPmGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko\u0026hl=ko\u0026ec=66425","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CKgCEPmGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/dislike"}},"likeEndpoint":{"status":"DISLIKE","target":{"videoId":"ze7N_RE9KU0"},"dislikeParams":"Cg0KC3plN05fUkU5S1UwEAAiCwiWjpjLBhD3o7w3"}},"idamTag":"66425"}},"trackingParams":"CKgCEPmGBCITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}}}}}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CKcCEKiPCSITCKzZ3YyRiJIDFWGmVgEd6fknfA==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"DISLIKE","title":"싫어요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CKYCEKiPCSITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}},{"innertubeCommand":{"clickTrackingParams":"CKYCEKiPCSITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"ze7N_RE9KU0"},"removeLikeParams":"Cg0KC3plN05fUkU5S1UwGAAqCwiWjpjLBhDX2bw3"}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CKYCEKiPCSITCKzZ3YyRiJIDFWGmVgEd6fknfA==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"trackingParams":"CJ8CEMyrARgAIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isTogglingDisabled":true}},"dislikeEntityKey":"Egt6ZTdOX1JFOUtVMCA-KAE%3D"}},"iconType":"LIKE_ICON_TYPE_UNKNOWN","likeCountEntity":{"key":"unset_like_count_entity_key"},"dynamicLikeCountUpdateData":{"updateStatusKey":"like_count_update_status_key","placeholderLikeCountValuesKey":"like_count_placeholder_values_key","updateDelayLoopId":"like_count_update_delay_loop_id","updateDelaySec":5},"teasersOrderEntityKey":"Egt6ZTdOX1JFOUtVMCD8AygB"}},{"buttonViewModel":{"iconName":"SHARE","title":"공유","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CKQCEOWWARgCIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},{"innertubeCommand":{"clickTrackingParams":"CKQCEOWWARgCIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/share/get_share_panel"}},"shareEntityServiceEndpoint":{"serializedShareEntity":"Cgt6ZTdOX1JFOUtVMKABAQ%3D%3D","commands":[{"clickTrackingParams":"CKQCEOWWARgCIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","openPopupAction":{"popup":{"unifiedSharePanelRenderer":{"trackingParams":"CKUCEI5iIhMIrNndjJGIkgMVYaZWAR3p-Sd8","showLoadingSpinner":true}},"popupType":"DIALOG","beReused":true}}]}}}]}},"accessibilityText":"공유","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CKQCEOWWARgCIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE","accessibilityId":"id.video.share.button","tooltip":"공유"}}],"accessibility":{"accessibilityData":{"label":"추가 작업"}},"flexibleItems":[{"menuFlexibleItemRenderer":{"menuItem":{"menuServiceItemRenderer":{"text":{"runs":[{"text":"저장"}]},"icon":{"iconType":"PLAYLIST_ADD"},"serviceEndpoint":{"clickTrackingParams":"CKICEOuQCSITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"runs":[{"text":"나중에 다시 보고 싶으신가요?"}]},"content":{"runs":[{"text":"로그인하여 동영상을 재생목록에 추가하세요."}]},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CKMCEPuGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253Dze7N_RE9KU0\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CKMCEPuGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ze7N_RE9KU0","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr2---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=cdeecdfd113d294d\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CKMCEPuGBCITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}}}}}},"trackingParams":"CKICEOuQCSITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}},"topLevelButton":{"buttonViewModel":{"iconName":"PLAYLIST_ADD","title":"저장","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CKACEOuQCSITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}},{"innertubeCommand":{"clickTrackingParams":"CKACEOuQCSITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"runs":[{"text":"나중에 다시 보고 싶으신가요?"}]},"content":{"runs":[{"text":"로그인하여 동영상을 재생목록에 추가하세요."}]},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CKECEPuGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253Dze7N_RE9KU0\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CKECEPuGBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ze7N_RE9KU0","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr2---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=cdeecdfd113d294d\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CKECEPuGBCITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}}}}}}}]}},"accessibilityText":"재생목록에 저장","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CKACEOuQCSITCKzZ3YyRiJIDFWGmVgEd6fknfA==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","tooltip":"저장"}}}}]}},"trackingParams":"CJ8CEMyrARgAIhMIrNndjJGIkgMVYaZWAR3p-Sd8","dateText":{"simpleText":"실시간 스트리밍 시작일: 2025. 12. 19."},"relativeDateText":{"accessibility":{"accessibilityData":{"label":"스트리밍 시간: 3주 전"}},"simpleText":"스트리밍 시간: 3주 전"}}},{"videoSecondaryInfoRenderer":{"owner":{"videoOwnerRenderer":{"thumbnail":{"thumbnails":[{"url":"https://yt3.ggpht.com/ytc/AIdro_ljnxfbHaHHrtAm07LKKsr6qLfg7UDgd8lbO08ic8GRRd8=s48-c-k-c0x00ffffff-no-rj","width":48,"height":48},{"url":"https://yt3.ggpht.com/ytc/AIdro_ljnxfbHaHHrtAm07LKKsr6qLfg7UDgd8lbO08ic8GRRd8=s88-c-k-c0x00ffffff-no-rj","width":88,"height":88},{"url":"https://yt3.ggpht.com/ytc/AIdro_ljnxfbHaHHrtAm07LKKsr6qLfg7UDgd8lbO08ic8GRRd8=s176-c-k-c0x00ffffff-no-rj","width":176,"height":176}]},"title":{"runs":[{"text":"Talk Python","navigationEndpoint":{"clickTrackingParams":"CJ4CEOE5IhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"url":"/@talkpython","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCKPSmMfDsXTKrCZApukcJ7A","canonicalBaseUrl":"/@talkpython"}}}]},"subscriptionButton":{"type":"FREE"},"navigationEndpoint":{"clickTrackingParams":"CJ4CEOE5IhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"url":"/@talkpython","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCKPSmMfDsXTKrCZApukcJ7A","canonicalBaseUrl":"/@talkpython"}},"subscriberCountText":{"accessibility":{"accessibilityData":{"label":"구독자 2.84만명"}},"simpleText":"구독자 2.84만명"},"trackingParams":"CJ4CEOE5IhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},"subscribeButton":{"subscribeButtonRenderer":{"buttonText":{"runs":[{"text":"구독"}]},"subscribed":false,"enabled":true,"type":"FREE","channelId":"UCKPSmMfDsXTKrCZApukcJ7A","showPreferences":false,"subscribedButtonText":{"runs":[{"text":"구독중"}]},"unsubscribedButtonText":{"runs":[{"text":"구독"}]},"trackingParams":"CJACEJsrIhMIrNndjJGIkgMVYaZWAR3p-Sd8KPgdMgV3YXRjaA==","unsubscribeButtonText":{"runs":[{"text":"구독 취소"}]},"subscribeAccessibility":{"accessibilityData":{"label":"Talk Python을(를) 구독합니다."}},"unsubscribeAccessibility":{"accessibilityData":{"label":"Talk Python을(를) 구독 취소합니다."}},"notificationPreferenceButton":{"subscriptionNotificationToggleButtonRenderer":{"states":[{"stateId":3,"nextStateId":3,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_NONE"},"accessibility":{"label":"현재 설정은 맞춤설정 알림 수신입니다. Talk Python 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CJ0CEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8","accessibilityData":{"accessibilityData":{"label":"현재 설정은 맞춤설정 알림 수신입니다. Talk Python 채널의 알림 설정을 변경하려면 탭하세요."}}}}},{"stateId":0,"nextStateId":0,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_OFF"},"accessibility":{"label":"현재 설정은 알림 수신 안함입니다. Talk Python 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CJwCEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8","accessibilityData":{"accessibilityData":{"label":"현재 설정은 알림 수신 안함입니다. Talk Python 채널의 알림 설정을 변경하려면 탭하세요."}}}}}],"currentStateId":3,"trackingParams":"CJUCEJf5ASITCKzZ3YyRiJIDFWGmVgEd6fknfA==","command":{"clickTrackingParams":"CJUCEJf5ASITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CJUCEJf5ASITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","openPopupAction":{"popup":{"menuPopupRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"simpleText":"맞춤설정"},"icon":{"iconType":"NOTIFICATIONS_NONE"},"serviceEndpoint":{"clickTrackingParams":"CJsCEOy1BBgDIhMIrNndjJGIkgMVYaZWAR3p-Sd8MhJQUkVGRVJFTkNFX0RFRkFVTFTKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ0tQU21NZkRzWFRLckNaQXB1a2NKN0ESAggBGAAgBFITCgIIAxILemU3Tl9SRTlLVTAYAA%3D%3D"}},"trackingParams":"CJsCEOy1BBgDIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isSelected":true}},{"menuServiceItemRenderer":{"text":{"simpleText":"없음"},"icon":{"iconType":"NOTIFICATIONS_OFF"},"serviceEndpoint":{"clickTrackingParams":"CJoCEO21BBgEIhMIrNndjJGIkgMVYaZWAR3p-Sd8MhtQUkVGRVJFTkNFX05PX05PVElGSUNBVElPTlPKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ0tQU21NZkRzWFRLckNaQXB1a2NKN0ESAggDGAAgBFITCgIIAxILemU3Tl9SRTlLVTAYAA%3D%3D"}},"trackingParams":"CJoCEO21BBgEIhMIrNndjJGIkgMVYaZWAR3p-Sd8","isSelected":false}},{"menuServiceItemRenderer":{"text":{"runs":[{"text":"구독 취소"}]},"icon":{"iconType":"PERSON_MINUS"},"serviceEndpoint":{"clickTrackingParams":"CJYCENuLChgFIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CJYCENuLChgFIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CJcCEMY4IhMIrNndjJGIkgMVYaZWAR3p-Sd8","dialogMessages":[{"runs":[{"text":"Talk Python"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CJkCEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8MgV3YXRjaMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCKPSmMfDsXTKrCZApukcJ7A"],"params":"CgIIAxILemU3Tl9SRTlLVTAYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CJkCEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CJgCEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}},"trackingParams":"CJYCENuLChgFIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}}]}},"popupType":"DROPDOWN"}}]}},"targetId":"notification-bell","secondaryIcon":{"iconType":"EXPAND_MORE"}}},"targetId":"watch-subscribe","signInEndpoint":{"clickTrackingParams":"CJACEJsrIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"채널을 구독하시겠습니까?"},"content":{"simpleText":"채널을 구독하려면 로그인하세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CJQCEP2GBCITCKzZ3YyRiJIDFWGmVgEd6fknfDIJc3Vic2NyaWJlygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253Dze7N_RE9KU0%26continue_action%3DQUFFLUhqa3duT1Z0VHJMaDRKQ01VSjNaUU51X3JyVzd4d3xBQ3Jtc0tsUnZzQWtTNU1VdjhWcG94WGtwc29neWQ4SG44Z05XM0MzVkt3SXRzQ2tBZGF6OU1qODY0ejZIWnNpWTlGZV9RZW1RdWFLXzhFUXdJM0hGZ2xCSU1YUjVONlkyQkNyUVZtVThNeXVHQWVwdjFFV1ZpM1ptZ25JQVpRbzVFLWNiTmtsZV9FdEpXcE9zTFU0UzF3SjJSS0g4N2dIendvdHg5VmMtamJQcjlxWWgyLWcyY2pZNmNnR2FlSnlrT1hDWmh0Mk9ZT0k\u0026hl=ko\u0026ec=66429","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CJQCEP2GBCITCKzZ3YyRiJIDFWGmVgEd6fknfMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ze7N_RE9KU0","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr2---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=cdeecdfd113d294d\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}},"continueAction":"QUFFLUhqa3duT1Z0VHJMaDRKQ01VSjNaUU51X3JyVzd4d3xBQ3Jtc0tsUnZzQWtTNU1VdjhWcG94WGtwc29neWQ4SG44Z05XM0MzVkt3SXRzQ2tBZGF6OU1qODY0ejZIWnNpWTlGZV9RZW1RdWFLXzhFUXdJM0hGZ2xCSU1YUjVONlkyQkNyUVZtVThNeXVHQWVwdjFFV1ZpM1ptZ25JQVpRbzVFLWNiTmtsZV9FdEpXcE9zTFU0UzF3SjJSS0g4N2dIendvdHg5VmMtamJQcjlxWWgyLWcyY2pZNmNnR2FlSnlrT1hDWmh0Mk9ZT0k","idamTag":"66429"}},"trackingParams":"CJQCEP2GBCITCKzZ3YyRiJIDFWGmVgEd6fknfA=="}}}}}},"subscribedEntityKey":"EhhVQ0tQU21NZkRzWFRLckNaQXB1a2NKN0EgMygB","onSubscribeEndpoints":[{"clickTrackingParams":"CJACEJsrIhMIrNndjJGIkgMVYaZWAR3p-Sd8KPgdMgV3YXRjaMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/subscribe"}},"subscribeEndpoint":{"channelIds":["UCKPSmMfDsXTKrCZApukcJ7A"],"params":"EgIIAxgAIgt6ZTdOX1JFOUtVMA%3D%3D"}}],"onUnsubscribeEndpoints":[{"clickTrackingParams":"CJACEJsrIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CJACEJsrIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CJECEMY4IhMIrNndjJGIkgMVYaZWAR3p-Sd8","dialogMessages":[{"runs":[{"text":"Talk Python"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CJMCEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8KPgdMgV3YXRjaMoBBMYDWa0=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCKPSmMfDsXTKrCZApukcJ7A"],"params":"CgIIAxILemU3Tl9SRTlLVTAYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CJMCEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CJICEPBbIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}}]}},"metadataRowContainer":{"metadataRowContainerRenderer":{"collapsedItemCount":0,"trackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8"}},"showMoreText":{"simpleText":"...더보기"},"showLessText":{"simpleText":"간략히"},"trackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8","defaultExpanded":false,"descriptionCollapsedLines":3,"showMoreCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_EXPANDED"}},{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","scrollToEngagementPanelCommand":{"targetId":"engagement-panel-structured-description"}}]}},"showLessCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8ygEExgNZrQ==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_HIDDEN"}},"attributedDescription":{"content":"Your cloud SSD is sitting there, bored, and it would like a job. Today we’re putting it to work with DiskCache, a simple, practical cache built on SQLite that can speed things up without spinning up Redis or extra services. Once you start to see what it can do, a universe of possibilities opens up. We're joined by Vincent Warmerdam to dive into DiskCache.\n\n▬▬▬▬ About the podcast ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬\n\nThis video is the uncut, live recording of the Talk Python To Me podcast ( https://talkpython.fm ). We cover Python-focused topics every week and publish the edited and polished version in audio form. Subscribe in your podcast player of choice (100% free) at https://talkpython.fm/subscribe.\n\n▬▬▬▬ Guests ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬\n\nVincent D. Warmerdam \n\n▬▬▬▬ Links and resources from the show ▬▬▬▬▬▬▬▬▬▬▬▬\n\ndiskcache docs: https://grantjenks.com/docs/diskcache/\nLLM Building Blocks for Python course: https://training.talkpython.fm/course...\nJSONDisk: https://grantjenks.com/docs/diskcache...\nGit Code Archaeology Charts: https://koaning.github.io/gitcharts/#...\nTalk Python Cache Admin UI: https://blobs.talkpython.fm/talk-pyth...\nLitestream SQLite streaming: https://litestream.io\nPlash hosting: https://pla.sh\n\n▬▬▬▬ Dive deeper ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬\n\nListen to the Talk Python To Me podcast at https://talkpython.fm and explore over 275 hours of Python courses at https://training.talkpython.fm/courses.\n\n▬▬▬▬ Follow us on Social ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬\n\nMastodon: Michael - https://fosstodon.org/@mkennedy \u0026 Talk Python - https://fosstodon.org/@talkpython\nBluesky: Michael - https://bsky.app/profile/mkennedy.codes \u0026 Talk Python - https://bsky.app/profile/talkpython.fm\nX: Michael - https://x.com/mkennedy \u0026 Talk Python - https://x.com/talkpython","commandRuns":[{"startIndex":476,"length":21,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqblBiRnd6ZDJMUzFNVXpSWnFaYVhkODc3cGZ4UXxBQ3Jtc0tuYmd6ZlVHbkRybkJSYU02ME1JNnFJUTNzSDM1clM2NzBBUlluQzR1bkM1azEzVFlfQTFvcy1OZ2xKOVozc291T1hBUEcxWkVMbDJ6dnEyOEY0S3R0TnRKRmtLdUVNZWtoS29pN2JWWC1vc2RGamxZSQ\u0026q=https%3A%2F%2Ftalkpython.fm%2F\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqblBiRnd6ZDJMUzFNVXpSWnFaYVhkODc3cGZ4UXxBQ3Jtc0tuYmd6ZlVHbkRybkJSYU02ME1JNnFJUTNzSDM1clM2NzBBUlluQzR1bkM1azEzVFlfQTFvcy1OZ2xKOVozc291T1hBUEcxWkVMbDJ6dnEyOEY0S3R0TnRKRmtLdUVNZWtoS29pN2JWWC1vc2RGamxZSQ\u0026q=https%3A%2F%2Ftalkpython.fm%2F\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":660,"length":31,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUhkT1NySm9uRm9yZmdwdWtUdkZQZy1vYzZXd3xBQ3Jtc0tubUFQM25YNHd5YVBhLWNmNTlWQjk4RFR3MjlGSE1QNDJWYTk5WUFQOExuazBoT2N6eC1HazBVeF9rRDQ2T2FpemI1VWIzRDhKRk1PNkFSd2FtSjRIMGY3TlhneU5qTlZVWmE5ZEJ2X0dRWDI2bEJUdw\u0026q=https%3A%2F%2Ftalkpython.fm%2Fsubscribe\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUhkT1NySm9uRm9yZmdwdWtUdkZQZy1vYzZXd3xBQ3Jtc0tubUFQM25YNHd5YVBhLWNmNTlWQjk4RFR3MjlGSE1QNDJWYTk5WUFQOExuazBoT2N6eC1HazBVeF9rRDQ2T2FpemI1VWIzRDhKRk1PNkFSd2FtSjRIMGY3TlhneU5qTlZVWmE5ZEJ2X0dRWDI2bEJUdw\u0026q=https%3A%2F%2Ftalkpython.fm%2Fsubscribe\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":826,"length":38,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqazNEQm1FWjkwTmFuZy1paS1qUEVaREJmUExDQXxBQ3Jtc0tuSWtGSzVmVmpQSkVZcUtZejJTbTJoTUE4eUFtVUVTSzg3RWYwUWZ4VmpjcXBZX1ZkcndvT2NsTVpNNHNVSnlyT3h2U3JnVjU1NUtkZVlqeHZWRG5JMDdRTzV6NUU0NFU3YlpNcFE2NlI1bkJ4NC1BYw\u0026q=https%3A%2F%2Fgrantjenks.com%2Fdocs%2Fdiskcache%2F\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqazNEQm1FWjkwTmFuZy1paS1qUEVaREJmUExDQXxBQ3Jtc0tuSWtGSzVmVmpQSkVZcUtZejJTbTJoTUE4eUFtVUVTSzg3RWYwUWZ4VmpjcXBZX1ZkcndvT2NsTVpNNHNVSnlyT3h2U3JnVjU1NUtkZVlqeHZWRG5JMDdRTzV6NUU0NFU3YlpNcFE2NlI1bkJ4NC1BYw\u0026q=https%3A%2F%2Fgrantjenks.com%2Fdocs%2Fdiskcache%2F\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":904,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbFI2SkRJWTRYbTE1MUlaRzJMRTd0emswWlNDZ3xBQ3Jtc0tuZWRmU1J6NmtBVWctVmliRk5qOU1JWk1ZZ3RMcjRBLXlaeFdtSTJ1YXRvU0pWUzE3M2dRR2F5R1pBUWoyZVR4QVZUZXhpdjRzTlN3TzZPZURoWlhCMU5KVmZCN3N3YTl1RXV6a0lQeEx5MFh5UUR6VQ\u0026q=https%3A%2F%2Ftraining.talkpython.fm%2Fcourses%2Fllm-building-blocks-for-python\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbFI2SkRJWTRYbTE1MUlaRzJMRTd0emswWlNDZ3xBQ3Jtc0tuZWRmU1J6NmtBVWctVmliRk5qOU1JWk1ZZ3RMcjRBLXlaeFdtSTJ1YXRvU0pWUzE3M2dRR2F5R1pBUWoyZVR4QVZUZXhpdjRzTlN3TzZPZURoWlhCMU5KVmZCN3N3YTl1RXV6a0lQeEx5MFh5UUR6VQ\u0026q=https%3A%2F%2Ftraining.talkpython.fm%2Fcourses%2Fllm-building-blocks-for-python\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":955,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbGZGc0JZWmVrUnozdENLVk1pLVdadGZDVm1Yd3xBQ3Jtc0tsOFVLcGU0QmMxalF1Y2pnYU54R1RXanJBZk9sQnVkclJ1Y1hBNWpBV0hCdEQ5ZGdqbXg4TVYtQnNyUHliQmI5T0RhZnVFS3pIWWFzdk9kN29WZ0VlQkFDTG9zREdxOWJLbTZ2anpQQWktQXRDdHczUQ\u0026q=https%3A%2F%2Fgrantjenks.com%2Fdocs%2Fdiskcache%2Fapi.html%23jsondisk\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbGZGc0JZWmVrUnozdENLVk1pLVdadGZDVm1Yd3xBQ3Jtc0tsOFVLcGU0QmMxalF1Y2pnYU54R1RXanJBZk9sQnVkclJ1Y1hBNWpBV0hCdEQ5ZGdqbXg4TVYtQnNyUHliQmI5T0RhZnVFS3pIWWFzdk9kN29WZ0VlQkFDTG9zREdxOWJLbTZ2anpQQWktQXRDdHczUQ\u0026q=https%3A%2F%2Fgrantjenks.com%2Fdocs%2Fdiskcache%2Fapi.html%23jsondisk\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1025,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqa1dIWjNRYzFSOWdaUjYzSy15Q3ZseWkxeVBEUXxBQ3Jtc0trd3JqTTNhVkZSMmlvWnNCbnVCLWpLdU54bG5SdVR6UmEtQkxhdHZhUy15LXpOMER4Z19QMEZpMFZNNGZnbDdqTVdDckRSM3dKcWtTNDgySDRoZXdZMEhwX0hXUTVhZmNUcm82UG5UakVlWTJpdlRvWQ\u0026q=https%3A%2F%2Fkoaning.github.io%2Fgitcharts%2F%23django%2Fversioned\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqa1dIWjNRYzFSOWdaUjYzSy15Q3ZseWkxeVBEUXxBQ3Jtc0trd3JqTTNhVkZSMmlvWnNCbnVCLWpLdU54bG5SdVR6UmEtQkxhdHZhUy15LXpOMER4Z19QMEZpMFZNNGZnbDdqTVdDckRSM3dKcWtTNDgySDRoZXdZMEhwX0hXUTVhZmNUcm82UG5UakVlWTJpdlRvWQ\u0026q=https%3A%2F%2Fkoaning.github.io%2Fgitcharts%2F%23django%2Fversioned\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1094,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbEFBWTE5R09ENmQwSEVudi1tU3ZMZHBtS0VoZ3xBQ3Jtc0ttUkZLeXFsRF85MWU2aHp3Y0J6WVM1aGVBWVJpMF9iOENnWnoxUWxtOTd6WUkzaW1FOW51anFwbWRWY0tEeWQzcHk1cmdDQmV1UXo1eGc3QTNfVnFuOGxoOTE4VFRLa2RPMnVrQUVXcllLVVYxUF8tOA\u0026q=https%3A%2F%2Fblobs.talkpython.fm%2Ftalk-python-cache-admin.png%3Fcache_id%3Dcd0d7f\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbEFBWTE5R09ENmQwSEVudi1tU3ZMZHBtS0VoZ3xBQ3Jtc0ttUkZLeXFsRF85MWU2aHp3Y0J6WVM1aGVBWVJpMF9iOENnWnoxUWxtOTd6WUkzaW1FOW51anFwbWRWY0tEeWQzcHk1cmdDQmV1UXo1eGc3QTNfVnFuOGxoOTE4VFRLa2RPMnVrQUVXcllLVVYxUF8tOA\u0026q=https%3A%2F%2Fblobs.talkpython.fm%2Ftalk-python-cache-admin.png%3Fcache_id%3Dcd0d7f\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1164,"length":21,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbWd5Z3p3Ykd1YWVMXzk5MGZXcE91R3dfeTRid3xBQ3Jtc0tsb3I4OWVVd1FtbTdPcEM0bHZEZ3JyaS1zblRUOHpNOENlbEwyeGU5aXdneHJwXzYyOHFXUVd1cjJSeDJuMlRLTDhuQThlZUZZT0NTeFl4NVRVaWpoRzhrR29PVkVBeHdWWklfM2JLZC1wOVdKb196NA\u0026q=https%3A%2F%2Flitestream.io%2F\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbWd5Z3p3Ykd1YWVMXzk5MGZXcE91R3dfeTRid3xBQ3Jtc0tsb3I4OWVVd1FtbTdPcEM0bHZEZ3JyaS1zblRUOHpNOENlbEwyeGU5aXdneHJwXzYyOHFXUVd1cjJSeDJuMlRLTDhuQThlZUZZT0NTeFl4NVRVaWpoRzhrR29PVkVBeHdWWklfM2JLZC1wOVdKb196NA\u0026q=https%3A%2F%2Flitestream.io%2F\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1201,"length":14,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbmtKMFB6YXN3UFFjeVg0elp6d0tzZ3JMZ28tZ3xBQ3Jtc0ttaHlqLUtUSXRVYjlwd092XzFqUHVRMkpwN3BJb3FyRFVESkU1ek5iMWdNTS15Umt2RzVhTjhyQWx4R0FuTlc5NUdPalZsdm9TREhQa09DcU5zVVhubjMxQjZabk9iSTFFc2FsS3VsWElaeW1PY2VEOA\u0026q=https%3A%2F%2Fpla.sh%2F\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbmtKMFB6YXN3UFFjeVg0elp6d0tzZ3JMZ28tZ3xBQ3Jtc0ttaHlqLUtUSXRVYjlwd092XzFqUHVRMkpwN3BJb3FyRFVESkU1ek5iMWdNTS15Umt2RzVhTjhyQWx4R0FuTlc5NUdPalZsdm9TREhQa09DcU5zVVhubjMxQjZabk9iSTFFc2FsS3VsWElaeW1PY2VEOA\u0026q=https%3A%2F%2Fpla.sh%2F\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1300,"length":21,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbHl1WHVRaVh2a0MxY3Z6TnhlU2hCMlVMZUdhUXxBQ3Jtc0ttYXQ2RWpGYy1NWGUyelZ2bS16ajBSa3VOZnBLeWRMR1pHX1hybGxiUVNWeGNpX2ZrbXZ1cGJPVDh2R0VBR3dPWGRWTkJJRXZUYlpRY29LTllDOC1ZT0Z4b1U3amJvOV9JZ0JkNDRIZ1hzZWd3WTJJaw\u0026q=https%3A%2F%2Ftalkpython.fm%2F\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbHl1WHVRaVh2a0MxY3Z6TnhlU2hCMlVMZUdhUXxBQ3Jtc0ttYXQ2RWpGYy1NWGUyelZ2bS16ajBSa3VOZnBLeWRMR1pHX1hybGxiUVNWeGNpX2ZrbXZ1cGJPVDh2R0VBR3dPWGRWTkJJRXZUYlpRY29LTllDOC1ZT0Z4b1U3amJvOV9JZ0JkNDRIZ1hzZWd3WTJJaw\u0026q=https%3A%2F%2Ftalkpython.fm%2F\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1370,"length":38,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbHV6S1MxZmdpVUxjOW5yOE8tMjJwSFJTMkhxd3xBQ3Jtc0ttYzBVVWlzRklXT3drX0tpbktsZk9aVktUc29xbi1rbUQwaEZ6aWpoZnVKMk9Ld2Z2aDBQQ1lPQXVrZFg3SGx4dE4xRmoyRGt0TWRSczFXRGx1N1pDYnJZNDlFZVphMWNxYXEybks1QmZyVEpTeW9qWQ\u0026q=https%3A%2F%2Ftraining.talkpython.fm%2Fcourses\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbHV6S1MxZmdpVUxjOW5yOE8tMjJwSFJTMkhxd3xBQ3Jtc0ttYzBVVWlzRklXT3drX0tpbktsZk9aVktUc29xbi1rbUQwaEZ6aWpoZnVKMk9Ld2Z2aDBQQ1lPQXVrZFg3SGx4dE4xRmoyRGt0TWRSczFXRGx1N1pDYnJZNDlFZVphMWNxYXEybks1QmZyVEpTeW9qWQ\u0026q=https%3A%2F%2Ftraining.talkpython.fm%2Fcourses\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1479,"length":31,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbm1VUmh4bHN6OWtvckwta3dTR3dtVzhDRkZuQXxBQ3Jtc0ttMVJaa0tIQ3Z3c2RzR1ZTWVN4a0FHY1RUZV9ibC0zZmt2Ym9yLUgzaGxmOTdMUGUwOTFSbVdiYnl6UWM1dXI4M1VqajVKMDdIcGJUU09rYVZVZ3RzR25KZnRXQjBQbGFldVpOYlZ4eXVIa25Ka0FjQQ\u0026q=https%3A%2F%2Ffosstodon.org%2F%40mkennedy\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbm1VUmh4bHN6OWtvckwta3dTR3dtVzhDRkZuQXxBQ3Jtc0ttMVJaa0tIQ3Z3c2RzR1ZTWVN4a0FHY1RUZV9ibC0zZmt2Ym9yLUgzaGxmOTdMUGUwOTFSbVdiYnl6UWM1dXI4M1VqajVKMDdIcGJUU09rYVZVZ3RzR25KZnRXQjBQbGFldVpOYlZ4eXVIa25Ka0FjQQ\u0026q=https%3A%2F%2Ffosstodon.org%2F%40mkennedy\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1527,"length":33,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqa1E2THJHQ1Z0N0NGMXBqOWRjNXdiT1p6dW41QXxBQ3Jtc0tsLU1uNTliLXdNemFFU2ktbnJxaGRhd3BSVmhaQl8wYnI2cXdtUTd5bzRMbk8wbUMxQkpORlNwMjEwRFdPSVRXaVVWRm82dFNOS1gyWFNaa294Vi1oYmUtYzVhcXZfRjFQd3VxVHFGd3NqdVJrUWlXWQ\u0026q=https%3A%2F%2Ffosstodon.org%2F%40talkpython\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqa1E2THJHQ1Z0N0NGMXBqOWRjNXdiT1p6dW41QXxBQ3Jtc0tsLU1uNTliLXdNemFFU2ktbnJxaGRhd3BSVmhaQl8wYnI2cXdtUTd5bzRMbk8wbUMxQkpORlNwMjEwRFdPSVRXaVVWRm82dFNOS1gyWFNaa294Vi1oYmUtYzVhcXZfRjFQd3VxVHFGd3NqdVJrUWlXWQ\u0026q=https%3A%2F%2Ffosstodon.org%2F%40talkpython\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1581,"length":39,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbWt4bVBVZzBrXzlVbkU5RWpPbXUtSEtVaVBfQXxBQ3Jtc0tuNjdOaml2Sjd6dzBUTmZuMnJza1FULWF5MmRrVTlmNTZGOWNIc2psOUR4RzJxaFF1aFhGb19qaDlxREdSMVJycEJoYm5KZWQxSXF1Q0g1dmRITTdQT3NsblpXRWV0UmJabkZCZjR1YjlrTV9SM2Nubw\u0026q=https%3A%2F%2Fbsky.app%2Fprofile%2Fmkennedy.codes\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbWt4bVBVZzBrXzlVbkU5RWpPbXUtSEtVaVBfQXxBQ3Jtc0tuNjdOaml2Sjd6dzBUTmZuMnJza1FULWF5MmRrVTlmNTZGOWNIc2psOUR4RzJxaFF1aFhGb19qaDlxREdSMVJycEJoYm5KZWQxSXF1Q0g1dmRITTdQT3NsblpXRWV0UmJabkZCZjR1YjlrTV9SM2Nubw\u0026q=https%3A%2F%2Fbsky.app%2Fprofile%2Fmkennedy.codes\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1637,"length":38,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbWtrWlVwVmJOaWlEdU9JbjVOOGpqZHpXQWRwQXxBQ3Jtc0tteXBmRk5NSTd1YXFtZUthZnVqVjRCWnI4dGljZ0tTWGkzWnk3dU1SUl9FeXktZ3dVSE9jVmhrZlRNdl84ZmR6bzVhc084bGhQX1JFbVVBb0JueGVIcHhjNFNRMG81MHZqUWIxc3I3Q0QweU1BTzJlcw\u0026q=https%3A%2F%2Fbsky.app%2Fprofile%2Ftalkpython.fm\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbWtrWlVwVmJOaWlEdU9JbjVOOGpqZHpXQWRwQXxBQ3Jtc0tteXBmRk5NSTd1YXFtZUthZnVqVjRCWnI4dGljZ0tTWGkzWnk3dU1SUl9FeXktZ3dVSE9jVmhrZlRNdl84ZmR6bzVhc084bGhQX1JFbVVBb0JueGVIcHhjNFNRMG81MHZqUWIxc3I3Q0QweU1BTzJlcw\u0026q=https%3A%2F%2Fbsky.app%2Fprofile%2Ftalkpython.fm\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1696,"length":22,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqa1liZkRlWHRZVlJyU0lVVzZ4MEx1ZlJVelF4Z3xBQ3Jtc0tub09iemkweC05UHpJZkpCZmpTSDJ5ZHpFZnNNY050ODMtdUxfMmJpUG5MdkVVeUdMdWVOb2JUbWRKRWs3Y1hWMW5BMXYzUlVEdEN1Um5FaDd2Z3ZiVVNTYkl3THdVRFRKMVJaY3hTRHRjSFhSRnRTYw\u0026q=https%3A%2F%2Fx.com%2Fmkennedy\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqa1liZkRlWHRZVlJyU0lVVzZ4MEx1ZlJVelF4Z3xBQ3Jtc0tub09iemkweC05UHpJZkpCZmpTSDJ5ZHpFZnNNY050ODMtdUxfMmJpUG5MdkVVeUdMdWVOb2JUbWRKRWs3Y1hWMW5BMXYzUlVEdEN1Um5FaDd2Z3ZiVVNTYkl3THdVRFRKMVJaY3hTRHRjSFhSRnRTYw\u0026q=https%3A%2F%2Fx.com%2Fmkennedy\u0026v=ze7N_RE9KU0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1735,"length":24,"onTap":{"innertubeCommand":{"clickTrackingParams":"CI8CEM2rARgBIhMIrNndjJGIkgMVYaZWAR3p-Sd8SM3S9InRv7P3zQHKAQTGA1mt","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUpncmkzc3NRZmQwNnRmUmtLMXBQdnRmbnhhd3xBQ3Jtc0tsTHVkdmczaW9xSmRSLTItNS1COWlsLUVzMHNBdEFzNXk4M3FEV1YxRGk2UHNRVzF6VkNzb0xPSUE2aGROV2VWbUQ4SkM5dHJLSGRiVFUtYk5tWnRuNk1RNlVST2tQN3BvT01rRlhiZDBRMFpYSVVuYw\u0026q=https%3A%2F%2Fx.com%2Ftalkpython\u0026v=ze7N_RE9KU0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe | 2026-01-13T08:49:32 |
https://dev.to/resumemind/how-to-write-a-resume-that-gets-interviews-not-rejections-127b#3-write-a-resume-summary-that-sells-not-one-that-repeats | How to Write a Resume That Gets Interviews (Not Rejections) - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Resumemind Posted on Jan 12 How to Write a Resume That Gets Interviews (Not Rejections) # career # interview # tutorial Most resumes don’t fail because the candidate is unqualified. They fail because the resume doesn’t communicate value fast enough. Recruiters spend 6–8 seconds scanning a resume before deciding whether to continue or reject it. If your resume doesn’t pass that first scan, it’s over — no matter how skilled you are. This guide will show you step by step how to write a resume that gets interviews, not silent rejections. 1. Understand How Recruiters Actually Read Resumes Before writing anything, you need to understand how resumes are evaluated. Recruiters don’t read resumes line by line. They scan for: Job title relevance Clear role identity Skills that match the job Recent experience or projects Structure and readability If these aren’t obvious in seconds, the resume is rejected. 👉 Your goal is clarity, not creativity. 2. Start With a Clear Role-Focused Resume Header Your resume must immediately answer one question: Who are you professionally? ❌ Weak header John Doe Email | Phone | Location ✅ Strong header John Doe Junior Software Developer | Frontend (Angular) Email | Phone | LinkedIn | Portfolio This instantly tells the recruiter: your level your role your focus Never make recruiters guess. 3. Write a Resume Summary That Sells (Not One That Repeats) Your resume summary is not your life story. It’s a 2–4 line pitch. ❌ Bad summary “Hardworking and motivated individual looking for opportunities to grow.” This says nothing. ✅ Good summary Junior Software Developer with hands-on experience building web applications using Angular and Spring Boot. Strong in problem-solving, REST APIs, and clean UI design. Actively seeking an entry-level role where I can contribute and grow. A good summary: mentions your role highlights key skills shows direction 4. Experience Matters — Even If You Have No Job Experience Many people think: “I can’t write a good resume because I have no experience.” That’s false. Recruiters accept: projects internships freelance work academic projects self-initiated work How to Write Experience Correctly Instead of listing duties, list impact. ❌ Bad: Built a website Worked with Angular ✅ Good: Built a responsive web application using Angular and REST APIs Implemented authentication and improved UI usability If you don’t have job experience, projects become your experience. 5. Skills Section: Be Honest, Relevant, and Specific Your skills section should support your role — not show everything you’ve ever touched. ❌ Bad skills list HTML, CSS, Java, Python, Photoshop, Networking, Excel This looks unfocused. ✅ Good skills list Frontend: Angular, TypeScript, HTML, CSS Backend: Java, Spring Boot, REST APIs Tools: Git, GitHub, Postman Only list skills you’re ready to discuss in an interview. 6. Formatting Can Get You Rejected Instantly Even strong content can fail if formatting is poor. Use: 1 page (for juniors) clear section headings consistent spacing readable font bullet points Avoid: long paragraphs heavy colors icons everywhere photos (unless required) fancy designs that hurt readability A clean resume looks professional and trustworthy. 7. Tailor Your Resume for Each Job (This Is Critical) Using one resume for every job is one of the biggest mistakes job seekers make. You should: adjust your summary reorder skills emphasize relevant projects This doesn’t mean rewriting everything — it means highlighting what matters most for that role. Tailoring your resume alone can double your interview chances. 8. Common Resume Mistakes That Lead to Rejection Avoid these at all costs: No role mentioned Weak or generic summary No projects listed Grammar mistakes Overcrowded layout Irrelevant skills Copy-pasted content Recruiters see these mistakes every day — and reject fast. 9. Get a Second Pair of Eyes on Your Resume One of the best things you can do is get honest feedback. When reviewing resumes manually, the most common missing elements are: unclear role weak summary missing experience descriptions no direction You might not see these issues yourself. Getting your resume reviewed by another person can completely change your results. Final Thoughts A resume that gets interviews is not about being perfect. It’s about being clear, relevant, and honest. If recruiters can quickly understand: who you are what you can do and why you fit the role You’ll start getting callbacks. Next Step If you’re unsure whether your resume is working, get it reviewed before you apply. Often, a few small changes are all it takes to start getting interviews. We offer a free manual resume review , where real people review resumes daily and give honest feedback — not automated scores. 👉 Request a free resume review: https://resumemind.com/public/resume-review 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 Resumemind Follow Helping software developers and other related tech experts like project managers, QA, businesses analysts crafting their tech resumes for their next job applications. Joined Jan 4, 2026 More from Resumemind How I Built a Manual Resume Review System with Spring Boot & Angular # angular # career # showdev # springboot I Reviewed 50 Junior Developer Resumes — Here’s What Actually Works # beginners # career # codenewbie How to Write a Resume With No Work Experience (Fresh Graduate Guide for 2026) # beginners # career # tutorial 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://choosealicense.com/licenses/mit/ | MIT License | Choose a License Home / Licenses MIT License A short and simple permissive license with conditions only requiring preservation of copyright and license notices. Licensed works, modifications, and larger works may be distributed under different terms and without source code. Permissions Conditions Limitations Commercial use Distribution Modification Private use License and copyright notice Liability Warranty MIT License Copyright (c) [year] [fullname] Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. Copy license text to clipboard Suggest this license Make a pull request to suggest this license for a project that is not licensed . Please be polite: see if a license has already been suggested, try to suggest a license fitting for the project’s community , and keep your communication with project maintainers friendly. How to apply this license Create a text file (typically named LICENSE or LICENSE.txt) in the root of your source code and copy the text of the license into the file. Replace [year] with the current year and [fullname] with the name (or names) of the copyright holders. Optional steps Add MIT to your project’s package description, if applicable (e.g., Node.js , Ruby , and Rust ). This will ensure the license is displayed in package directories. Source Who’s using this license? Babel .NET Rails About Terms of Service Help improve this page The content of this site is licensed under the Creative Commons Attribution 3.0 Unported License . Curated with ❤️ by GitHub, Inc. and You! | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/o1-vs-sonnet-es#fine-ai-coding-llm | OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Introducción A medida que la IA continúa evolucionando, dos modelos destacan: o1 de OpenAI y Claude Sonnet 3.5 de Anthropic. Ambos ofrecen capacidades impresionantes para los desarrolladores de software, pero sus fortalezas varían, especialmente cuando se trata de programación. Este blog compara estos dos modelos de IA, centrándose en tareas de programación y rendimiento general. Fine incluye acceso ilimitado a ambos modelos, lo que lo convierte en una excelente manera de probar y comparar cómo o1 y Sonnet se desempeñan con tareas de programación. Diferencias Principales o1 está diseñado para razonamiento complejo y resolución de problemas . Sus respuestas son profundas y reflexivas, lo que lo hace ideal para desarrolladores que trabajan en problemas intrincados o que necesitan explicaciones detalladas. Por otro lado, Claude Sonnet 3.5 se centra en eficiencia y velocidad , destacando en tiempos de respuesta rápidos mientras es más rentable. Si buscas generar código rápidamente o manejar tareas de alto volumen, Claude Sonnet 3.5 puede ser la mejor opción. Ambos modelos utilizan arquitecturas basadas en transformadores, pero o1 es más adecuado para desarrolladores que buscan razonamiento detallado, mientras que Claude Sonnet 3.5 es la opción preferida para aquellos que priorizan la velocidad. Ventana de Contexto y Rendimiento La ventana de contexto juega un papel crucial en cómo estos modelos manejan entradas grandes o conversaciones extendidas. ChatGPT o1 admite 128,000 tokens, mientras que Claude Sonnet 3.5 maneja un mayor 200,000 tokens , dándole una ventaja para tareas que requieren una retención significativa de contexto, como revisar grandes bases de código. Ambos modelos ofrecen un rendimiento sólido en una variedad de tareas, pero sus habilidades brillan en diferentes áreas. ChatGPT o1 sobresale en razonamiento multietapa , explicando la lógica de código compleja en detalle, mientras que Claude Sonnet 3.5 se centra en correcciones de errores rápidas y generación eficiente de código . Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? En octubre de 2024, Anthropic anunció una versión mejorada de Claude 3.5 Sonnet. Las recientes actualizaciones a Claude 3.5 Sonnet han mejorado significativamente sus capacidades de ingeniería de software. Notablemente, el rendimiento del modelo en el benchmark SWE-bench Verified ha mejorado del 33.4% al 49.0%, superando a todos los modelos disponibles públicamente, incluido el o1-preview de OpenAI. Este avance refleja la mayor precisión de Claude 3.5 Sonnet en la generación de funciones y verificación de errores, particularmente en la depuración y refactorización de código que involucra funciones anidadas o segmentos interdependientes. Además, la capacidad de tokens ampliada del modelo le permite retener y utilizar un contexto más extenso, lo que lo hace ideal para revisar grandes bases de código o gestionar proyectos intrincados con múltiples dependencias. Las pruebas iniciales indican que Claude 3.5 Sonnet sobresale en tareas de programación especializadas, como identificar vulnerabilidades de seguridad en aplicaciones web y optimizar algoritmos para velocidad y eficiencia. GitLab, por ejemplo, informó hasta un 10% de mejora en las capacidades de razonamiento para tareas de DevSecOps con el modelo actualizado, sin ningún aumento en la latencia. Casos de uso de IA para programación con o1 y Claude Sonnet 3.5 ChatGPT o1: Depuración de gestión de estado compleja en React: Usa o1 para analizar profundamente por qué ciertos estados no se actualizan correctamente o entran en conflicto entre componentes. Refactorización de código heredado: Emplea el razonamiento exhaustivo de o1 para reestructurar un script antiguo de Python para mejorar su legibilidad y mantenibilidad. Creación de algoritmos: Ideal para escribir y explicar algoritmos como ordenamiento, recorrido de árboles o programación dinámica en detalle. Claude Sonnet 3.5: Generación de código boilerplate: Crea rápidamente archivos de configuración para nuevos proyectos como APIs de Flask o estructura de front-end en Next.js. Autocompletar funciones: Úsalo para completar una función de JavaScript a medio escribir con manejo de errores adecuado y casos extremos. Generación masiva de código: Sonnet 3.5 sobresale en producir estructuras de código repetitivas pero ligeramente variadas como endpoints de API similares o casos de prueba unitarios. ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Hoy en día hay muchas herramientas de desarrollo disponibles para ayudarte con tu programación con IA, desde asistentes avanzados de programación con IA como Fine hasta generadores de código como GitHub Copilot. Algunas usan múltiples LLMs, algunas te dan la opción y otras se basan en un solo modelo. ¿Qué modelo de IA (LLM) utiliza Fine? Fine es una de las pocas herramientas de programación con IA que ofrece a los usuarios la opción entre diferentes LLMs para diversas tareas. Al usar Fine a través del navegador web, los usuarios pueden elegir entre o1-preview, 4o y Claude 3.5 Sonnet. Sin embargo, necesitarás una suscripción pro para aprovechar esto, que cuesta $13-15 por mes. Si eres un usuario gratuito, podrás usar Fine con 4o. Haz clic aquí para probarlo. ¿Qué modelo de IA (LLM) utiliza GitHub Copilot? GitHub Copilot está fuertemente integrado con OpenAI. GitHub es propiedad de Microsoft, que tiene una profunda asociación con OpenAI. La mayoría de los usuarios tienen acceso a 4o, mientras que los suscriptores de Azure AI pueden usar GitHub Copilot con o1-mini y o1-preview. ACTUALIZACIÓN: En GitHub Universe 2024, se anunció que esta asociación exclusiva ya no era tan exclusiva y que la opción de usar Claude se implementaría para todos los usuarios de GitHub Copilot en breve. Algunos usuarios ya han podido acceder a Claude. Está disponible en el Copilot Chat en Visual Studio Code y en Immersive Copilot en el navegador web solamente. ¿Qué modelo de IA (LLM) utiliza Cursor? Cursor utiliza Claude 3.5 Sonnet por defecto y recurre a OpenAI 4o durante interrupciones de Anthropic. ¿Qué modelo de IA (LLM) utiliza Bolt? Bolt, la herramienta de programación con IA que se especializa exclusivamente en front-end, se basa en Claude 3.5 Sonnet. ¿Qué modelo de IA (LLM) utiliza Replit? Aunque Replit lanzó previamente su propio modelo de IA en 2023, cuando anunciaron Replit Agent, su principal herramienta de programación con IA, en 2024, parece que tomaron la decisión de usar Claude 3.5 Sonnet. ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? Si estás buscando comparar cuáles son las mejores herramientas de programación con IA o LLMs, hay algunas cosas a tener en cuenta. Primero, es importante evaluar el LLM y la herramienta por separado. Usa una herramienta como Fine que te permita dar la misma tarea a múltiples LLMs para comparar cuál te da el mejor resultado. Aquí hay una comparación que hicimos de los tres modelos ofrecidos por Fine, planteados con la misma pregunta: ¿Qué hace este repositorio? (Es una pregunta que algunos están llamando el Hola Mundo de la programación con IA). Segundo, compara cómo las herramientas se desempeñan con tu LLM elegido, específico para tu caso de uso. Fine ofrece una variedad de integraciones para aumentar tu productividad, como la capacidad de hacer revisiones dentro de GitHub PR, que están ahorrando horas a los desarrolladores cada semana. ¿Cuál modelo es mejor para programar? Para tareas de programación, tu elección depende de tus necesidades: ChatGPT o1 es la mejor opción cuando trabajas en problemas complejos y multietapa donde necesitas un razonamiento profundo y explicaciones detalladas. Por ejemplo, sobresale en explicar código intrincado o ayudar con la depuración de una manera más reflexiva. Claude Sonnet 3.5 es el modelo preferido para generación de código rápida y eficiente y prototipado iterativo. Es rentable para tareas de alto volumen como generar múltiples fragmentos de código o automatizar correcciones de errores. Ambos modelos apoyan a los desarrolladores en la programación, pero Claude Sonnet 3.5 puede ahorrar tiempo y dinero para tareas de programación cotidianas, mientras que ChatGPT o1 podría ser tu aliado para problemas de programación más difíciles y detallados. Conclusión Al decidir entre ChatGPT o1 y Claude Sonnet 3.5 , considera la complejidad de tus tareas de programación y las restricciones de presupuesto. ChatGPT o1 ofrece una mejor resolución de problemas para tareas intrincadas, mientras que Claude Sonnet 3.5 proporciona una generación de código más rápida y asequible para las necesidades de desarrollo diarias. Ambos modelos son herramientas de IA poderosas que pueden mejorar significativamente tu productividad como desarrollador de software. Regístrate en una plataforma como Fine , que incluye acceso ilimitado a ambos, para lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso ilimitado tanto a o1 como a Claude Sonnet 3.5 , permitiendo a los desarrolladores cambiar entre estos poderosos LLMs según las necesidades de su tarea. Esta flexibilidad es perfecta para aquellos que requieren explicaciones detalladas de ChatGPT o generación de código rápida y eficiente de Claude. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso ilimitado y rentable a ambos modelos para todas tus tareas de programación y desarrollo. Fuentes McNulty, Niall. "ChatGPT o1 vs Claude Sonnet 3.5." Medium , hace 5 días. Enlace . "GPT o1 vs Claude 3.5 Sonnet: ¿Cuál modelo es mejor para programar?" Bind AI Blog , 17 Sep 2024. Enlace . "Comparar o1 Preview vs. Claude 3.5 Sonnet." Context.ai . Enlace . Harisec. "o1 vs Claude." GitHub . Enlace . Tabla de Contenidos Introducción Diferencias Principales Ventana de Contexto y Rendimiento Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? Casos de uso de IA para programación con o1 y Claude 3.5 Sonnet ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Fine GitHub Copilot Cursor Bolt Replit ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? ¿Cuál modelo es mejor para programar? Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://opensource.org/board-member/status/board-member | Board Member – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Status: Board Member Currently active elected board members McCoy Smith Board Member McCoy Smith Director Current Term: Mar 2025 to Mar 2027 Ruth Suehle Board Member Ruth Suehle she/her Director Current Term: Mar 2025 to Mar 2028 Chris Aniszczyk Board Member Chris Aniszczyk he/him Director Current Term: Mar 2024 to Mar 2026 Sayeed Choudhury Board Member Sayeed Choudhury Vice Secretary Current Term: Jan 2024 to Oct 2026 Anne-Marie Scott Board Member Anne-Marie Scott she/her Chair of the finance committee Current Term: Apr 2023 to Mar 2026 Tracy Hinds Board Member Tracy Hinds Chair Current Term: Oct 2019 to Oct 2025 Thierry Carrez Board Member Thierry Carrez he/him Vice Chair Current Term: Aug 2021 to Mar 2027 Catharina Maracke Board Member Catharina Maracke She/Her Director Current Term: Aug 2021 to Oct 2025 Gaël Blondelle Board Member Gaël Blondelle he/him Secretary Current Term: Jan 2024 to Oct 2026 Carlo Piana Board Member Carlo Piana he/him Director Current Term: Mar 2022 to Mar 2028 Josh Berkus Board Member Josh Berkus he/him Chair of the License Committee Current Term: Apr 2022 to Mar 2026 Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://opensource.org/board-member/sayeed-choudhury | Sayeed Choudhury – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Sayeed Choudhury Sayeed Choudhury Vice Secretary Board Member Candidacy Period: January 18, 2024 – October 1, 2026 Type of Seat: Appointed Sayeed Choudhury is the Associate Dean for Digital Infrastructure and Director of the Open Source Programs Office (OSPO) at Carnegie Mellon Libraries. He is the Director of a Alfred P. Sloan Foundation grant for coordination of University OSPOs and a Co-Investigator for the Black Beyond Data Project. He is the Software Task Force Leader and member of the Steering Committee for the Research Data Alliance (RDA) – US. Choudhury was a President Obama appointee to the National Museum and Library Services Board. He was a member of the National Academies Committee on Forecasting Costs for Preserving, Archiving, and Promoting Access to Biomedical Data and a member of the National Academies Board on Research Data and Information. He was also a member of the Blue Ribbon Task Force on Sustainable Digital Preservation and Access. He has testified for the Research Subcommittee of the Congressional Committee on Science, Space and Technology. He was a member of the board of the National Information Standards Organization, OpenAIRE2020, DuraSpace, the ICPSR Council, Digital Library Federation advisory committee, Library of Congress’ National Digital Stewardship Alliance Coordinating Committee, Federation of Earth Scientists Information Partnership (ESIP) Executive Committee and the Project MUSE Advisory Board. Choudhury was a member of the ECAR Data Curation Working Group. He has been a Senior Presidential Fellow with the Council on Library and Information Resources, a Lecturer in the Department of Computer Science at Johns Hopkins and a Research Fellow at the Graduate School of Library and Information Science at the University of Illinois at Urbana-Champaign. He is the recipient of the 2012 OCLC/LITA Kilgour Award. Choudhury has served as principal investigator for projects funded through the National Science Foundation, Institute of Museum and Library Services, Library of Congress’ NDIIPP, Alfred P. Sloan Foundation, Andrew W. Mellon Foundation, Open Society Foundation, Microsoft Research, and a Maryland based venture capital group. Choudhury has published articles in journals such as the International Journal of Digital Curation, D-Lib, the Journal of Digital Information, First Monday, and Library Trends and presented at various open-source events hosted by the United Nations, Open Forum Europe, Open Ireland Network, and the Linux Foundation. Previously, he was Associate Dean for Digital Infrastructure, Applications, and Services and Hodson Director of the Digital Research and Curation Center at the Sheridan Libraries of Johns Hopkins University (JHU), where he led the JHU Library team that supported the Covid-19 dashboard and launched the JHU’s open source programs office (OSPO), the first of its kind within a US university. Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://docs.suprsend.com/changelog/overview | Product Updates - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection Changelog Product Updates Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Changelog Product Updates Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Changelog Product Updates OpenAI Open in ChatGPT Logs of all the feature releases, improvements, and bug fixes in SuprSend. OpenAI Open in ChatGPT 18 December 2025 Hosted Preference Page — Modern Design with Multi-Language Support The hosted preference page has been updated with a refreshed UI and locale-aware localization support. Static UI content (CTAs, labels, system text) is translated automatically using built-in i18n support for up to 23 languages. Dynamic content, including notification category names and descriptions, is rendered using the translation files configured by you, based on the user’s locale. 📘 Checkout hosted preference page documentation and see how translations work 3 December 2025 Category Translations for Preference Centers Reach users worldwide with category translations — show your preference centers in your users’ native language. Whether your users speak Spanish, French, German, or any other language, they’ll see category names and descriptions in their preferred locale, making it easier for them to understand and manage their notification preferences. What you get: Multi-language support : Upload translations via Dashboard, API, or CLI — choose the method that works best for your workflow Smart fallbacks : If a translation isn’t available for a specific locale (e.g., es-AR ), we automatically try the base locale ( es ), then fall back to English — your users always see something meaningful Zero maintenance : English translations are automatically generated from your category names and descriptions, so you don’t need to manage them separately 📘 Learn more in the category translations documentation . 1 December 2025 📚 S3 Connector v2.0 — Comprehensive Notification Data Export S3 Connector v2.0 exports end-to-end notification data to your S3 bucket, giving you full visibility into requests, workflows, and message delivery for analytics, debugging, and compliance. It replaces the limited v1.0 connector with complete, structured logging. S3 Connector v1.0 will be deprecated over time. Migrate to v2.0 to access full logs and notification analytics. What’s New We’ve added 3 data points for end-to-end traceability of notifications from API request → workflow execution → final delivery : Messages: Delivery status, engagement metrics, vendor responses, and failures Workflow Executions: Step-by-step workflow logs for debugging conditions, preferences, and errors Requests: API payloads and responses for trigger-level debugging and audit trails Use Cases Internal analytics or customer-facing analytics Debug delivery and workflow issues using detailed logs or show logs on your customer portal Maintain audit trails for compliance and internal reporting Query and analyze notification data you fully own 📘 Check out the S3 Connector v2.0 documentation for more details. 29 November 2025 Channel-Level Control for Preference Categories Choose which channels users are opted into by default when setting up preference categories. You can use this to have preference category defaults as user gets in-app notification by default and other channels will be sent only if user explicitly opts in to them. 📘 Learn more in the preference categories documentation . 31 October 2025 Type-Safe Workflow Triggers Catch payload errors at compile time and get IDE autocomplete for workflow payloads and event properties using generated type definitions. Define your payload structure once using SuprSend JSON schemas , and automatically generate type definitions using SuprSend CLI . What’s Included and Why This Matters Prevents production bugs caused by invalid payloads Keeps backend code and notification schemas in sync Get IDE autocomplete, inline validation, and type hints for payload fields Supported languages: TypeScript, Python, Go, Java, Kotlin, Swift, Dart 📘 Learn more in the type safety & type generation documentation . 30 October 2025 🌍 Translations - One template, all languages, zero hassle Go global with translations — the easiest way to localize your notifications. One template, multiple languages, automatic fallbacks. No more maintaining separate templates for each language. What You Can Do Localize notifications instantly: Smart translation keys → Use {{t "key"}} syntax in templates and let SuprSend handle the rest Automatic fallbacks → Users always get a translation, even if their exact locale isn’t available Dynamic content → Pass variables like {{t "key" name=user.first_name}} for personalized content Pluralization → Automatic handling of singular/plural forms based on count Manage translations like code: Upload, download, edit → Work with translation files locally or in the dashboard Version control → Complete history tracking with one-click rollbacks CLI & API support → Manage translations programmatically or via command line Built for developers: Namespaced keys → {{t "feature:key"}} to avoid conflicts across features JSONNET support → Complex conditional logic for advanced use cases Handlebars integration → Combine with other helpers for dynamic content Version control for translations → Track changes, maintain history, and roll back when needed 📘 Check out the translation documentation to get started. 1 October 2025 Preference Category Management APIs You can now programmatically create, update, and commit preference categories using the Management APIs — no dashboard required. This makes it easy to integrate category management into your existing workflows, scripts, and deployment pipelines. 👉 Also available via the SuprSend CLI . 📘 See the API documentation to get started. 29 September 2025 🚀 SuprSend CLI Beta - Ship Notification changes like code We’re excited to announce the public beta of SuprSend CLI , bringing full notification management to your terminal. Using CLI, you can manage and promote assets across workspaces, integrate with CI/CD, and treat notification changes just like code. What You Can Do Promote assets across workspaces — move workflows, schemas, events, and categories between environments (e.g., staging → production) with suprsend sync or targeted pull/push commands. Automate with CI/CD Deployment – Release notification changes through feature or bugfix branches, just like any other piece of code: version it, test it, and deploy it. Manage notification changes in Git — pull assets locally, version them alongside your application code, and push updates as feature branches or bugfix releases. Treat notification infrastructure just like code — review, branch, merge, and release with the same version control workflows you already use. Built for developers Code reviews for notifications — keep your notification infrastructure in Git, track changes, and roll back when needed. Approval gates for production — ensure no change goes live without review and approval. Work with assets locally — create, edit, and test workflows, schemas, and translation files on your machine. Version control & rollback — maintain change log and safely revert changes when required. This is a beta release — we’re actively gathering feedback and making improvements. So, feel free to report an issue and contribute to the project. 📘 Check out the CLI documentation to get started. 29 September 2025 🤖 SuprSend MCP Server (Beta) — AI-Powered Notification Management Your AI agents, copilots, and LLM tools can now directly interact with SuprSend through natural language, making notification management as simple as having a conversation. What You Can Do with SuprSend MCP Everyday workflows with AI: Trigger workflows on demand “Run the approval-required workflow for user John Doe to test my setup.” Bootstrap test data “Create a sample user named John Doe and a tenant called acme-corp in my workspace.” Manage preferences “Enable email notifications for marketing and disable SMS.” Configure branding “Update the logo and primary color for the enterprise tenant.” Vibe-code with AI: Ask AI to fetch setup guides, code examples, or integration snippets directly from SuprSend docs and apply it in your application code. Expose safe, scoped endpoints (via MCP) that wrap APIs with context, reducing guesswork and hallucinations. Integrate with LLM-based assistants (Claude, Copilot, Cursor, Windsurf, etc.) to simplify notification setup with SuprSend. Compatible AI Tools Works with Claude, Cursor, Windsurf, and any MCP-compatible AI agent. Notes & Caveats (Beta) - APIs, behavior, or scopes may change based on feedback. We restrict destructive operations (e.g. deletes) initially to reduce risk. We welcome your feedback — report issues and share feedback to help us harden MCP for production. Getting Started Start the MCP server and configure it with your AI tool. See our MCP setup guide for detailed instructions. 12 September 2025 Send Notifications Only to Verified Channels in Sandbox Sandbox workspaces come pre-configured with SuprSend vendors for quick testing. However, we noticed some cases of misuse where test messages were being sent to unintended recipients. To prevent accidental spam and keep Sandbox safe, notifications can now only be sent to verified channels . You can set upto 5 verified channels for each channel type. Reach out to us if you need more. You can add and manage your verified channels from developers -> Verified Channels page . 12 September 2025 Test Mode: Test Notifications safely without sending to real users Testing notifications shouldn’t mean worrying about accidentally pinging your customers. In most companies, teams end up redirecting notifications to shared inboxes like [email protected] or [email protected] just to avoid delivery to real users—while still being able to debug the full notification flow. With Test Mode , you can now replicate this real-world testing flow directly in our platform: Test end-to-end notification flow : Add channels belonging to internal testers as test channels. In test mode, notifications to these channels are delivered normally—so you can preview messages on real devices. Set Up Test Channels : You can add channels belonging to your internal testers as test channels. Delivery will not be blocked for test channels in test mode. This helps you see preview of the notification in your real device. Catch-All Routing : Redirect all non-test notifications to a common channel (e.g., a QA inbox), making it easy to trace and debug every message in one place. This ensures you can confidently test notification workflows in an environment that mirrors production—without the risk of real users getting test messages. 30 August 2025 Validate workflow trigger Payload using JSON Schema We’ve introduced API-level JSON Schema validation for workflow trigger payloads. This catches payload mismatches before execution, preventing runtime failures and ensuring consistent, correct notifications. Why it matters When you trigger a workflow, you pass data (payload) that is used to resolve workflow variables and populate dynamic content in templates. Currently, If the payload does not include all the variables expected in the workflow, the execution may fail at different stages. With this change, Validation will happen at API level and there’ll be: Fewer runtime failures : Stop workflows from starting with missing or malformed data. Faster debugging : Get a clear, structured error list at request time—no more hunting through multi-step logs. More reliable messaging : Prevent partial runs, inconsistent behavior, and incorrect or incomplete notifications. How it works You can add JSON schema from Schema page and then link it to the workflow Trigger step or trigger Event from events page . When you trigger a workflow, the payload is validated against a JSON Schema that describes the expected data used to resolve variables and populate dynamic content. If the payload doesn’t match the schema, the Trigger API returns error response with a list of validation errors (e.g., path, expected type, missing fields). If validation passes, the workflow proceeds as usual. Fixes and Improvements: Workflow slug validation at the API layer: If a referenced workflow slug isn’t available, the error is now returned directly in the API response (in addition to request logs) for faster debugging. This validation will only apply to new workflows created after this change. If you want to apply it all your existing workflows, reach out to SuprSend support. 23 August 2025 Tenancy social links update Added support for TikTok in tenant social_links . Twitter renamed to x in descriptions and examples (field name remains compatible as per API changes). Updated social link icons for better visual consistency. 19 August 2025 Message logs revamp Redesigned UI for seamless tracking of notification lifecycles. Quickly view delivery status, opens, clicks, and errors across all channels in a single log view. Entity-level visibility : Drill down into logs by workflow, user, object, or list to understand exactly what happened in context. Advanced filtering : Filter logs by status, workflow, template, channel, category, or time range to debug faster. Consistent date range filter across all log pages, making it easier to trace the journey of a notification from request → workflow → final message delivery and it’s interaction state. Fixes and Improvements react-sdk (v0.3.0) - Introduced a custom infinite-scroll component with robust Shadow DOM compatibility. web-components (v0.3.0) - Enhanced Shadow DOM rendering support to ensure component isolation and consistent styling. 16 August 2025 Analytics 2.0 - faster, real-time, with one click filters to drill down into insights Real-time insights → Trends update as messages go out. Track performance across channels and spot dips in engagement instantly. Workflow-level comparisons → Compare workflows, templates, channels, and categories side by side to spot under performers and validate experiments. Know when your users opt-out → See which channels/categories drive opt-outs so you can adjust before churn sets in. Over-messaging trends → Track avg notifications per user, find patterns by category, and identify fatigue triggers to keep communications helpful—not noisy. Granular filtering → Multi-select filters for workflow, tenant, template, channel, category, time range Centralized error tracking → All API, workflow, and provider delivery errors in one place. Filter by tenant/workflow/template/channel, open the exact log, and debug in seconds. 23 July 2025 Sendgrid IP Pool support Enabled creation and management of SendGrid IP Pools, allowing granular control over email delivery, IP reputation, and segmentation of email traffic base on notification category. Fixes and Improvements Added support to send slack messages using broadcast. 11 July 2025 Workflow Management APIs Released comprehensive Management APIs to programmatically create, update, and commit workflows. Supports dynamic workflow orchestration — from your platform or third-party systems — to automate creation and modification of workflows from your codebase. You can checkout the documentation here . 4 July 2025 Proxy support in Java SDK Java SDK can now route outbound requests through HTTP/S proxies, enabling deployments behind corporate firewalls and network controls. 16 June 2025 iOS Native SDK Revamp with JWT based authentication & Preferences support The new iOS SDK now has our latest JWT authentication. You can use it to: JWT-based auth for secure event ingestion, profile updates and push token management. Support to add In-app Preferences Center in mobile apps with UI and example code available for quick setup. Fixes and Improvements Flutter sdk released (v2.5.0) - Fixed an Android push client issue and added silent push support for background updates. 22 May 2025 Role based auth in AWS SNS In line with our ongoing efforts to enhance platform security, we’ve also enabled IAM Role- based auth in AWS SNS vendor. Previously, authentication required creating an IAM User and sharing long-term access keys. With IAM Role-based auth , you can grant temporary, scoped access without exposing sensitive credentials. 13 May 2025 New SMS Vendor: Bird We’ve added support for sending SMS using the new Bird APIs. The setup is straightforward with a simple vendor form to fill to get started, and full integration details are available here. 30 Apr 2025 SuprSend tracked Properties Now Available in Recipients Payload Recipient payloads now include key internal properties—like user type and their unique identifier—making them readily accessible for use in templates and workflows. → For users: {“$type”: “user”, “distinct_id”: “xxxx”} → For objects: {“$type”: “object”, “object_type”: “xxx”, “id”: “xxx”}" Use these properties to pre-fill form values, add conditional branching based on user type, or Create dynamic links using unique user IDs 23 Apr 2025 Workflow Conditions - Array Comparison Operators Now, find an element in array or find intersections between two arrays in workflow conditions. Example Use cases: Send a notification to users whose role is one of ["admin","manager"] Notify tournament followers who have subscribed to any of the playing teams or players. 15 Apr 2025 Introducing Preference Tags Filter notification categories shown to users based on tags like role, team, or department—so Finance sees billing alerts, and Engineers see only error and anomaly categories. You can assign multiple tags to each preference category or section, and define complex logical expressions (e.g. role == “manager” && department in [“sales”, “marketing”]) to dynamically show relevant preference categories per user. Great for building clean, personalized preference centers without bloating the UI. 7 Apr 2025 Documentation Revamp–Cleaner, Smarter, More Interactive We’ve overhauled our documentation experience to make it more consistent, intelligent, and user-friendly: Brand-Aligned UI : The docs now match the look and feel of the SuprSend platform. AI-Powered Search : Get smarter, faster answers with AI-supported search. You can also open documentation directly in ChatGPT or Claude for conversational, AI-driven assistance. Improved Readability : Upgraded UI components provide a cleaner layout and better readability, helping you navigate and understand complex topics more easily. Interactive API Reference : Try out API requests directly from the docs and view live responses in real-time—no need to switch tools. This revamp is part of our ongoing effort to make implementation faster, smoother, and more intuitive for developers. 27 Mar 2025 Cross Lookup User Subscriptions Easily view all of a user’s subscriptions—whether to lists or objects —in one place. The Subscriptions tab on the user details page now provides a centralized view for easier access to user subscriptions. Fixes in workflows UI Resolved an issue where newly published workflow versions wouldn’t appear without a page refresh (introduced after version history was added). Fixed a bug in the test trigger modal where object suggestions incorrectly appeared when switching from API to event trigger. Removed the success metric from delivery nodes where it’s not relevant (except for Smart Delivery Nodes). 20 Mar 2025 Workflow Trigger Overrides Event-Based triggers now support overriding the actor, recipient, tenant, and object—directly within the workflow. This removes the need to resolve recipients in your code, allowing you to pass internal events as-is and dynamically resolve users and related context per workflow. Perfect for use cases like sending a daily digest to tenant admins or notifying internal account managers at a parent company—all from the same event trigger. 15 Mar 2025 Clone content across template versions and languages Editing multi-lingual templates or doing A/B with different template content? Now, rollback to a version or copy designs between different languages by cloning within template. Fixes and Improvements iOS Integration - Fixed the bitcode issue in xcode16 6 Mar 2025 Role based auth in AWS SES and S3 connector In line with our ongoing efforts to enhance platform security, we’ve now enabled IAM Role- based auth in AWS connectors. Previously, authentication required creating an IAM User and sharing long-term access keys. With IAM Role-based auth , you can grant temporary, scoped access without exposing sensitive credentials. Fixes and Improvements Added API name filter in request logs. This will help you drill down logs based on event and workflow name. 27 Feb 2025 In-App Inbox: French translation support The Inbox UI now supports automatic French translation! Just pass language="fr" when initializing the Inbox, and all static content will render in French—no extra setup needed. Available in @suprsend/web-inbox ≥ v0.6.0. More languages coming soon Fixes and Improvements Released suprsend-py-sdk==0.13.0 with latest user and object management APIs. Fixed Email issue where tenant button was not showing cursor clickable on hover. 20 Feb 2025 In-App: Fetch cross tenant feed We’ve recently been hearing multi-tenant use cases where a user belong to multiple tenants and would want to see Inbox feed for all tenants in a single product. e.g., an account manager is handling multiple client accounts and need to see updates or daily reports linked to all their accounts in a single feed. You can now achieve this by passing tenantId = * while initializing the Inbox. SuprSendInbox Copy Ask AI interface ISuprSendInbox { workspaceKey : string distinctId : string | null subscriberId : string | null tenantId ?: "*" ... } 15 Feb 2025 Workflow - Step-by-Step Analytics You can now track consolidated view of users’ workflow journey at each workflow step directly in the workflow graph. Track user entry, exit, drop-offs, branch followed, and node failures. You can also see workflow edit history and compare analytics across different workflow versions and time range. Next up: Deeper analysis into each workflow step - notification engagement (deliver, seen, click), failures, and AI-powered insights. Improvements: Added data centre field in account settings to check where your data centre region. 12 Feb 2025 Batch - Flush First Item Immediately We’ve introduced a new setting in batch processing: Flush First Item in Batch . Previously, batches were only sent once the batch window closed. Now, this setting allows the first trigger to flow past the batch immediately while subsequent triggers are batched within the specified time window. This helps you to build leading debounce logic in workflows, where users are notified immediately about critical updates like anomaly alerts, while other alerts are batched and sent at regular intervals until the issue is resolved. You can find this option in batch -> advanced configuration . 07 Feb 2025 Workflow - Relative Delay and Batch window Added the ability to set relative delays and batch windows in workflows. Previously, delays were fixed or dynamic, with the time difference always being based on the current time. With this update, you can now define delays relative to a future timestamp, often provided by your trigger payload. For instance, send a reminder 30 minutes after a task’s due time or send feedback 5 minutes after an event or webinar. Fixes and Improvements: In Inbox drop-in popover component, we fixed scroll bar causing empty padding UI issue in macOS when Show Scroll bars: Always is enabled. In Inbox drop-in popover component, action menu popup of last notification item was getting cropped. We have fixed this issue. In Inbox drop-in popover component, in mobile view actions menu icon (3 dots icon) only appears on touching notification. After the bug fix, the actions menu icon will appear on all notifications in mobile view by default, removing extra touch interaction. 31 Jan 2025 Nested Objects - Choose the fan out depth Previously, when triggering workflows in nested object hierarchies (where one object subscribes to another), notifications would automatically fan out up to two levels—sending notification to object, its direct subscribers, and child object subscribers. Now, you have full control over how deep the fan-out should go. You can now set the depth in the recipient payload, defining how far the workflow should propagate to fetch subscriptions. 🔹 Depth 0 → Notify only the object’s channels (e.g., Slack team, shared inbox). 🔹 Depth 1 → Notify the object’s channels + direct subscribers. 🔹 Depth N → Expand deeper into hierarchical subscriptions as needed. Copy Ask AI "recipients" : [ { "object_type" : "teams" , "id" : "finance" , //optional parameter to define subscription fan-out depth in workflows "$object_subscriptions_query" : { "depth" : 0 } } ] You can use this to build Escalation Workflows or Tiered Customer Support Notifications , send notification to a shared slack channel or customer support queue first and then escalate to individual users in case of no response in a given time duration. Fixes and Improvements: [SDK] Object methods and User APIs to fetch user and their subscription exposed in Java SDK Added support to trigger multi-lingual templates in broadcast 29 Jan 2025 New handlebars helpers - jsonParse and jsonPath We’ve added handlebars helpers to seamlessly handle JSON strings in the template editor: jsonParse - Converts a JSON string into an object, making it easier to apply conditions or use JSON strings in merge tags. jsonPath - Fetch data corresponding to a path within a JSON object. Works well with jsonParse to directly access nested data in JSON string without block helpers. Fixes and Improvements: Opened up merge tag input to support handlebars helper in email merge tags . Added support for handlebars helper in display condition . 27 Jan 2025 List entry/exit events in trigger You can now trigger a workflow when a user enters or leaves a list. Use this in the Wait Until node to stop reminders or dynamically route users in a workflow on list updates. Earlier, you could achieve the same by enabling event tracking on list updates. Now, you can simply add this logic in workflow without making any changes in list. This will help you build workflows on user lists like, send series of activation notifications to users who didn’t interact with the product in last 30 days and stop sending when they become active again. Fixes and Improvements: [SDK] We have exposed object management methods in Node SDK 20 Jan 2025 Inbox 2.0 - better authentication, In-App feed component and seen interaction Happy to announce a major update in our Inbox SDK. Now, you can directly export and embed In-App feed component and seamlessly create Full screen or Side sheet Inbox experience. What’s New? ✅ Enhanced Security : We’ve replaced HMAC authentication with stateless JWT authentication for better security. ✅ Drop-in components : You can now quickly build an inbox, including full screen and side sheet feeds, by directly importing UI inbox components that are available in our SDK. ✅ Bring your own toast : If you plan to use toast notifications, you have full flexibility to choose any toast library you prefer, allowing you to fully customize the notification experience. These updates offer greater flexibility, security, and customization—giving you full control over your in-app notification experience. If you are on the older SDK version, we recommend you to move on the new version as all future developments will be done on the new SDK. 15 Jan 2025 Interaction Observer: Seen Tracking in Inbox We’re excited to introduce Interaction Observer support in the Inbox, enabling smarter tracking of notification seen state. Now, notifications will be automatically marked as “seen” when they come in user’s scroll view. 10 Jan 2025 Enhanced Broadcast Observability We’ve done a major revamp to our Broadcast logging and monitoring, designed to give you greater control and transparency over your broadcast executions. Here’s what’s new: Real-time Execution Tracking : Monitor broadcast operations as they happen, ensuring you stay informed every step of the way. Step-by-Step Debugging : View detailed execution logs for each step of your broadcast, helping you pinpoint errors and resolve issues faster. Advanced Filters : Quickly locate specific broadcasts with filters for tenant, list ID, broadcast slug, idempotency-key, and status. Easily identify and analyze failure logs. Detailed Broadcast Summaries : Access a comprehensive summary of each broadcast run directly from the listing page, similar to workflow execution logs. 5 Jan 2025 Athena database connector We’ve added Athena to our list of database connectors, enabling you to sync and create dynamic user lists directly from your S3 database. Since Athena can be set up on top of S3, it’s an excellent way to consolidate data from multiple sources and run queries on the unified dataset without the need for complex ETL pipelines. 27 Nov 2024 New workflow node: Invoke Workflow With this update, you can invoke a workflow from within another workflow. This is useful when the recipient list or data context changes between steps in a workflow. A common use case is escalation workflows —e.g., if a team member doesn’t take action within a set time frame, the workflow escalates the issue and notifies their manager. This simplifies complex workflows and supports smooth transitions between related processes, enabling more efficient automation management. 25 Nov 2024 New workflow node: Update User Profile You can now update recipient or actor profiles directly within a workflow. This feature simplifies user profile management by enabling real-time updates as part of the workflow process. If your have event-based system, where user profile changes are coming as events from your product or a third-party system, you don’t need to convert it into user update APIs in your codebase. Simply send events to SuprSend, and let workflows handle user profile updates seamlessly. Key use cases Event-based user profile updates : Simply send events to SuprSend when user updates their profile in your product or when you are setting custom profile attributes as a side-effect of related action, e.g., in a job board, change user’s application status when employer shortlists the profile. Update user profile based on a workflow step : Common use cases include fetching data during the workflow to update the user profile or updating the profile when a user successfully completes a step. For instance, while the onboarding process, update %completion in user profile when they complete a step. 20 Nov 2024 Update Object subscriptions within workflow You can now dynamically update object subscriptions directly within a workflow. This enhancement eliminates the need for separate API calls for object update, allowing you to manage everything seamlessly within workflows. If you have event-based systems where all asset updates are coming in form of event from your product or third-party systems, you don’t have to consume those events internally and write custom APIs to update individual assets (user, list, object) in SuprSend. Simply send events and let the workflow handle object subscriptions and user profile updates, making SuprSend truly a single API integration. Example use case When someone subscribes to a topic (like a tournament), add them as a subscriber to the corresponding tournament object. Later, just trigger tournament related events to SuprSend and the object will automatically fan out and send notification to all users subscribed to the topic. 17 Nov 2024 New workflow node: Add / Remove user in list You can now dynamically update list users as part of workflow execution. This is a step toward creating user segments based on events or workflow progression, removing the need to call the List Update API separately. Key use cases Event-based segmentation : When an event occurs, trigger notification to the user and simultaneously add them to a list for future updates. e.g., when a user registers for an upcoming event or webinar, you can send them confirmation email and add them to a list to later send further updates related to the event. Workflow Step-based segmentation : Another use case is dynamically adding or removing a user from the list when they complete a workflow step. e.g., in a knowledge series designed to onboard new users, remove a user from the POC list once they complete onboarding steps. 15 Nov 2024 Deletion APIs On customer request, added APIs to dynamically delete entities in SuprSend. Following deletion APIs are added: Delete user profile Delete list Delete tenant/brand Delete Object and Remove object subscription These actions are also available on the dashboard for manual management. Delete function just deletes the asset and their related data, including preferences. It doesn’t have any effect on the historical workflows or broadcasts already executed. While calling the delete function, ensure no active workflows are running for the asset, else the execution will fail. 14 Nov 2024 User Merge API: Merge duplicate users into one Happy to announce user merge API to merge duplicate user identities into a single distinct_id . This is helpful to consolidate user profiles, especially when users interact across different products or transition from anonymous to identified states. Key Use Cases Cross-Product Identity Consolidation : When users interact across multiple products (e.g., different apps or services within your platform), they may have different identifiers for each product which needs to be merged later. Anonymous to Identified Transition : Platforms often track user actions anonymously before sign-up or login. During this period, user actions are typically tracked under an anonymous ID. Upon sign-up, merge the anonymous profile into the newly created identifier to preserve historical data and Associate it with the identified user profile. 11 Nov 2024 User Management APIs Being developer first, we have made significant updates and enhancements to the User APIs for easier user management in SuprSend. Also, subscriber is renamed to users in all APIs to avoid confusion with object subscription. Here’s a list of all the changes: Introduced new APIs to fetch user profile , list users and delete user . User update API endpoint has been changed from /event to /user/{{distinct_id}} . There are 2 separate APIs to create(upsert) and edit user profile. Any addition or changes in existing user properties can be done using user upsert API . For deletion of property or channel, user edit API can be used. This is done to keep user upsert API structure flat and simple, consistent to how you identify user in workflow trigger. Subscriber is renamed to user in all APIs, including user preference APIs. 7 Nov 2024 Objects: Design scalable group notifications We’re excited to introduce a powerful new capability in SuprSend: Objects . Objects allow you to manage complex user relationship and notify user groups without identifying individual recipients in your trigger. Ideal for building scalable pub/sub and subscription alerting without having to maintain event to subscriber mapping in your database. You can directly map object-user subscription mapping in SuprSend and SuprSend can efficiently fan-out notifications to thousands of users simultaneously. What You Can Do with Objects: Send notifications to non-user entities like group emails, Slack channels, or shared inboxes (e.g. a Notion feed). Ideal for SaaS applications sending account-level alerts (e.g. anomaly notifications) to shared channels. Objects can have it’s own channels and preferences to handle this use case. Group users by topic or subscription and send them alerts without having to call individual recipients in the trigger . A good example could be SaaS applications managing notifications for end-users, where recipient relationships are coming from a different system, and notification triggers or notification calls are coming from a different system which doesn’t have information of the users subscribed to that trigger. Maintain hierarchical user relationship with nested object subscription . e.g., sending announcements to all the entire team of customer while sending invoice related alerts to finance team. You can handle this by creating object for finance team and then adding it as subscriber to customer object. Objects can be easily tested from platform with all object related actions available on SuprSend console. You can programmatically manage objects from your codebase using rest API calls . Support for SDKs coming soon… If there’s any use case in object that you think is missing and needs to be solved, please reach out to our support . 3 Nov 2024 Datetime comparators in workflow conditions You can now compare datetime fields in workflow conditions . This lets you compare two timestamps where values can be: Variable : computed from workflow input data Static : a fixed timestamp (e.g. 2024-01-01T00:00:00Z ) Relative to current timestamp : e.g. “ now ” or “ now+30d ” (current timestamp +/- interval). Current timestamp is calculated at node runtime and is timezone aware. 30 Oct 2024 Send node execution log - UI revamp The UI for multi-channel and smart routing nodes has been revamped to clearly display how the final list of channels is determined. Now, you get clear visibility into how requested channels in the trigger, override channels, and user and tenant preferences are factored together to compute the final channel list. 29 Oct 2024 Audit Logs To enhance security and transparency, we’ve introduced Audit Trail to help you monitor and track actions happening on your SuprSend console. You can use this to keep track of unwanted or malicious actions in your account. This initial release logs critical account actions along with location and actor details (team member performing the action). You can also filter by team member (actor), specific action or timestamp. Audit logs are available for enterprise users and have customizable retention period. You can find it in account settings. 22 Oct 2024 Support for customizing header component in Inbox Added support for customizing the header component in inbox SDKs. @suprsend/react-inbox You can now add a custom component to the right side of the header in the inbox popup. This replaces the “Mark all as read” text with any JSX you provide. You can even include custom icons, such as settings or preferences, in your JSX and use them to navigate users to specific pages. For an example, refer here . @suprsend/web-inbox In web-inbox , you can add an extra icon beside the “Mark all as read” button at the top of the inbox popup using headerIconUrl . You can also execute custom logic when this icon is clicked using headerIconClickHandler . This feature is useful for cases like displaying settings or preferences icons, which, when clicked, take users to the respective settings or preferences pages. For more information, refer to the documentation. 16 Oct 2024 Sample Workflow Library With the growing number of workflow nodes, we understand that designing the optimal workflow logic can be tricky. That’s why we’ve built out a library of the most-requested, complex workflow samples to make things easier. Now, when you create a new workflow, you can pick from these pre-built samples right within the platform. We’ll continue adding more samples over time—if you have specific use cases, feel free to share them with us at [email protected] , and we’ll add them in the library! 21 Sep 2024 Deprecated Legacy androidpush methods As part of our ongoing efforts to maintain a robust and up-to-date platform, we’ve made the following deprecations: 1. Legacy FCM API Support Due to Google’s shutdown of the legacy Firebase Cloud Messaging (FCM) API, we have removed support for this feature. We strongly recommend migrating to the V1 version of the API that we currently support. For more information, please refer to: Firebase Cloud Messaging Migration Guide 2. Xiaomi Push Service Following Xiaomi’s discontinuation of their push service outside mainland China, we have removed support for this feature. For more information, please visit: Xiaomi Developer Documentation We appreciate your understanding and cooperation as we continue to improve our services. If you have any questions or concerns about these changes, please don’t hesitate to contact our support team. 17 Sep 2024 Subscriber Page Revamp We have revamped subscriber listing page to include relevant information upfront and also, added advanced filtering options on email, phone, active channels, channel count for an entity, and more. All filters are powered by auto-complete search and selectable options, providing you easy access to available filtering options. 14 Sep 2024 Typeahead autocomplete suggestions for subscribers We’re excited to announce a major update to the platform experience with autocomplete in all subscriber search fields. Whether you’re in logs, on the subscriber page, or within testing flows, you can now receive suggestions for existing users without needing to type the full keyword. Autocomplete suggestions are available for distinct_id , email , and phone fields in subscriber profiles. 11 Sep 2024 Inbox - React SDK v3.4.0 This update introduces improvements to action button functionality, enhancing the flexibility and customization options for developers. New Features: Custom Click Handlers: Action buttons now support custom click handlers, allowing developers to execute custom logic when a button is clicked. This update significantly expands the capabilities of action buttons in the Inbox React SDK, providing developers with more tools to create rich, interactive inbox experiences. 8 Sep 2024 Slack Text editor We are happy to announce the support of text editor in slack. So, now you won’t have to write complicated JSONNET template for simple text messages. The text editor supports emoji and use handlebars as the templating language. 6 Sep 2024 Web SDK v2.0 We are excited to announce a major update to our @suprsend/web-sdk . This new version brings significant improvements in security, performance, and developer experience. Major Changes Enhanced Authentication System Replaced workspace key-secret method with public API Key and Signed User JWT token Improved security and access control Synchronous Method Calls All methods now return API call status synchronously Enables better error handling and flow control in applications Improved Code Consistency and Developer Experience Renamed library methods and parameters from snake_case to camelCase Added proper IDE suggestions and method descriptions for easier development Breaking Changes Due to the significant improvements, this version introduces breaking changes. Users upgrading from v1.x should review the migration guide carefully. Documentation For a comprehensive list of changes and migration instructions, please refer to our detailed migration guide For users who need to reference the previous version, v1 documentation is still accessible here Feedback We value your feedback and encourage you to try out the new version. If you encounter any issues or have suggestions for improvement, please don’t hesitate to reach out to our support team. Thank you for your continued support and trust in SuprSend! 4 Sep 2024 View and fetch list users We’ve added a List Users tab to the lists page, giving you direct access to view all users in a list. Being API first, the same functionality is also exposed to API. Refer this GET list users API , or checkout: postman collection . API Details: The API returns 20 users per response. You can retrieve additional users by using cursor-based pagination (before and after cursors). 3 Sep 2024 Better delivery tracking in iOS We are excited to announce significant improvements in our latest update, focusing on enhancing delivery tracking for iOS Push notifications. Regardless of the application’s state, you will now experience more reliable and precise delivery tracking. We have rolled out updates for all our major SDKs. To take full advantage of these improvements, please ensure that you update your dependencies promptly. iOS SDK - v1.0.3 React Native SDK - v2.4.0 Flutter SDK - v2.2.0 2 Sep 2024 Web SDK v1.5.1 We have resolved an issue where the SDK would unexpectedly generate an error message whenever the event payload contained specific emojis. This fix ensures that event processing is now stable and reliable, even when such emojis are present. More details here 30 Aug 2024 Improvement in Workflow Listing page Developer testing workflows are now excluded from the Workflow List Page and search results, ensuring a cleaner and more organized workflow listing. These workflows will still be accessible through logs. Enhanced observability of Tenant APIs by displaying request logs on the logs page. This improvement provides better visibility and monitoring of API interactions. 27 Aug 2024 Wait Until - Add Condition on Event Property We’re excited to announce a powerful update to our Wait Until feature! You can now add multiple events and apply conditions on event properties within the Wait Until branch, allowing for more precise event filtering and targeting of the exact event required in your workflow. This is especially useful for scenarios where the same event triggers multiple workflows, and you want to exit or cancel a notification based on user actions. For instance, in a booking reminder workflow, if a user has multiple bookings, you can now match the booking ID of a cancellation event with the original event to ensure correct reminder gets canceled. Key Changes: Add conditions on event properties using a simple key-operator-value expression (e.g. booking_id = 123 ). Add condition on multiple event properties using AND , OR . Apply conditions across multiple events (e.g. avoid sending a notification if a user completes an action or achieves a specific milestone). Refer documentation for details on how to implement wait until node in your workflow. 26 Aug 2024 Enhanced branching capabilities We are excited to announce significant improvements to our branching capabilities . With the addition of more data types, you can now set precise conditions on various inputs within your branches, such as actor, recipient, and tenant properties. This enhancement allows you to tailor your workflows more effectively, ensuring that each journey is as personalized and efficient as possible. If you haven’t yet explored our branching feature, now is a great time to do so. It offers a robust way to construct multi-step journeys within a single workflow. Here are some example use cases where you could use branch: A/B test notification content by splitting cohorts based on user properties like region. Customize digest schedules (immediate, daily, weekly) using key in your trigger data or recipient’s preference. For support ticket requests, adjust who gets alerts, when to send them (immediately or batched), and which channels to use based on the issue’s priority. Define different next steps in an onboarding checklist depending on a user’s completion percentage. Here, you can also fetch completion% just before sending the next reminder. 23 Aug 2024 New SMS Integration: Pinnacle On customer demand, we are live with latest vendor Integration with Pinnacle for SMS. Check out vendor integration documentation for setup details. 20 Aug 2024 List Details Page Key Improvements: New List Details Page: Access all essential information (logs, broadcast runs, list users) and actions for a list (run broadcast, update user) in a single view, making list management much simpler. “Sync Now” button on query page: This will enable you to manually sync list users when required. Coming Soon: List Users Tab and API: We’ll soon be adding a tab to see all list users. The same functionality will also be exposed to hub APIs to | 2026-01-13T08:49:32 |
https://www.anthropic.com/news/3-5-models-and-computer-use | Skip to main content Skip to footer Research Economic Futures Commitments Learn News Try Claude Announcements Introducing computer use, a new Claude 3.5 Sonnet, and Claude 3.5 Haiku Oct 22, 2024 Update (12/03/2024): We have revised the pricing for Claude 3.5 Haiku. The model is now priced at $0.80 MTok input / $4 MTok output. Today, we’re announcing an upgraded Claude 3.5 Sonnet , and a new model, Claude 3.5 Haiku . The upgraded Claude 3.5 Sonnet delivers across-the-board improvements over its predecessor, with particularly significant gains in coding—an area where it already led the field. Claude 3.5 Haiku matches the performance of Claude 3 Opus, our prior largest model, on many evaluations at a similar speed to the previous generation of Haiku. We’re also introducing a groundbreaking new capability in public beta: computer use . Available today on the API , developers can direct Claude to use computers the way people do—by looking at a screen, moving a cursor, clicking buttons, and typing text. Claude 3.5 Sonnet is the first frontier AI model to offer computer use in public beta. At this stage, it is still experimental —at times cumbersome and error-prone. We're releasing computer use early for feedback from developers, and expect the capability to improve rapidly over time. Asana, Canva, Cognition, DoorDash, Replit, and The Browser Company have already begun to explore these possibilities, carrying out tasks that require dozens, and sometimes even hundreds, of steps to complete. For example, Replit is using Claude 3.5 Sonnet's capabilities with computer use and UI navigation to develop a key feature that evaluates apps as they’re being built for their Replit Agent product. The upgraded Claude 3.5 Sonnet is now available for all users. Starting today, developers can build with the computer use beta on the Anthropic API, Amazon Bedrock, and Google Cloud’s Vertex AI. The new Claude 3.5 Haiku will be released later this month. Claude 3.5 Sonnet: Industry-leading software engineering skills The updated Claude 3.5 Sonnet shows wide-ranging improvements on industry benchmarks, with particularly strong gains in agentic coding and tool use tasks. On coding, it improves performance on SWE-bench Verified from 33.4% to 49.0%, scoring higher than all publicly available models—including reasoning models like OpenAI o1-preview and specialized systems designed for agentic coding. It also improves performance on TAU-bench , an agentic tool use task, from 62.6% to 69.2% in the retail domain, and from 36.0% to 46.0% in the more challenging airline domain. The new Claude 3.5 Sonnet offers these advancements at the same price and speed as its predecessor. Early customer feedback suggests the upgraded Claude 3.5 Sonnet represents a significant leap for AI-powered coding. GitLab, which tested the model for DevSecOps tasks, found it delivered stronger reasoning (up to 10% across use cases) with no added latency, making it an ideal choice to power multi-step software development processes. Cognition uses the new Claude 3.5 Sonnet for autonomous AI evaluations, and experienced substantial improvements in coding, planning, and problem-solving compared to the previous version. The Browser Company, in using the model for automating web-based workflows, noted Claude 3.5 Sonnet outperformed every model they’ve tested before. As part of our continued effort to partner with external experts, joint pre-deployment testing of the new Claude 3.5 Sonnet model was conducted by the US AI Safety Institute (US AISI) and the UK Safety Institute (UK AISI). We also evaluated the upgraded Claude 3.5 Sonnet for catastrophic risks and found that the ASL-2 Standard, as outlined in our Responsible Scaling Policy , remains appropriate for this model. Claude 3.5 Haiku: State-of-the-art meets affordability and speed Claude 3.5 Haiku is the next generation of our fastest model. For a similar speed to Claude 3 Haiku, Claude 3.5 Haiku improves across every skill set and surpasses even Claude 3 Opus, the largest model in our previous generation, on many intelligence benchmarks. Claude 3.5 Haiku is particularly strong on coding tasks. For example, it scores 40.6% on SWE-bench Verified, outperforming many agents using publicly available state-of-the-art models—including the original Claude 3.5 Sonnet and GPT-4o. With low latency, improved instruction following, and more accurate tool use, Claude 3.5 Haiku is well suited for user-facing products, specialized sub-agent tasks, and generating personalized experiences from huge volumes of data—like purchase history, pricing, or inventory records. Claude 3.5 Haiku will be made available later this month across our first-party API, Amazon Bedrock, and Google Cloud’s Vertex AI—initially as a text-only model and with image input to follow. Teaching Claude to navigate computers, responsibly With computer use, we're trying something fundamentally new. Instead of making specific tools to help Claude complete individual tasks, we're teaching it general computer skills—allowing it to use a wide range of standard tools and software programs designed for people. Developers can use this nascent capability to automate repetitive processes, build and test software , and conduct open-ended tasks like research . To make these general skills possible, we've built an API that allows Claude to perceive and interact with computer interfaces. Developers can integrate this API to enable Claude to translate instructions (e.g., “use data from my computer and online to fill out this form”) into computer commands (e.g. check a spreadsheet; move the cursor to open a web browser; navigate to the relevant web pages; fill out a form with the data from those pages; and so on). On OSWorld , which evaluates AI models' ability to use computers like people do, Claude 3.5 Sonnet scored 14.9% in the screenshot-only category—notably better than the next-best AI system's score of 7.8%. When afforded more steps to complete the task, Claude scored 22.0%. While we expect this capability to improve rapidly in the coming months, Claude's current ability to use computers is imperfect. Some actions that people perform effortlessly—scrolling, dragging, zooming—currently present challenges for Claude and we encourage developers to begin exploration with low-risk tasks. Because computer use may provide a new vector for more familiar threats such as spam, misinformation, or fraud, we're taking a proactive approach to promote its safe deployment. We've developed new classifiers that can identify when computer use is being used and whether harm is occurring. You can read more about the research process behind this new skill, along with further discussion of safety measures, in our post on developing computer use . Looking ahead Learning from the initial deployments of this technology, which is still in its earliest stages, will help us better understand both the potential and the implications of increasingly capable AI systems. We’re excited for you to explore our new models and the public beta of computer use—and welcome you to share your feedback with us. We believe these developments will open up new possibilities for how you work with Claude, and we look forward to seeing what you'll create. Related content Advancing Claude in healthcare and the life sciences Claude for Healthcare introduces HIPAA-ready infrastructure for providers and payers, while expanded Life Sciences capabilities add connectors to Medidata and ClinicalTrials.gov for clinical trial operations and regulatory work. Read more Sharing our compliance framework for California's Transparency in Frontier AI Act Read more Working with the US Department of Energy to unlock the next era of scientific discovery Read more Products Claude Claude Code Claude in Chrome Claude in Excel Claude in Slack Skills Max plan Team plan Enterprise plan Download app Pricing Log in to Claude Models Opus Sonnet Haiku Solutions AI agents Code modernization Coding Customer support Education Financial services Government Healthcare Life sciences Nonprofits Claude Developer Platform Overview Developer docs Pricing Regional Compliance Amazon Bedrock Google Cloud’s Vertex AI Console login Learn Blog Claude partner network Connectors Courses Customer stories Engineering at Anthropic Events Powered by Claude Service partners Startups program Tutorials Use cases Company Anthropic Careers Economic Futures Research News Responsible Scaling Policy Security and compliance Transparency Help and security Availability Status Support center Terms and policies Privacy policy Consumer health data privacy policy Responsible disclosure policy Terms of service: Commercial Terms of service: Consumer Usage policy © 2025 Anthropic PBC Introducing computer use, a new Claude 3.5 Sonnet, and Claude 3.5 Haiku \ Anthropic | 2026-01-13T08:49:32 |
https://opensource.org/board-member/tracy-hinds | Tracy Hinds – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Tracy Hinds Tracy Hinds Chair Board Member Candidacy Period: October 11, 2019 – October 31, 2025 Type of Seat: Appointed Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://devcycle.com/cdn-cgi/l/email-protection#5c2f292c2c332e281c38392a3f253f3039723f3331 | Email Protection | Cloudflare Please enable cookies. Email Protection You are unable to access this email address devcycle.com The website from which you got to this page is protected by Cloudflare. Email addresses on that page have been hidden in order to keep them from being accessed by malicious bots. You must enable Javascript in your browser in order to decode the e-mail address . If you have a website and are interested in protecting it in a similar way, you can sign up for Cloudflare . How does Cloudflare protect email addresses on website from spammers? Can I sign up for Cloudflare? Cloudflare Ray ID: 9bd3a411583cd160 • Your IP: Click to reveal 1.208.108.242 • Performance & security by Cloudflare | 2026-01-13T08:49:32 |
https://devcycle.com/cdn-cgi/l/email-protection#aededcc7d8cfcdd7eecacbd8cdd7cdc2cb80cdc1c3 | Email Protection | Cloudflare Please enable cookies. Email Protection You are unable to access this email address devcycle.com The website from which you got to this page is protected by Cloudflare. Email addresses on that page have been hidden in order to keep them from being accessed by malicious bots. You must enable Javascript in your browser in order to decode the e-mail address . If you have a website and are interested in protecting it in a similar way, you can sign up for Cloudflare . How does Cloudflare protect email addresses on website from spammers? Can I sign up for Cloudflare? Cloudflare Ray ID: 9bd3a411583ed160 • Your IP: Click to reveal 1.208.108.242 • Performance & security by Cloudflare | 2026-01-13T08:49:32 |
https://devcycle.com/cdn-cgi/l/email-protection#4131332837202238012524372238222d246f222e2c | Email Protection | Cloudflare Please enable cookies. Email Protection You are unable to access this email address devcycle.com The website from which you got to this page is protected by Cloudflare. Email addresses on that page have been hidden in order to keep them from being accessed by malicious bots. You must enable Javascript in your browser in order to decode the e-mail address . If you have a website and are interested in protecting it in a similar way, you can sign up for Cloudflare . How does Cloudflare protect email addresses on website from spammers? Can I sign up for Cloudflare? Cloudflare Ray ID: 9bd3a411583fd160 • Your IP: Click to reveal 1.208.108.242 • Performance & security by Cloudflare | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/create-soft-delete-with-ai#pricing | Using AI for backend feature development: Implementing Soft Delete Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Using AI for backend feature development: Implementing Soft Delete Backend development often involves managing user data efficiently, and implementing features like soft delete is crucial for preserving data without permanent loss. With Fine, developers can easily delegate such tasks to AI, saving time and focusing on what truly matters—building great products. "Soft Delete" is an important feature and needs to be prioritized - but it's not going to improve customer satisfaction or sales in the short term, so being able to delegate it and keep your developers focused on other high-value tasks is ideal for small dev teams. Let's explore how Fine can help add a "Soft Delete" feature for user accounts in a backend application. The Challenge: Adding a Soft Delete Feature for User Accounts Adding a "deleted_at" timestamp to mark user accounts as inactive. Updating ORM queries to exclude soft-deleted users. Modifying API endpoints to support soft delete without affecting existing functionality. Ensuring changes are tested in a secure, isolated environment. For many startups, handling data effectively while minimizing the risk of data loss is a high priority. However, implementing soft delete can be time-consuming and require careful adjustments across the database, application logic, and API layers. How Fine Simplifies the Process Fine streamlines soft delete implementation with its intelligent automation capabilities. Here's how it helps: Generates a Migration Script Fine creates a PostgreSQL migration script to add the "deleted_at" column to the users table, allowing for efficient marking of inactive accounts. Updates ORM Queries It updates all ORM queries in your codebase to exclude users where "deleted_at" is not null, maintaining clean and accurate query results. Modifies API Endpoints Fine modifies the GET /users API endpoint to support an optional "include_deleted" parameter, enabling flexible retrieval of both active and soft-deleted users. Tests Changes in a Virtual Machine The AI agent runs tests in an isolated virtual machine, ensuring that all changes are verified without impacting the live environment. Prompt Used To implement a soft delete feature, simply provide Fine with the following prompt: Generate a PostgreSQL migration script to add a deleted_at timestamp column to the @users table. Update all ORM queries in our codebase to exclude records where deleted_at is not null, and modify the GET /users API endpoint to support an optional include_deleted parameter. Fine will handle the heavy lifting, delivering fully functional scripts, queries, and modifications in moments. Benefits of Using Fine By leveraging Fine for implementing a soft delete, developers gain: Non-Destructive Data Handling Soft delete ensures that data is not permanently removed, allowing for better control and recovery options. Maintained Data Integrity Automation helps maintain data integrity by ensuring all ORM queries and endpoints are consistently updated. Improved Developer Efficiency Automation reduces manual coding, allowing developers to focus on innovation and other critical tasks. Tested in a Safe Environment Fine runs the changes in a sandbox environment, providing live previews and ensuring stability before deployment. Conclusion: Fine – Your Go-To for Simplified Backend Development With Fine, adding a soft delete feature to your backend app is straightforward. From generating migration scripts to updating queries and modifying endpoints, Fine empowers developers to implement non-destructive features with minimal effort. Ready to streamline your backend development? Try Fine and see the difference it can make. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://dev.to/veritaschain/introducing-vcc-demo-a-browser-based-cryptographic-audit-trail-you-can-try-right-now-488a#comments | Introducing VCC Demo: A Browser-Based Cryptographic Audit Trail You Can Try Right Now - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Jan 2 Introducing VCC Demo: A Browser-Based Cryptographic Audit Trail You Can Try Right Now # javascript # react # blockchain # fintech TL;DR: We built a complete cryptographic verification system that runs entirely in your browser. Try it now at veritaschain.org/vcc/demo —no signup required. Why We Built This In 2024-2025, the proprietary trading industry witnessed an unprecedented collapse. Over 80 prop firms shut down, many amid accusations of manipulated evaluations and unverifiable trade execution. Traders had no way to independently verify that their trades were handled fairly. The core problem? Trust-based audit systems controlled by the entity being audited. The VeritasChain Protocol (VCP) offers a different approach: cryptographic proof over trust . Instead of asking "Do I trust this platform?", VCP enables anyone to ask "Can I mathematically verify this hasn't been tampered with?" Today, we're releasing VCC Demo —a fully functional, browser-based implementation that lets you experience this firsthand. Try It Now 🔗 veritaschain.org/vcc/demo No installation. No signup. No server. Everything runs in your browser. What You Can Do 1. Create Trading Events Simulate a complete trade lifecycle: SIG → ORD → ACK → EXE → CLS (Signal → Order → Acknowledged → Executed → Closed) Enter fullscreen mode Exit fullscreen mode Each event gets a cryptographic hash computed using SHA-256: 2. Build Merkle Trees Click "Create Merkle Anchor" to batch your events into an RFC 6962-compliant Merkle tree: [Root] │ ┌──────────┴──────────┐ │ │ [Node] [Node] │ │ ┌────┴────┐ ┌─────┴─────┐ │ │ │ │ [Leaf] [Leaf] [Leaf] [Leaf] Enter fullscreen mode Exit fullscreen mode The Merkle root is a single hash that commits to ALL events in the batch. Change any single bit of any event, and the root changes completely. 3. Verify Independently This is the "Verify, Don't Trust" moment. Select any anchored event and verify its inclusion: { "valid" : true , "certificate" : { "event_hash" : "91648f1e8ea266a9..." , "merkle_root" : "38a3d9ce3372bd5f..." , "merkle_proof" : [ { "hash" : "abc123..." , "position" : "right" }, { "hash" : "def456..." , "position" : "left" } ], "verification_method" : "RFC6962_MERKLE" } } Enter fullscreen mode Exit fullscreen mode The verification runs entirely in your browser. You don't need to trust our server—because there is no server. Under the Hood Technology Stack Component Technology Cryptography Web Crypto API (native) Merkle Tree RFC 6962 with domain separation Identifiers UUID v7 (time-ordered) Storage IndexedDB (browser-local) UI React 18 + Tailwind CSS Hosting GitHub Pages (static) VCP v1.1 Compliance VCC Demo implements the three-layer integrity architecture defined in VCP v1.1: Layer Component Implementation Layer 1 Event Hash SHA-256 via Web Crypto Layer 2 Merkle Tree RFC 6962 compliant Layer 3 External Anchor Simulated (demo) The Code Everything fits in a single 42KB HTML file. Here's the core Merkle verification: const verifyMerkleProof = async ( eventHash , merkleRoot , auditPath , leafIndex ) => { // Start with leaf hash (0x00 prefix per RFC 6962) let currentHash = await merkleHashLeaf ( eventHash ); // Walk up the tree for ( const step of auditPath ) { if ( step . position === ' left ' ) { currentHash = await merkleHashNode ( step . hash , currentHash ); } else { currentHash = await merkleHashNode ( currentHash , step . hash ); } } // If we arrive at the same root, proof is valid return currentHash === merkleRoot ; }; Enter fullscreen mode Exit fullscreen mode The domain separation (0x00 for leaves, 0x01 for internal nodes) prevents second-preimage attacks—a subtle but critical security detail. What This Demo Proves (And Doesn't) ✅ What It Proves Merkle integrity works: Any modification is instantly detectable Proofs are efficient: O(log n) data to verify any event Client-side verification is possible: No server trust required RFC 6962 is implementable: Certificate Transparency techniques apply to trading ❌ What It Doesn't Prove (Yet) Timestamp authority: Browser clock isn't authoritative External anchoring: The "anchor" is local, not on a blockchain Digital signatures: No private keys in this demo For production systems, you'd add OpenTimestamps or blockchain anchoring, HSM-backed Ed25519 signatures, and proper key management. Use Cases For Traders Understand how cryptographic audit trails work before demanding them from your broker. For Prop Firms Evaluate VCP integration without any commitment. See exactly what data structures look like. For Developers Fork the code, study the implementation, build your own verification tools. For Auditors Understand the mathematical guarantees that Merkle proofs provide. The Bigger Picture VCC Demo is part of the VeritasChain ecosystem: Component Purpose VCP The protocol specification VCC Cloud logging service (production) VCC Demo Browser-based reference implementation VCP Explorer Third-party verification UI The demo runs entirely client-side, but production VCC provides: Real external anchoring (OpenTimestamps, blockchain) Ed25519 digital signatures with HSM Multi-tenant API with authentication PostgreSQL storage with replication Try It Yourself 🔗 veritaschain.org/vcc/demo Click "Create Trade Flow" to generate 5 events Click "Create Merkle Anchor" to build the tree Go to "Verify" tab and select any event See the cryptographic proof in action Your data stays in your browser (IndexedDB). Refresh the page and it's still there. Click "Clear All Data" when you're done. Resources Live Demo: veritaschain.org/vcc/demo VCP Specification: github.com/veritaschain/vcp-spec GitHub Organization: github.com/veritaschain Website: veritaschain.org What's Next? We're actively seeking: Early Adopters: Prop firms and brokers interested in transparent audit trails Contributors: Developers who want to improve the protocol Feedback: What features would make this useful for you? Drop a comment below or reach out on GitHub. Disclaimer: VCC Demo is a reference implementation for educational purposes. It is not VC-Certified and does not constitute endorsement by the VeritasChain Standards Organization (VSO). The era of "trust me" is over. The era of "verify it yourself" has begun. #cryptography #javascript #fintech #opensource #trading 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 Tamper-Proof Audit Trails: How VCP v1.1's Three-Layer Architecture Addresses €150M in Regulatory Failures # fintech # python # security # veritaschain Why Your Trading Algorithm Needs a Flight Recorder: Lessons from the 2025 Market Chaos # fintech # cryptography # security # algorithms Building the World's First Edge-Deployed Cryptographic Audit Trail for Algorithmic Trading # cloudflarechallenge # security # fintech # opensource 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/resumemind/how-to-write-a-resume-that-gets-interviews-not-rejections-127b#main-content | How to Write a Resume That Gets Interviews (Not Rejections) - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Resumemind Posted on Jan 12 How to Write a Resume That Gets Interviews (Not Rejections) # career # interview # tutorial Most resumes don’t fail because the candidate is unqualified. They fail because the resume doesn’t communicate value fast enough. Recruiters spend 6–8 seconds scanning a resume before deciding whether to continue or reject it. If your resume doesn’t pass that first scan, it’s over — no matter how skilled you are. This guide will show you step by step how to write a resume that gets interviews, not silent rejections. 1. Understand How Recruiters Actually Read Resumes Before writing anything, you need to understand how resumes are evaluated. Recruiters don’t read resumes line by line. They scan for: Job title relevance Clear role identity Skills that match the job Recent experience or projects Structure and readability If these aren’t obvious in seconds, the resume is rejected. 👉 Your goal is clarity, not creativity. 2. Start With a Clear Role-Focused Resume Header Your resume must immediately answer one question: Who are you professionally? ❌ Weak header John Doe Email | Phone | Location ✅ Strong header John Doe Junior Software Developer | Frontend (Angular) Email | Phone | LinkedIn | Portfolio This instantly tells the recruiter: your level your role your focus Never make recruiters guess. 3. Write a Resume Summary That Sells (Not One That Repeats) Your resume summary is not your life story. It’s a 2–4 line pitch. ❌ Bad summary “Hardworking and motivated individual looking for opportunities to grow.” This says nothing. ✅ Good summary Junior Software Developer with hands-on experience building web applications using Angular and Spring Boot. Strong in problem-solving, REST APIs, and clean UI design. Actively seeking an entry-level role where I can contribute and grow. A good summary: mentions your role highlights key skills shows direction 4. Experience Matters — Even If You Have No Job Experience Many people think: “I can’t write a good resume because I have no experience.” That’s false. Recruiters accept: projects internships freelance work academic projects self-initiated work How to Write Experience Correctly Instead of listing duties, list impact. ❌ Bad: Built a website Worked with Angular ✅ Good: Built a responsive web application using Angular and REST APIs Implemented authentication and improved UI usability If you don’t have job experience, projects become your experience. 5. Skills Section: Be Honest, Relevant, and Specific Your skills section should support your role — not show everything you’ve ever touched. ❌ Bad skills list HTML, CSS, Java, Python, Photoshop, Networking, Excel This looks unfocused. ✅ Good skills list Frontend: Angular, TypeScript, HTML, CSS Backend: Java, Spring Boot, REST APIs Tools: Git, GitHub, Postman Only list skills you’re ready to discuss in an interview. 6. Formatting Can Get You Rejected Instantly Even strong content can fail if formatting is poor. Use: 1 page (for juniors) clear section headings consistent spacing readable font bullet points Avoid: long paragraphs heavy colors icons everywhere photos (unless required) fancy designs that hurt readability A clean resume looks professional and trustworthy. 7. Tailor Your Resume for Each Job (This Is Critical) Using one resume for every job is one of the biggest mistakes job seekers make. You should: adjust your summary reorder skills emphasize relevant projects This doesn’t mean rewriting everything — it means highlighting what matters most for that role. Tailoring your resume alone can double your interview chances. 8. Common Resume Mistakes That Lead to Rejection Avoid these at all costs: No role mentioned Weak or generic summary No projects listed Grammar mistakes Overcrowded layout Irrelevant skills Copy-pasted content Recruiters see these mistakes every day — and reject fast. 9. Get a Second Pair of Eyes on Your Resume One of the best things you can do is get honest feedback. When reviewing resumes manually, the most common missing elements are: unclear role weak summary missing experience descriptions no direction You might not see these issues yourself. Getting your resume reviewed by another person can completely change your results. Final Thoughts A resume that gets interviews is not about being perfect. It’s about being clear, relevant, and honest. If recruiters can quickly understand: who you are what you can do and why you fit the role You’ll start getting callbacks. Next Step If you’re unsure whether your resume is working, get it reviewed before you apply. Often, a few small changes are all it takes to start getting interviews. We offer a free manual resume review , where real people review resumes daily and give honest feedback — not automated scores. 👉 Request a free resume review: https://resumemind.com/public/resume-review 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 Resumemind Follow Helping software developers and other related tech experts like project managers, QA, businesses analysts crafting their tech resumes for their next job applications. Joined Jan 4, 2026 More from Resumemind How I Built a Manual Resume Review System with Spring Boot & Angular # angular # career # showdev # springboot I Reviewed 50 Junior Developer Resumes — Here’s What Actually Works # beginners # career # codenewbie How to Write a Resume With No Work Experience (Fresh Graduate Guide for 2026) # beginners # career # tutorial 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/can-ai-build-an-app#seamless-user-authentication | Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Building an app was once for experienced developers only, but with Fine’s AI App Building Platform, anyone can bring their ideas to life—no coding expertise required. In this blog, we'll answer the question, "can AI build me an app?" by showing you how Fine simplifies every step of the process, from design to deployment. Table of Contents Introduction to Fine's App Building Platform Designing Your App’s Look and Feel Powering Your App with a Smart Backend Effortless Data Management Seamless User Authentication Smooth Deployment for a Live App Conclusion: Your App, Built by AI Introduction to Fine's App Building Platform Fine is designed to remove the complexity from app development. Whether you're an entrepreneur, a business owner, or someone with a great idea, Fine answers the common question: "can AI build me an app?" The answer is yes. Fine uses artificial intelligence to guide you through creating a complete, professional app—all without requiring you to write a single line of code. Designing Your App’s Look and Feel Creating an attractive and user-friendly interface is crucial for your app's success. Fine designs the app based on your prompts - no drag-and-drop required. It automatically follows design best-practices for a clean, easy-to-understand UI. Read more about how to prompt to create your Frontend . Using Fine AI to build your app will ensure it’s responsive to different screen sizes - including desktop, tablet and mobile - and coherent by following brand guidelines. It’s easy to update your fonts, colours and icons by just prompting. Powering Your App with a Smart Backend Behind every great app is a powerful backend that handles data, logic, and interactions. Fine’s AI-driven backend setup takes care of all these technical tasks for you. By automatically generating and configuring the backend, Fine ensures that your app runs smoothly and securely. You don't have to worry about the complexities of server management—the platform does it all. Fine’s AI doesn’t require you to connect to an external platform for your backend - it’s all built in to the AI app building platform. Effortless Data Management Your app needs to store and manage information reliably. Fine integrates a user-friendly database solution that makes data management simple. Whether it's storing user details or keeping track of app content, Fine’s database functionality is designed for ease of use, so you can focus on what matters most—growing your idea. Learn more about Fine’s built-in Database . Seamless User Authentication Security and user management are key to any successful app. Fine includes built-in authentication features that let you add sign-up, login, and secure user access without any extra hassle. This means you can easily protect your app and offer a smooth experience for your users. AI can configure different permission levels and make it easy to add login with familiar methods such as email and password without complex setup. Smooth Deployment for a Live App After building your app, the next step is launching it to the world. Fine takes care of the deployment process, ensuring that your app is live and accessible with minimal effort. The platform’s deployment features streamline the process, allowing you to focus on engaging with your users and growing your business. You can deploy to a free subdomain, custom branded domain and a preview environment for each change. Conclusion: Your App, Built by AI The answer to "can AI build me an app?" is a confident yes—with Fine, you have the power to create a fully functional, professional app without any technical barriers. By combining intuitive design tools, AI-powered backend management, seamless data handling, robust security, and effortless deployment, Fine turns your app ideas into reality. Whether you're looking to launch a startup, enhance your business, or simply experiment with new digital solutions, Fine’s comprehensive platform is your gateway to innovation. Dive into the resources on Fine App Building Docs and start building today! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://golf.forem.com/t/golfyoutube | Golfyoutube - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close # golfyoutube Follow Hide Sharing and discussing the best golf YouTube channels Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu No Laying Up Podcast: Everyone Only: The Gimme Golf Club Origin Story | NLU Pod, Ep 1033 YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 No Laying Up Podcast: Everyone Only: The Gimme Golf Club Origin Story | NLU Pod, Ep 1033 # golf # golfpodcasts # golfyoutube # localgolf Comments Add Comment 1 min read Golf.com: Bringing the Anthem to the PGA Tour: One Family's Story of Service YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Bringing the Anthem to the PGA Tour: One Family's Story of Service # pgatour # historyofgolf # golfyoutube # golfmedia Comments Add Comment 1 min read Golf.com: Secrets of Long Island Private Golf: A 1-Member Club, Hamptons Hideaways and Caddie Confessionals YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Secrets of Long Island Private Golf: A 1-Member Club, Hamptons Hideaways and Caddie Confessionals # coursereviews # golfdestinations # localgolf # golfyoutube Comments Add Comment 1 min read Golf.com: Is new LPGA Commissioner Craig Kessler ready for the job? YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Is new LPGA Commissioner Craig Kessler ready for the job? # lpga # womensgolf # golfpodcasts # golfyoutube Comments Add Comment 1 min read Grant Horvat: My First Round on Tour. YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Grant Horvat: My First Round on Tour. # golfyoutube # kornferrytour # equipment # apparel Comments Add Comment 1 min read Grant Horvat: Can We Beat Bryson & Garrett in a Golf Match? YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Grant Horvat: Can We Beat Bryson & Garrett in a Golf Match? # golf # golfyoutube # roundrecap # equipment Comments Add Comment 1 min read Bryan Bros Golf: We Flew To Germany For Golf Match! YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Bryan Bros Golf: We Flew To Germany For Golf Match! # golfyoutube # dpworldtour # equipment # launchmonitors Comments Add Comment 1 min read Bryan Bros Golf: The $100,000 Golf Match! YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Bryan Bros Golf: The $100,000 Golf Match! # golfyoutube # roundrecap # equipment # launchmonitors Comments Add Comment 1 min read Rick Shiels Golf: Can Bad golfer CHEATING Beat Tour Pro? YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Rick Shiels Golf: Can Bad golfer CHEATING Beat Tour Pro? # roundrecap # golfyoutube # lessons # swingtips Comments Add Comment 1 min read Peter Finch Golf: I take on the best 50 PGA Pros for £100,000 (My Best Round Of The Year!) YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Peter Finch Golf: I take on the best 50 PGA Pros for £100,000 (My Best Round Of The Year!) # golf # pgachampionship # roundrecap # golfyoutube Comments Add Comment 1 min read Peter Finch Golf: I take on the best 50 PGA Pros for £100,000 (My Best Round Of The Year!) YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Peter Finch Golf: I take on the best 50 PGA Pros for £100,000 (My Best Round Of The Year!) # pgachampionship # roundrecap # golfyoutube # equipment Comments Add Comment 1 min read Rick Shiels Golf: Can Bad golfer CHEATING Beat Tour Pro? YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Rick Shiels Golf: Can Bad golfer CHEATING Beat Tour Pro? # golfyoutube # roundrecap # dpworldtour # livgolf Comments Add Comment 1 min read Grant Horvat: Can We Beat Bryson & Garrett in a Golf Match? YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Grant Horvat: Can We Beat Bryson & Garrett in a Golf Match? # golf # golfyoutube # roundrecap # equipment Comments Add Comment 1 min read Grant Horvat: My First Round on Tour. YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Grant Horvat: My First Round on Tour. # golfyoutube # roundrecap # milestones # equipment Comments Add Comment 1 min read Golf With Aimee: Stop Losing Power & Direction – Fix Your Lead Foot! YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf With Aimee: Stop Losing Power & Direction – Fix Your Lead Foot! # swingcritique # swingtips # drills # golfyoutube Comments Add Comment 1 min read Golf.com: Warming Up with Jon Rahm and Tyrrell Hatton YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Warming Up with Jon Rahm and Tyrrell Hatton # golfyoutube # livgolf # rydercup # mentalgame Comments Add Comment 1 min read Golf.com: Secrets of Long Island Private Golf: A 1-Member Club, Hamptons Hideaways and Caddie Confessionals YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Secrets of Long Island Private Golf: A 1-Member Club, Hamptons Hideaways and Caddie Confessionals # coursereviews # localgolf # golfdestinations # golfyoutube Comments Add Comment 1 min read Golf.com: Bringing the Anthem to the PGA Tour: One Family's Story of Service YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Bringing the Anthem to the PGA Tour: One Family's Story of Service # golf # pgatour # golfyoutube # historyofgolf Comments Add Comment 1 min read Rick Shiels Golf: Can Bad golfer CHEATING Beat Tour Pro? YouTube Golf YouTube Golf YouTube Golf Follow Jul 9 '25 Rick Shiels Golf: Can Bad golfer CHEATING Beat Tour Pro? # golfyoutube # roundrecap # formats # livgolf Comments Add Comment 1 min read Peter Finch Golf: I take on the best 50 PGA Pros for £100,000 (My Best Round Of The Year!) YouTube Golf YouTube Golf YouTube Golf Follow Jul 9 '25 Peter Finch Golf: I take on the best 50 PGA Pros for £100,000 (My Best Round Of The Year!) # pgachampionship # roundrecap # golfyoutube # equipment Comments Add Comment 1 min read Grant Horvat: My First Round on Tour. YouTube Golf YouTube Golf YouTube Golf Follow Jul 9 '25 Grant Horvat: My First Round on Tour. # golf # golfyoutube # milestones # roundrecap Comments Add Comment 1 min read Bryan Bros Golf: We Flew To Germany For Golf Match! YouTube Golf YouTube Golf YouTube Golf Follow Jul 9 '25 Bryan Bros Golf: We Flew To Germany For Golf Match! # roundrecap # dpworldtour # golfyoutube # launchmonitors Comments Add Comment 1 min read Peter Finch Golf: Can I MAKE THE CUT at the PGA Championship? YouTube Golf YouTube Golf YouTube Golf Follow Jul 9 '25 Peter Finch Golf: Can I MAKE THE CUT at the PGA Championship? # pgachampionship # gearreviews # techgadgets # golfyoutube Comments Add Comment 1 min read Grant Horvat: Can We Beat Bryson & Garrett in a Golf Match? YouTube Golf YouTube Golf YouTube Golf Follow Jul 9 '25 Grant Horvat: Can We Beat Bryson & Garrett in a Golf Match? # golf # golfyoutube # roundrecap # equipment Comments Add Comment 1 min read Golf With Aimee: Stop Losing Power & Direction – Fix Your Lead Foot! YouTube Golf YouTube Golf YouTube Golf Follow Jul 7 '25 Golf With Aimee: Stop Losing Power & Direction – Fix Your Lead Foot! # swingtips # drills # swingcritique # golfyoutube 2 reactions Comments Add Comment 1 min read loading... trending guides/resources Anybody watching the Internet Invitational? 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/devteam/join-the-real-time-ai-agents-challenge-powered-by-n8n-and-bright-data-5000-in-prizes-across-five-3nmb | Join the Real-Time AI Agents Challenge powered by n8n and Bright Data: $5,000 in prizes across FIVE winners! - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Jess Lee for The DEV Team Posted on Aug 13, 2025 • Edited on Aug 20, 2025 Join the Real-Time AI Agents Challenge powered by n8n and Bright Data: $5,000 in prizes across FIVE winners! # devchallenge # n8nbrightdatachallenge # ai # webdev We're thrilled to partner with n8n and Bright Data to bring the community a brand new challenge! Running through August 31 , the Real-Time AI Agents Challenge powered by n8n and Bright Data invites you to build AI Agents using cutting-edge tools that are reshaping how AI agents access and process data. ✨ Join us on August 19 at 12pm ET for a special livestream right on the DEV homepage. Our co-founder @peter will be walking through the tools for this challenge with the n8n and Bright Data teams! For anyone that can't make it, we'll make sure to include the video in our resource section below. ✨ Building with n8n's automation platform combined with Bright Data's web data infrastructure truly puts you at the forefront of AI agent development. We have one prompt for this challenge with five chances to win, we hope you give it a try! Our Prompt Unstoppable Workflow Build an unstoppable workflow with n8n that leverages Bright Data's n8n Verified Node to create something truly useful, complex, and creative. Your agent should demonstrate how adding real-time web data helps enhance what AI can accomplish. Real-Time AI Agents Challenge Submission Template Please review all challenge rules on the official challenge page before submitting. Judging Criteria and Prizes All submissions will be judged on the following: Utilization of Underlying Technology Accessibility and User Experience Business Value and Use Case Creativity and Usability Writing Quality (Clarity and Originality) Five talented prompt winners will receive: $1,000 USD DEV++ Membership Exclusive DEV Badge All Participants with a valid submission will receive a completion badge on their DEV profile. How To Participate In order to participate, you will need to publish a post using the submission template above . All projects must: Use n8n's AI Agent node with Bright Data's verified node. Be publicly accessible via n8n's chat interface or another interaction layer, OR include a screen capture/demo video Inculde your n8n workflow JSON in a GitHub Gist or similar format (JSON file in the associated repo) Bright Data Credits Participants will receive $250 in credits upon signing up through our dedicated sign up link . If you're not seeing the credits in your account, try adding devto as a promo code. If additional credits are required, participants can email noah@brightdata.com with the subject line "DEV Challenge - Credit Required," including the email they used to sign up and details about their use case. Important Note: Use of Data Provided by Bright Data If you receive data from Bright Data as part of this challenge, it is solely for use in your project submission. This data is not intended for reuse, resale, or redistribution at any point. Data provided for the competition will be accessed through an account created by Bright Data and credited using a dev.to promotion code. The promotion code will provide the necessary credits to complete your project as part of the challenge. Misuse of the data or credits may result in disqualification from the competition and/or revocation of access. Please review our full rules, guidelines, and FAQ page before submitting so you understand our participation guidelines and official contest rules such as eligibility requirements. Helpful Links Get to know n8n and Bright Data by utilizing their docs and tutorials: Get n8n : Start fast with a 14-day trial on cloud or with the free self-hosted community edition n8n Quick Start Tutorial: Developer Docs Bright Data Blog Bright Data Use Cases Bright Data's n8n Verified Node DEV Live Stream : Important Dates August 13 : AI Agents Challenge begins! August 31: Submissions due at 11:59 PM PDT September 11 : Winners Announced The era of intelligent, data-driven AI agents is here. We can't wait to see what you build! Good luck and happy coding! Top comments (66) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Peter Kim Frank The DEV Team Peter Kim Frank The DEV Team Peter Kim Frank Follow Doing a bit of everything at DEV / Forem Email peter@dev.to Education Wesleyan University Pronouns He/Him Work Co-Founder Joined Jan 3, 2017 • Aug 13 '25 Dropdown menu Copy link Hide Huge fan and regular personal user of both n8n + Bright Data. Really excited to see what folks build. Like comment: Like comment: 11 likes Like Comment button Reply Collapse Expand Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Follow Founder & CTO at NikoLabs LLC, building Axrisi—an AI-powered browser extension for seamless on-page text processing and productivity. Opened Chicos restaurant in Tbilisi, Georgia. Email turazashvili@gmail.com Location Tbilisi, Georgia Education EXCELIA La Rochelle Pronouns He/Him Work Founder & CTO at NikoLabs LLC and Axrisi Joined May 30, 2025 • Aug 13 '25 Dropdown menu Copy link Hide Another opportunity to learn new technology. Don't miss out guys :) Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Aditya Aditya Aditya Follow Software Engg | Making things ↔ complicated is my hobby. Location New Delhi, India Pronouns He/Him Work Taazaa Inc. Joined Nov 14, 2021 • Aug 16 '25 Dropdown menu Copy link Hide I'm also participating this time. I'm planning to make something wow. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Evan Dickinson Evan Dickinson Evan Dickinson Follow hi! I'm evan Joined May 22, 2024 • Aug 18 '25 Dropdown menu Copy link Hide This is actually amazing. I know exactly what I’m going to build with this. A leads gen engine but also so much more. It actually fits nicely with my hustle project currently Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Inforeole Automatisations IA Inforeole Automatisations IA Inforeole Automatisations IA Follow Inforeole fuel enterprise with AI agents powered by Bright Data's web data. We automate market intelligence, lead generation & pricing strategies to give businesses a competitive edge. Location france Joined Aug 17, 2025 • Aug 17 '25 • Edited on Aug 30 • Edited Dropdown menu Copy link Hide Using n8n this : You get a json file, including the html body tag Then you can parse it to get easily Google Results Easy with Brightdata + n8n Phil | inforeole Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Evan Dickinson Evan Dickinson Evan Dickinson Follow hi! I'm evan Joined May 22, 2024 • Aug 18 '25 Dropdown menu Copy link Hide If I’m not mistaken you’d need to actual html to get the links. Usually links are in anchor tags ( ). I don’t actually know any dedicated html parsers in js(like bs4 in python) so that’d be something to figure out. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand William Carlson William Carlson William Carlson Follow Joined Aug 19, 2025 • Sep 11 '25 Dropdown menu Copy link Hide Wait, who won!? I missed the post. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Jess Lee The DEV Team Jess Lee The DEV Team Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Sep 11 '25 Dropdown menu Copy link Hide The winners were just announced here: Congrats to the Winners of the Real-Time AI Agents Challenge powered by n8n and Bright Data! Jess Lee for The DEV Team ・ Sep 11 #devchallenge #ai #n8nbrightdatachallenge #machinelearning Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Follow Founder & CTO at NikoLabs LLC, building Axrisi—an AI-powered browser extension for seamless on-page text processing and productivity. Opened Chicos restaurant in Tbilisi, Georgia. Email turazashvili@gmail.com Location Tbilisi, Georgia Education EXCELIA La Rochelle Pronouns He/Him Work Founder & CTO at NikoLabs LLC and Axrisi Joined May 30, 2025 • Sep 1 '25 Dropdown menu Copy link Hide I couldn't participate this time unfortunately. was busy working on my project. got funded by VC, news coming soon :) Wish luck to all participants! Checking all projects now. you guys have built some crazy projects! Love it! Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Arslan Sarwar Arslan Sarwar Arslan Sarwar Follow Software Engineer | Technical Writer Email m.arslans171@gmail.com Joined Sep 8, 2021 • Aug 13 '25 Dropdown menu Copy link Hide Hi, I'm based in Pakistan. I'm eligible to participate in this hackathon according to the official Dev rules. I'm unable to access Bright Data Website without VPN. Can you help me with this? Thanks, Muhammad Arslan Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Aditya Aditya Aditya Follow Software Engg | Making things ↔ complicated is my hobby. Location New Delhi, India Pronouns He/Him Work Taazaa Inc. Joined Nov 14, 2021 • Aug 16 '25 Dropdown menu Copy link Hide Is there an issue while accessing it through vpn? If not, use vpn Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Jackson Kasi Jackson Kasi Jackson Kasi Follow Self-taught tech enthusiast with a passion for continuous learning and innovative solutions Email nammalvar888@gmail.com Location India Education Completed School, no College but Learner until Death 😎 Work I am try to be an entrepreneur 🎯 Joined Dec 25, 2020 • Aug 26 '25 • Edited on Aug 26 • Edited Dropdown menu Copy link Hide Is anyone able to assist with the Bright Data N8N Node for the web unlocker? I don't get any response for the zone selection. There is no result from the API Access and extract data from a specific URL - Zone Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Meir Meir Meir Follow AI Engineer @BrightData | Building AI agents, scraping tools, and automations for real-world scale | Passionate about LLMs & web data Joined Jun 12, 2025 • Aug 26 '25 Dropdown menu Copy link Hide Hi there, Meir from Bright Data here 👋 Can you please make sure that : you have a valid bright data api key the zone web_unlocker1 actually exists in your account (if not, you should create it) since it is Amazon.in you might want to change the country accordingly, this might be a problem. If you are still facing any issues after validating the above, please do let me know, I would love to help you solve it ! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Jackson Kasi Jackson Kasi Jackson Kasi Follow Self-taught tech enthusiast with a passion for continuous learning and innovative solutions Email nammalvar888@gmail.com Location India Education Completed School, no College but Learner until Death 😎 Work I am try to be an entrepreneur 🎯 Joined Dec 25, 2020 • Aug 27 '25 Dropdown menu Copy link Hide Thank you for the clarification; I will check it out. Thanks again! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Inforeole Automatisations IA Inforeole Automatisations IA Inforeole Automatisations IA Follow Inforeole fuel enterprise with AI agents powered by Bright Data's web data. We automate market intelligence, lead generation & pricing strategies to give businesses a competitive edge. Location france Joined Aug 17, 2025 • Sep 1 '25 Dropdown menu Copy link Hide Hi, Check this : n8n.io/workflows/8053-create-data-... You will see how to use it and get responses :-) Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Jackson Kasi Jackson Kasi Jackson Kasi Follow Self-taught tech enthusiast with a passion for continuous learning and innovative solutions Email nammalvar888@gmail.com Location India Education Completed School, no College but Learner until Death 😎 Work I am try to be an entrepreneur 🎯 Joined Dec 25, 2020 • Sep 1 '25 Dropdown menu Copy link Hide Thank you! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Ashley Childress Ashley Childress Ashley Childress Follow Distributed backend specialist. Perfectly happy playing second fiddle—it means I get to chase fun ideas, dodge meetings, and break things no one told me to touch, all without anyone questioning it. 😇 Location Georgia, United States Education University of West Georgia Pronouns She/Her Work SSE @ Home Depot, 7+ years Joined May 30, 2025 • Aug 15 '25 • Edited on Aug 15 • Edited Dropdown menu Copy link Hide There's a broken link at the top for [official challenge page]( dev.to/challenges/n8nbrightdata-20... ). 🫠 Is this supposed to be the same as [rules, guidelines, and FAQ page]( dev.to/challenges/brightdata-n8n-2... )? The broken n8nbrightdata-2025-08-13 is also in the prefill template. 😉 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Jess Lee The DEV Team Jess Lee The DEV Team Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Aug 15 '25 Dropdown menu Copy link Hide Thanks, fixed! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Sebastian Van Rooyen Sebastian Van Rooyen Sebastian Van Rooyen Follow Joined Mar 13, 2024 • Aug 15 '25 Dropdown menu Copy link Hide @jess I'm just confirming if this needs to be the Bright Data node or can it use the Bright Data MCP Server as well? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Jess Lee The DEV Team Jess Lee The DEV Team Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Aug 15 '25 Dropdown menu Copy link Hide @sebastiandevelops confirmed that this need to be the Bright Data Verified Node, and not the Bright Data MCP Server. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Abhi Abhi Abhi Follow SWE Pronouns He/Him Joined Jun 26, 2025 • Aug 17 '25 Dropdown menu Copy link Hide What's the difference between verified node and mcp server? Like comment: Like comment: 2 likes Like Thread Thread Peter Kim Frank The DEV Team Peter Kim Frank The DEV Team Peter Kim Frank Follow Doing a bit of everything at DEV / Forem Email peter@dev.to Education Wesleyan University Pronouns He/Him Work Co-Founder Joined Jan 3, 2017 • Aug 18 '25 Dropdown menu Copy link Hide The Verified Node is used in the broader automation/workflow, whereas the MCP is specifically leveraged as a "Tool" by the agent itself. You'll still use the Verified Node to pass data forward to be used by the agent. Like comment: Like comment: 2 likes Like Thread Thread Abhi Abhi Abhi Follow SWE Pronouns He/Him Joined Jun 26, 2025 • Aug 19 '25 • Edited on Aug 19 • Edited Dropdown menu Copy link Hide @peter So, is it mandatory for the AI agent to use the verified node as a tool? Or the verified node can be used independently? Like scrape a website using brightdata node -> extract data using selectors -> send it to the agent for some AI task Like comment: Like comment: 1 like Like Thread Thread Nadine Nadine Nadine Follow 💫 About Me: I operate with a results-driven, self-directed methodology. My approach prioritizes rapid, on-the-fly acquisition of necessary skills to meet project goals. Education BA, BSc, AWS Certified, GitHub 300 Work Contractor Joined May 31, 2025 • Aug 19 '25 Dropdown menu Copy link Hide This can be done using Brightdata’s node on n8n. You create a scraper on Brightdata, then extract the data on n8n. I find you have to build your scraper independently, if you are building a custom scraper Like comment: Like comment: 2 likes Like Thread Thread Abhi Abhi Abhi Follow SWE Pronouns He/Him Joined Jun 26, 2025 • Aug 19 '25 Dropdown menu Copy link Hide Yes, that's how I'm thinking of doing it, but since AI agent node is to be used -> should the bright data node should be a tool to the AI agent or it can be used independently? Like comment: Like comment: 1 like Like Thread Thread Nadine Nadine Nadine Follow 💫 About Me: I operate with a results-driven, self-directed methodology. My approach prioritizes rapid, on-the-fly acquisition of necessary skills to meet project goals. Education BA, BSc, AWS Certified, GitHub 300 Work Contractor Joined May 31, 2025 • Aug 19 '25 Dropdown menu Copy link Hide Oh I see yes it’s compulsory to use it but not specified how to use in in your workflow. So it depends on you how you use it? I need a trigger to start the process, so will start with an AI agent Like comment: Like comment: 1 like Like Comment button Reply View full discussion (66 comments) Some comments may only be visible to logged-in visitors. Sign in to view all comments. Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse The DEV Team Follow The hardworking team behind DEV ❤️ Want to contribute to open source and help make the DEV community stronger? The code that powers DEV is called Forem and is freely available on GitHub. You're welcome to jump in! Contribute to Forem More from The DEV Team Congrats to the AI Agents Intensive Course Writing Challenge Winners! # googleaichallenge # devchallenge # ai # agents Join the Algolia Agent Studio Challenge: $3,000 in Prizes! # algoliachallenge # devchallenge # agents # webdev Congrats to the Xano AI-Powered Backend Challenge Winners! # xanochallenge # backend # api # ai 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/can-ai-build-an-app#conclusion-your-app-built-by-ai | Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Building an app was once for experienced developers only, but with Fine’s AI App Building Platform, anyone can bring their ideas to life—no coding expertise required. In this blog, we'll answer the question, "can AI build me an app?" by showing you how Fine simplifies every step of the process, from design to deployment. Table of Contents Introduction to Fine's App Building Platform Designing Your App’s Look and Feel Powering Your App with a Smart Backend Effortless Data Management Seamless User Authentication Smooth Deployment for a Live App Conclusion: Your App, Built by AI Introduction to Fine's App Building Platform Fine is designed to remove the complexity from app development. Whether you're an entrepreneur, a business owner, or someone with a great idea, Fine answers the common question: "can AI build me an app?" The answer is yes. Fine uses artificial intelligence to guide you through creating a complete, professional app—all without requiring you to write a single line of code. Designing Your App’s Look and Feel Creating an attractive and user-friendly interface is crucial for your app's success. Fine designs the app based on your prompts - no drag-and-drop required. It automatically follows design best-practices for a clean, easy-to-understand UI. Read more about how to prompt to create your Frontend . Using Fine AI to build your app will ensure it’s responsive to different screen sizes - including desktop, tablet and mobile - and coherent by following brand guidelines. It’s easy to update your fonts, colours and icons by just prompting. Powering Your App with a Smart Backend Behind every great app is a powerful backend that handles data, logic, and interactions. Fine’s AI-driven backend setup takes care of all these technical tasks for you. By automatically generating and configuring the backend, Fine ensures that your app runs smoothly and securely. You don't have to worry about the complexities of server management—the platform does it all. Fine’s AI doesn’t require you to connect to an external platform for your backend - it’s all built in to the AI app building platform. Effortless Data Management Your app needs to store and manage information reliably. Fine integrates a user-friendly database solution that makes data management simple. Whether it's storing user details or keeping track of app content, Fine’s database functionality is designed for ease of use, so you can focus on what matters most—growing your idea. Learn more about Fine’s built-in Database . Seamless User Authentication Security and user management are key to any successful app. Fine includes built-in authentication features that let you add sign-up, login, and secure user access without any extra hassle. This means you can easily protect your app and offer a smooth experience for your users. AI can configure different permission levels and make it easy to add login with familiar methods such as email and password without complex setup. Smooth Deployment for a Live App After building your app, the next step is launching it to the world. Fine takes care of the deployment process, ensuring that your app is live and accessible with minimal effort. The platform’s deployment features streamline the process, allowing you to focus on engaging with your users and growing your business. You can deploy to a free subdomain, custom branded domain and a preview environment for each change. Conclusion: Your App, Built by AI The answer to "can AI build me an app?" is a confident yes—with Fine, you have the power to create a fully functional, professional app without any technical barriers. By combining intuitive design tools, AI-powered backend management, seamless data handling, robust security, and effortless deployment, Fine turns your app ideas into reality. Whether you're looking to launch a startup, enhance your business, or simply experiment with new digital solutions, Fine’s comprehensive platform is your gateway to innovation. Dive into the resources on Fine App Building Docs and start building today! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://opensource.org/blog#content | Blog – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu News Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member The Open Source Initiative (OSI) is pleased to welcome the Open Source Technology Improvement Fund (OSTIF) to the Open Policy Alliance. OSTIF is a nonprofit dedicated to securing Open Source apps. January 8, 2026 by Katie Steen-James Recent Posts Top Open Source licenses in 2025 Top Open Source licenses in 2025 The top 20 OSI-Approved licenses most frequently sought out by our community in 2025 based on number of pageviews. December 17, 2025 Celebrating Generosity and Growth in the OSI Community Celebrating Generosity and Growth in the OSI Community Members Newsletter – December 2025 As we reach the final weeks of the year, I find myself reflecting on a season that invites both gratitude and giving, two values that feel especially resonant for our community. Serving as Interim Executive Director these past months has only deepened my appreciation for the people who make Open Source possible. December 12, 2025 Open Source Without Borders: Reflections from COSCon’25 Open Source Without Borders: Reflections from COSCon’25 Witnessing China’s Deepseek moment firsthand and learning about Kaiyuanshe’s dedication for over a decade building and championing China’s Open Source community with such vision and commitment is truly inspiring. December 10, 2025 DPGA’s Annual Members Meeting: Advancing Open Source & DPGs for the Public Good DPGA’s Annual Members Meeting: Advancing Open Source & DPGs for the Public Good The DPGA’s Annual Members Meeting highlighted several priorities that resonate strongly with OSI’s mission, including promoting Open Source software, advancing public-interest AI, and strengthening global collaboration. December 6, 2025 Patents and Open Source: Understanding the Risks and Available Solutions Patents and Open Source: Understanding the Risks and Available Solutions The Open Source community has spent two decades building the scaffolding to make patent threats rare and containable. Developers who understand that landscape can focus on what they do best: innovating in the open, confident that the legal ground beneath them is far more stable than any patent myths suggest. December 4, 2025 OFA Symposium 2025 and the Launch of the Open Technology Research Network (OTRN) OFA Symposium 2025 and the Launch of the Open Technology Research Network (OTRN) The OpenForum Academy Symposium 2025 organized by OpenForum Europe (OFE) brought together researchers, policymakers, practitioners, and open technology leaders for two days of deep inquiry into how open technologies shape our economies, infrastructures, and societies. December 3, 2025 Open Source: A global commons to enable digital sovereignty Open Source: A global commons to enable digital sovereignty In a world increasingly run by software, countries around the world are waking up to their dependency on foreign services and products. Geopolitical shifts drive digital sovereignty to the top of the political agenda in Europe and other regions. How can we ensure that regulations protecting our citizens actually apply? How do we guarantee continuity of operations in a potentially fragmenting world? How do we ensure access to critical services is not held hostage in future international trade negotiations? November 24, 2025 Open letter: Harnessing open source AI to advance digital sovereignty Open letter: Harnessing open source AI to advance digital sovereignty Europe is at a crossroads. The Summit on European Digital Sovereignty marks an important milestone for the EU and its member states in aligning on a shared strategy for achieving real and lasting European digital sovereignty. As the EU pursues the goal of digital sovereignty, we urge you to harness open source — that is, technology that is free to use, inspect, adapt, and share — as a key enabler of this strategy. November 20, 2025 Sustaining Open Source: The Next 25 Years Depend on What We Do Together Now Sustaining Open Source: The Next 25 Years Depend on What We Do Together Now Open source is suffering from its own success. The ecosystem that once thrived on volunteer energy now faces existential questions: How do we sustain the infrastructure that powers the modern world? The answer isn’t just money—it’s people, governance, and collaboration. We need companies to invest not only funds but also employee time, foundations to work together instead of in silos, and communities to plan for the full lifecycle of projects. The next 25 years depend on what we do together now. November 18, 2025 Must-See Recordings Now Available Must-See Recordings Now Available Members Newsletter – November 2025 October was punctuated by lots of direct connections with the community. In this month’s newsletter, we’ll highlight our experience through our annual “State of the Source” track at All Things Open; discuss our advocacy on behalf of the Open Source community through our public policy work; and share the recorded sessions from outstanding contributors to the Deep Dive: Data Governance virtual event. November 6, 2025 Popular posts Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member Top Open Source licenses in 2025 Celebrating Generosity and Growth in the OSI Community Open Source Without Borders: Reflections from COSCon'25 Recent comments Victoria (K8VSY) (she/her) on Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member Jordan Maris 🇪🇺 🇺🇦 #NAFO on Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member 2711chrissi on Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member Timo Tijhof on Top Open Source licenses in 2025 Categories Affiliates Archived posts by the Board Events In practice News Newsletter archive Opinions OSI opinion Press Releases Sponsors Transcript Posts pagination 1 2 … 83 Keep up with Open Source Please leave this field empty. Δ We’ll never share your details and you can unsubscribe with a click! Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://dev.to/aaron_rose_0787cc8b4775a0/the-secret-life-of-javascript-identity-3m27#the-rule-of-the-dot | The Secret Life of JavaScript: Identity - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Aaron Rose Posted on Jan 13 The Secret Life of JavaScript: Identity # javascript # coding # programming # software Why this is undefined. A visual guide to the "Left of the Dot" rule Timothy slumped into a chair at the main worktable, dropping his pen onto a piece of code. He looked exhausted. "I don't understand who I am anymore, Margaret," he muttered. Margaret paused her sorting and walked over. "That is a deep philosophical question, Timothy." "It’s not philosophy. It’s this function," he said, tapping the paper. "I wrote a printName function inside my user object. When I run it, it prints 'Timothy'. But when I pass that exact same function to a helper, it forgets who it is. It prints undefined . It’s having an identity crisis." Margaret pulled a rolling chalkboard over to the table. She picked up a piece of chalk. "The function is not having a crisis," she said. "You are simply assuming that Identity ( this ) belongs to the function. It does not." The Rule of the Dot She drew a large function on the board. "In JavaScript, the word this is not a fixed label," Margaret explained. "It is a question. When the code runs, the function looks around and asks: 'Who called me?' " She wrote down Timothy's example, drawing a thick arrow under the code. const user = { name : " Timothy " , speak : function () { console . log ( " My name is " + this . name ); } }; user . speak (); // ^ Look to the left // The object 'user' is calling the function. // Therefore: 'this' is 'user'. Enter fullscreen mode Exit fullscreen mode "Look at the last line," Margaret said, pointing to the dot. "The rule is simple: Look to the Left of the Dot ." "The word user is there," Timothy said. "Exactly. Because you called it through the user, the function answers the question 'Who called me?' with 'The User.'" The Loss of Context "But here is where I failed," Timothy said. He wrote his bug on the board. const myFunction = user . speak ; myFunction (); // ^ Look to the left // There is no dot. There is no object. // Output: "My name is undefined" Enter fullscreen mode Exit fullscreen mode "I didn't change the code inside!" Timothy argued. "It's the same function!" "The code inside didn't change," Margaret agreed. "But the Call Site did." "Look to the left of myFunction() ," she instructed. "Is there a dot? Is there an object?" Timothy looked. "No. It's just the function name." "Precisely," Margaret said. "When there is no dot, the function has no owner. In strict mode—which we always use— this becomes undefined ." "And in the old days?" "In the old days," Margaret shuddered, "it would default to the Global Window. A recipe for disaster." Forcing the Issue (call & bind) "So this is fragile," Timothy realized. "It depends entirely on how I call the function, not where I wrote it." "Correct," Margaret said. "But you can force it." She wrote two final examples on the board. 1. The One-Time Call const stranger = { name : " Margaret " }; // We force 'speak' to use 'stranger' as 'this' right now user . speak . call ( stranger ); // Output: "My name is Margaret" Enter fullscreen mode Exit fullscreen mode "With .call() ," she explained, "you are telling the function: 'I don't care where you are. For this one specific execution, your identity is this object .'" 2. The Permanent Copy "But what if I want to pass the function around?" Timothy asked. "Like to a click handler?" "Then you need a permanent seal," Margaret said. "You need .bind() ." // We create a NEW function that is permanently locked to 'user' const boundFunction = user . speak . bind ( user ); boundFunction (); // Output: "My name is Timothy" (Forever) Enter fullscreen mode Exit fullscreen mode " .bind() does not run the function," she noted. "It returns a new copy of the function that remembers its owner forever. No matter how you call it later, this will always be user ." The Conclusion Timothy looked at the chalkboard. The rules were simple, but strict. Is there a dot? -> this is the object on the left. No dot? -> this is undefined (in strict mode). Did you use .call() or .bind() ? -> this is what you said it was. "I thought this was about where the function lived," Timothy admitted. "That is a common mistake," Margaret said, dusting the chalk from her hands. "In JavaScript, identity is not about who you are. It is about who is holding you at the moment you speak." Aaron Rose is a software engineer and technology writer at tech-reader.blog and the author of Think Like a Genius . 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 Aaron Rose Follow Software engineer and technology writer at tech-reader.blog Location Dallas, TX Joined Aug 24, 2024 More from Aaron Rose The Secret Life of Go: Interfaces # go # coding # programming # software The Secret Life of Go: Testing # go # coding # programming # softwaredevelopment The Secret Life of Python: The Matryoshka Trap # python # coding # programming # softwaredevelopment 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://opensource.org/board-member/sayeed-choudhury | Sayeed Choudhury – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Sayeed Choudhury Sayeed Choudhury Vice Secretary Board Member Candidacy Period: January 18, 2024 – October 1, 2026 Type of Seat: Appointed Sayeed Choudhury is the Associate Dean for Digital Infrastructure and Director of the Open Source Programs Office (OSPO) at Carnegie Mellon Libraries. He is the Director of a Alfred P. Sloan Foundation grant for coordination of University OSPOs and a Co-Investigator for the Black Beyond Data Project. He is the Software Task Force Leader and member of the Steering Committee for the Research Data Alliance (RDA) – US. Choudhury was a President Obama appointee to the National Museum and Library Services Board. He was a member of the National Academies Committee on Forecasting Costs for Preserving, Archiving, and Promoting Access to Biomedical Data and a member of the National Academies Board on Research Data and Information. He was also a member of the Blue Ribbon Task Force on Sustainable Digital Preservation and Access. He has testified for the Research Subcommittee of the Congressional Committee on Science, Space and Technology. He was a member of the board of the National Information Standards Organization, OpenAIRE2020, DuraSpace, the ICPSR Council, Digital Library Federation advisory committee, Library of Congress’ National Digital Stewardship Alliance Coordinating Committee, Federation of Earth Scientists Information Partnership (ESIP) Executive Committee and the Project MUSE Advisory Board. Choudhury was a member of the ECAR Data Curation Working Group. He has been a Senior Presidential Fellow with the Council on Library and Information Resources, a Lecturer in the Department of Computer Science at Johns Hopkins and a Research Fellow at the Graduate School of Library and Information Science at the University of Illinois at Urbana-Champaign. He is the recipient of the 2012 OCLC/LITA Kilgour Award. Choudhury has served as principal investigator for projects funded through the National Science Foundation, Institute of Museum and Library Services, Library of Congress’ NDIIPP, Alfred P. Sloan Foundation, Andrew W. Mellon Foundation, Open Society Foundation, Microsoft Research, and a Maryland based venture capital group. Choudhury has published articles in journals such as the International Journal of Digital Curation, D-Lib, the Journal of Digital Information, First Monday, and Library Trends and presented at various open-source events hosted by the United Nations, Open Forum Europe, Open Ireland Network, and the Linux Foundation. Previously, he was Associate Dean for Digital Infrastructure, Applications, and Services and Hodson Director of the Digital Research and Curation Center at the Sheridan Libraries of Johns Hopkins University (JHU), where he led the JHU Library team that supported the Covid-19 dashboard and launched the JHU’s open source programs office (OSPO), the first of its kind within a US university. Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/o1-vs-sonnet-es#which-model-is-better-for-coding | OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Introducción A medida que la IA continúa evolucionando, dos modelos destacan: o1 de OpenAI y Claude Sonnet 3.5 de Anthropic. Ambos ofrecen capacidades impresionantes para los desarrolladores de software, pero sus fortalezas varían, especialmente cuando se trata de programación. Este blog compara estos dos modelos de IA, centrándose en tareas de programación y rendimiento general. Fine incluye acceso ilimitado a ambos modelos, lo que lo convierte en una excelente manera de probar y comparar cómo o1 y Sonnet se desempeñan con tareas de programación. Diferencias Principales o1 está diseñado para razonamiento complejo y resolución de problemas . Sus respuestas son profundas y reflexivas, lo que lo hace ideal para desarrolladores que trabajan en problemas intrincados o que necesitan explicaciones detalladas. Por otro lado, Claude Sonnet 3.5 se centra en eficiencia y velocidad , destacando en tiempos de respuesta rápidos mientras es más rentable. Si buscas generar código rápidamente o manejar tareas de alto volumen, Claude Sonnet 3.5 puede ser la mejor opción. Ambos modelos utilizan arquitecturas basadas en transformadores, pero o1 es más adecuado para desarrolladores que buscan razonamiento detallado, mientras que Claude Sonnet 3.5 es la opción preferida para aquellos que priorizan la velocidad. Ventana de Contexto y Rendimiento La ventana de contexto juega un papel crucial en cómo estos modelos manejan entradas grandes o conversaciones extendidas. ChatGPT o1 admite 128,000 tokens, mientras que Claude Sonnet 3.5 maneja un mayor 200,000 tokens , dándole una ventaja para tareas que requieren una retención significativa de contexto, como revisar grandes bases de código. Ambos modelos ofrecen un rendimiento sólido en una variedad de tareas, pero sus habilidades brillan en diferentes áreas. ChatGPT o1 sobresale en razonamiento multietapa , explicando la lógica de código compleja en detalle, mientras que Claude Sonnet 3.5 se centra en correcciones de errores rápidas y generación eficiente de código . Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? En octubre de 2024, Anthropic anunció una versión mejorada de Claude 3.5 Sonnet. Las recientes actualizaciones a Claude 3.5 Sonnet han mejorado significativamente sus capacidades de ingeniería de software. Notablemente, el rendimiento del modelo en el benchmark SWE-bench Verified ha mejorado del 33.4% al 49.0%, superando a todos los modelos disponibles públicamente, incluido el o1-preview de OpenAI. Este avance refleja la mayor precisión de Claude 3.5 Sonnet en la generación de funciones y verificación de errores, particularmente en la depuración y refactorización de código que involucra funciones anidadas o segmentos interdependientes. Además, la capacidad de tokens ampliada del modelo le permite retener y utilizar un contexto más extenso, lo que lo hace ideal para revisar grandes bases de código o gestionar proyectos intrincados con múltiples dependencias. Las pruebas iniciales indican que Claude 3.5 Sonnet sobresale en tareas de programación especializadas, como identificar vulnerabilidades de seguridad en aplicaciones web y optimizar algoritmos para velocidad y eficiencia. GitLab, por ejemplo, informó hasta un 10% de mejora en las capacidades de razonamiento para tareas de DevSecOps con el modelo actualizado, sin ningún aumento en la latencia. Casos de uso de IA para programación con o1 y Claude Sonnet 3.5 ChatGPT o1: Depuración de gestión de estado compleja en React: Usa o1 para analizar profundamente por qué ciertos estados no se actualizan correctamente o entran en conflicto entre componentes. Refactorización de código heredado: Emplea el razonamiento exhaustivo de o1 para reestructurar un script antiguo de Python para mejorar su legibilidad y mantenibilidad. Creación de algoritmos: Ideal para escribir y explicar algoritmos como ordenamiento, recorrido de árboles o programación dinámica en detalle. Claude Sonnet 3.5: Generación de código boilerplate: Crea rápidamente archivos de configuración para nuevos proyectos como APIs de Flask o estructura de front-end en Next.js. Autocompletar funciones: Úsalo para completar una función de JavaScript a medio escribir con manejo de errores adecuado y casos extremos. Generación masiva de código: Sonnet 3.5 sobresale en producir estructuras de código repetitivas pero ligeramente variadas como endpoints de API similares o casos de prueba unitarios. ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Hoy en día hay muchas herramientas de desarrollo disponibles para ayudarte con tu programación con IA, desde asistentes avanzados de programación con IA como Fine hasta generadores de código como GitHub Copilot. Algunas usan múltiples LLMs, algunas te dan la opción y otras se basan en un solo modelo. ¿Qué modelo de IA (LLM) utiliza Fine? Fine es una de las pocas herramientas de programación con IA que ofrece a los usuarios la opción entre diferentes LLMs para diversas tareas. Al usar Fine a través del navegador web, los usuarios pueden elegir entre o1-preview, 4o y Claude 3.5 Sonnet. Sin embargo, necesitarás una suscripción pro para aprovechar esto, que cuesta $13-15 por mes. Si eres un usuario gratuito, podrás usar Fine con 4o. Haz clic aquí para probarlo. ¿Qué modelo de IA (LLM) utiliza GitHub Copilot? GitHub Copilot está fuertemente integrado con OpenAI. GitHub es propiedad de Microsoft, que tiene una profunda asociación con OpenAI. La mayoría de los usuarios tienen acceso a 4o, mientras que los suscriptores de Azure AI pueden usar GitHub Copilot con o1-mini y o1-preview. ACTUALIZACIÓN: En GitHub Universe 2024, se anunció que esta asociación exclusiva ya no era tan exclusiva y que la opción de usar Claude se implementaría para todos los usuarios de GitHub Copilot en breve. Algunos usuarios ya han podido acceder a Claude. Está disponible en el Copilot Chat en Visual Studio Code y en Immersive Copilot en el navegador web solamente. ¿Qué modelo de IA (LLM) utiliza Cursor? Cursor utiliza Claude 3.5 Sonnet por defecto y recurre a OpenAI 4o durante interrupciones de Anthropic. ¿Qué modelo de IA (LLM) utiliza Bolt? Bolt, la herramienta de programación con IA que se especializa exclusivamente en front-end, se basa en Claude 3.5 Sonnet. ¿Qué modelo de IA (LLM) utiliza Replit? Aunque Replit lanzó previamente su propio modelo de IA en 2023, cuando anunciaron Replit Agent, su principal herramienta de programación con IA, en 2024, parece que tomaron la decisión de usar Claude 3.5 Sonnet. ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? Si estás buscando comparar cuáles son las mejores herramientas de programación con IA o LLMs, hay algunas cosas a tener en cuenta. Primero, es importante evaluar el LLM y la herramienta por separado. Usa una herramienta como Fine que te permita dar la misma tarea a múltiples LLMs para comparar cuál te da el mejor resultado. Aquí hay una comparación que hicimos de los tres modelos ofrecidos por Fine, planteados con la misma pregunta: ¿Qué hace este repositorio? (Es una pregunta que algunos están llamando el Hola Mundo de la programación con IA). Segundo, compara cómo las herramientas se desempeñan con tu LLM elegido, específico para tu caso de uso. Fine ofrece una variedad de integraciones para aumentar tu productividad, como la capacidad de hacer revisiones dentro de GitHub PR, que están ahorrando horas a los desarrolladores cada semana. ¿Cuál modelo es mejor para programar? Para tareas de programación, tu elección depende de tus necesidades: ChatGPT o1 es la mejor opción cuando trabajas en problemas complejos y multietapa donde necesitas un razonamiento profundo y explicaciones detalladas. Por ejemplo, sobresale en explicar código intrincado o ayudar con la depuración de una manera más reflexiva. Claude Sonnet 3.5 es el modelo preferido para generación de código rápida y eficiente y prototipado iterativo. Es rentable para tareas de alto volumen como generar múltiples fragmentos de código o automatizar correcciones de errores. Ambos modelos apoyan a los desarrolladores en la programación, pero Claude Sonnet 3.5 puede ahorrar tiempo y dinero para tareas de programación cotidianas, mientras que ChatGPT o1 podría ser tu aliado para problemas de programación más difíciles y detallados. Conclusión Al decidir entre ChatGPT o1 y Claude Sonnet 3.5 , considera la complejidad de tus tareas de programación y las restricciones de presupuesto. ChatGPT o1 ofrece una mejor resolución de problemas para tareas intrincadas, mientras que Claude Sonnet 3.5 proporciona una generación de código más rápida y asequible para las necesidades de desarrollo diarias. Ambos modelos son herramientas de IA poderosas que pueden mejorar significativamente tu productividad como desarrollador de software. Regístrate en una plataforma como Fine , que incluye acceso ilimitado a ambos, para lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso ilimitado tanto a o1 como a Claude Sonnet 3.5 , permitiendo a los desarrolladores cambiar entre estos poderosos LLMs según las necesidades de su tarea. Esta flexibilidad es perfecta para aquellos que requieren explicaciones detalladas de ChatGPT o generación de código rápida y eficiente de Claude. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso ilimitado y rentable a ambos modelos para todas tus tareas de programación y desarrollo. Fuentes McNulty, Niall. "ChatGPT o1 vs Claude Sonnet 3.5." Medium , hace 5 días. Enlace . "GPT o1 vs Claude 3.5 Sonnet: ¿Cuál modelo es mejor para programar?" Bind AI Blog , 17 Sep 2024. Enlace . "Comparar o1 Preview vs. Claude 3.5 Sonnet." Context.ai . Enlace . Harisec. "o1 vs Claude." GitHub . Enlace . Tabla de Contenidos Introducción Diferencias Principales Ventana de Contexto y Rendimiento Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? Casos de uso de IA para programación con o1 y Claude 3.5 Sonnet ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Fine GitHub Copilot Cursor Bolt Replit ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? ¿Cuál modelo es mejor para programar? Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/ai-replace-programmers-nl#pricing | Zal AI programmeurs vervangen? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Zal AI programmeurs vervangen? De vraag "Zal AI programmeurs vervangen?" circuleert in technologische kringen en wekt zowel enthousiasme als bezorgdheid op. Naarmate AI-gestuurde coderingstools geavanceerder worden, is het de moeite waard om te vragen: waar laat dit de menselijke ontwikkelaars? Laten we de perspectieven van toonaangevende stemmen in het veld verkennen. Het Argument voor AI die Ontwikkeling Revolutioneert AI Transformeert Softwareontwikkeling AI verandert onmiskenbaar onze benadering van softwareontwikkeling. Tools zoals GitHub Copilot en platforms zoals Fine stellen ontwikkelaars in staat om repetitieve taken te stroomlijnen. Zoals een artikel opmerkt , "AI kan codefragmenten of volledige functies produceren op basis van natuurlijke taalopdrachten, waardoor de ontwikkeling wordt gestroomlijnd" (The Tech Bible). Coderen Toegankelijker Maken Deze tools besparen niet alleen tijd; ze maken coderen ook toegankelijker. AI kan bijvoorbeeld beginners helpen met realtime begeleiding, als een persoonlijke mentor Techies Spot . Dit verlaagt de drempel voor softwareontwikkeling en opent de deur voor meer mensen om deel te nemen aan de industrie. Zal AI Programmeurs Volledig Vervangen? De consensus lijkt een duidelijk nee te zijn. Hoewel AI uitblinkt in het automatiseren van repetitieve taken, mist het de creativiteit, intuïtie en probleemoplossende vaardigheden die menselijke programmeurs met zich meebrengen. Zoals Jonathan's Musings uitlegt, "AI kan code genereren, maar het begrijpen van complexe vereisten en deze vertalen naar robuuste oplossingen vereist nog steeds menselijke inzicht." Peter H. Diamandis deelt dit gevoel en stelt: "In plaats van programmeurs te vervangen, zal AI fungeren als een vermenigvuldiger, waardoor ontwikkelaars zich kunnen concentreren op taken van een hoger niveau." Wanneer Zal AI Programmeurs Vervangen? De vraag wanneer, als het ooit gebeurt, AI programmeurs zal vervangen, is complex. Huidige AI-modellen, hoewel krachtig, hebben aanzienlijke beperkingen. Ze missen echt begrip, genereren vaak onjuiste of onveilige code en vereisen menselijke supervisie om kwaliteit en betrouwbaarheid te waarborgen. Deze beperkingen betekenen dat AI nog ver verwijderd is van het volledig kunnen vervangen van menselijke programmeurs. De Evolutie van AI-capaciteiten AI ontwikkelt zich snel, en het is mogelijk dat toekomstige iteraties complexere ontwikkelingstaken aankunnen. De tijdlijn hiervoor is echter onzeker. Experts geloven dat AI menselijke ontwikkelaars zal blijven aanvullen in plaats van ze volledig te vervangen in de nabije toekomst. Het menselijk vermogen om context te begrijpen, oordelen te vellen en problemen creatief op te lossen blijft onvervangbaar. AI als Partner van de Programmeur Samenwerkende Rol van AI Het meest veelbelovende perspectief op AI in programmeren is de rol als samenwerkende partner. Ontwikkelaars kunnen AI gebruiken om routinetaken te automatiseren, standaardcode te genereren en zelfs complexe systemen te debuggen. Volgens Billy Newport zullen "AI-coderingassistenten naadloos integreren in tools zoals GitHub, fungeren als snelle en efficiënte medewerkers in plaats van vervangers" (Billy Newport). Fine’s AI Ontwikkelaarsoplossing De AI-ontwikkelaarsoplossing van Fine is een perfect voorbeeld van deze samenwerking in actie. Met functies zoals Live Previews en AI Workflows stelt Fine ontwikkelaars in staat om code in realtime te schrijven, testen en verfijnen. Door het banale te automatiseren, kunnen ontwikkelaars zich richten op innovatie en probleemoplossing. Conclusie Zal AI dus programmeurs vervangen? Het antwoord is nee, maar het zal ze productiever, creatiever en invloedrijker maken dan ooit. AI is geen vervanging voor menselijke genialiteit; het is een hulpmiddel om het te verbeteren. Naarmate de industrie evolueert, zullen platforms zoals Fine de leiding nemen en ontwikkelaars helpen meer te bereiken met minder wrijving. Fine is een ideale oplossing voor startups die hun ontwikkelingsprocessen willen optimaliseren en de productiviteit willen maximaliseren zonder grote teams nodig te hebben. Door repetitieve taken te automatiseren, stelt Fine startup-teams in staat zich te concentreren op innovatie en hun time-to-market te versnellen. Geïnteresseerd om het uit te proberen? Meld je vandaag nog aan bij Fine en zie hoe AI je codereis kan versterken en je startup efficiënt kan helpen opschalen. Met AI in je gereedschapskist ziet de toekomst van programmeren er veelbelovender uit dan ooit. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/can-ai-build-an-app#powering-your-app-with-a-smart-backend | Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Building an app was once for experienced developers only, but with Fine’s AI App Building Platform, anyone can bring their ideas to life—no coding expertise required. In this blog, we'll answer the question, "can AI build me an app?" by showing you how Fine simplifies every step of the process, from design to deployment. Table of Contents Introduction to Fine's App Building Platform Designing Your App’s Look and Feel Powering Your App with a Smart Backend Effortless Data Management Seamless User Authentication Smooth Deployment for a Live App Conclusion: Your App, Built by AI Introduction to Fine's App Building Platform Fine is designed to remove the complexity from app development. Whether you're an entrepreneur, a business owner, or someone with a great idea, Fine answers the common question: "can AI build me an app?" The answer is yes. Fine uses artificial intelligence to guide you through creating a complete, professional app—all without requiring you to write a single line of code. Designing Your App’s Look and Feel Creating an attractive and user-friendly interface is crucial for your app's success. Fine designs the app based on your prompts - no drag-and-drop required. It automatically follows design best-practices for a clean, easy-to-understand UI. Read more about how to prompt to create your Frontend . Using Fine AI to build your app will ensure it’s responsive to different screen sizes - including desktop, tablet and mobile - and coherent by following brand guidelines. It’s easy to update your fonts, colours and icons by just prompting. Powering Your App with a Smart Backend Behind every great app is a powerful backend that handles data, logic, and interactions. Fine’s AI-driven backend setup takes care of all these technical tasks for you. By automatically generating and configuring the backend, Fine ensures that your app runs smoothly and securely. You don't have to worry about the complexities of server management—the platform does it all. Fine’s AI doesn’t require you to connect to an external platform for your backend - it’s all built in to the AI app building platform. Effortless Data Management Your app needs to store and manage information reliably. Fine integrates a user-friendly database solution that makes data management simple. Whether it's storing user details or keeping track of app content, Fine’s database functionality is designed for ease of use, so you can focus on what matters most—growing your idea. Learn more about Fine’s built-in Database . Seamless User Authentication Security and user management are key to any successful app. Fine includes built-in authentication features that let you add sign-up, login, and secure user access without any extra hassle. This means you can easily protect your app and offer a smooth experience for your users. AI can configure different permission levels and make it easy to add login with familiar methods such as email and password without complex setup. Smooth Deployment for a Live App After building your app, the next step is launching it to the world. Fine takes care of the deployment process, ensuring that your app is live and accessible with minimal effort. The platform’s deployment features streamline the process, allowing you to focus on engaging with your users and growing your business. You can deploy to a free subdomain, custom branded domain and a preview environment for each change. Conclusion: Your App, Built by AI The answer to "can AI build me an app?" is a confident yes—with Fine, you have the power to create a fully functional, professional app without any technical barriers. By combining intuitive design tools, AI-powered backend management, seamless data handling, robust security, and effortless deployment, Fine turns your app ideas into reality. Whether you're looking to launch a startup, enhance your business, or simply experiment with new digital solutions, Fine’s comprehensive platform is your gateway to innovation. Dive into the resources on Fine App Building Docs and start building today! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/can-ai-build-an-app#introduction-to-fines-app-building-platform | Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Building an app was once for experienced developers only, but with Fine’s AI App Building Platform, anyone can bring their ideas to life—no coding expertise required. In this blog, we'll answer the question, "can AI build me an app?" by showing you how Fine simplifies every step of the process, from design to deployment. Table of Contents Introduction to Fine's App Building Platform Designing Your App’s Look and Feel Powering Your App with a Smart Backend Effortless Data Management Seamless User Authentication Smooth Deployment for a Live App Conclusion: Your App, Built by AI Introduction to Fine's App Building Platform Fine is designed to remove the complexity from app development. Whether you're an entrepreneur, a business owner, or someone with a great idea, Fine answers the common question: "can AI build me an app?" The answer is yes. Fine uses artificial intelligence to guide you through creating a complete, professional app—all without requiring you to write a single line of code. Designing Your App’s Look and Feel Creating an attractive and user-friendly interface is crucial for your app's success. Fine designs the app based on your prompts - no drag-and-drop required. It automatically follows design best-practices for a clean, easy-to-understand UI. Read more about how to prompt to create your Frontend . Using Fine AI to build your app will ensure it’s responsive to different screen sizes - including desktop, tablet and mobile - and coherent by following brand guidelines. It’s easy to update your fonts, colours and icons by just prompting. Powering Your App with a Smart Backend Behind every great app is a powerful backend that handles data, logic, and interactions. Fine’s AI-driven backend setup takes care of all these technical tasks for you. By automatically generating and configuring the backend, Fine ensures that your app runs smoothly and securely. You don't have to worry about the complexities of server management—the platform does it all. Fine’s AI doesn’t require you to connect to an external platform for your backend - it’s all built in to the AI app building platform. Effortless Data Management Your app needs to store and manage information reliably. Fine integrates a user-friendly database solution that makes data management simple. Whether it's storing user details or keeping track of app content, Fine’s database functionality is designed for ease of use, so you can focus on what matters most—growing your idea. Learn more about Fine’s built-in Database . Seamless User Authentication Security and user management are key to any successful app. Fine includes built-in authentication features that let you add sign-up, login, and secure user access without any extra hassle. This means you can easily protect your app and offer a smooth experience for your users. AI can configure different permission levels and make it easy to add login with familiar methods such as email and password without complex setup. Smooth Deployment for a Live App After building your app, the next step is launching it to the world. Fine takes care of the deployment process, ensuring that your app is live and accessible with minimal effort. The platform’s deployment features streamline the process, allowing you to focus on engaging with your users and growing your business. You can deploy to a free subdomain, custom branded domain and a preview environment for each change. Conclusion: Your App, Built by AI The answer to "can AI build me an app?" is a confident yes—with Fine, you have the power to create a fully functional, professional app without any technical barriers. By combining intuitive design tools, AI-powered backend management, seamless data handling, robust security, and effortless deployment, Fine turns your app ideas into reality. Whether you're looking to launch a startup, enhance your business, or simply experiment with new digital solutions, Fine’s comprehensive platform is your gateway to innovation. Dive into the resources on Fine App Building Docs and start building today! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#final-words | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://dev.to/resumemind/how-to-write-a-resume-that-gets-interviews-not-rejections-127b#1-understand-how-recruiters-actually-read-resumes | How to Write a Resume That Gets Interviews (Not Rejections) - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Resumemind Posted on Jan 12 How to Write a Resume That Gets Interviews (Not Rejections) # career # interview # tutorial Most resumes don’t fail because the candidate is unqualified. They fail because the resume doesn’t communicate value fast enough. Recruiters spend 6–8 seconds scanning a resume before deciding whether to continue or reject it. If your resume doesn’t pass that first scan, it’s over — no matter how skilled you are. This guide will show you step by step how to write a resume that gets interviews, not silent rejections. 1. Understand How Recruiters Actually Read Resumes Before writing anything, you need to understand how resumes are evaluated. Recruiters don’t read resumes line by line. They scan for: Job title relevance Clear role identity Skills that match the job Recent experience or projects Structure and readability If these aren’t obvious in seconds, the resume is rejected. 👉 Your goal is clarity, not creativity. 2. Start With a Clear Role-Focused Resume Header Your resume must immediately answer one question: Who are you professionally? ❌ Weak header John Doe Email | Phone | Location ✅ Strong header John Doe Junior Software Developer | Frontend (Angular) Email | Phone | LinkedIn | Portfolio This instantly tells the recruiter: your level your role your focus Never make recruiters guess. 3. Write a Resume Summary That Sells (Not One That Repeats) Your resume summary is not your life story. It’s a 2–4 line pitch. ❌ Bad summary “Hardworking and motivated individual looking for opportunities to grow.” This says nothing. ✅ Good summary Junior Software Developer with hands-on experience building web applications using Angular and Spring Boot. Strong in problem-solving, REST APIs, and clean UI design. Actively seeking an entry-level role where I can contribute and grow. A good summary: mentions your role highlights key skills shows direction 4. Experience Matters — Even If You Have No Job Experience Many people think: “I can’t write a good resume because I have no experience.” That’s false. Recruiters accept: projects internships freelance work academic projects self-initiated work How to Write Experience Correctly Instead of listing duties, list impact. ❌ Bad: Built a website Worked with Angular ✅ Good: Built a responsive web application using Angular and REST APIs Implemented authentication and improved UI usability If you don’t have job experience, projects become your experience. 5. Skills Section: Be Honest, Relevant, and Specific Your skills section should support your role — not show everything you’ve ever touched. ❌ Bad skills list HTML, CSS, Java, Python, Photoshop, Networking, Excel This looks unfocused. ✅ Good skills list Frontend: Angular, TypeScript, HTML, CSS Backend: Java, Spring Boot, REST APIs Tools: Git, GitHub, Postman Only list skills you’re ready to discuss in an interview. 6. Formatting Can Get You Rejected Instantly Even strong content can fail if formatting is poor. Use: 1 page (for juniors) clear section headings consistent spacing readable font bullet points Avoid: long paragraphs heavy colors icons everywhere photos (unless required) fancy designs that hurt readability A clean resume looks professional and trustworthy. 7. Tailor Your Resume for Each Job (This Is Critical) Using one resume for every job is one of the biggest mistakes job seekers make. You should: adjust your summary reorder skills emphasize relevant projects This doesn’t mean rewriting everything — it means highlighting what matters most for that role. Tailoring your resume alone can double your interview chances. 8. Common Resume Mistakes That Lead to Rejection Avoid these at all costs: No role mentioned Weak or generic summary No projects listed Grammar mistakes Overcrowded layout Irrelevant skills Copy-pasted content Recruiters see these mistakes every day — and reject fast. 9. Get a Second Pair of Eyes on Your Resume One of the best things you can do is get honest feedback. When reviewing resumes manually, the most common missing elements are: unclear role weak summary missing experience descriptions no direction You might not see these issues yourself. Getting your resume reviewed by another person can completely change your results. Final Thoughts A resume that gets interviews is not about being perfect. It’s about being clear, relevant, and honest. If recruiters can quickly understand: who you are what you can do and why you fit the role You’ll start getting callbacks. Next Step If you’re unsure whether your resume is working, get it reviewed before you apply. Often, a few small changes are all it takes to start getting interviews. We offer a free manual resume review , where real people review resumes daily and give honest feedback — not automated scores. 👉 Request a free resume review: https://resumemind.com/public/resume-review 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 Resumemind Follow Helping software developers and other related tech experts like project managers, QA, businesses analysts crafting their tech resumes for their next job applications. Joined Jan 4, 2026 More from Resumemind How I Built a Manual Resume Review System with Spring Boot & Angular # angular # career # showdev # springboot I Reviewed 50 Junior Developer Resumes — Here’s What Actually Works # beginners # career # codenewbie How to Write a Resume With No Work Experience (Fresh Graduate Guide for 2026) # beginners # career # tutorial 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/build-scalable-tech-infrastructure-for-startups#use-cloud | How to Build a Scalable Tech Infrastructure on a Startup Budget: A Step-by-Step Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Build a Scalable Tech Infrastructure on a Startup Budget: A Step-by-Step Guide for CTOs Building a scalable tech infrastructure on a startup budget requires creativity and prioritization. As a CTO, you need to grow infrastructure without exhausting resources. This guide outlines steps to help your tech stack expand with your user base, without financial strain. Table of Contents Start with Open-Source Solutions Use Cloud Services Wisely Modular Architecture Automate Early Think Lean—Build for Your Current Needs Monitoring and Alerts Outsource Non-Critical Components Leverage Community and Startup Programs Scalable Data Management Prepare for Growth with a Flexible Mindset Look for Integrations Ready to Scale with Ease? 1. Start with Open-Source Solutions When budget is tight, opting for open-source software can be a game-changer. Open-source solutions often provide the flexibility you need to get started without the licensing fees associated with proprietary systems. Tools like PostgreSQL for databases, Kubernetes for orchestration, and Apache Kafka for data streaming can all be incredibly effective without incurring high costs. can all be incredibly effective without incurring high costs. The initial learning curve might be steep, but the savings are well worth it. There's also a whole community out there to help you. 2. Use Cloud Services Wisely The allure of cloud services like AWS , Google Cloud , or Azure is real—scalability, reliability, and global availability. However, these services can become expensive if not optimized. Start small by utilizing free tiers and cost calculators. Identify the essential cloud resources you need, and always keep an eye on your billing dashboard. Consider using cloud credits, which are often available for startups through accelerator programs.. 3. Modular Architecture Adopting a modular architecture allows you to build components that can be independently scaled or replaced. By separating services (e.g., microservices or serverless functions), you gain the flexibility to scale certain parts of your infrastructure as needed, instead of the entire system. This approach can help you save on unnecessary costs and avoid a complete overhaul when scaling. 4. Automate Early Automation saves both time and money. Implement CI/CD pipelines to automate testing, deployment, and code integration. This not only reduces manual effort but also helps you ship faster without additional costs. Tools like Jenkins , GitLab CI , or GitHub Actions are great options that won't break the bank, and they help maintain quality control as your team expands. that won't break the bank, and they help maintain quality control as your team expands. They can also work together with Fine, to ensure that you not only have a robust set of tests that constantly run, but any failures are turned into fixes at maximum speed. 5. Think Lean—Build for Your Current Needs Avoid the temptation to over-engineer your infrastructure based on hypothetical future requirements. Focus on building for your current needs, but keep scalability in mind. You want something that’s "scale-ready" without being bloated. An MVP-style infrastructure should focus on the most crucial features that will support immediate growth and customer acquisition. 6. Monitoring and Alerts Establishing a simple monitoring system will help you identify issues before they impact users. Open-source tools like Prometheus and Grafana allow you to keep an eye on system performance and resource usage. on system performance and resource usage. Effective monitoring helps you make informed decisions on scaling—such as when it's truly necessary to increase server capacity. 7. Outsource Non-Critical Components To keep your internal team focused on core competencies, consider outsourcing non-critical functions, like hosting static assets or even customer support. Managed services can help reduce overhead. For example, Firebase can handle authentication and real-time data syncing, allowing your developers to focus on core product features instead of worrying about server maintenance. 8. Leverage Community and Startup Programs Many tech giants offer generous startup programs, including cloud credits, free tools, and discounted software licenses. Amazon Activate , Microsoft for Startups , and Google for Startups are programs that can provide significant cost savings in the early stages. that can provide significant cost savings in the early stages. Engage with tech communities like Stack Overflow and GitHub as well, where you can access free resources and advice. 9. Scalable Data Management Data is at the core of most tech businesses, but managing it can quickly become expensive if not done wisely. Start with cost-effective databases like PostgreSQL or NoSQL options like MongoDB, depending on your needs. As your data needs grow, consider partitioning, archiving older data, and using data warehouses only when it makes sense. 10. Prepare for Growth with a Flexible Mindset Scalability is about more than technology; it's about mindset. Regularly evaluate whether your tech stack is meeting your current needs and where you might face constraints as you grow. Flexibility in choosing tools, hiring, and decision-making will allow you to scale smoothly when your startup hits growth phases. 11. Look for integrations Where platforms offer similar features, integrations with your existing tech stack can often be the deciding factor. The more your platforms can talk to each other and automate tasks, the better for your growth. Fine works with a variety of platforms to build a knowledge graph and complement your natural workflows, making it the premier AI choice for many scaling startups. Ready to Scale with Ease? Consider using Fine to make your infrastructure scalable and efficient. Fine offers advanced AI capabilities that help automate testing, code integration, and debugging, allowing your team to focus on core development without getting bogged down in manual tasks. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/ai-replace-programmers-fr#pricing | L'IA remplacera-t-elle les programmeurs ? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back L'IA remplacera-t-elle les programmeurs ? La question « L'IA remplacera-t-elle les programmeurs ? » circule dans les cercles technologiques, suscitant à la fois excitation et inquiétude. À mesure que les outils de codage alimentés par l'IA deviennent plus avancés, il est légitime de se demander : où cela laisse-t-il les développeurs humains ? Explorons les perspectives des voix de premier plan dans le domaine. L'argument en faveur de la révolution de l'IA dans le développement L'IA transforme le développement logiciel L'IA transforme indéniablement notre approche du développement logiciel. Des outils comme GitHub Copilot et des plateformes comme Fine permettent aux développeurs de rationaliser les tâches répétitives. Comme le note un article , « L'IA peut produire des extraits de code ou des fonctions entières basées sur des invites en langage naturel, rationalisant le développement » (The Tech Bible). Rendre le codage plus accessible Ces outils ne se contentent pas de faire gagner du temps ; ils rendent également le codage plus accessible. Par exemple, l'IA peut aider les débutants avec des conseils en temps réel, agissant comme un mentor personnel Techies Spot . Cela abaisse la barrière à l'entrée pour le développement logiciel, ouvrant des portes à davantage de personnes pour participer à l'industrie. L'IA remplacera-t-elle entièrement les programmeurs ? Le consensus semble être un non retentissant. Bien que l'IA excelle à automatiser les tâches répétitives, elle manque de la créativité, de l'intuition et des compétences en résolution de problèmes que les programmeurs humains apportent. Comme l'explique Jonathan's Musings, « L'IA pourrait générer du code, mais comprendre des exigences complexes et les traduire en solutions robustes nécessite encore une perspicacité humaine. » Peter H. Diamandis fait écho à ce sentiment , déclarant, « Plutôt que de remplacer les programmeurs, l'IA agira comme un multiplicateur, permettant aux développeurs de se concentrer sur des tâches de niveau supérieur ». Quand l'IA remplacera-t-elle les programmeurs ? La question de savoir quand, voire si, l'IA remplacera les programmeurs est complexe. Les modèles d'IA actuels, bien que puissants, ont des limitations significatives. Ils manquent de véritable compréhension, génèrent souvent du code incorrect ou non sécurisé, et nécessitent une supervision humaine pour garantir la qualité et la fiabilité. Ces limitations signifient que l'IA est encore loin de pouvoir remplacer entièrement les programmeurs humains. L'évolution des capacités de l'IA L'IA progresse rapidement, et il est possible que les futures itérations puissent gérer des tâches de développement plus complexes. Cependant, le calendrier pour cela est incertain. Les experts pensent que l'IA continuera à augmenter les développeurs humains plutôt qu'à les remplacer complètement dans un avenir prévisible. La capacité humaine à comprendre le contexte, à prendre des décisions de jugement et à résoudre des problèmes de manière créative reste irremplaçable. L'IA comme partenaire des programmeurs Rôle collaboratif de l'IA La perspective la plus prometteuse sur l'IA dans la programmation est son rôle de partenaire collaboratif. Les développeurs peuvent tirer parti de l'IA pour automatiser les tâches routinières, générer du code standard et même déboguer des systèmes complexes. Selon Billy Newport, « Les assistants de codage IA s'intégreront parfaitement dans des outils comme GitHub, agissant comme des collaborateurs rapides et efficaces plutôt que comme des remplaçants » (Billy Newport). Solution de développeur IA de Fine La solution de développeur IA de Fine est un parfait exemple de ce partenariat en action. Avec des fonctionnalités comme les aperçus en direct et les flux de travail IA, Fine permet aux développeurs d'écrire, de tester et de peaufiner le code en temps réel. En automatisant le banal, les développeurs peuvent se concentrer sur l'innovation et la résolution de problèmes. Conclusion Alors, l'IA remplacera-t-elle les programmeurs ? La réponse est non, mais elle les rendra plus productifs, créatifs et percutants que jamais. L'IA n'est pas un remplacement pour l'ingéniosité humaine ; c'est un outil pour l'améliorer. À mesure que l'industrie évolue, des plateformes comme Fine mèneront la charge, aidant les développeurs à accomplir plus avec moins de friction. Fine est une solution idéale pour les startups cherchant à optimiser leurs processus de développement et à maximiser la productivité sans avoir besoin de grandes équipes. En automatisant les tâches répétitives, Fine permet aux équipes de startups de se concentrer sur l'innovation, accélérant leur mise sur le marché. Intéressé à l'essayer ? Inscrivez-vous à Fine aujourd'hui et voyez comment l'IA peut renforcer votre parcours de codage et aider votre startup à évoluer efficacement. Avec l'IA dans votre boîte à outils, l'avenir de la programmation semble plus prometteur que jamais. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://dev.to/resumemind/how-to-write-a-resume-that-gets-interviews-not-rejections-127b#2-start-with-a-clear-rolefocused-resume-header | How to Write a Resume That Gets Interviews (Not Rejections) - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Resumemind Posted on Jan 12 How to Write a Resume That Gets Interviews (Not Rejections) # career # interview # tutorial Most resumes don’t fail because the candidate is unqualified. They fail because the resume doesn’t communicate value fast enough. Recruiters spend 6–8 seconds scanning a resume before deciding whether to continue or reject it. If your resume doesn’t pass that first scan, it’s over — no matter how skilled you are. This guide will show you step by step how to write a resume that gets interviews, not silent rejections. 1. Understand How Recruiters Actually Read Resumes Before writing anything, you need to understand how resumes are evaluated. Recruiters don’t read resumes line by line. They scan for: Job title relevance Clear role identity Skills that match the job Recent experience or projects Structure and readability If these aren’t obvious in seconds, the resume is rejected. 👉 Your goal is clarity, not creativity. 2. Start With a Clear Role-Focused Resume Header Your resume must immediately answer one question: Who are you professionally? ❌ Weak header John Doe Email | Phone | Location ✅ Strong header John Doe Junior Software Developer | Frontend (Angular) Email | Phone | LinkedIn | Portfolio This instantly tells the recruiter: your level your role your focus Never make recruiters guess. 3. Write a Resume Summary That Sells (Not One That Repeats) Your resume summary is not your life story. It’s a 2–4 line pitch. ❌ Bad summary “Hardworking and motivated individual looking for opportunities to grow.” This says nothing. ✅ Good summary Junior Software Developer with hands-on experience building web applications using Angular and Spring Boot. Strong in problem-solving, REST APIs, and clean UI design. Actively seeking an entry-level role where I can contribute and grow. A good summary: mentions your role highlights key skills shows direction 4. Experience Matters — Even If You Have No Job Experience Many people think: “I can’t write a good resume because I have no experience.” That’s false. Recruiters accept: projects internships freelance work academic projects self-initiated work How to Write Experience Correctly Instead of listing duties, list impact. ❌ Bad: Built a website Worked with Angular ✅ Good: Built a responsive web application using Angular and REST APIs Implemented authentication and improved UI usability If you don’t have job experience, projects become your experience. 5. Skills Section: Be Honest, Relevant, and Specific Your skills section should support your role — not show everything you’ve ever touched. ❌ Bad skills list HTML, CSS, Java, Python, Photoshop, Networking, Excel This looks unfocused. ✅ Good skills list Frontend: Angular, TypeScript, HTML, CSS Backend: Java, Spring Boot, REST APIs Tools: Git, GitHub, Postman Only list skills you’re ready to discuss in an interview. 6. Formatting Can Get You Rejected Instantly Even strong content can fail if formatting is poor. Use: 1 page (for juniors) clear section headings consistent spacing readable font bullet points Avoid: long paragraphs heavy colors icons everywhere photos (unless required) fancy designs that hurt readability A clean resume looks professional and trustworthy. 7. Tailor Your Resume for Each Job (This Is Critical) Using one resume for every job is one of the biggest mistakes job seekers make. You should: adjust your summary reorder skills emphasize relevant projects This doesn’t mean rewriting everything — it means highlighting what matters most for that role. Tailoring your resume alone can double your interview chances. 8. Common Resume Mistakes That Lead to Rejection Avoid these at all costs: No role mentioned Weak or generic summary No projects listed Grammar mistakes Overcrowded layout Irrelevant skills Copy-pasted content Recruiters see these mistakes every day — and reject fast. 9. Get a Second Pair of Eyes on Your Resume One of the best things you can do is get honest feedback. When reviewing resumes manually, the most common missing elements are: unclear role weak summary missing experience descriptions no direction You might not see these issues yourself. Getting your resume reviewed by another person can completely change your results. Final Thoughts A resume that gets interviews is not about being perfect. It’s about being clear, relevant, and honest. If recruiters can quickly understand: who you are what you can do and why you fit the role You’ll start getting callbacks. Next Step If you’re unsure whether your resume is working, get it reviewed before you apply. Often, a few small changes are all it takes to start getting interviews. We offer a free manual resume review , where real people review resumes daily and give honest feedback — not automated scores. 👉 Request a free resume review: https://resumemind.com/public/resume-review 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 Resumemind Follow Helping software developers and other related tech experts like project managers, QA, businesses analysts crafting their tech resumes for their next job applications. Joined Jan 4, 2026 More from Resumemind How I Built a Manual Resume Review System with Spring Boot & Angular # angular # career # showdev # springboot I Reviewed 50 Junior Developer Resumes — Here’s What Actually Works # beginners # career # codenewbie How to Write a Resume With No Work Experience (Fresh Graduate Guide for 2026) # beginners # career # tutorial 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://vibe.forem.com/code-of-conduct#main-content | Code of Conduct - Vibe Coding Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Vibe Coding Forem Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/build-scalable-tech-infrastructure-for-startups#integrations | How to Build a Scalable Tech Infrastructure on a Startup Budget: A Step-by-Step Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Build a Scalable Tech Infrastructure on a Startup Budget: A Step-by-Step Guide for CTOs Building a scalable tech infrastructure on a startup budget requires creativity and prioritization. As a CTO, you need to grow infrastructure without exhausting resources. This guide outlines steps to help your tech stack expand with your user base, without financial strain. Table of Contents Start with Open-Source Solutions Use Cloud Services Wisely Modular Architecture Automate Early Think Lean—Build for Your Current Needs Monitoring and Alerts Outsource Non-Critical Components Leverage Community and Startup Programs Scalable Data Management Prepare for Growth with a Flexible Mindset Look for Integrations Ready to Scale with Ease? 1. Start with Open-Source Solutions When budget is tight, opting for open-source software can be a game-changer. Open-source solutions often provide the flexibility you need to get started without the licensing fees associated with proprietary systems. Tools like PostgreSQL for databases, Kubernetes for orchestration, and Apache Kafka for data streaming can all be incredibly effective without incurring high costs. can all be incredibly effective without incurring high costs. The initial learning curve might be steep, but the savings are well worth it. There's also a whole community out there to help you. 2. Use Cloud Services Wisely The allure of cloud services like AWS , Google Cloud , or Azure is real—scalability, reliability, and global availability. However, these services can become expensive if not optimized. Start small by utilizing free tiers and cost calculators. Identify the essential cloud resources you need, and always keep an eye on your billing dashboard. Consider using cloud credits, which are often available for startups through accelerator programs.. 3. Modular Architecture Adopting a modular architecture allows you to build components that can be independently scaled or replaced. By separating services (e.g., microservices or serverless functions), you gain the flexibility to scale certain parts of your infrastructure as needed, instead of the entire system. This approach can help you save on unnecessary costs and avoid a complete overhaul when scaling. 4. Automate Early Automation saves both time and money. Implement CI/CD pipelines to automate testing, deployment, and code integration. This not only reduces manual effort but also helps you ship faster without additional costs. Tools like Jenkins , GitLab CI , or GitHub Actions are great options that won't break the bank, and they help maintain quality control as your team expands. that won't break the bank, and they help maintain quality control as your team expands. They can also work together with Fine, to ensure that you not only have a robust set of tests that constantly run, but any failures are turned into fixes at maximum speed. 5. Think Lean—Build for Your Current Needs Avoid the temptation to over-engineer your infrastructure based on hypothetical future requirements. Focus on building for your current needs, but keep scalability in mind. You want something that’s "scale-ready" without being bloated. An MVP-style infrastructure should focus on the most crucial features that will support immediate growth and customer acquisition. 6. Monitoring and Alerts Establishing a simple monitoring system will help you identify issues before they impact users. Open-source tools like Prometheus and Grafana allow you to keep an eye on system performance and resource usage. on system performance and resource usage. Effective monitoring helps you make informed decisions on scaling—such as when it's truly necessary to increase server capacity. 7. Outsource Non-Critical Components To keep your internal team focused on core competencies, consider outsourcing non-critical functions, like hosting static assets or even customer support. Managed services can help reduce overhead. For example, Firebase can handle authentication and real-time data syncing, allowing your developers to focus on core product features instead of worrying about server maintenance. 8. Leverage Community and Startup Programs Many tech giants offer generous startup programs, including cloud credits, free tools, and discounted software licenses. Amazon Activate , Microsoft for Startups , and Google for Startups are programs that can provide significant cost savings in the early stages. that can provide significant cost savings in the early stages. Engage with tech communities like Stack Overflow and GitHub as well, where you can access free resources and advice. 9. Scalable Data Management Data is at the core of most tech businesses, but managing it can quickly become expensive if not done wisely. Start with cost-effective databases like PostgreSQL or NoSQL options like MongoDB, depending on your needs. As your data needs grow, consider partitioning, archiving older data, and using data warehouses only when it makes sense. 10. Prepare for Growth with a Flexible Mindset Scalability is about more than technology; it's about mindset. Regularly evaluate whether your tech stack is meeting your current needs and where you might face constraints as you grow. Flexibility in choosing tools, hiring, and decision-making will allow you to scale smoothly when your startup hits growth phases. 11. Look for integrations Where platforms offer similar features, integrations with your existing tech stack can often be the deciding factor. The more your platforms can talk to each other and automate tasks, the better for your growth. Fine works with a variety of platforms to build a knowledge graph and complement your natural workflows, making it the premier AI choice for many scaling startups. Ready to Scale with Ease? Consider using Fine to make your infrastructure scalable and efficient. Fine offers advanced AI capabilities that help automate testing, code integration, and debugging, allowing your team to focus on core development without getting bogged down in manual tasks. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/can-ai-build-an-app#pricing | Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Can AI Build Me an App? Discover How Fine Empowers You to Create Your Own App Building an app was once for experienced developers only, but with Fine’s AI App Building Platform, anyone can bring their ideas to life—no coding expertise required. In this blog, we'll answer the question, "can AI build me an app?" by showing you how Fine simplifies every step of the process, from design to deployment. Table of Contents Introduction to Fine's App Building Platform Designing Your App’s Look and Feel Powering Your App with a Smart Backend Effortless Data Management Seamless User Authentication Smooth Deployment for a Live App Conclusion: Your App, Built by AI Introduction to Fine's App Building Platform Fine is designed to remove the complexity from app development. Whether you're an entrepreneur, a business owner, or someone with a great idea, Fine answers the common question: "can AI build me an app?" The answer is yes. Fine uses artificial intelligence to guide you through creating a complete, professional app—all without requiring you to write a single line of code. Designing Your App’s Look and Feel Creating an attractive and user-friendly interface is crucial for your app's success. Fine designs the app based on your prompts - no drag-and-drop required. It automatically follows design best-practices for a clean, easy-to-understand UI. Read more about how to prompt to create your Frontend . Using Fine AI to build your app will ensure it’s responsive to different screen sizes - including desktop, tablet and mobile - and coherent by following brand guidelines. It’s easy to update your fonts, colours and icons by just prompting. Powering Your App with a Smart Backend Behind every great app is a powerful backend that handles data, logic, and interactions. Fine’s AI-driven backend setup takes care of all these technical tasks for you. By automatically generating and configuring the backend, Fine ensures that your app runs smoothly and securely. You don't have to worry about the complexities of server management—the platform does it all. Fine’s AI doesn’t require you to connect to an external platform for your backend - it’s all built in to the AI app building platform. Effortless Data Management Your app needs to store and manage information reliably. Fine integrates a user-friendly database solution that makes data management simple. Whether it's storing user details or keeping track of app content, Fine’s database functionality is designed for ease of use, so you can focus on what matters most—growing your idea. Learn more about Fine’s built-in Database . Seamless User Authentication Security and user management are key to any successful app. Fine includes built-in authentication features that let you add sign-up, login, and secure user access without any extra hassle. This means you can easily protect your app and offer a smooth experience for your users. AI can configure different permission levels and make it easy to add login with familiar methods such as email and password without complex setup. Smooth Deployment for a Live App After building your app, the next step is launching it to the world. Fine takes care of the deployment process, ensuring that your app is live and accessible with minimal effort. The platform’s deployment features streamline the process, allowing you to focus on engaging with your users and growing your business. You can deploy to a free subdomain, custom branded domain and a preview environment for each change. Conclusion: Your App, Built by AI The answer to "can AI build me an app?" is a confident yes—with Fine, you have the power to create a fully functional, professional app without any technical barriers. By combining intuitive design tools, AI-powered backend management, seamless data handling, robust security, and effortless deployment, Fine turns your app ideas into reality. Whether you're looking to launch a startup, enhance your business, or simply experiment with new digital solutions, Fine’s comprehensive platform is your gateway to innovation. Dive into the resources on Fine App Building Docs and start building today! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://forem.com/new/machinelearning#main-content | New Post - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to Forem? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#pricing | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://dev.to/veritaschain/introducing-vcc-demo-a-browser-based-cryptographic-audit-trail-you-can-try-right-now-488a | Introducing VCC Demo: A Browser-Based Cryptographic Audit Trail You Can Try Right Now - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Jan 2 Introducing VCC Demo: A Browser-Based Cryptographic Audit Trail You Can Try Right Now # javascript # react # blockchain # fintech TL;DR: We built a complete cryptographic verification system that runs entirely in your browser. Try it now at veritaschain.org/vcc/demo —no signup required. Why We Built This In 2024-2025, the proprietary trading industry witnessed an unprecedented collapse. Over 80 prop firms shut down, many amid accusations of manipulated evaluations and unverifiable trade execution. Traders had no way to independently verify that their trades were handled fairly. The core problem? Trust-based audit systems controlled by the entity being audited. The VeritasChain Protocol (VCP) offers a different approach: cryptographic proof over trust . Instead of asking "Do I trust this platform?", VCP enables anyone to ask "Can I mathematically verify this hasn't been tampered with?" Today, we're releasing VCC Demo —a fully functional, browser-based implementation that lets you experience this firsthand. Try It Now 🔗 veritaschain.org/vcc/demo No installation. No signup. No server. Everything runs in your browser. What You Can Do 1. Create Trading Events Simulate a complete trade lifecycle: SIG → ORD → ACK → EXE → CLS (Signal → Order → Acknowledged → Executed → Closed) Enter fullscreen mode Exit fullscreen mode Each event gets a cryptographic hash computed using SHA-256: 2. Build Merkle Trees Click "Create Merkle Anchor" to batch your events into an RFC 6962-compliant Merkle tree: [Root] │ ┌──────────┴──────────┐ │ │ [Node] [Node] │ │ ┌────┴────┐ ┌─────┴─────┐ │ │ │ │ [Leaf] [Leaf] [Leaf] [Leaf] Enter fullscreen mode Exit fullscreen mode The Merkle root is a single hash that commits to ALL events in the batch. Change any single bit of any event, and the root changes completely. 3. Verify Independently This is the "Verify, Don't Trust" moment. Select any anchored event and verify its inclusion: { "valid" : true , "certificate" : { "event_hash" : "91648f1e8ea266a9..." , "merkle_root" : "38a3d9ce3372bd5f..." , "merkle_proof" : [ { "hash" : "abc123..." , "position" : "right" }, { "hash" : "def456..." , "position" : "left" } ], "verification_method" : "RFC6962_MERKLE" } } Enter fullscreen mode Exit fullscreen mode The verification runs entirely in your browser. You don't need to trust our server—because there is no server. Under the Hood Technology Stack Component Technology Cryptography Web Crypto API (native) Merkle Tree RFC 6962 with domain separation Identifiers UUID v7 (time-ordered) Storage IndexedDB (browser-local) UI React 18 + Tailwind CSS Hosting GitHub Pages (static) VCP v1.1 Compliance VCC Demo implements the three-layer integrity architecture defined in VCP v1.1: Layer Component Implementation Layer 1 Event Hash SHA-256 via Web Crypto Layer 2 Merkle Tree RFC 6962 compliant Layer 3 External Anchor Simulated (demo) The Code Everything fits in a single 42KB HTML file. Here's the core Merkle verification: const verifyMerkleProof = async ( eventHash , merkleRoot , auditPath , leafIndex ) => { // Start with leaf hash (0x00 prefix per RFC 6962) let currentHash = await merkleHashLeaf ( eventHash ); // Walk up the tree for ( const step of auditPath ) { if ( step . position === ' left ' ) { currentHash = await merkleHashNode ( step . hash , currentHash ); } else { currentHash = await merkleHashNode ( currentHash , step . hash ); } } // If we arrive at the same root, proof is valid return currentHash === merkleRoot ; }; Enter fullscreen mode Exit fullscreen mode The domain separation (0x00 for leaves, 0x01 for internal nodes) prevents second-preimage attacks—a subtle but critical security detail. What This Demo Proves (And Doesn't) ✅ What It Proves Merkle integrity works: Any modification is instantly detectable Proofs are efficient: O(log n) data to verify any event Client-side verification is possible: No server trust required RFC 6962 is implementable: Certificate Transparency techniques apply to trading ❌ What It Doesn't Prove (Yet) Timestamp authority: Browser clock isn't authoritative External anchoring: The "anchor" is local, not on a blockchain Digital signatures: No private keys in this demo For production systems, you'd add OpenTimestamps or blockchain anchoring, HSM-backed Ed25519 signatures, and proper key management. Use Cases For Traders Understand how cryptographic audit trails work before demanding them from your broker. For Prop Firms Evaluate VCP integration without any commitment. See exactly what data structures look like. For Developers Fork the code, study the implementation, build your own verification tools. For Auditors Understand the mathematical guarantees that Merkle proofs provide. The Bigger Picture VCC Demo is part of the VeritasChain ecosystem: Component Purpose VCP The protocol specification VCC Cloud logging service (production) VCC Demo Browser-based reference implementation VCP Explorer Third-party verification UI The demo runs entirely client-side, but production VCC provides: Real external anchoring (OpenTimestamps, blockchain) Ed25519 digital signatures with HSM Multi-tenant API with authentication PostgreSQL storage with replication Try It Yourself 🔗 veritaschain.org/vcc/demo Click "Create Trade Flow" to generate 5 events Click "Create Merkle Anchor" to build the tree Go to "Verify" tab and select any event See the cryptographic proof in action Your data stays in your browser (IndexedDB). Refresh the page and it's still there. Click "Clear All Data" when you're done. Resources Live Demo: veritaschain.org/vcc/demo VCP Specification: github.com/veritaschain/vcp-spec GitHub Organization: github.com/veritaschain Website: veritaschain.org What's Next? We're actively seeking: Early Adopters: Prop firms and brokers interested in transparent audit trails Contributors: Developers who want to improve the protocol Feedback: What features would make this useful for you? Drop a comment below or reach out on GitHub. Disclaimer: VCC Demo is a reference implementation for educational purposes. It is not VC-Certified and does not constitute endorsement by the VeritasChain Standards Organization (VSO). The era of "trust me" is over. The era of "verify it yourself" has begun. #cryptography #javascript #fintech #opensource #trading 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 Tamper-Proof Audit Trails: How VCP v1.1's Three-Layer Architecture Addresses €150M in Regulatory Failures # fintech # python # security # veritaschain Why Your Trading Algorithm Needs a Flight Recorder: Lessons from the 2025 Market Chaos # fintech # cryptography # security # algorithms Building the World's First Edge-Deployed Cryptographic Audit Trail for Algorithmic Trading # cloudflarechallenge # security # fintech # opensource 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://opensource.org/board-member/carlo-piana | Carlo Piana – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Carlo Piana Carlo Piana he/him Director Board Member Proposed by: Open Forum Europe Candidacy Period: March 21, 2022 – March 21, 2028 Type of Seat: Affiliate About Carlo is a lawyer based in Milan, Italy, practicing IT law, active for almost 25 years in advocacy and activism for digital freedoms. He has been involved in the battles for ensuring competition in networking protocols on behalf of Samba Team and FSFE in one of the largest at the time litigation on antitrust matters before the EU Courts. Regularly advises, also pro bono or partly pro bono, some of the most important Free Software entities and foundations, including Debian, The Document Foundation and the Blender Foundation. Has served as General Counsel for the Free Software Foundation Europe for more than ten years and as Chair of the Board of the Open Source Initiative, of which is Board Member, as well as founding and being editor of the International Free and Open Source Software Law Review. He has joined The Eclipse Foundation as part of the Eclipse Oniro Working Group and member of the Steering Committee, and is one of the designers of the OS compliance toolchain developed within the project, is fellow of the Open Forum Academy and member of OpenChain. He was in the first advisory board for creating detail legislation favoring Open Source software over proprietary in Italian public procurement. Current employer Array (law firm) Other affiliations Eclipse Foundation (contributing member, member of working groups) Open Forum Academy (fellow) Openchain Project (partner) What areas of the Board’s work do you see yourself contributing towards? My main focus will be continuing the work I started as chair of the board: Keep the board’s focus on investing in OSI education and outreach programs that cover policy makers, lawyers, developers of software and of AI systems. Complete the transition to a professional organization, with board governance that reflects the new organizational structure. Continue researching the AI ecosystem, supporting the newly-formed communities around development of AI systems and data commons What goals do you hope to achieve for OSI and the world of open source by serving on the Board of Directors? Continue growing the OSI on the path it’s been since I started serving on the board in 2021. OSI has never had more visibility and funding to hire qualified employees that are making a difference, educating policy makers in the EU and the US. OSI must increase its support for Open Source developers to limit the impact of the Cyber Resilience Act as the implementation standards are developed. Similarly, I want OSI to continue leading the conversation about AI, to defend the original Open Source principles and combat open washing. Previous board service Director (2022 – 2025) Chair of the Board (2023 – 2024) Main social media account or blog https://mastodon.uno/deck/@carlopiana Ask this candidate questions in our forum ! Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#raspap-simplifying-wifi-management | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://hmpljs.forem.com/t/beginners#for-articles | Beginners - HMPL.js 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 HMPL.js Forem Close Beginners Follow Hide "A journey of a thousand miles begins with a single step." -Chinese Proverb Create Post submission guidelines UPDATED AUGUST 2, 2019 This tag is dedicated to beginners to programming, development, networking, or to a particular language. Everything should be geared towards that! For Questions... Consider using this tag along with #help, if... You are new to a language, or to programming in general, You want an explanation with NO prerequisite knowledge required. You want insight from more experienced developers. Please do not use this tag if you are merely new to a tool, library, or framework. See also, #explainlikeimfive For Articles... Posts should be specifically geared towards true beginners (experience level 0-2 out of 10). Posts should require NO prerequisite knowledge, except perhaps general (language-agnostic) essentials of programming. Posts should NOT merely be for beginners to a tool, library, or framework. If your article does not meet these qualifications, please select a different tag. Promotional Rules Posts should NOT primarily promote an external work. This is what Listings is for. Otherwise accepable posts MAY include a brief (1-2 sentence) plug for another resource at the bottom. Resource lists ARE acceptable if they follow these rules: Include at least 3 distinct authors/creators. Clearly indicate which resources are FREE, which require PII, and which cost money. Do not use personal affiliate links to monetize. Indicate at the top that the article contains promotional links. about #beginners If you're writing for this tag, we recommend you read this article . If you're asking a question, read this article . Older #beginners posts 1 2 3 4 5 6 7 8 9 … 75 … 3379 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu 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 HMPL.js Forem — For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:49:32 |
https://future.forem.com/about#main-content | About Future Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Future Close About Future Future is where curious minds explore new technologies and their impact on our lives. It’s a place for builders, academics, creatives, entrepreneurs, and beyond to share their understandings and discuss the future of technology. Topics include robotics, AI, crypto/blockchain, 3D printing, and anything else you can think of at the cutting edge. Getting Started Join the conversation in three simple steps: Create your profile Follow topics and writers aligned with your interests Engage by reacting to posts, commenting, or sharing your first thought. New to writing? Start with: Your excitement or concerns with a new technology What you hope the technological future holds for you and your family Impact of emerging tech on your work Sharing your domain expertise Technical Foundation Future is built on Forem, an open source platform designed for community-driven knowledge sharing. While our focus is on fostering meaningful discussions about technology's future, our platform reflects our commitment to transparency and quality. Let's shape the future together ✨ 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:32 |
https://www.linkedin.com/company/coderabbitai?trk=organization_guest_main-feed-card_feed-actor-name | CodeRabbit | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Register now CodeRabbit Software Development San Francisco, California 24,856 followers Cut Code Review Time & Bugs in Half. Instantly. See jobs Follow Discover all 117 employees Report this company Overview Jobs About us CodeRabbit is an innovative, AI-driven platform that transforms the way code reviews are done. It delivers context-aware, human-like reviews, improving code quality, reducing the time and effort required for thorough manual code reviews, and enabling teams to ship software faster. Trusted by over a thousand organizations, including The Economist, Life360, ConsumerAffairs, Hasura, and many more, to improve their code review workflow. CodeRabbit is SOC 2 Type 2, GDPR certified, and doesn't train on customer's proprietary code. Website https://coderabbit.ai External link for CodeRabbit Industry Software Development Company size 51-200 employees Headquarters San Francisco, California Type Privately Held Founded 2023 Products CodeRabbit CodeRabbit DevOps Software Ship quality code faster with CodeRabbit's AI code reviews. We offer codebase-aware line-by-line reviews with 1-click fixes to speed up your code review process. Merge PRs 50% faster with 50% fewer bugs. Locations Primary San Francisco, California, US Get directions Bengaluru, IN Get directions Employees at CodeRabbit John Demko Ashmeet Sidana Daniel Cohen Miles Mulcare See all employees Updates CodeRabbit reposted this Santosh Yadav 1d Edited Report this post Hey friends hope you had a great weekend, this week was tough for #tailwindcss as project was struggling with funding, good thing this time everyone cared and rushed in to save the project for another day. But the question remains open, is Open Source ever going to be sustainable? Cc: CodeRabbit Open Source funding was always broken Santosh Yadav on LinkedIn 39 1 Comment Like Comment Share CodeRabbit 24,856 followers 16h Report this post Rohit Khanna is going to be sharing how AI is already reshaping real engineering work, which is exactly the kind of conversation we care about at CodeRabbit! If you're in the area and available to attend, you'll not want to miss out! 🐰 Nishant Chandra 18h Edited Over the past year, I've had the same conversation with engineering leaders over and over again. AI isn't just changing how we write code. It's changing how we think about code review, how we structure teams, who we hire, and honestly, what's even worth building in the first place. But most of the conversations happening publicly? They're polished keynotes and product pitches. What's missing are the messy, honest rooms where people can actually think out loud. That's what we're trying to create with FutureLab at Newton School of Technology . The first session is happening in collaboration with The Product Folks . We're bringing together engineering leaders who are living through this shift right now, not theorizing about it. We'll start with a panel: Rohit Khanna (VP Engineering, CodeRabbit ), Rohit Nambiar (VP Engineering, Paytm ), and Aditya C. (VP Engineering, MoEngage ), moderated by Suhas Motwani (Co-founder, The Product Folks ). Then we open it up. No agenda, no script. Just people who've been in the trenches comparing notes, disagreeing, and figuring things out together. If you're actively dealing with how engineering workflows, team structures, and production realities are shifting in an AI-first world, this might be worth your time. Details and invite requests here: https://luma.com/oq62rgmn 8 Like Comment Share CodeRabbit reposted this Devario J. 17h Report this post I've been evaluating agentic code review from a few different sources (openAI, CodeRabbit etc) and so far...Im deeply in love with CodeRabbit . 11 4 Comments Like Comment Share CodeRabbit 24,856 followers 2d Report this post Letting users pick their favorite LLM feels empowering, but it destroys quality, consistency, and cost. The best UX? No model dropdown at all. Here’s why that choice should belong to evaluation, not preference. 👇 https://lnkd.in/ehCzRD5n 14 Like Comment Share CodeRabbit 24,856 followers 3d Report this post Ranking every PR we've ever reviewed 36 4 Comments Like Comment Share CodeRabbit reposted this Nithin K. 4d Report this post When the CEO of the world's most valuable tech company makes a statement like this, you pay attention. This isn't just an endorsement. It's a signal. “We are using CodeRabbit all over NVIDIA!” - Jensen at CES 2026 Michael Fox Mayur Gandhi Rohit Khanna Sahil M Bansal Ritvi Mishra Aravind Putrevu Lewis Mbae Sohum Tanksali Daniel Cohen David Loker Geetika Mehndiratta Hendrik Krack Erik Thorelli #AI #SoftwareDevelopment #CodeReview #NVIDIA #EngineeringExcellence #DevTools 75 3 Comments Like Comment Share CodeRabbit reposted this Amanda Saunders 5d Edited Report this post Big milestone for open AI in production. CodeRabbit just announced support for NVIDIA Nemotron in their AI code review platform. Real open-source models. Real developer workflows. Real production impact. By integrating Nemotron, CodeRabbit is giving teams more flexibility, better cost control, and strong reasoning performance without being locked into a single proprietary model. It’s a great example of how open models are moving beyond research and into day-to-day engineering tools. The future of AI isn’t one giant model. It’s specialized systems, powered by open models, running where and how developers choose. 👏 Huge shoutout to the CodeRabbit team for pushing open AI forward. Read more: https://lnkd.in/eXrbMRVi #agenticAI #AIinAction #opensourceAI …more 77 1 Comment Like Comment Share CodeRabbit 24,856 followers 5d Edited Report this post Mastra ships a mission-critical TypeScript agent framework used by companies like SoftBank and Adobe. For their 1.0 release, they had: > A fast-moving codebase > Zero room for breaking changes. Problem: Moving that fast without a reliable code review tool meant that bugs could slip through. Before CodeRabbit they tried multiple AI review tools and struggled to trust them! But now they have: > 70–85% of comments accepted > 0 follow‐up PRs > A clear baseline for what “review ready” means. Read more below 👇 https://lnkd.in/evwEasyZ 11 Like Comment Share CodeRabbit reposted this Harjot Gill 6d Report this post “We are using CodeRabbit all over NVIDIA!” - Jensen at CES 2026 NVIDIA AI 1,564,692 followers 6d 🤯 100% of NVIDIA engineers code with AI—and they’re checking in 3x more code than before. At that scale, human-only code review can’t keep up. CodeRabbit review agents use models like Claude and GPT with NVIDIA Nemotron to: ✅ Pull context from code, docs, project trackers, and more ✅ Use Nemotron’s long context and reasoning to summarize ✅ …so that frontier models can flag issues and suggest fixes in minutes, not days. Join us today at 11 AM PT to see an end-to-end demo and bring your Qs: https://nvda.ws/4aN0sNi 🤗 Get Nemotron Nano 3: https://nvda.ws/4qKwJJz 159 22 Comments Like Comment Share CodeRabbit reposted this NVIDIA AI 1,564,692 followers 6d Report this post 🤯 100% of NVIDIA engineers code with AI—and they’re checking in 3x more code than before. At that scale, human-only code review can’t keep up. CodeRabbit review agents use models like Claude and GPT with NVIDIA Nemotron to: ✅ Pull context from code, docs, project trackers, and more ✅ Use Nemotron’s long context and reasoning to summarize ✅ …so that frontier models can flag issues and suggest fixes in minutes, not days. Join us today at 11 AM PT to see an end-to-end demo and bring your Qs: https://nvda.ws/4aN0sNi 🤗 Get Nemotron Nano 3: https://nvda.ws/4qKwJJz …more 382 17 Comments Like Comment Share Join now to see what you are missing Find people you know at CodeRabbit Browse recommended jobs for you View all updates, news, and articles Join now Similar pages Toplyne Software Development San Francisco, California Dyna Robotics Technology, Information and Internet Redwood City, CA Overmind Software Development Ema Software Development MetalBear Software Development New York, NY Traycer Software Development Alegeus Financial Services Boston, Massachusetts PassiveLogic Software Development Salt Lake City, UT Snapp AI Technology, Information and Internet San Francisco, CA Vercel Software Development San Francisco, California Show more similar pages Show fewer similar pages Browse jobs Engineer jobs 555,845 open jobs Engineering Manager jobs 145,990 open jobs Developer jobs 258,935 open jobs Analyst jobs 694,057 open jobs Manager jobs 1,880,925 open jobs Director jobs 1,220,357 open jobs Full Stack Engineer jobs 38,546 open jobs Software Engineering Manager jobs 59,689 open jobs Director of Product Management jobs 14,985 open jobs Senior Software Engineer jobs 78,145 open jobs Senior Product Manager jobs 50,771 open jobs Product Manager jobs 199,941 open jobs Scientist jobs 48,969 open jobs Associate Software Engineer jobs 223,979 open jobs Marketing Manager jobs 106,879 open jobs Consultant jobs 760,907 open jobs Software Engineer jobs 300,699 open jobs Co-Founder jobs 5,680 open jobs Quality Assurance Engineer jobs 31,450 open jobs Frontend Developer jobs 17,238 open jobs Show more jobs like this Show fewer jobs like this Funding CodeRabbit 5 total rounds Last Round Series B Oct 16, 2025 External Crunchbase Link for last round of funding US$ 60.0M Investors Scale Venture Partners + 5 Other investors See more info on crunchbase More searches More searches Engineer jobs Software Engineer jobs Associate Product Manager jobs Account Executive jobs Business Development Specialist jobs Principal Software Engineer jobs Manager jobs Chief Technology Officer jobs Director jobs Automotive Engineer jobs Engineering Manager jobs Scientist jobs Developer jobs Senior Product Manager jobs Co-Founder jobs Android Developer jobs Customer Engineer jobs Technical Lead jobs Technology Supervisor jobs Lead jobs Application Engineer jobs Enterprise Account Executive jobs Director of Engineering jobs Intelligence Specialist jobs Senior Software Engineering Manager jobs Sales Engineer jobs Director Hardware jobs Director of Hardware Engineering jobs Account Manager jobs Deployment Engineer jobs Principal Architect jobs Group Product Manager jobs Senior Manager jobs Head of Analytics jobs Head of Product Management jobs Software Test Lead jobs Trade Specialist jobs Field Director jobs User Experience Designer jobs Principal Engineer jobs Assistant Vice President jobs Software Test Manager jobs Strategy Analyst jobs Director of Product Management jobs Associate Software Engineer jobs Security Manager jobs Legal Associate jobs Senior Scientist jobs Vice President of Engineering jobs Client Account Director jobs Designer jobs Field Application Scientist jobs Java Software Engineer jobs Analyst jobs Account Strategist jobs Intern jobs Tester jobs Business Analyst jobs Marketing Director jobs Test Engineer jobs LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Sign in to see who you already know at CodeRabbit Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#customizing-the-splash-page | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://future.forem.com/about#getting-started | About Future Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Future Close About Future Future is where curious minds explore new technologies and their impact on our lives. It’s a place for builders, academics, creatives, entrepreneurs, and beyond to share their understandings and discuss the future of technology. Topics include robotics, AI, crypto/blockchain, 3D printing, and anything else you can think of at the cutting edge. Getting Started Join the conversation in three simple steps: Create your profile Follow topics and writers aligned with your interests Engage by reacting to posts, commenting, or sharing your first thought. New to writing? Start with: Your excitement or concerns with a new technology What you hope the technological future holds for you and your family Impact of emerging tech on your work Sharing your domain expertise Technical Foundation Future is built on Forem, an open source platform designed for community-driven knowledge sharing. While our focus is on fostering meaningful discussions about technology's future, our platform reflects our commitment to transparency and quality. Let's shape the future together ✨ 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/how-to-use-github-copilot#what-can-github-copilot-do | How to Use GitHub Copilot Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Use GitHub Copilot Introduction GitHub Copilot has been a game-changer for developers looking to write code faster, with fewer errors, and a smoother workflow. It's an AI pair programmer that takes a lot of the heavy lifting out of coding, freeing up your time and energy to focus on the bigger picture. In this blog post, we'll dive into how to use GitHub Copilot effectively and explore how it can significantly improve your productivity as a developer. But we'll also go one step further and look at what else AI can do for developers beyond GitHub Copilot's capabilities. Stick around until the end, where we'll explore how Fine can fill in the gaps. Table of Contents Introduction What Can GitHub Copilot Do? How GitHub Copilot Can Make You Faster Practical Steps to Use GitHub Copilot Why Does GitHub Copilot Hallucinate? Best Practices for Using Copilot Safely Limitations of GitHub Copilot What Else Can AI Do for Developers? Conclusion What Can GitHub Copilot Do? GitHub Copilot is designed to be your AI assistant, generating code suggestions based on the context of your work. Here are some of its standout features: Code Generation: Copilot can generate whole lines or even blocks of code, based on natural language comments or existing code context. Autocomplete Functionality: It helps autocomplete methods, variables, and even complex logic based on what it thinks you need next, making your coding process faster and less repetitive. Code Examples and Snippets: If you're dealing with a function or algorithm you're not familiar with, Copilot can provide examples to guide you. Multi-language Support: Copilot isn't limited to a specific language; it supports Python, JavaScript, TypeScript, Ruby, and many more. How GitHub Copilot Can Make You Faster Speed Up Boilerplate Code: By generating repetitive boilerplate code, Copilot saves hours that developers often lose to monotonous tasks. Discover New APIs and Methods: It can introduce you to libraries or functions that you might not be familiar with, expanding your toolkit while you're working. Natural Language to Code: Simply typing what you want in plain English can lead Copilot to write the corresponding code for you. This saves time looking up syntax or fiddling with commands. Practical Steps to Use GitHub Copilot Install the Extension : First, install GitHub Copilot from the Visual Studio Code extensions marketplace. Activate Copilot : Once installed, make sure to sign in with your GitHub account to activate Copilot. Write Natural Language Comments : Start by writing comments like "// Create a function to calculate Fibonacci numbers". Copilot will suggest code based on your comments. Accept or Modify Suggestions : Review Copilot's suggestions and either accept them, modify them, or ask for alternatives by pressing Tab to cycle through options. Customize Settings : Go into Copilot's settings and tweak how often you receive suggestions, the types of suggestions, and more, to tailor the experience to your workflow. Why Does GitHub Copilot Hallucinate? GitHub Copilot can sometimes generate code that seems correct but actually contains logical flaws, outdated practices, or even completely incorrect information. This phenomenon is often referred to as AI "hallucination." These hallucinations occur because Copilot generates responses based on the vast datasets it was trained on, but it doesn't fully understand the context or correctness of the code. Instead, it predicts what comes next based on patterns it has seen before. Additionally, Copilot has limitations in understanding broader project-specific contexts, which can lead to suggestions that don't align with your particular use case. This is why reviewing and testing the code suggestions provided by Copilot is always necessary to avoid unintended errors or vulnerabilities. Best Practices for Using Copilot Safely To make the most of GitHub Copilot while ensuring your code remains secure and of high quality, consider these best practices: Always Review Generated Code : Never assume the generated code is flawless. Make sure to review it thoroughly to avoid introducing bugs or vulnerabilities into your project. Test All Suggestions : Just like any other code, make sure to test the suggestions provided by Copilot. This helps you catch any mistakes or unexpected behaviors early on. Avoid Sensitive Data Handling : Do not use Copilot for generating code that handles sensitive information, like authentication or encryption, as it may inadvertently introduce security risks. Understand the Code : Use Copilot as a guide, not a crutch. Always strive to understand the code being generated, so you can effectively modify and maintain it over time. Limitations of GitHub Copilot While Copilot is a powerful tool, it's important to recognize its limitations: Lack of Deep Context Awareness : Copilot generates suggestions based on the immediate context but lacks a deep understanding of your entire project. This means it might provide code that doesn't fit well with your broader application logic. Risk of Outdated Practices : The AI model was trained on a large dataset that includes both modern and outdated code. As a result, it can sometimes suggest practices that are no longer recommended. Potential Security Risks : Since Copilot generates code based on patterns it has seen, it may inadvertently include insecure coding practices. This makes it crucial for developers to have a good understanding of security best practices when using it. No Guarantee of Originality : The code Copilot suggests may resemble code from public repositories, potentially raising licensing concerns. Be mindful of this when using its suggestions in proprietary software. What Else Can AI Do for Developers? GitHub Copilot is amazing, but it's not the only player in the field of AI-driven development tools . If you want more than just code suggestions, let’s look at some other tasks that AI can automate for you, and this is where Fine comes into the picture. Help Getting Started: If you're not sure how to begin addressing a feature or an issue, or if you're not sure where in the codebase the relevant code is, just ask Fine. Within GitHub Issues or Linear, you can comment /guideme and Fine will break down the task for you. Answer Questions About Your Code: You can ask Fine questions about your code or different tasks you've been given to get quick answers. Using the power of the LLMs and the knowledge of your codebase, Fine will help you solve puzzles. Revisions to PRs in your browser: Need to make a small change to a PR? Fine allows you to comment /revise on the PR in GitHub followed by the change you'd like and the AI does it for you. Comprehensive Code Documentation : Fine automatically documents your code and changes, making it easier for your team to understand and maintain code for years to come. Automate AI workflows: Using Fine, you can set up AI to perform repeated tasks automatically - such as summarizing and reviewing all new PRs. Conclusion GitHub Copilot is an incredible AI assistant that can boost your efficiency by speeding up coding tasks, reducing repetition, and helping you learn on the go. But, if you're looking to level up your entire development process, from security to bug detection and comprehensive documentation, Fine has a lot to offer. Ready to see how AI can transform the way you work beyond code suggestions? Sign up for Fine today and discover the difference. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://hmpljs.forem.com/t/beginners#promotional-rules | Beginners - HMPL.js 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 HMPL.js Forem Close Beginners Follow Hide "A journey of a thousand miles begins with a single step." -Chinese Proverb Create Post submission guidelines UPDATED AUGUST 2, 2019 This tag is dedicated to beginners to programming, development, networking, or to a particular language. Everything should be geared towards that! For Questions... Consider using this tag along with #help, if... You are new to a language, or to programming in general, You want an explanation with NO prerequisite knowledge required. You want insight from more experienced developers. Please do not use this tag if you are merely new to a tool, library, or framework. See also, #explainlikeimfive For Articles... Posts should be specifically geared towards true beginners (experience level 0-2 out of 10). Posts should require NO prerequisite knowledge, except perhaps general (language-agnostic) essentials of programming. Posts should NOT merely be for beginners to a tool, library, or framework. If your article does not meet these qualifications, please select a different tag. Promotional Rules Posts should NOT primarily promote an external work. This is what Listings is for. Otherwise accepable posts MAY include a brief (1-2 sentence) plug for another resource at the bottom. Resource lists ARE acceptable if they follow these rules: Include at least 3 distinct authors/creators. Clearly indicate which resources are FREE, which require PII, and which cost money. Do not use personal affiliate links to monetize. Indicate at the top that the article contains promotional links. about #beginners If you're writing for this tag, we recommend you read this article . If you're asking a question, read this article . Older #beginners posts 1 2 3 4 5 6 7 8 9 … 75 … 3379 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu 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 HMPL.js Forem — For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:49:32 |
https://www.git-tower.com/learn/git/webinar#a | Live Webinar - 17 Ways to Undo Mistakes with Git | Learn Version Control with Git Live Webinar Limited Seats! 17 Ways to Undo Mistakes with Git Git is like an iceberg to most people: they know the basic commands, but miss out on its real powers. In this 1-hour webinar, we show you how Git can save your neck - by helping you roll back, revert, and generally undo almost any mistakes that might happen. Level up your development skills and sign up now - it's free! Reserve Your Seat The webinar is free , but seats are limited . Participants will receive a recording via email, in case you cannot make the live session. What You'll Learn Fixing commit messages and changesets Discarding local changes, down to individual lines Undoing and reverting old commits Returning to a previous version of your project Restoring deleted branches and commits Moving commits between branches Deleting unwanted commits Combining multiple commits into one ...and much more! Commands and workflows are demonstrated using Git on the Command Line , so that anybody can take part - no matter what tools (IDEs, GUIs) they are using. Additionally, to make complex workflows more visual, some commands are also demonstrated using the Tower desktop GUI. About Your Instructor Tobias Günther is the author of the book "Learning Version Control with Git" and founded the "Tower" Git client . Additionally, he is water-resistant to 4m. Praise from Previous Webinars "I'm no stranger to Git and version control. And still: I've learned so many tips & tricks that have improved my day-to-day work." — Florian Bürger, Engineer at Microsoft "I had already known and worked with Git for quite a while. After the workshop, however, I'm much more productive and confident with Git! Thanks a lot!" — Matthias Wagler, Lead Core Developer at The Native Web "Knowing some Git commands and actually being productive with Git are two very different animals. This workshop helped me become a better professional." — Verena Ortlieb, UI/UX Designer | 2026-01-13T08:49:32 |
https://vibe.forem.com/code-of-conduct#attribution | Code of Conduct - Vibe Coding Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Vibe Coding Forem Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:32 |
https://hmpljs.forem.com/code-of-conduct#our-standards | Code of Conduct - HMPL.js 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 HMPL.js Forem Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV HMPL.js Forem — For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:49:32 |
https://docs.devcycle.com/cli-mcp/ | CLI / MCP Overview | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up CLI / MCP Overview CLI CLI Reference CLI User Guides Projects Environments SDK Keys Features Variables Variations Targeting Rules Self-Targeting CLI User Guides MCP MCP Getting Started MCP Reference MCP User Guides Incident Investigation CLI / MCP Overview On this page CLI / MCP Overview DevCycle provides two complementary tools for managing feature flags: a command-line interface for developers and an MCP server for use with AI assistants. DevCycle CLI The DevCycle CLI is a comprehensive command-line tool for feature flag management. Key Features Feature Flag Management : Create, update, and delete feature flags Environment Control : Manage targeting across different environments Project Administration : Switch between projects and manage settings Integration Ready : Perfect for automation and CI/CD workflows Local Development : Test and validate flags locally Quick Start Install: npm install -g @devcycle/cli Login: dvc login sso Select project: dvc projects select Start using CLI commands like: dvc features list Explore CLI Reference → | View CLI User Guides → DevCycle MCP Server The DevCycle MCP Server is based on our CLI and enables AI assistants like Claude Desktop, Cursor, and other MCP-compatible clients to directly interact with your DevCycle feature flags, environments, and projects through natural language. Example interactions: "Create a new feature flag called 'new-checkout-flow'" "Enable targeting for my-feature in production" "An incident occurred at 5pm today, show me what changes happened within the hour before the incident" What is MCP? The Model Context Protocol (MCP) is an open standard that enables AI applications to securely connect to data sources and tools. DevCycle's MCP server acts as a bridge between AI assistants and your feature flag management, allowing you to: Create and manage feature flags using natural language Configure targeting rules without writing complex queries Test features safely using self-targeting and overrides Get real-time insights about your feature flag usage Key Benefits Natural Language Interface : Use commands like "Create a feature flag for the new checkout flow" Production Safety : Built-in warnings and confirmations for destructive actions Comprehensive Coverage : 35+ tools across all DevCycle operations Get Started with MCP → | MCP Reference → Choose Your Workflow Tool Best For CLI Direct command-line control, scripting, CI/CD integration MCP Natural language interactions, AI-assisted development Both tools use the same DevCycle APIs and can be used together seamlessly. Getting Help Community : Discord Issues : GitHub Support : Contact Us Edit this page Last updated on Jan 9, 2026 Next DevCycle CLI & MCP Server DevCycle CLI Key Features Quick Start DevCycle MCP Server What is MCP? Key Benefits Choose Your Workflow Getting Help DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/o1-vs-sonnet-es#introduction | OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Introducción A medida que la IA continúa evolucionando, dos modelos destacan: o1 de OpenAI y Claude Sonnet 3.5 de Anthropic. Ambos ofrecen capacidades impresionantes para los desarrolladores de software, pero sus fortalezas varían, especialmente cuando se trata de programación. Este blog compara estos dos modelos de IA, centrándose en tareas de programación y rendimiento general. Fine incluye acceso ilimitado a ambos modelos, lo que lo convierte en una excelente manera de probar y comparar cómo o1 y Sonnet se desempeñan con tareas de programación. Diferencias Principales o1 está diseñado para razonamiento complejo y resolución de problemas . Sus respuestas son profundas y reflexivas, lo que lo hace ideal para desarrolladores que trabajan en problemas intrincados o que necesitan explicaciones detalladas. Por otro lado, Claude Sonnet 3.5 se centra en eficiencia y velocidad , destacando en tiempos de respuesta rápidos mientras es más rentable. Si buscas generar código rápidamente o manejar tareas de alto volumen, Claude Sonnet 3.5 puede ser la mejor opción. Ambos modelos utilizan arquitecturas basadas en transformadores, pero o1 es más adecuado para desarrolladores que buscan razonamiento detallado, mientras que Claude Sonnet 3.5 es la opción preferida para aquellos que priorizan la velocidad. Ventana de Contexto y Rendimiento La ventana de contexto juega un papel crucial en cómo estos modelos manejan entradas grandes o conversaciones extendidas. ChatGPT o1 admite 128,000 tokens, mientras que Claude Sonnet 3.5 maneja un mayor 200,000 tokens , dándole una ventaja para tareas que requieren una retención significativa de contexto, como revisar grandes bases de código. Ambos modelos ofrecen un rendimiento sólido en una variedad de tareas, pero sus habilidades brillan en diferentes áreas. ChatGPT o1 sobresale en razonamiento multietapa , explicando la lógica de código compleja en detalle, mientras que Claude Sonnet 3.5 se centra en correcciones de errores rápidas y generación eficiente de código . Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? En octubre de 2024, Anthropic anunció una versión mejorada de Claude 3.5 Sonnet. Las recientes actualizaciones a Claude 3.5 Sonnet han mejorado significativamente sus capacidades de ingeniería de software. Notablemente, el rendimiento del modelo en el benchmark SWE-bench Verified ha mejorado del 33.4% al 49.0%, superando a todos los modelos disponibles públicamente, incluido el o1-preview de OpenAI. Este avance refleja la mayor precisión de Claude 3.5 Sonnet en la generación de funciones y verificación de errores, particularmente en la depuración y refactorización de código que involucra funciones anidadas o segmentos interdependientes. Además, la capacidad de tokens ampliada del modelo le permite retener y utilizar un contexto más extenso, lo que lo hace ideal para revisar grandes bases de código o gestionar proyectos intrincados con múltiples dependencias. Las pruebas iniciales indican que Claude 3.5 Sonnet sobresale en tareas de programación especializadas, como identificar vulnerabilidades de seguridad en aplicaciones web y optimizar algoritmos para velocidad y eficiencia. GitLab, por ejemplo, informó hasta un 10% de mejora en las capacidades de razonamiento para tareas de DevSecOps con el modelo actualizado, sin ningún aumento en la latencia. Casos de uso de IA para programación con o1 y Claude Sonnet 3.5 ChatGPT o1: Depuración de gestión de estado compleja en React: Usa o1 para analizar profundamente por qué ciertos estados no se actualizan correctamente o entran en conflicto entre componentes. Refactorización de código heredado: Emplea el razonamiento exhaustivo de o1 para reestructurar un script antiguo de Python para mejorar su legibilidad y mantenibilidad. Creación de algoritmos: Ideal para escribir y explicar algoritmos como ordenamiento, recorrido de árboles o programación dinámica en detalle. Claude Sonnet 3.5: Generación de código boilerplate: Crea rápidamente archivos de configuración para nuevos proyectos como APIs de Flask o estructura de front-end en Next.js. Autocompletar funciones: Úsalo para completar una función de JavaScript a medio escribir con manejo de errores adecuado y casos extremos. Generación masiva de código: Sonnet 3.5 sobresale en producir estructuras de código repetitivas pero ligeramente variadas como endpoints de API similares o casos de prueba unitarios. ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Hoy en día hay muchas herramientas de desarrollo disponibles para ayudarte con tu programación con IA, desde asistentes avanzados de programación con IA como Fine hasta generadores de código como GitHub Copilot. Algunas usan múltiples LLMs, algunas te dan la opción y otras se basan en un solo modelo. ¿Qué modelo de IA (LLM) utiliza Fine? Fine es una de las pocas herramientas de programación con IA que ofrece a los usuarios la opción entre diferentes LLMs para diversas tareas. Al usar Fine a través del navegador web, los usuarios pueden elegir entre o1-preview, 4o y Claude 3.5 Sonnet. Sin embargo, necesitarás una suscripción pro para aprovechar esto, que cuesta $13-15 por mes. Si eres un usuario gratuito, podrás usar Fine con 4o. Haz clic aquí para probarlo. ¿Qué modelo de IA (LLM) utiliza GitHub Copilot? GitHub Copilot está fuertemente integrado con OpenAI. GitHub es propiedad de Microsoft, que tiene una profunda asociación con OpenAI. La mayoría de los usuarios tienen acceso a 4o, mientras que los suscriptores de Azure AI pueden usar GitHub Copilot con o1-mini y o1-preview. ACTUALIZACIÓN: En GitHub Universe 2024, se anunció que esta asociación exclusiva ya no era tan exclusiva y que la opción de usar Claude se implementaría para todos los usuarios de GitHub Copilot en breve. Algunos usuarios ya han podido acceder a Claude. Está disponible en el Copilot Chat en Visual Studio Code y en Immersive Copilot en el navegador web solamente. ¿Qué modelo de IA (LLM) utiliza Cursor? Cursor utiliza Claude 3.5 Sonnet por defecto y recurre a OpenAI 4o durante interrupciones de Anthropic. ¿Qué modelo de IA (LLM) utiliza Bolt? Bolt, la herramienta de programación con IA que se especializa exclusivamente en front-end, se basa en Claude 3.5 Sonnet. ¿Qué modelo de IA (LLM) utiliza Replit? Aunque Replit lanzó previamente su propio modelo de IA en 2023, cuando anunciaron Replit Agent, su principal herramienta de programación con IA, en 2024, parece que tomaron la decisión de usar Claude 3.5 Sonnet. ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? Si estás buscando comparar cuáles son las mejores herramientas de programación con IA o LLMs, hay algunas cosas a tener en cuenta. Primero, es importante evaluar el LLM y la herramienta por separado. Usa una herramienta como Fine que te permita dar la misma tarea a múltiples LLMs para comparar cuál te da el mejor resultado. Aquí hay una comparación que hicimos de los tres modelos ofrecidos por Fine, planteados con la misma pregunta: ¿Qué hace este repositorio? (Es una pregunta que algunos están llamando el Hola Mundo de la programación con IA). Segundo, compara cómo las herramientas se desempeñan con tu LLM elegido, específico para tu caso de uso. Fine ofrece una variedad de integraciones para aumentar tu productividad, como la capacidad de hacer revisiones dentro de GitHub PR, que están ahorrando horas a los desarrolladores cada semana. ¿Cuál modelo es mejor para programar? Para tareas de programación, tu elección depende de tus necesidades: ChatGPT o1 es la mejor opción cuando trabajas en problemas complejos y multietapa donde necesitas un razonamiento profundo y explicaciones detalladas. Por ejemplo, sobresale en explicar código intrincado o ayudar con la depuración de una manera más reflexiva. Claude Sonnet 3.5 es el modelo preferido para generación de código rápida y eficiente y prototipado iterativo. Es rentable para tareas de alto volumen como generar múltiples fragmentos de código o automatizar correcciones de errores. Ambos modelos apoyan a los desarrolladores en la programación, pero Claude Sonnet 3.5 puede ahorrar tiempo y dinero para tareas de programación cotidianas, mientras que ChatGPT o1 podría ser tu aliado para problemas de programación más difíciles y detallados. Conclusión Al decidir entre ChatGPT o1 y Claude Sonnet 3.5 , considera la complejidad de tus tareas de programación y las restricciones de presupuesto. ChatGPT o1 ofrece una mejor resolución de problemas para tareas intrincadas, mientras que Claude Sonnet 3.5 proporciona una generación de código más rápida y asequible para las necesidades de desarrollo diarias. Ambos modelos son herramientas de IA poderosas que pueden mejorar significativamente tu productividad como desarrollador de software. Regístrate en una plataforma como Fine , que incluye acceso ilimitado a ambos, para lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso ilimitado tanto a o1 como a Claude Sonnet 3.5 , permitiendo a los desarrolladores cambiar entre estos poderosos LLMs según las necesidades de su tarea. Esta flexibilidad es perfecta para aquellos que requieren explicaciones detalladas de ChatGPT o generación de código rápida y eficiente de Claude. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso ilimitado y rentable a ambos modelos para todas tus tareas de programación y desarrollo. Fuentes McNulty, Niall. "ChatGPT o1 vs Claude Sonnet 3.5." Medium , hace 5 días. Enlace . "GPT o1 vs Claude 3.5 Sonnet: ¿Cuál modelo es mejor para programar?" Bind AI Blog , 17 Sep 2024. Enlace . "Comparar o1 Preview vs. Claude 3.5 Sonnet." Context.ai . Enlace . Harisec. "o1 vs Claude." GitHub . Enlace . Tabla de Contenidos Introducción Diferencias Principales Ventana de Contexto y Rendimiento Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? Casos de uso de IA para programación con o1 y Claude 3.5 Sonnet ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Fine GitHub Copilot Cursor Bolt Replit ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? ¿Cuál modelo es mejor para programar? Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://vibe.forem.com/code-of-conduct#enforcement | Code of Conduct - Vibe Coding Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Vibe Coding Forem Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/o1-vs-sonnet-es#replit-ai-coding-llm | OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Introducción A medida que la IA continúa evolucionando, dos modelos destacan: o1 de OpenAI y Claude Sonnet 3.5 de Anthropic. Ambos ofrecen capacidades impresionantes para los desarrolladores de software, pero sus fortalezas varían, especialmente cuando se trata de programación. Este blog compara estos dos modelos de IA, centrándose en tareas de programación y rendimiento general. Fine incluye acceso ilimitado a ambos modelos, lo que lo convierte en una excelente manera de probar y comparar cómo o1 y Sonnet se desempeñan con tareas de programación. Diferencias Principales o1 está diseñado para razonamiento complejo y resolución de problemas . Sus respuestas son profundas y reflexivas, lo que lo hace ideal para desarrolladores que trabajan en problemas intrincados o que necesitan explicaciones detalladas. Por otro lado, Claude Sonnet 3.5 se centra en eficiencia y velocidad , destacando en tiempos de respuesta rápidos mientras es más rentable. Si buscas generar código rápidamente o manejar tareas de alto volumen, Claude Sonnet 3.5 puede ser la mejor opción. Ambos modelos utilizan arquitecturas basadas en transformadores, pero o1 es más adecuado para desarrolladores que buscan razonamiento detallado, mientras que Claude Sonnet 3.5 es la opción preferida para aquellos que priorizan la velocidad. Ventana de Contexto y Rendimiento La ventana de contexto juega un papel crucial en cómo estos modelos manejan entradas grandes o conversaciones extendidas. ChatGPT o1 admite 128,000 tokens, mientras que Claude Sonnet 3.5 maneja un mayor 200,000 tokens , dándole una ventaja para tareas que requieren una retención significativa de contexto, como revisar grandes bases de código. Ambos modelos ofrecen un rendimiento sólido en una variedad de tareas, pero sus habilidades brillan en diferentes áreas. ChatGPT o1 sobresale en razonamiento multietapa , explicando la lógica de código compleja en detalle, mientras que Claude Sonnet 3.5 se centra en correcciones de errores rápidas y generación eficiente de código . Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? En octubre de 2024, Anthropic anunció una versión mejorada de Claude 3.5 Sonnet. Las recientes actualizaciones a Claude 3.5 Sonnet han mejorado significativamente sus capacidades de ingeniería de software. Notablemente, el rendimiento del modelo en el benchmark SWE-bench Verified ha mejorado del 33.4% al 49.0%, superando a todos los modelos disponibles públicamente, incluido el o1-preview de OpenAI. Este avance refleja la mayor precisión de Claude 3.5 Sonnet en la generación de funciones y verificación de errores, particularmente en la depuración y refactorización de código que involucra funciones anidadas o segmentos interdependientes. Además, la capacidad de tokens ampliada del modelo le permite retener y utilizar un contexto más extenso, lo que lo hace ideal para revisar grandes bases de código o gestionar proyectos intrincados con múltiples dependencias. Las pruebas iniciales indican que Claude 3.5 Sonnet sobresale en tareas de programación especializadas, como identificar vulnerabilidades de seguridad en aplicaciones web y optimizar algoritmos para velocidad y eficiencia. GitLab, por ejemplo, informó hasta un 10% de mejora en las capacidades de razonamiento para tareas de DevSecOps con el modelo actualizado, sin ningún aumento en la latencia. Casos de uso de IA para programación con o1 y Claude Sonnet 3.5 ChatGPT o1: Depuración de gestión de estado compleja en React: Usa o1 para analizar profundamente por qué ciertos estados no se actualizan correctamente o entran en conflicto entre componentes. Refactorización de código heredado: Emplea el razonamiento exhaustivo de o1 para reestructurar un script antiguo de Python para mejorar su legibilidad y mantenibilidad. Creación de algoritmos: Ideal para escribir y explicar algoritmos como ordenamiento, recorrido de árboles o programación dinámica en detalle. Claude Sonnet 3.5: Generación de código boilerplate: Crea rápidamente archivos de configuración para nuevos proyectos como APIs de Flask o estructura de front-end en Next.js. Autocompletar funciones: Úsalo para completar una función de JavaScript a medio escribir con manejo de errores adecuado y casos extremos. Generación masiva de código: Sonnet 3.5 sobresale en producir estructuras de código repetitivas pero ligeramente variadas como endpoints de API similares o casos de prueba unitarios. ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Hoy en día hay muchas herramientas de desarrollo disponibles para ayudarte con tu programación con IA, desde asistentes avanzados de programación con IA como Fine hasta generadores de código como GitHub Copilot. Algunas usan múltiples LLMs, algunas te dan la opción y otras se basan en un solo modelo. ¿Qué modelo de IA (LLM) utiliza Fine? Fine es una de las pocas herramientas de programación con IA que ofrece a los usuarios la opción entre diferentes LLMs para diversas tareas. Al usar Fine a través del navegador web, los usuarios pueden elegir entre o1-preview, 4o y Claude 3.5 Sonnet. Sin embargo, necesitarás una suscripción pro para aprovechar esto, que cuesta $13-15 por mes. Si eres un usuario gratuito, podrás usar Fine con 4o. Haz clic aquí para probarlo. ¿Qué modelo de IA (LLM) utiliza GitHub Copilot? GitHub Copilot está fuertemente integrado con OpenAI. GitHub es propiedad de Microsoft, que tiene una profunda asociación con OpenAI. La mayoría de los usuarios tienen acceso a 4o, mientras que los suscriptores de Azure AI pueden usar GitHub Copilot con o1-mini y o1-preview. ACTUALIZACIÓN: En GitHub Universe 2024, se anunció que esta asociación exclusiva ya no era tan exclusiva y que la opción de usar Claude se implementaría para todos los usuarios de GitHub Copilot en breve. Algunos usuarios ya han podido acceder a Claude. Está disponible en el Copilot Chat en Visual Studio Code y en Immersive Copilot en el navegador web solamente. ¿Qué modelo de IA (LLM) utiliza Cursor? Cursor utiliza Claude 3.5 Sonnet por defecto y recurre a OpenAI 4o durante interrupciones de Anthropic. ¿Qué modelo de IA (LLM) utiliza Bolt? Bolt, la herramienta de programación con IA que se especializa exclusivamente en front-end, se basa en Claude 3.5 Sonnet. ¿Qué modelo de IA (LLM) utiliza Replit? Aunque Replit lanzó previamente su propio modelo de IA en 2023, cuando anunciaron Replit Agent, su principal herramienta de programación con IA, en 2024, parece que tomaron la decisión de usar Claude 3.5 Sonnet. ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? Si estás buscando comparar cuáles son las mejores herramientas de programación con IA o LLMs, hay algunas cosas a tener en cuenta. Primero, es importante evaluar el LLM y la herramienta por separado. Usa una herramienta como Fine que te permita dar la misma tarea a múltiples LLMs para comparar cuál te da el mejor resultado. Aquí hay una comparación que hicimos de los tres modelos ofrecidos por Fine, planteados con la misma pregunta: ¿Qué hace este repositorio? (Es una pregunta que algunos están llamando el Hola Mundo de la programación con IA). Segundo, compara cómo las herramientas se desempeñan con tu LLM elegido, específico para tu caso de uso. Fine ofrece una variedad de integraciones para aumentar tu productividad, como la capacidad de hacer revisiones dentro de GitHub PR, que están ahorrando horas a los desarrolladores cada semana. ¿Cuál modelo es mejor para programar? Para tareas de programación, tu elección depende de tus necesidades: ChatGPT o1 es la mejor opción cuando trabajas en problemas complejos y multietapa donde necesitas un razonamiento profundo y explicaciones detalladas. Por ejemplo, sobresale en explicar código intrincado o ayudar con la depuración de una manera más reflexiva. Claude Sonnet 3.5 es el modelo preferido para generación de código rápida y eficiente y prototipado iterativo. Es rentable para tareas de alto volumen como generar múltiples fragmentos de código o automatizar correcciones de errores. Ambos modelos apoyan a los desarrolladores en la programación, pero Claude Sonnet 3.5 puede ahorrar tiempo y dinero para tareas de programación cotidianas, mientras que ChatGPT o1 podría ser tu aliado para problemas de programación más difíciles y detallados. Conclusión Al decidir entre ChatGPT o1 y Claude Sonnet 3.5 , considera la complejidad de tus tareas de programación y las restricciones de presupuesto. ChatGPT o1 ofrece una mejor resolución de problemas para tareas intrincadas, mientras que Claude Sonnet 3.5 proporciona una generación de código más rápida y asequible para las necesidades de desarrollo diarias. Ambos modelos son herramientas de IA poderosas que pueden mejorar significativamente tu productividad como desarrollador de software. Regístrate en una plataforma como Fine , que incluye acceso ilimitado a ambos, para lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso ilimitado tanto a o1 como a Claude Sonnet 3.5 , permitiendo a los desarrolladores cambiar entre estos poderosos LLMs según las necesidades de su tarea. Esta flexibilidad es perfecta para aquellos que requieren explicaciones detalladas de ChatGPT o generación de código rápida y eficiente de Claude. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso ilimitado y rentable a ambos modelos para todas tus tareas de programación y desarrollo. Fuentes McNulty, Niall. "ChatGPT o1 vs Claude Sonnet 3.5." Medium , hace 5 días. Enlace . "GPT o1 vs Claude 3.5 Sonnet: ¿Cuál modelo es mejor para programar?" Bind AI Blog , 17 Sep 2024. Enlace . "Comparar o1 Preview vs. Claude 3.5 Sonnet." Context.ai . Enlace . Harisec. "o1 vs Claude." GitHub . Enlace . Tabla de Contenidos Introducción Diferencias Principales Ventana de Contexto y Rendimiento Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? Casos de uso de IA para programación con o1 y Claude 3.5 Sonnet ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Fine GitHub Copilot Cursor Bolt Replit ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? ¿Cuál modelo es mejor para programar? Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://dev.to/t/fastapi | FastAPI - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close FastAPI Follow Hide The official tag for the FastAPI framework. Create Post submission guidelines 🅐 Tutorials written by ChatGPT will be downvoted instantly unless otherwise stated by adding the #chatgpt tag to your post. 🅑 Articles must be written by a FastAPI developer for FastAPI developers. 🅒 Must adhere to Dev COC . 🅓 Questions, discussions, etc, are welcome. about #fastapi FastAPI is a blazingly fast ⚡ python framework for building APIs based on Python-type hints in no time. 😲 Facts ⚡ FastAPI is built on top of Starlette, a Python Framework, which means it inherits all of Starlette's great features like asynchronous request handling and middleware support. ✅ It can be used with Pydantic for data validation and serialization, which makes it incredibly easy to validate and convert incoming request data into the format you need. 👩💻 One of the best things about the framework is how quickly you can get up and running with it. Thanks to its easy-to-use routing system and automatic OpenAPI validation and documentation, you can have a fully functioning API up and running in no time at all. 🔐 It comes with built-in support for various authentication schemes such as OAuth2 and JWT. This makes it easy to secure your API endpoints and ensure only authorized users have access to them. 💡 It is fully compatible with Python 3.7+ so you can take advantage of all the latest Python features when building your API. 📈 Despite not even having released version 1.0 yet, it has already gained a large following among developers who are excited about what this framework can offer them in terms of speed, scalability, and security. 📚 Resources ‣ fastapi.tiangolo.com ‣ List of FastAPI projects ‣ awesome things related to FastAPI ‣ Explore the awesome tutorials here on Dev. Older #fastapi 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 FastAPI from Zero: Writing Your First API Route Tekeu Franck Tekeu Franck Tekeu Franck Follow Jan 12 FastAPI from Zero: Writing Your First API Route # webdev # programming # fastapi Comments Add Comment 3 min read Beyond Image Labels: Estimating Food Portions and Calories using Grounding DINO + SAM Beck_Moulton Beck_Moulton Beck_Moulton Follow Jan 11 Beyond Image Labels: Estimating Food Portions and Calories using Grounding DINO + SAM # ai # fastapi # sam # webdev Comments Add Comment 4 min read Stop Overengineering Your Python Schedulers — Here's the Cleaner Way Michiel Michiel Michiel Follow Jan 10 Stop Overengineering Your Python Schedulers — Here's the Cleaner Way # python # opensource # fastapi # scheduling Comments Add Comment 3 min read How I Built a Crypto Portfolio API in Python (And What I Learned) André Souto Campos André Souto Campos André Souto Campos Follow Jan 10 How I Built a Crypto Portfolio API in Python (And What I Learned) # python # api # cryptocurrency # fastapi Comments Add Comment 4 min read Construyendo un extractor de audio (YouTube MP3) con FastAPI, yt-dlp y ffmpeg Mario Mario Mario Follow Jan 8 Construyendo un extractor de audio (YouTube MP3) con FastAPI, yt-dlp y ffmpeg # python # fastapi # backend # podcast Comments Add Comment 5 min read How LLM use MCPs? Hitesh Hitesh Hitesh Follow Jan 8 How LLM use MCPs? # mcp # rag # llm # fastapi 5 reactions Comments Add Comment 2 min read Create MCP into an existing FastAPI backend Hitesh Hitesh Hitesh Follow Jan 8 Create MCP into an existing FastAPI backend # python # fastapi # mcp # rag 4 reactions Comments Add Comment 2 min read RefAIne: Transform Casual Prompts into Expert-Level AI Instructions Alberto Barrago Alberto Barrago Alberto Barrago Follow Jan 5 RefAIne: Transform Casual Prompts into Expert-Level AI Instructions # python # fastapi # ai Comments Add Comment 3 min read 🚀 Introducing BustAPI — Python’s Next-Gen High-Performance Web Framework Jui The Alian Jui The Alian Jui The Alian Follow Jan 5 🚀 Introducing BustAPI — Python’s Next-Gen High-Performance Web Framework # webdev # python # fastapi # bustapi 1 reaction Comments Add Comment 2 min read If Swagger Works but Your SDK Fails, Your SDK Is Lying Anthony Nwaizuzu Anthony Nwaizuzu Anthony Nwaizuzu Follow Jan 8 If Swagger Works but Your SDK Fails, Your SDK Is Lying # fastapi # python # sdk # database 1 reaction Comments 2 comments 2 min read Basic Logging in Fastapi using Logger module Chengetanai Mukanhairi Chengetanai Mukanhairi Chengetanai Mukanhairi Follow Jan 4 Basic Logging in Fastapi using Logger module # fastapi # logging # logger # errors Comments Add Comment 4 min read FHIR Integration: Build Modern Healthcare Apps Using Python and FastAPI wellallyTech wellallyTech wellallyTech Follow Jan 3 FHIR Integration: Build Modern Healthcare Apps Using Python and FastAPI # python # api # fastapi # healthtech Comments Add Comment 2 min read From Pixels to Calories: Building a Multimodal Meal Analysis Engine with GPT-4o Beck_Moulton Beck_Moulton Beck_Moulton Follow Jan 8 From Pixels to Calories: Building a Multimodal Meal Analysis Engine with GPT-4o # webdev # ai # python # fastapi Comments Add Comment 4 min read Basic FastAPI Warren Jitsing Warren Jitsing Warren Jitsing Follow Dec 31 '25 Basic FastAPI # fastapi # webdev # testing # programming Comments Add Comment 27 min read How I built a Self-Hosted Address Validation Tool with FastAPI & Docker to save $2,000/year Guilherme Guilherme Guilherme Follow Jan 1 How I built a Self-Hosted Address Validation Tool with FastAPI & Docker to save $2,000/year # python # fastapi # selfhosted # docker Comments 1 comment 1 min read Why does my first HTTP request lag due to WebSocket behavior, and how is this handled in production environments? Affinity Affinity Affinity Follow Dec 27 '25 Why does my first HTTP request lag due to WebSocket behavior, and how is this handled in production environments? # fastapi # websocket # http # javascript Comments Add Comment 3 min read 🚀 Build a Todo App API with FastAPI + uv (The Cleanest Way!) Manish Chaudhary Manish Chaudhary Manish Chaudhary Follow Dec 26 '25 🚀 Build a Todo App API with FastAPI + uv (The Cleanest Way!) # python # fastapi # api # uv Comments Add Comment 2 min read Deploying Your AI/ML Models: A Practical Guide from Training to Production Ajor Ajor Ajor Follow Dec 23 '25 Deploying Your AI/ML Models: A Practical Guide from Training to Production # ai # fastapi # computervision # deeplearning 1 reaction Comments Add Comment 5 min read Hands-On Journey Experimenting with Kubernetes: FastAPI + React Deployment Cloudev Cloudev Cloudev Follow Dec 23 '25 Hands-On Journey Experimenting with Kubernetes: FastAPI + React Deployment # kubernetes # fastapi # react # docker Comments Add Comment 2 min read How to Send Email in FastAPI (+Code Snippets) David Ozokoye David Ozokoye David Ozokoye Follow for SendLayer Dec 24 '25 How to Send Email in FastAPI (+Code Snippets) # python # fastapi # sendlayer # webdev Comments Add Comment 14 min read 🚀 Production-Ready FastAPI Template (Python) Ortiz de Arcanjo António David Ortiz de Arcanjo António David Ortiz de Arcanjo António David Follow Dec 18 '25 🚀 Production-Ready FastAPI Template (Python) # python # fastapi # mongodb # architecture Comments Add Comment 2 min read Building 10 Python Packages for Enterprise FastAPI Apps: What I Learned Daniel Garza Daniel Garza Daniel Garza Follow Dec 17 '25 Building 10 Python Packages for Enterprise FastAPI Apps: What I Learned # python # fastapi # opensource # azure Comments Add Comment 3 min read Zero-to-Scale ML: Deploying ONNX Models on Kubernetes with FastAPI and HPA Austin Deyan Austin Deyan Austin Deyan Follow Dec 15 '25 Zero-to-Scale ML: Deploying ONNX Models on Kubernetes with FastAPI and HPA # machinelearning # kubernetes # fastapi # ai Comments Add Comment 2 min read Scallpy (beta): Scaffold FastAPI Projects Like Vite – In Seconds jara505 jara505 jara505 Follow Dec 14 '25 Scallpy (beta): Scaffold FastAPI Projects Like Vite – In Seconds # fastapi # python # cli Comments Add Comment 2 min read Reducing SQLAlchemy CRUD Boilerplate with a Type-Safe Repository Pattern dan dan dan Follow Dec 10 '25 Reducing SQLAlchemy CRUD Boilerplate with a Type-Safe Repository Pattern # fastapi # sqlalchemy # python 2 reactions Comments Add Comment 1 min read loading... trending guides/resources FastAPI vs Spring Boot: A Comprehensive Comparison I built a FastAPI admin panel that doesn't suck (and here's why it's different) FastAPI Setup Guide for 2025: Requirements, Structure & Deployment Why Do We Need WSGI for Python Web Apps? (And Why Flask Uses Gunicorn) Running FastAPI in Production on a VPS (Step-by-Step) TypeScript Backend Toolkit V2 - the Express stack that writes its own docs, SDK, and admin UI whi... 🚀 Build a Todo App API with FastAPI + uv (The Cleanest Way!) 🚀 Building AI Agents with FastAPI + OpenAI 🚀 Supabase Connection Scaling: The Essential Guide for FastAPI Developers Deploying Your AI/ML Models: A Practical Guide from Training to Production Building a Tier 3 Movie Database App with Django: My Development Journey 🚀 Deploying a FastAPI Project to an Ubuntu VPS — A Complete Guide for Developers Why Azure Front Door Is My Favorite Global CDN + Load Balancing Service Building PRRover: A FastAPI GitHub PR Reviewer with Telex A2A Integration 💰 How to Easily Check Multi-Chain Crypto Wallet Balances with Multichain Crypto API Beyond Basic CRUD: Building a Scalable Music API with FastAPI & Clean Architecture Serverless FastAPI Deployment: Actions Speak Louder Than Words I Built an AI Agent to End Team Arguments (Mostly) - My HNG Stage 3 Journey 🚀 Production-Ready FastAPI Template (Python) From LangChain Demos to a Production-Ready FastAPI Backend 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://hmpljs.forem.com/new/beginners | New Post - HMPL.js 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 HMPL.js Forem Close Join the HMPL.js Forem HMPL.js Forem is a community of 3,676,891 amazing developers Continue with Apple Continue with Google Continue with Facebook Continue with Forem Continue with GitHub Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to HMPL.js Forem? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV HMPL.js Forem — For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:49:32 |
https://hmpljs.forem.com/t/security#main-content | Security - HMPL.js 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 HMPL.js Forem Close Security Follow Hide Hopefully not just an afterthought! Create Post submission guidelines Write as you are pleased, be mindful and keep it civil. Older #security posts 1 2 3 4 5 6 7 8 9 … 75 … 560 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 HMPL.js Forem — For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:49:32 |
https://hmpljs.forem.com/code-of-conduct#our-pledge | Code of Conduct - HMPL.js 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 HMPL.js Forem Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV HMPL.js Forem — For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/bolt-vs-v0-es#pricing | Bolt vs. V0: ¿Cuál es la mejor herramienta de programación con IA para el desarrollo front-end? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Bolt vs. V0: ¿Cuál es la mejor herramienta de programación con IA para el desarrollo front-end? Introducción En el mundo del desarrollo front-end, dos herramientas de programación con IA han ganado popularidad: Bolt y V0 . Ambas ofrecen características únicas que pueden mejorar la productividad de los desarrolladores, pero ¿cuál es la mejor opción para tus necesidades específicas? Este blog compara estas dos herramientas, centrándose en sus capacidades, facilidad de uso y rendimiento general. Diferencias Principales Bolt está diseñado para optimización de código y generación rápida . Ofrece sugerencias de código en tiempo real y es conocido por su capacidad para mejorar la eficiencia del código. Por otro lado, V0 se centra en integración y colaboración , permitiendo a los equipos trabajar juntos de manera más efectiva a través de características de colaboración en tiempo real. Ambas herramientas utilizan tecnologías avanzadas de IA, pero Bolt es más adecuado para desarrolladores que buscan mejorar la eficiencia del código, mientras que V0 es ideal para equipos que priorizan la colaboración. Rendimiento y Usabilidad El rendimiento de estas herramientas es crucial para los desarrolladores que buscan mejorar su flujo de trabajo. Bolt ofrece tiempos de respuesta rápidos y es altamente eficiente en la generación de código, mientras que V0 proporciona una experiencia de usuario fluida con su interfaz intuitiva y características de colaboración. Ambas herramientas son fáciles de usar, pero sus capacidades brillan en diferentes áreas. Bolt es excelente para optimización de código , mientras que V0 se destaca en colaboración en equipo . Actualización de Bolt - Octubre 2024 - ¿Es Bolt ahora mejor que V0 para el desarrollo front-end? En octubre de 2024, se anunció una actualización significativa de Bolt. Las recientes mejoras han aumentado sus capacidades de optimización de código, superando a V0 en pruebas de rendimiento. Esta actualización refleja la mayor precisión de Bolt en la generación de código eficiente y su capacidad para integrarse con herramientas de desarrollo populares. Las pruebas iniciales indican que Bolt ahora sobresale en tareas de desarrollo front-end, como optimización de CSS y generación de componentes de React. Empresas como GitHub han informado mejoras significativas en la eficiencia del desarrollo con la nueva versión de Bolt. Ejemplos Prácticos de Uso de IA en el Desarrollo Front-end con Bolt y V0 Bolt: Optimización de CSS: Usa Bolt para mejorar la eficiencia del código CSS y reducir el tiempo de carga de la página. Generación de componentes de React: Emplea Bolt para crear componentes de React optimizados y reutilizables. Refactorización de código: Ideal para reestructurar código existente para mejorar su legibilidad y rendimiento. V0: Colaboración en tiempo real: Permite a los equipos trabajar juntos en proyectos de desarrollo front-end con características de colaboración en tiempo real. Integración con herramientas de desarrollo: Usa V0 para integrar fácilmente con herramientas populares como GitHub y Slack. Gestión de proyectos: Facilita la gestión de proyectos con su interfaz intuitiva y características de seguimiento de tareas. Conclusión Al decidir entre Bolt y V0 , considera tus necesidades específicas de desarrollo front-end. Bolt ofrece una mejor optimización de código y generación rápida, mientras que V0 proporciona una colaboración más efectiva y una integración fluida con herramientas de desarrollo. Ambas herramientas son poderosas y pueden mejorar significativamente tu productividad como desarrollador front-end. Regístrate en una plataforma como Fine , que incluye acceso a ambas herramientas, para aprovechar lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso a Bolt y V0 , permitiendo a los desarrolladores cambiar entre estas herramientas según sus necesidades. Esta flexibilidad es perfecta para aquellos que requieren optimización de código de Bolt o colaboración efectiva de V0. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso rentable a ambas herramientas para todas tus tareas de desarrollo front-end. Fuentes "Bolt vs V0: ¿Cuál es mejor para el desarrollo front-end?" Tech Blog , 20 Sep 2024. Enlace . "Comparación de herramientas de programación con IA para el desarrollo front-end." Dev Tools Review , 18 Sep 2024. Enlace . "Actualización de Bolt 2024." Bolt News . Enlace . Tabla de Contenidos Introducción Diferencias Principales Rendimiento y Usabilidad Actualización de Bolt - Octubre 2024 - ¿Es Bolt ahora mejor que V0 para el desarrollo front-end? Ejemplos Prácticos de Uso de IA en el Desarrollo Front-end con Bolt y V0 Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.git-tower.com/help/home/mac | Tower Help for Mac | Tower Help (Mac) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Contents Home Tower Help & Support Documentation, learning resources, and friendly customer support. Tower Help Tower Help for Mac Tower Help for Windows New to Tower? Our Getting Started section contains lots of helpful material for new Tower users. Guides Our detailed user guides answer all questions about working with the Tower app: from the Working Copy all the way to Pull Requests and Interactive Rebase . New to Git & Version Control? If you're completely new to Git and version control, we have prepared a whole book for you. Videos Check out our videos on special topics like More Productive with Tower . Webinars Take a deep-dive into Tower and learn more, in our 30-60 minute webinars. Tips & Tricks Time savers, productivity tips and practical tricks on how to get the most out of Tower. FAQ Frequent questions on topics like installation, updates, or configurations. Contact Support Get in touch with our friendly support team. Tower Homepage Releases Download for macOS Download for Windows Support Guides Videos Webinars Contact Us Company About Blog Press Jobs Merch Imprint / Legal Notice | Privacy Policy | Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. | 2026-01-13T08:49:32 |
https://future.forem.com/about#technical-foundation | About Future Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Future Close About Future Future is where curious minds explore new technologies and their impact on our lives. It’s a place for builders, academics, creatives, entrepreneurs, and beyond to share their understandings and discuss the future of technology. Topics include robotics, AI, crypto/blockchain, 3D printing, and anything else you can think of at the cutting edge. Getting Started Join the conversation in three simple steps: Create your profile Follow topics and writers aligned with your interests Engage by reacting to posts, commenting, or sharing your first thought. New to writing? Start with: Your excitement or concerns with a new technology What you hope the technological future holds for you and your family Impact of emerging tech on your work Sharing your domain expertise Technical Foundation Future is built on Forem, an open source platform designed for community-driven knowledge sharing. While our focus is on fostering meaningful discussions about technology's future, our platform reflects our commitment to transparency and quality. Let's shape the future together ✨ 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/appmap/how-to-auto-generate-openapi-docs-for-django-flask-spring-and-rails-apps-2bco | How to auto-generate OpenAPI docs for Django, Flask, Spring and Rails apps - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Kevin Gilpin for AppMap Posted on Nov 18, 2021 • Edited on Nov 10, 2022 How to auto-generate OpenAPI docs for Django, Flask, Spring and Rails apps # python # java # rails # webdev The OpenAPI Specification (also/previously called Swagger) helps developers model, document, implement and test web applications and services APIs. It’s a wonderful thing! And unsurprisingly, it’s embraced by dev teams and documentation communities across the globe. The trouble is, keeping OpenAPI documentation accurate and in sync with implementation updates -- particularly for fast-evolving applications and services -- can be really challenging and time consuming. It’s also a never-ending task. Because the OpenAPI standard can be such an intimidating format to work with (it takes a true yaml guru to manage long configuration files quickly and precisely!), API documentation is often inaccurate and outdated. And when API documentation isn’t accurate or up-to-date, devs face frustrating collaboration set-backs, broken applications and integrations, and an overall inefficient use of OpenAPI automation tools. To help devs avoid the risks associated with inaccurate and outdated API documentation, we built a free and open source tool called AppMap that automatically generates OpenAPI documentation from running code. AppMap ensures your API documentation is always current, accurate and readily available -- no tedious, manual labor required. Huzzah! Here’s how AppMap OpenAPI generation works: An AppMap agent is added to the tool chain of your application as a new build dependency. When you run your tests, the AppMap agent records AppMaps , which are visual, interactive maps of your application’s code. AppMaps include details about all of the web service requests made in your tests. The AppMap openapi tool generates OpenAPI documentation from the recorded AppMaps. You can execute this flow in either your local environment or in automated CI/CD pipelines. And you can download AppMap with OpenAPI generation for free for your preferred framework here . Below is a script summary for the AppMap OpenAPI generation for Python video, in case you prefer to read vs. watch. If you’re working in Java or Ruby , I’ve included videos for those below, too. We’re putting the finishing touches on AppMap for JavaScript right now, so if you’re interested in trying that out let us know in our Discord . Thanks for reading and watching! How to auto-generate OpenAPI documentation for Python Django and Flask applications 00:00 Today I am going to demonstrate how to automatically generate OpenAPI docs for my Python application with AppMap. 00:10 My application is Misago - a popular forum application written in Python, Django, ES6 and React.js. I already have a Python development environment set up and I am ready to install AppMap and run tests. 00:25 Installing AppMap is easy with the command line installation tool (it requires Node.js). Here's a terminal window with the Misago dev environment active. In the project folder, I'll run: npx @appland/appmap@latest install The installer asks me to confirm the environment and sets up AppMap automatically. 00:46 Now I am ready to record AppMaps. I'll simply run tests with APPMAP=true in the environment: APPMAP=true pytest if I used Windows, it would be: set APPMAP=true pytest 00:55 When the tests finish, AppMap files will be stored in the tmp/appmap/pytest subfolder of my project. 01:05 In the final step, I will run the AppMap openapi command: npx @appland/appmap@latest openapi --openapi-title "Misago" --openapi-version "0.27.0" -o misago-openapi.yaml --appmap-dir=tmp/appmap/pytest 01:11 And that's it! The misago-openapi.yml is my generated OpenAPI documentation for my application. If my application consisted of additional microservices, I would generate documentation for each service using the same approach: 1) install AppMap agent, 2) run tests, 3) generate documentation. 01:35 I can inspect misago-openapi.yml in my IDE or in any OpenAPI tool. Let me upload it to swagger.io now. 01:48 And here it is, an OpenAPI documentation of the Misago app in swagger.io , generated and imported in minutes. How to auto-generate OpenAPI documentation for Java Spring applications 00:00 I am going to demonstrate how to automatically generate OpenAPI docs for my Java Spring application with AppMap. 00:10 My application is WebGoat - a deliberately insecure application that lets developers test vulnerabilities commonly found in Java-based applications that use common and popular open source components. You can find the WebGoat repository used in this demo here: https://github.com/land-of-apps/WebGoat.git 00:24 I already have a Java environment set up and am ready to install AppMap and run tests. 00:30 Installing AppMap is easy with the command line installation tool (which requires Node.js). In the WebGoat project folder I'll run this: npx @appland/appmap@latest install The installer asks me to confirm the environment and sets up AppMap for the project automatically. 00:48 WebGoat uses Maven and the AppMap installer adds the AppMap Maven plugin to the master pom.xml file. A similar gradle plugin exists for gradle-built applications. 01:01 Let me quickly review the pom.xml files of the project, because it’s always recommended to verify the build configuration of complex Java applications. The standard surefire plugin configuration was modified and the change unfortunately breaks all Java agent plugins such as AppMap or jacoco . To quickly fix this issue, I've modified the surefire configuration: <configuration> <forkCount> 1 </forkCount> <reuseForks> true </reuseForks> <argLine> @{argLine} --illegal-access=permit </argLine> </configuration> 01:15 Now I will run tests to record AppMaps: ./mvnw test If I used Windows: mvnw test When the tests finish, AppMap files will be stored in the target/appmap subfolders of all sub-modules that have tests. 01:32 In the final step, I will install and run the AppMap openapi command: npx @appland/appmap@latest openapi --openapi-title "WebGoat" --openapi-version "8.2.0" -o webgoat-openapi.yaml --appmap-dir=. 01:39 And that's it! webgoat-openapi.yml is my generated OpenAPI documentation. If my application consisted of additional microservices, I would generate documentation from each service using the same approach: 1) install the AppMap agent, 2) run tests, 3) generate OpenAPI documentation from AppMaps. 02:05 I can inspect webgoat-openapi.yml in my IDE or in any OpenAPI tool. Let me upload it to swagger.io now. 02:11 And here it is, the OpenAPI documentation of the WebGoat app generated and imported to swagger.io in minutes. How to auto-generate OpenAPI documentation for Ruby on Rails applications Please visit How to auto-generate detailed Swagger/OpenAPI for all your Rails routes . 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 AppMap Follow Runtime Code Review Get AppMap: Better context means better code. Use runtime data to power your software development, in your code editor and in CI. Get AppMap More from AppMap How AppMap Navie solved the SWE bench AI coding challenge # ai # vscode # llm # python Announcing AppMap for GitHub - Runtime Code Reviews for Every Pull Request # ruby # java # python # node Unlock developer creativity with GitHub Actions # webdev # githubactions # productivity # cicd 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://future.forem.com/code-of-conduct#our-pledge | Code of Conduct - Future Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Future Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/ai_coding_assistant_for_ios_swift#pricing | Using AI Coding Assistants to Develop Software for Apple iOS Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Using AI Coding Assistants to Develop Software for Apple iOS Many developers, particularly front-end, who have adopted AI coding tools to help them code faster, are frustrated that they can’t do so when working on software for iOS mobile app development because there’s no AI coding extension for Apple’s IDE, XCode. GitHub Copilot, which claims to reduce task completion time by 55%, doesn’t integrate with XCode like it does with most other common IDEs, meaning that developers have to copy and paste their tasks into external tools before copying and pasting back into XCode. Not only is this frustrating and time-consuming, but it means that the AI lacks context and therefore produces poor results. However, there is one tool now available that enables you to optimize your iOS software development lifecycle: Fine. Using Fine for AI-Powered Swift Software Development Unlike Cursor and GitHub Copilot, Fine is removed from the IDE. According to Fine’s Founders, they don’t believe the IDE as we know it today will be the primary way developers work in the future. Therefore, they built Fine to be an independent AI coding tool that works for iOS and all other operating systems. Fine’s platform is cloud-based and accessed via the browser, whether mobile or desktop. It integrates with your codebase and development tech stack (GitHub, Linear, etc.) and takes all the information to create a Knowledge Graph that allows it to perform development tasks on its own, with high-accuracy output. Give Fine a task, and it works asynchronously and independently to get the task done. For example: Here is a Linear issue with a new feature request. How should I go about developing this? Build a design plan and then write the first iteration. Take all new PRs, analyze them, review them, test them, and send me a Slack notification with your comments and suggestions. Generate XCTest cases for automated testing in Swift. The Role of Swift in iOS Development with AI Coding Tools Swift, Apple’s primary programming language for iOS, macOS, watchOS, and tvOS development, is fully supported by Fine. Whether you’re working on a new feature, refactoring existing code, or creating unit tests, you can rely on Fine to manage these tasks with a high degree of accuracy, ensuring that your Swift code adheres to best practices and Apple’s guidelines. Using Fine to assist with your iOS software development can save hours of work, helping you become more efficient. Give Fine a task, let it code, and commit a change to GitHub with a PR for you to review. It’s easy, efficient, and makes your workday more enjoyable. Key Benefits of Using Fine for iOS Development Time-Saving : Automate repetitive coding tasks and focus on what matters most. High Accuracy : Fine ensures your Swift code adheres to Apple’s guidelines and best practices. Integration : Seamlessly integrates with your development tools, enhancing your overall workflow. Frequently Asked Questions Q: Does Fine integrate with XCode? A: Fine does not integrate directly with XCode. Instead, it operates independently from the IDE, offering flexibility and efficiency across different development environments, including iOS. Q: How does Fine handle Swift programming tasks? A: Fine supports Swift, Apple’s primary programming language, by managing tasks such as feature development, code refactoring, and unit testing with high accuracy. Q: Can I use Fine with other operating systems? A: Yes, Fine is designed to work with all operating systems, making it a versatile tool for developers working on various platforms. Try Fine now, free for 7 days, and experience how it can streamline your iOS app development process. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#you-will-need | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://opensource.org/blog/category/news | News – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Home Blog News News Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member Open Policy Alliance Welcomes the Open Source Technology Improvement Fund as New Member The Open Source Initiative (OSI) is pleased to welcome the Open Source Technology Improvement Fund (OSTIF) to the Open Policy Alliance. OSTIF is a nonprofit dedicated to securing Open Source apps. January 8, 2026 Top Open Source licenses in 2025 Top Open Source licenses in 2025 The top 20 OSI-Approved licenses most frequently sought out by our community in 2025 based on number of pageviews. December 17, 2025 Patents and Open Source: Understanding the Risks and Available Solutions Patents and Open Source: Understanding the Risks and Available Solutions The Open Source community has spent two decades building the scaffolding to make patent threats rare and containable. Developers who understand that landscape can focus on what they do best: innovating in the open, confident that the legal ground beneath them is far more stable than any patent myths suggest. December 4, 2025 Open Source: A global commons to enable digital sovereignty Open Source: A global commons to enable digital sovereignty In a world increasingly run by software, countries around the world are waking up to their dependency on foreign services and products. Geopolitical shifts drive digital sovereignty to the top of the political agenda in Europe and other regions. How can we ensure that regulations protecting our citizens actually apply? How do we guarantee continuity of operations in a potentially fragmenting world? How do we ensure access to critical services is not held hostage in future international trade negotiations? November 24, 2025 Open letter: Harnessing open source AI to advance digital sovereignty Open letter: Harnessing open source AI to advance digital sovereignty Europe is at a crossroads. The Summit on European Digital Sovereignty marks an important milestone for the EU and its member states in aligning on a shared strategy for achieving real and lasting European digital sovereignty. As the EU pursues the goal of digital sovereignty, we urge you to harness open source — that is, technology that is free to use, inspect, adapt, and share — as a key enabler of this strategy. November 20, 2025 Sustaining Open Source: The Next 25 Years Depend on What We Do Together Now Sustaining Open Source: The Next 25 Years Depend on What We Do Together Now Open source is suffering from its own success. The ecosystem that once thrived on volunteer energy now faces existential questions: How do we sustain the infrastructure that powers the modern world? The answer isn’t just money—it’s people, governance, and collaboration. We need companies to invest not only funds but also employee time, foundations to work together instead of in silos, and communities to plan for the full lifecycle of projects. The next 25 years depend on what we do together now. November 18, 2025 Help us improve the EU Cyber Resilience Act Standards! Help us improve the EU Cyber Resilience Act Standards! As the deadline for the application of the CRA draws closer, the OSI is happy to announce the beginning of an Open consultation on many of the vertical standards. November 5, 2025 The Open Source Community and U.S. Public Policy The Open Source Community and U.S. Public Policy As the full-time Senior U.S. Policy Manager, my role at OSI is to educate policymakers about the benefits of Open Source software, track policy developments at the state and federal level, and ultimately, ensure that Open Source developers can continue doing their work. October 30, 2025 Open Source Initiative now accepting your application for Executive Director Open Source Initiative now accepting your application for Executive Director The Open Source Initiative is seeking its next Executive Director (ED), the chief executive and strategic leader of the OSI, responsible for advancing its mission, growing and diversifying its funding base, and fostering a global, inclusive community of stakeholders. The ED will be a visible ambassador for OSI to build consensus around key initiatives, including the next version of the Open Source Al definition. October 27, 2025 Participate in the 2026 State of Open Source Survey Participate in the 2026 State of Open Source Survey The Open Source Initiative (OSI) is once again partnering with Perforce OpenLogic & Zend, in collaboration with the Eclipse Foundation, for the 2026 State of Open Source Survey, the industry’s most comprehensive study of global Open Source adoption trends. October 22, 2025 Open Source Initiative Executive Director search begins Open Source Initiative Executive Director search begins OSI is now opening its search for a new executive director. We are greatly appreciative of Maffulli’s work over the last four years and look forward to what our next ED will build upon his foundation. October 10, 2025 Hacktoberfest and the OSI: Growing Open Source adoption Hacktoberfest and the OSI: Growing Open Source adoption October is here, which means it’s time for Hacktoberfest, the annual celebration of Open Source contributions hosted by DigitalOcean and friends. The Open Source Initiative (OSI) is proud to be once again a community partner of Hacktoberfest this year, helping to amplify participation and welcome new contributors to the Open Source movement. October 2, 2025 Posts pagination 1 2 … 16 Keep up with Open Source Please leave this field empty. Δ We’ll never share your details and you can unsubscribe with a click! Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://open.forem.com/t/freelance | Freelance - Open Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Open Forem Close # freelance Follow Hide Discussoes sobre a vida de freelancer, clientes e projetos. Create Post Older #freelance 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 Energia Solar + Mercado Livre para MEI: Requisitos Técnicos em 2025 Ava Mendes Ava Mendes Ava Mendes Follow Dec 25 '25 Energia Solar + Mercado Livre para MEI: Requisitos Técnicos em 2025 # news # freelance # security Comments Add Comment 8 min read Top 10 Must-Have Tools for Freelance Content Writers in 2026 N Nash N Nash N Nash Follow Dec 3 '25 Top 10 Must-Have Tools for Freelance Content Writers in 2026 # writing # freelance # ai # productivity 6 reactions Comments Add Comment 3 min read FeetFinder & Background Checks: How Deep Do Employment Checks Go? Rajni Devi Rajni Devi Rajni Devi Follow Nov 4 '25 FeetFinder & Background Checks: How Deep Do Employment Checks Go? # discuss # security # freelance # career Comments Add Comment 4 min read When Procurement Logic Goes in Circles Bid_solution Bid_solution Bid_solution Follow Oct 7 '25 When Procurement Logic Goes in Circles # discuss # career # freelance Comments Add Comment 2 min read Why, Thank You, Kind Customer! Bid_solution Bid_solution Bid_solution Follow Oct 3 '25 Why, Thank You, Kind Customer! # discuss # freelance # productivity Comments Add Comment 2 min read loading... trending guides/resources Energia Solar + Mercado Livre para MEI: Requisitos Técnicos em 2025 FeetFinder & Background Checks: How Deep Do Employment Checks Go? Top 10 Must-Have Tools for Freelance Content Writers in 2026 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:49:32 |
https://dev.to/stack_overflowed | Stack Overflowed - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Stack Overflowed ☕ Full-stack survivor. 🐛 Bug magnet. 💻 Developer who writes so you don’t repeat my mistakes (though you probably will). Joined Joined on Aug 19, 2025 More info about @stack_overflowed 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 121 posts published Comment 0 comments written Tag 0 tags followed Furthest Building You Can Reach: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 13 Furthest Building You Can Reach: Coding Problem Explained # coding # codingproblem # code # tutorial Comments Add Comment 4 min read 7 Best Resources to Learn Kubernetes in 2026 Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 13 7 Best Resources to Learn Kubernetes in 2026 # webdev # programming # kubernetes Comments Add Comment 4 min read Convert Sorted Array to Binary Search Tree Solution Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 12 Convert Sorted Array to Binary Search Tree Solution # coding # codenewbie # tutorial Comments Add Comment 4 min read Here Are the 7 Best Resources to Master Docker Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 12 Here Are the 7 Best Resources to Master Docker # webdev # programming # docker # containers Comments Add Comment 4 min read Palindrome Partitioning: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 9 Palindrome Partitioning: Coding Problem Explained # challenge # programming # coding # learning Comments Add Comment 4 min read Clone Graph: Coding Problem Solution Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 8 Clone Graph: Coding Problem Solution Explained # programming # coding # tutorial # learning Comments Add Comment 4 min read 7 Best Resources to Learn AWS Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 8 7 Best Resources to Learn AWS # webdev # cloud # cloudcomputing # aws Comments Add Comment 3 min read Bitwise AND of Numbers Range: Coding Problem Solution Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 7 Bitwise AND of Numbers Range: Coding Problem Solution # challenge # coding # tutorial # beginners Comments Add Comment 4 min read 7 Best Resources to Learn Cloud Computing in 2026 Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 7 7 Best Resources to Learn Cloud Computing in 2026 # webdev # cloudcomputing # aws # cloud 1 reaction Comments Add Comment 4 min read Sum of Left Leaves: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 6 Sum of Left Leaves: Coding Problem Explained # programming # coding # tutorial # beginners Comments Add Comment 4 min read 9 Best Resources to Learn Android Development From My Personal Journey Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 6 9 Best Resources to Learn Android Development From My Personal Journey # webdev # programming # android Comments Add Comment 3 min read Island Perimeter: Coding Problem Solution Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 5 Island Perimeter: Coding Problem Solution # challenge # coding # programming Comments Add Comment 4 min read 7 Best Resources I Used to Master iOS Development Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 5 7 Best Resources I Used to Master iOS Development # webdev # programming # ios # swift Comments 1 comment 4 min read Find Duplicate Subtrees: Solution Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 2 Find Duplicate Subtrees: Solution Explained # challenge # webdev # coding Comments Add Comment 4 min read Boats to Save People: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 1 Boats to Save People: Coding Problem Explained # challenge # programming # coding 1 reaction Comments Add Comment 3 min read Balanced Binary Tree: Solution Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 1 Balanced Binary Tree: Solution Explained # coding # programming # algorithms Comments Add Comment 3 min read 7 Best Resources to Learn Kotlin: My Journey Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 1 7 Best Resources to Learn Kotlin: My Journey # webdev # programming # kotlin Comments Add Comment 3 min read 7 Best Resources to Learn Node.js: A Developer’s Personal Guide Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 30 '25 7 Best Resources to Learn Node.js: A Developer’s Personal Guide # webdev # programming # node Comments Add Comment 4 min read 7 Best Resources to Learn Vue.js: My Journey & Proven Tools Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 29 '25 7 Best Resources to Learn Vue.js: My Journey & Proven Tools # webdev # programming # vue Comments Add Comment 4 min read 7 Best Resources to Learn Angular: My Personal Journey & Picks Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 24 '25 7 Best Resources to Learn Angular: My Personal Journey & Picks # webdev # programming # angular 1 reaction Comments Add Comment 4 min read 7 Best Resources to Learn Mobile App Development Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 23 '25 7 Best Resources to Learn Mobile App Development # webdev # programming # mobile Comments Add Comment 3 min read The Best Salesforce Coding Interview Platforms Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 22 '25 The Best Salesforce Coding Interview Platforms # webdev # programming # career # coding 1 reaction Comments Add Comment 5 min read Is System Design School Worth It? Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 19 '25 Is System Design School Worth It? # webdev # systemdesign # learning 1 reaction Comments Add Comment 6 min read 7 Best Resources to Learn Rust: My Journey from Confusion to Clarity Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 19 '25 7 Best Resources to Learn Rust: My Journey from Confusion to Clarity # webdev # programming # rust 1 reaction Comments 1 comment 3 min read The Coursera–Udemy merger raises a bigger question: how do developers actually learn? Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 18 '25 The Coursera–Udemy merger raises a bigger question: how do developers actually learn? # webdev # programming # learning 7 reactions Comments 5 comments 5 min read 7 Best Resources to Learn Flutter: My Way to Confident Developer Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 18 '25 7 Best Resources to Learn Flutter: My Way to Confident Developer # webdev # programming # flutter 2 reactions Comments Add Comment 3 min read 7 Best Resources I Used to Learn Frontend Development Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 17 '25 7 Best Resources I Used to Learn Frontend Development # webdev # programming # frontend 7 reactions Comments Add Comment 4 min read Learning System Design in a Hurry Without Losing Your Mind Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 16 '25 Learning System Design in a Hurry Without Losing Your Mind # webdev # systems # systemdesign 2 reactions Comments Add Comment 6 min read 7 Best Resources I Used to Master DevOps Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 16 '25 7 Best Resources I Used to Master DevOps # webdev # programming # devops 2 reactions Comments Add Comment 4 min read 7 Best Resources to Learn Swift Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 15 '25 7 Best Resources to Learn Swift # webdev # programming # swift 2 reactions Comments Add Comment 4 min read 9 Best Resources to Learn Machine Learning (from a FAANG Interview Journey) Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 12 '25 9 Best Resources to Learn Machine Learning (from a FAANG Interview Journey) # webdev # ai # machinelearning 2 reactions Comments Add Comment 4 min read 7 Best Resources to Learn React: My Top Picks for Developers Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 11 '25 7 Best Resources to Learn React: My Top Picks for Developers # webdev # programming # react 2 reactions Comments 1 comment 3 min read 7 Best Resources I Used to Master Web Development Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 10 '25 7 Best Resources I Used to Master Web Development # webdev # programming 2 reactions Comments Add Comment 3 min read 7 Best Resources to Learn Artificial Intelligence Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 9 '25 7 Best Resources to Learn Artificial Intelligence # webdev # ai # programming 2 reactions Comments Add Comment 4 min read The best Google coding interview platform Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 8 '25 The best Google coding interview platform # webdev # programming # google # interview 2 reactions Comments Add Comment 4 min read Google Interview Platforms: A Developer’s Tour Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 5 '25 Google Interview Platforms: A Developer’s Tour # webdev # programming # google 15 reactions Comments 2 comments 2 min read 7 Best Resources to Learn Cybersecurity: A Dev’s Journey from Zero to Hero Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 4 '25 7 Best Resources to Learn Cybersecurity: A Dev’s Journey from Zero to Hero # webdev # cybersecurity # programming 2 reactions Comments Add Comment 4 min read 7 Best Resources I Used to Master Data Analytics Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 3 '25 7 Best Resources I Used to Master Data Analytics # webdev # programming # datascience 1 reaction Comments Add Comment 4 min read 7 Best Resources to Learn SQL: My Journey from Confusion to Confidence Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 2 '25 7 Best Resources to Learn SQL: My Journey from Confusion to Confidence # webdev # programming # sql Comments Add Comment 3 min read 7 Best Resources to Learn Go Language: My Journey from Zero to Confident Developer Stack Overflowed Stack Overflowed Stack Overflowed Follow Dec 1 '25 7 Best Resources to Learn Go Language: My Journey from Zero to Confident Developer # webdev # programming # go 4 reactions Comments Add Comment 4 min read 7 Best Resources to Learn C# — From My Coding Journey to Yours Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 28 '25 7 Best Resources to Learn C# — From My Coding Journey to Yours # webdev # programming # csharp 1 reaction Comments Add Comment 3 min read 7 Best Resources to Learn C++: My Journey from Confusion to Clarity Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 27 '25 7 Best Resources to Learn C++: My Journey from Confusion to Clarity # webdev # programming # cpp 1 reaction Comments Add Comment 3 min read Are Coursera Courses Worth It? A Guide for Developers Who Don’t Want to Waste Time Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 26 '25 Are Coursera Courses Worth It? A Guide for Developers Who Don’t Want to Waste Time # webdev # programming # career 1 reaction Comments Add Comment 5 min read Is Big Interview Worth It? An Honest Developer’s Take Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 24 '25 Is Big Interview Worth It? An Honest Developer’s Take # webdev # programming # career # learning 1 reaction Comments Add Comment 6 min read The 7 Best Resources to Learn JavaScript (Beginner-Friendly Guide) Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 21 '25 The 7 Best Resources to Learn JavaScript (Beginner-Friendly Guide) # webdev # programming # javascript 1 reaction Comments Add Comment 4 min read 7 Best Resources I Found to Learn Java (And How I Used Them to Get My First Dev Job) Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 20 '25 7 Best Resources I Found to Learn Java (And How I Used Them to Get My First Dev Job) # webdev # programming # java 1 reaction Comments Add Comment 5 min read 7 Best Resources to Learn Python: My Personal Journey and Recommendations Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 18 '25 7 Best Resources to Learn Python: My Personal Journey and Recommendations # webdev # programming # python 1 reaction Comments Add Comment 3 min read 7 Best Pluralsight Alternatives for Developers Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 18 '25 7 Best Pluralsight Alternatives for Developers # webdev # programming # career 4 reactions Comments Add Comment 4 min read 7 Best Coursera Alternatives for Developers Who Want to Level Up Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 17 '25 7 Best Coursera Alternatives for Developers Who Want to Level Up # webdev # programming # career 1 reaction Comments Add Comment 5 min read 7 Best Resources to Learn Backend Development: My Personal Journey & Tactical Guide Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 14 '25 7 Best Resources to Learn Backend Development: My Personal Journey & Tactical Guide # webdev # programming # backenddevelopment Comments Add Comment 4 min read 7 Best Resources I Found to Learn Full-Stack Development — And How You Can Too Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 13 '25 7 Best Resources I Found to Learn Full-Stack Development — And How You Can Too # webdev # programming # career Comments Add Comment 4 min read 9 Best Resources to Learn Coding from Scratch: A Developer’s Journey Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 12 '25 9 Best Resources to Learn Coding from Scratch: A Developer’s Journey # webdev # programming # career 1 reaction Comments Add Comment 5 min read 9 Best Resources to Learn Coding from Scratch: A Developer’s Journey Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 11 '25 9 Best Resources to Learn Coding from Scratch: A Developer’s Journey # webdev # programming # career Comments Add Comment 5 min read Is Coursera Plus Worth It? A Developer’s Deep Dive Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 10 '25 Is Coursera Plus Worth It? A Developer’s Deep Dive # webdev # programming # learning Comments Add Comment 4 min read Are Coursera Courses Worth It? A Developer’s Honest Breakdown Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 5 '25 Are Coursera Courses Worth It? A Developer’s Honest Breakdown # webdev # programming # learning Comments Add Comment 4 min read Are Udemy Courses Worth It? A Developer’s No-Fluff Take Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 4 '25 Are Udemy Courses Worth It? A Developer’s No-Fluff Take # webdev # programming # career Comments Add Comment 5 min read 7 Skillshare Alternatives (I Have the Upgrade Developers Need) Stack Overflowed Stack Overflowed Stack Overflowed Follow Nov 3 '25 7 Skillshare Alternatives (I Have the Upgrade Developers Need) # webdev # programming # learning Comments Add Comment 4 min read Teachable vs Udemy: Which Platform Should You Trust for Learning (or Teaching)? Stack Overflowed Stack Overflowed Stack Overflowed Follow Oct 31 '25 Teachable vs Udemy: Which Platform Should You Trust for Learning (or Teaching)? # webdev # programming # learning 1 reaction Comments Add Comment 5 min read 11 Best Azure Courses to Take in 2026 Stack Overflowed Stack Overflowed Stack Overflowed Follow Oct 29 '25 11 Best Azure Courses to Take in 2026 # webdev # programming # microsoft # azure 4 reactions Comments Add Comment 5 min read 11 Best Courses for AWS Developer in 2026 Stack Overflowed Stack Overflowed Stack Overflowed Follow Oct 28 '25 11 Best Courses for AWS Developer in 2026 # webdev # programming # aws # cloudcomputing Comments Add Comment 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://forem.com/new/computerscience | New Post - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to Forem? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:32 |
https://opensource.org/board-member/anne-marie-scott | Anne-Marie Scott – Open Source Initiative Skip to content Get involved About Licenses Open Source Definition Open Source AI Programs Blog Get involved About Licenses Open Source Definition Open Source AI Programs Blog Open Main Menu Anne-Marie Scott Anne-Marie Scott she/her Chair of the finance committee Board Member Proposed by: Apereo Software Foundation Candidacy Period: April 15, 2023 – March 31, 2026 Type of Seat: Affiliate Anne-Marie has been a member of the Apereo (and formerly Ja-sig) community since the mid-2000s, active in the implementation of open source technologies in higher education in the UK and Canada. She has been a member of the Apereo Board of Directors since 2018, and has held the role of Board Chair since 2020. She is currently Deputy Provost of Athabasca University, Canada’s largest open university, and works as an external advisor to the government of British Columbia’s Ministry of Advanced Education and Skills. In this context she has been successful in introducing the idea of a sector-wide OSPO pilot as part of the Ministry’s Digital Learning Strategy. This project explicitly aims to build community and capacity in open source, supporting wider access to education and reduced costs for the sector. It is expected to be funded in 2023/24. She has also been a core member of the OpenETC ( opened.ca ) in British Columbia since 2018, providing a sector-wide set of shared open technologies including WordPress, Mattermost, and Sandstorm. She co-authored and teaches the Open Educational Technologies module of Kwantlen Polytechnic University’s Open Education programme, and as a passionate advocate for open education, she believes that open education is not truly possible without open platforms to support it. As she cycles off the Apereo Board after her second term of service, she is keen to continue to play an active role in advocating for and supporting open source globally. How the candidate will contribute to the boar d Anne-Marie brings existing Board level experience. As Chair of the Apereo Board over the last 3 years she has led the replacement of our Executive Director, a full operational and financial review, and is currently working on a revision of our strategy, due to complete as her Board term ends. She also has significant Board experience from other domains having sat for over a decade on the Board of a building preservation charity in the UK. She has experience dealing with government representatives through her work in Canada and with Apereo. Through her work in Scotland leading Girl Geek Scotland (a women in IT advocacy group) for 3 years she has experience working with the private tech sector. Through her senior leadership roles in higher education she brings financial, organisation, communication, and change management skills to the OSI, along with her education domain experience. She brings a wide global network of contacts within the open education movement along with strong community building skills. Why the candidate should be elected Having worked in higher education technology for over 20 years, Anne-Marie brings experience of the realities of implementing open source successfully in a domain that has been rapidly moving towards adoption of commercial and proprietary tech in many countries. As awareness of surveillance cultures and the predatory nature of educational technology companies become more visible post-COVID she believes there is a real moment appearing for strong advocacy for change and wider adoption of open source. She has been writing and advocating for changes to public sector procurement practices for over a decade to make the adoption of open source more possible, seeing this area as a systemic barrier at present. She believes that education is a particularly important domain for open source communities to engage with, as it is a crucial opportunity to build the awareness and talent that can support the wider global open source movement. Get involved Mastodon Twitter LinkedIn Reddit About About Our team Board of directors Sponsors Programs Blog Press mentions Trademark Bylaws Licenses Open Source Definition Licenses License Review Process Open Standards Requirement for Software Open Source AI Open Source AI OSAI Definition Process Timeline Open Weights FAQ Checklist Forum Community Become an Individual Member Become an OSI Affiliate Affiliate Organizations Maintainers Events Forum OpenSource.net The content on this website, of which Opensource.org is the author, is licensed under a Creative Commons Attribution 4.0 International License . Opensource.org is not the author of any of the licenses reproduced on this site. Questions about the copyright in a license should be directed to the license steward. Read our Privacy Policy Proudly powered by WordPress. Hosted by Pressable. Manage Cookie Consent To provide the best experiences, we use technologies like cookies to store and/or access device information. Consenting to these technologies will allow us to process data such as browsing behavior or unique IDs on this site. Not consenting or withdrawing consent, may adversely affect certain features and functions. Functional Functional Always active The technical storage or access is strictly necessary for the legitimate purpose of enabling the use of a specific service explicitly requested by the subscriber or user, or for the sole purpose of carrying out the transmission of a communication over an electronic communications network. Preferences Preferences The technical storage or access is necessary for the legitimate purpose of storing preferences that are not requested by the subscriber or user. Statistics Statistics The technical storage or access that is used exclusively for statistical purposes. The technical storage or access that is used exclusively for anonymous statistical purposes. Without a subpoena, voluntary compliance on the part of your Internet Service Provider, or additional records from a third party, information stored or retrieved for this purpose alone cannot usually be used to identify you. Marketing Marketing The technical storage or access is required to create user profiles to send advertising, or to track the user on a website or across several websites for similar marketing purposes. Manage options Manage services Manage {vendor_count} vendors Read more about these purposes Accept Deny View preferences Save preferences View preferences {title} {title} {title} Manage consent | 2026-01-13T08:49:32 |
https://dev.to/caerlower | Manav - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss 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 Manav web3 guy Location Onchain Joined Joined on Feb 11, 2024 github website Pronouns He/Him More info about @caerlower Badges 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 Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages Python and Javascript Currently learning Development Available for I am available for collaborations for group projects, competition, hackathons, meetups and startups. Post 35 posts published Comment 83 comments written Tag 0 tags followed 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 Want to connect with Manav? Create an account to connect with Manav. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in 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 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 x402: A Web-Native Payment Protocol for Micropayments and Autonomous Agents Manav Manav Manav Follow Nov 24 '25 x402: A Web-Native Payment Protocol for Micropayments and Autonomous Agents # web3 # blockchain # ai # privacy 3 reactions Comments 3 comments 3 min read ROFL Introduces Native Frontend Hosting: Confidential Apps Can Finally Go Full-Stack Manav Manav Manav Follow Nov 24 '25 ROFL Introduces Native Frontend Hosting: Confidential Apps Can Finally Go Full-Stack # webdev # privacy # blockchain # web3 3 reactions Comments 4 comments 2 min read Zcash vs. Oasis: Two Completely Different Visions of Privacy in Crypto Manav Manav Manav Follow Nov 24 '25 Zcash vs. Oasis: Two Completely Different Visions of Privacy in Crypto # privacy # blockchain # web3 # webdev 3 reactions Comments 3 comments 3 min read ERC-8004: Building Trustless Autonomous Agents with TEEs Manav Manav Manav Follow Oct 23 '25 ERC-8004: Building Trustless Autonomous Agents with TEEs # web3 # ai # privacy # blockchain 3 reactions Comments 3 comments 2 min read Oasis Launches “TEE Break Challenge”, One Bitcoin Bounty for Breaking Their Secure Enclave Manav Manav Manav Follow Oct 23 '25 Oasis Launches “TEE Break Challenge”, One Bitcoin Bounty for Breaking Their Secure Enclave # privacy # devchallenge # web3 # blockchain 2 reactions Comments 3 comments 3 min read When TEEs Fail Gracefully: How Oasis Survived the Battering RAM and Wiretap Attacks Manav Manav Manav Follow Oct 23 '25 When TEEs Fail Gracefully: How Oasis Survived the Battering RAM and Wiretap Attacks # security # blockchain # web3 # tee 2 reactions Comments 3 comments 3 min read Oasis CLI Is Now Available on Homebrew Manav Manav Manav Follow Sep 23 '25 Oasis CLI Is Now Available on Homebrew # privacy # cli # blockchain # web3 3 reactions Comments 2 comments 2 min read zkAGI’s PawPad: Building Private, Multichain Trading Agents with the Oasis Stack Manav Manav Manav Follow Sep 23 '25 zkAGI’s PawPad: Building Private, Multichain Trading Agents with the Oasis Stack # privacy # blockchain # web3 # webdev 3 reactions Comments 2 comments 3 min read ROFL Mainnet is Live: Unlocking Multichain Wallet Control for Autonomous Agents Manav Manav Manav Follow Sep 23 '25 ROFL Mainnet is Live: Unlocking Multichain Wallet Control for Autonomous Agents # privacy # blockchain # web3 # webdev 3 reactions Comments 2 comments 2 min read Privacy in DePIN: Building Secure Infrastructure for the Real World Manav Manav Manav Follow Aug 29 '25 Privacy in DePIN: Building Secure Infrastructure for the Real World # privacy # blockchain # web3 # network 4 reactions Comments 2 comments 3 min read Building Verifiable & Confidential AI Agents with Oasis ROFL Manav Manav Manav Follow Aug 29 '25 Building Verifiable & Confidential AI Agents with Oasis ROFL # privacy # nocode # blockchain # web3 2 reactions Comments 1 comment 2 min read Building Private-By-Default Apps with TEEs: The Oasis Stack Manav Manav Manav Follow Aug 29 '25 Building Private-By-Default Apps with TEEs: The Oasis Stack # privacy # blockchain # web3 # webdev 2 reactions Comments 3 comments 3 min read Building Privacy-Preserving Federated AI on ROFL with Flashback Labs Manav Manav Manav Follow Jul 31 '25 Building Privacy-Preserving Federated AI on ROFL with Flashback Labs # privacy # web3 # blockchain # programming 1 reaction Comments 1 comment 3 min read Building Confidential Identity and Reputation Systems with ROFL and Plurality Manav Manav Manav Follow Jul 31 '25 Building Confidential Identity and Reputation Systems with ROFL and Plurality # privacy # web3 # blockchain # programming 1 reaction Comments 1 comment 2 min read ROFL Is Live on Mainnet — Confidential Compute Meets Web3 Manav Manav Manav Follow Jul 31 '25 ROFL Is Live on Mainnet — Confidential Compute Meets Web3 # privacy # web3 # blockchain # programming 2 reactions Comments 1 comment 2 min read What a Real Trustless Trading Agent Looks Like (Meet WT3) Manav Manav Manav Follow Jun 27 '25 What a Real Trustless Trading Agent Looks Like (Meet WT3) # ai # privacy # blockchain # web3 3 reactions Comments 3 comments 3 min read Session Keys Aren’t Enough — Here’s How to Store Keys Without Holding Them Manav Manav Manav Follow Jun 27 '25 Session Keys Aren’t Enough — Here’s How to Store Keys Without Holding Them # privacy # web3 # programming # blockchain 2 reactions Comments 3 comments 3 min read Rethinking Web3 Privacy: What You Can Actually Build with Sapphire Manav Manav Manav Follow Jun 26 '25 Rethinking Web3 Privacy: What You Can Actually Build with Sapphire # privacy # web3 # programming # blockchain 3 reactions Comments 3 comments 4 min read The RNG Problem on Chain Is Real: Here's How Oasis Tackles It Differently Manav Manav Manav Follow May 29 '25 The RNG Problem on Chain Is Real: Here's How Oasis Tackles It Differently # blockchain # web3 # privacy # randomness 4 reactions Comments 1 comment 4 min read What Builders Created at EthDam 2025: Real Privacy, Real Applications Manav Manav Manav Follow May 29 '25 What Builders Created at EthDam 2025: Real Privacy, Real Applications # privacy # web3 # hackathon # blockchain 2 reactions Comments 2 comments 4 min read What If Web3 Ownership Wasn’t Binary? Manav Manav Manav Follow May 29 '25 What If Web3 Ownership Wasn’t Binary? # blockchain # privacy # web3 # liquefaction 3 reactions Comments 2 comments 3 min read Tamarin with ROFL: Enabling Privacy-First Healthcare Collaboration with Oasis Technology Manav Manav Manav Follow Apr 30 '25 Tamarin with ROFL: Enabling Privacy-First Healthcare Collaboration with Oasis Technology # privacy # healthcare # web3 # blockchain 2 reactions Comments Add Comment 2 min read Trusted Randomness in Web3: How Oasis Sapphire Solves the RNG Problem Manav Manav Manav Follow Apr 30 '25 Trusted Randomness in Web3: How Oasis Sapphire Solves the RNG Problem # privacy # web3 # onchainrandomness # blockchain 2 reactions Comments Add Comment 2 min read Zero-Trust Networking Meets Confidential Smart Contracts: Diode x Oasis Sapphire Manav Manav Manav Follow Apr 30 '25 Zero-Trust Networking Meets Confidential Smart Contracts: Diode x Oasis Sapphire # blockchain # privacy # web3 # smartcontract 2 reactions Comments Add Comment 2 min read zkTLS with Oasis Sapphire: Verifiable and Private Web3 for Developers Manav Manav Manav Follow Mar 28 '25 zkTLS with Oasis Sapphire: Verifiable and Private Web3 for Developers # web3 # blockchain # privacy # developers 1 reaction Comments Add Comment 1 min read 🤖 No-Code Agent Infrastructure Powered by Oasis Sapphire Manav Manav Manav Follow Mar 28 '25 🤖 No-Code Agent Infrastructure Powered by Oasis Sapphire # web3 # ai # blockchain # privacy 2 reactions Comments 2 comments 1 min read Why AI Agents in Web3 Desperately Need a Privacy Layer (and How Oasis Sapphire Solves It) Manav Manav Manav Follow Mar 28 '25 Why AI Agents in Web3 Desperately Need a Privacy Layer (and How Oasis Sapphire Solves It) # ai # privacy # blockchain # web3 2 reactions Comments 2 comments 2 min read ROFL: Unlocking Secure Off-Chain Computation with Oasis Network Manav Manav Manav Follow Feb 27 '25 ROFL: Unlocking Secure Off-Chain Computation with Oasis Network # blockchain # web3 # privacy # security Comments Add Comment 2 min read End-to-End Privacy for Web3 dApps with Oasis Sapphire Manav Manav Manav Follow Feb 27 '25 End-to-End Privacy for Web3 dApps with Oasis Sapphire # web3 # privacy # blockchain # programming Comments 1 comment 2 min read Trustless Agents and Secure Execution: Why Oasis's TEE is a Game Changer Manav Manav Manav Follow Feb 27 '25 Trustless Agents and Secure Execution: Why Oasis's TEE is a Game Changer # ai # web3 # blockchain # security Comments Add Comment 2 min read Revolutionizing Development with Internet Computer Protocol: 10 Groundbreaking Project Ideas Manav Manav Manav Follow Feb 10 '25 Revolutionizing Development with Internet Computer Protocol: 10 Groundbreaking Project Ideas Comments Add Comment 6 min read AI Agents and Secure Execution: Why Oasis's TEE is a Game Changer Manav Manav Manav Follow Jan 31 '25 AI Agents and Secure Execution: Why Oasis's TEE is a Game Changer # ai # web3 # oasisprotocol # blockchain 1 reaction Comments 1 comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:49:32 |
https://docs.brightdata.com/introduction | Welcome to Bright Data - Bright Data Docs Skip to main content Bright Data Docs home page English Search... ⌘ K Support Sign up Sign up Search... Navigation Introduction Welcome to Bright Data Welcome Proxy Infrastructure Web Access APIs Data Feeds AI API Reference General Integrations Introduction Overview Release Notes Getting Started Proxies Web Access APIs Data Feeds Web MCP Quickstart Python SDK JavaScript SDK Account Management On this page Special Offer Introduction Welcome to Bright Data Copy page Bright Data provides a powerful data collection platform to help you reliably build, run, and scale your web scraping operations. Discover, access, navigate, extract, and structure the web—delivering unmatched performance at every step. Copy page Special Offer Start now with $5 credits, no credit card required. We’ll match your first account deposit up to $500 ! Proxy Infrastructure Access any website, anywhere, anytime. Navigate the web without barriers using our network of 150M+ high-performance IPs with 99.99% uptime. Build your data operations ethical and reliably. Web Access APIs Automate web data collection, our APIs handle all the complex parts—unblocking, remote browsers, crawling, and search. So you can focus on using the data, not gathering it. Data Feeds Get actionable web data without building scrapers. Our Data Feeds deliver structured information in real-time or historical, with zero infrastructure management on your end. MCP Server Make your AI smarter with live web intelligence. Our MCP Server connects your models to real-time public web data, delivering relevant content without the complexity of managing scrapers. For billing, settings and user access, visit the account management section. Service Status View real-time service status for all products Was this page helpful? Yes No Release Notes ⌘ I linkedin youtube github Powered by | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/bolt-vs-v0-es#conclusion | Bolt vs. V0: ¿Cuál es la mejor herramienta de programación con IA para el desarrollo front-end? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Bolt vs. V0: ¿Cuál es la mejor herramienta de programación con IA para el desarrollo front-end? Introducción En el mundo del desarrollo front-end, dos herramientas de programación con IA han ganado popularidad: Bolt y V0 . Ambas ofrecen características únicas que pueden mejorar la productividad de los desarrolladores, pero ¿cuál es la mejor opción para tus necesidades específicas? Este blog compara estas dos herramientas, centrándose en sus capacidades, facilidad de uso y rendimiento general. Diferencias Principales Bolt está diseñado para optimización de código y generación rápida . Ofrece sugerencias de código en tiempo real y es conocido por su capacidad para mejorar la eficiencia del código. Por otro lado, V0 se centra en integración y colaboración , permitiendo a los equipos trabajar juntos de manera más efectiva a través de características de colaboración en tiempo real. Ambas herramientas utilizan tecnologías avanzadas de IA, pero Bolt es más adecuado para desarrolladores que buscan mejorar la eficiencia del código, mientras que V0 es ideal para equipos que priorizan la colaboración. Rendimiento y Usabilidad El rendimiento de estas herramientas es crucial para los desarrolladores que buscan mejorar su flujo de trabajo. Bolt ofrece tiempos de respuesta rápidos y es altamente eficiente en la generación de código, mientras que V0 proporciona una experiencia de usuario fluida con su interfaz intuitiva y características de colaboración. Ambas herramientas son fáciles de usar, pero sus capacidades brillan en diferentes áreas. Bolt es excelente para optimización de código , mientras que V0 se destaca en colaboración en equipo . Actualización de Bolt - Octubre 2024 - ¿Es Bolt ahora mejor que V0 para el desarrollo front-end? En octubre de 2024, se anunció una actualización significativa de Bolt. Las recientes mejoras han aumentado sus capacidades de optimización de código, superando a V0 en pruebas de rendimiento. Esta actualización refleja la mayor precisión de Bolt en la generación de código eficiente y su capacidad para integrarse con herramientas de desarrollo populares. Las pruebas iniciales indican que Bolt ahora sobresale en tareas de desarrollo front-end, como optimización de CSS y generación de componentes de React. Empresas como GitHub han informado mejoras significativas en la eficiencia del desarrollo con la nueva versión de Bolt. Ejemplos Prácticos de Uso de IA en el Desarrollo Front-end con Bolt y V0 Bolt: Optimización de CSS: Usa Bolt para mejorar la eficiencia del código CSS y reducir el tiempo de carga de la página. Generación de componentes de React: Emplea Bolt para crear componentes de React optimizados y reutilizables. Refactorización de código: Ideal para reestructurar código existente para mejorar su legibilidad y rendimiento. V0: Colaboración en tiempo real: Permite a los equipos trabajar juntos en proyectos de desarrollo front-end con características de colaboración en tiempo real. Integración con herramientas de desarrollo: Usa V0 para integrar fácilmente con herramientas populares como GitHub y Slack. Gestión de proyectos: Facilita la gestión de proyectos con su interfaz intuitiva y características de seguimiento de tareas. Conclusión Al decidir entre Bolt y V0 , considera tus necesidades específicas de desarrollo front-end. Bolt ofrece una mejor optimización de código y generación rápida, mientras que V0 proporciona una colaboración más efectiva y una integración fluida con herramientas de desarrollo. Ambas herramientas son poderosas y pueden mejorar significativamente tu productividad como desarrollador front-end. Regístrate en una plataforma como Fine , que incluye acceso a ambas herramientas, para aprovechar lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso a Bolt y V0 , permitiendo a los desarrolladores cambiar entre estas herramientas según sus necesidades. Esta flexibilidad es perfecta para aquellos que requieren optimización de código de Bolt o colaboración efectiva de V0. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso rentable a ambas herramientas para todas tus tareas de desarrollo front-end. Fuentes "Bolt vs V0: ¿Cuál es mejor para el desarrollo front-end?" Tech Blog , 20 Sep 2024. Enlace . "Comparación de herramientas de programación con IA para el desarrollo front-end." Dev Tools Review , 18 Sep 2024. Enlace . "Actualización de Bolt 2024." Bolt News . Enlace . Tabla de Contenidos Introducción Diferencias Principales Rendimiento y Usabilidad Actualización de Bolt - Octubre 2024 - ¿Es Bolt ahora mejor que V0 para el desarrollo front-end? Ejemplos Prácticos de Uso de IA en el Desarrollo Front-end con Bolt y V0 Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://x-vertice.com/ | X-Vertice | Explainable Fake Image Detection & Forensics Home Features How it works FAQ Contact us Blogs Analyze Image ')"> ')"> Stop second guessing whether an image is real. Manipulated & AI Generated Images are more common than ever. Xvertice helps you understand whether an image may be real or altered, with evidence, not guesses. Analyze Image Features 1 I m a g e L i k e l i h o o d S c o r e Get a signal indicating how likely an image may be manipulated or generated, designed to guide judgement, not replace it. 1 I m a g e L i k e l i h o o d S c o r e Get a signal indicating how likely an image may be manipulated or generated, designed to guide judgement, not replace it. 2 E v i d e n c e V i s u a l i s a t i o n Visual heatmaps highlight regions of an image that may show signs of Manipulation, giving you tangible evidence instead of a blind result. 2 E v i d e n c e V i s u a l i s a t i o n Visual heatmaps highlight regions of an image that may show signs of Manipulation, giving you tangible evidence instead of a blind result. 3 E x p l a i n a b l e f o r e n s i c s Clear summaries explain what signals were found and how they influenced the result, so you understand why, not just what. 3 E x p l a i n a b l e f o r e n s i c s Clear summaries explain what signals were found and how they influenced the result, so you understand why, not just what. 4 R e v e r s e S e a r c h T o o l Check whether an image already exists online to understand its origin and context before trusting it as original or authentic. 4 R e v e r s e S e a r c h T o o l Check whether an image already exists online to understand its origin and context before trusting it as original or authentic. How it Works Upload Your Image Upload the image you want to analyse. Upload Your Image Upload the image you want to analyse. Image Analysis Xvertice examines the image across multiple forensic signals to look for signs of manipulation or generation. Image Analysis Xvertice examines the image across multiple forensic signals to look for signs of manipulation or generation. Evidence & Signals Signals from different analysis are combined to indicate how likely the image may be authentic or altered. Evidence & Signals Signals from different analysis are combined to indicate how likely the image may be authentic or altered. Understandable Explanation Results are translated into simple explanations so you understand what influenced the outcome. Understandable Explanation Results are translated into simple explanations so you understand what influenced the outcome. The Complete Picture View the likelihood score, visual evidence, and explanation together, so you can make an informed decision instead of guessing. The Complete Picture View the likelihood score, visual evidence, and explanation together, so you can make an informed decision instead of guessing. Frequently Asked Questions What makes Xvertice different from other fake image detectors? What makes Xvertice different from other fake image detectors? What makes Xvertice different from other fake image detectors? What image formats does Xvertice accept? What image formats does Xvertice accept? What image formats does Xvertice accept? How accurate are the results? How accurate are the results? How accurate are the results? Stop Guessing. Understand what's behind the image before you act. Analyze Image Analyze Image Quick Links Home Features How it works FAQ Contact us Social Links Twitter Peerlist LinkedIn Blogs Xvertice Blogs Product Hunt Medium X-VERTICE X-VERTICE X-VERTICE | 2026-01-13T08:49:32 |
https://docs.devcycle.com/best-practices/ | Best Practices | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up Best Practices Serverless Flagging Security Edge Flags Feature Flag Grouping Feature Organization Migrating to DevCycle Managing Tech Debt CI/CD Engineering-Led Experimentation Product-Led Experimentation Best Practices Best Practices Best Practices In this section of our documentation, you will find some tips and tricks for effectively streamlining your feature management with DevCycle. If you ever get stuck along the way, you can message us through the widget on the bottom right of the page. Serverless Flagging How to use feature flags in serverless environments. Security Learn how you can detect and remove compromised keys and secure your feature flags. Edge Flags How to insert data into DevCycle’s EdgeDB and then use it for targeting. Feature Flag Grouping Manage large amounts of feature flags with DevCycle Feature Organization Tips for keeping your Feature Flag workspace organized in DevCycle Migrating to DevCycle Best Practices for Migrating to DevCycle with OpenFeature Managing Tech Debt Practices to help minimize technical debt from feature flags CI/CD Feature flag guidelines that optimize continuous integration and deployment Engineering-Led Experimentation Experiments engineers can conduct to mitigate risk and optimize their software Product-Led Experimentation How product managers and engineers can collaborate effectively within DevCycle to conduct experiments, optimize software, and enhance user experiences. Edit this page Last updated on Jan 9, 2026 Next Google Cloud Functions DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/captive-portal#but-first-what-is-a-captive-portal | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/chatgpt-canvas#chatgpt-canvas-vs-cursor | Coding with ChatGPT Canvas: Elevate Your Workflow with Fine Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Coding with ChatGPT Canvas: Elevate Your Workflow with Fine Table of Contents What Is ChatGPT Canvas? How Can Canvas Help You? Who Is Canvas Useful For? Comparing Canvas to ChatGPT-3.5 and ChatGPT-4 ChatGPT Canvas vs. GitHub Copilot ChatGPT Canvas vs. Cursor The Ultimate Workflow: Combining Canvas with Fine Why Fine Is the Superior Choice How Fine Outperforms the Rest Fine: More Than Just a Tool Conclusion: Transform Your Coding Experience with Fine What Is ChatGPT Canvas? ChatGPT Canvas is an interactive, visual platform that transforms the way developers interact with AI. Unlike traditional text-based AI models, Canvas provides a visual workspace where you can collaboratively write, edit, and debug code alongside an AI assistant. It's like having a smart whiteboard where both you and the AI can jot down ideas, spot errors, and iterate code in real-time. How Can Canvas Help You? Visual Collaboration : Work alongside an AI in a shared visual space, making it easier to understand complex code structures. Efficient Debugging : Identify and fix issues faster with AI-guided insights directly on your code. Revision Tracking : Keep a clear history of changes, making it simpler to revert to previous versions if needed. Who Is Canvas Useful For? Individual Developers looking to enhance their coding efficiency. Development Teams aiming for a collaborative environment with AI assistance. Educators and Students who benefit from visual learning tools. Comparing Canvas to ChatGPT-3.5 and ChatGPT-4 While ChatGPT-3.5 and ChatGPT-4 are powerful language models capable of generating and understanding code, they operate primarily through text-based interactions. ChatGPT-3.5 : Great for generating code snippets and answering straightforward questions. ChatGPT-4 : Offers improved context understanding and can handle more complex queries. Limitations: Lack of a visual interface makes it harder to manage large codebases. Iterative revisions are cumbersome due to the linear text format. Canvas Advantage : Provides an interactive visual workspace. Enhances collaboration by allowing both AI and developers to interact with code visually. ChatGPT Canvas vs. GitHub Copilot GitHub Copilot is an AI pair programmer that integrates into your IDE, offering real-time code suggestions. Strengths: Seamless IDE integration. Excellent for autocompleting code and generating boilerplate code. Limitations: Lacks a collaborative visual interface. Limited in managing code revisions and providing in-depth debugging assistance. Known for hallucinations. Limited to generating code live as you type. Canvas Advantage : Offers a shared visual space for collaboration. Better suited for debugging and iterative development. ChatGPT Canvas vs. Cursor Cursor provides live coding assistance with features like real-time collaboration and multi-language support. Strengths: Supports multiple languages. Allows for real-time collaboration. Limitations: Less focused on revision tracking. Limited debugging capabilities compared to Canvas. Canvas Advantage : Superior in revision management. Offers structured debugging tools within a visual interface. The Ultimate Workflow: Combining Canvas with Fine While ChatGPT Canvas significantly enhances your coding experience, integrating it with Fine takes your workflow to an entirely new level. Why Fine Is the Superior Choice Holistic Development Platform : Fine isn't just an AI assistant; it's a comprehensive platform that streamlines coding, project management, and workflow automation. Advanced AI Capabilities : Fine leverages state-of-the-art AI to assist in code generation, optimization, and error detection. Seamless Integration : Works effortlessly with tools like GitHub, Linear, and leading LLMs. Enhanced Collaboration : Fine's collaborative features are designed for both individual developers and teams. How Fine Outperforms the Rest Cloud-based, asynchronous coding : Delegate a task and get a notification when it’s complete. Customization : Tailor AI assistance to fit your project's specific needs. Scalability : Whether you're a solo developer or part of a large team, Fine adapts to your workflow. Fine: More Than Just a Tool Fine doesn't just complement your existing tools—it amplifies them. By combining Fine with ChatGPT Canvas: Boost Productivity : Achieve more in less time with AI-assisted coding and debugging. Improve Code Quality : Leverage Fine's advanced AI to write cleaner, more efficient code. Streamline Collaboration : Keep everyone on the same page with shared workspaces and real-time updates. Conclusion: Transform Your Coding Experience with Fine While ChatGPT Canvas, GitHub Copilot, and Cursor each offer unique benefits, Fine stands out as the most comprehensive solution for modern developers. It brings together the best features of these tools and adds its own powerful capabilities to deliver an unmatched coding experience. Don't settle for just improving your workflow—revolutionize it. Ready to elevate your development process? Sign up for Fine today and unlock the full potential of AI-assisted coding! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://forem.com/codeideal | Shayan - 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 Shayan Indie maker. Building tools at the intersection of design, code, and creativity. TypeScript, UX, and open source enthusiast. Joined Joined on Jun 12, 2025 github website More info about @codeideal Badges 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Post 14 posts published Comment 15 comments written Tag 5 tags followed DLMan :: the download manager I always wanted Shayan Shayan Shayan Follow Jan 8 DLMan :: the download manager I always wanted # programming # opensource # rust # tauri Comments Add Comment 2 min read Want to connect with Shayan? Create an account to connect with Shayan. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in I Built DLMan, the Modern Download Manager I always needed! Shayan Shayan Shayan Follow Jan 6 I Built DLMan, the Modern Download Manager I always needed! Comments Add Comment 3 min read I Fixed Blender's Render Output Paths ( Because it SUCKS! ) Shayan Shayan Shayan Follow Dec 15 '25 I Fixed Blender's Render Output Paths ( Because it SUCKS! ) # showdev # blender # opensource 2 reactions Comments 1 comment 1 min read I Built OpenFields ( Free Alternative to ACF for WP ) Shayan Shayan Shayan Follow Dec 11 '25 I Built OpenFields ( Free Alternative to ACF for WP ) # showdev # wordpress # tooling # opensource 2 reactions Comments 2 comments 3 min read I made Lexkit ( Rich Text Editor I wish existed !) Shayan Shayan Shayan Follow Nov 2 '25 I made Lexkit ( Rich Text Editor I wish existed !) Comments Add Comment 1 min read I Created CFMan, Cloudflare Wrangler Multi Account Manager Shayan Shayan Shayan Follow Oct 12 '25 I Created CFMan, Cloudflare Wrangler Multi Account Manager # showdev # serverless # cli # tooling 5 reactions Comments 3 comments 3 min read Why I chose Lexical over Tiptap Shayan Shayan Shayan Follow Sep 24 '25 Why I chose Lexical over Tiptap # discuss # react # javascript # tooling Comments Add Comment 2 min read Building a Type-Safe Rich Text Editor in Next.js (with Lexical & Lexkit) Shayan Shayan Shayan Follow Sep 24 '25 Building a Type-Safe Rich Text Editor in Next.js (with Lexical & Lexkit) Comments Add Comment 2 min read ShadCN Rich Text Editor with Lexical + Lexkit Shayan Shayan Shayan Follow Sep 23 '25 ShadCN Rich Text Editor with Lexical + Lexkit # showdev # typescript # tooling # react 2 reactions Comments 1 comment 2 min read I made Lexical Easy! ( Lexkit: Rich Text Editor story ) Shayan Shayan Shayan Follow Sep 18 '25 I made Lexical Easy! ( Lexkit: Rich Text Editor story ) # showdev # tooling # react # typescript 3 reactions Comments 4 comments 2 min read Build Full-Featured Rich Text Editors in React ( Lexical + Lexkit ) Shayan Shayan Shayan Follow Sep 16 '25 Build Full-Featured Rich Text Editors in React ( Lexical + Lexkit ) 1 reaction Comments 1 comment 3 min read Best Rich Text Editor for react in 2025 Shayan Shayan Shayan Follow Sep 16 '25 Best Rich Text Editor for react in 2025 1 reaction Comments Add Comment 2 min read I Built LexKit: A Modern, Type-Safe Rich Text Editor for React Shayan Shayan Shayan Follow Sep 14 '25 I Built LexKit: A Modern, Type-Safe Rich Text Editor for React # showdev # react # opensource # typescript 8 reactions Comments 1 comment 3 min read From Pain to Plugin: Export Figma Prototypes as MP4/GIF — Free & Open Source Shayan Shayan Shayan Follow Jun 12 '25 From Pain to Plugin: Export Figma Prototypes as MP4/GIF — Free & Open Source 2 reactions Comments Add Comment 1 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:32 |
https://vibe.forem.com/terms#main-content | Web Site Terms and Conditions of Use - Vibe Coding Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Vibe Coding Forem Close Web Site Terms and Conditions of Use 1. Terms By accessing this web site, you are agreeing to be bound by these web site Terms and Conditions of Use, our Privacy Policy , all applicable laws and regulations, and agree that you are responsible for compliance with any applicable local laws. If you do not agree with any of these terms, you are prohibited from using or accessing this site. The materials contained in this web site are protected by applicable copyright and trade mark law. 2. Use License Permission is granted to temporarily download one copy of the materials (information or software) on DEV Community's web site for personal, non-commercial transitory viewing only. This is the grant of a license, not a transfer of title, and under this license you may not: modify or copy the materials; use the materials for any commercial purpose, or for any public display (commercial or non-commercial); attempt to decompile or reverse engineer any software contained on DEV Community's web site; remove any copyright or other proprietary notations from the materials; or transfer the materials to another person or "mirror" the materials on any other server. This license shall automatically terminate if you violate any of these restrictions and may be terminated by DEV Community at any time. Upon terminating your viewing of these materials or upon the termination of this license, you must destroy any downloaded materials in your possession whether in electronic or printed format. 3. Disclaimer The materials on DEV Community's web site are provided "as is". DEV Community makes no warranties, expressed or implied, and hereby disclaims and negates all other warranties, including without limitation, implied warranties or conditions of merchantability, fitness for a particular purpose, or non-infringement of intellectual property or other violation of rights. Further, DEV Community does not warrant or make any representations concerning the accuracy, likely results, or reliability of the use of the materials on its Internet web site or otherwise relating to such materials or on any sites linked to this site. 4. Limitations In no event shall DEV Community or its suppliers be liable for any damages (including, without limitation, damages for loss of data or profit, or due to business interruption,) arising out of the use or inability to use the materials on DEV Community's Internet site, even if DEV Community or an authorized representative has been notified orally or in writing of the possibility of such damage. Because some jurisdictions do not allow limitations on implied warranties, or limitations of liability for consequential or incidental damages, these limitations may not apply to you. 5. Revisions and Errata The materials appearing on DEV Community's web site could include technical, typographical, or photographic errors. DEV Community does not warrant that any of the materials on its web site are accurate, complete, or current. DEV Community may make changes to the materials contained on its web site at any time without notice. DEV Community does not, however, make any commitment to update the materials. 6. Links DEV Community has not reviewed all of the sites linked to its Internet web site and is not responsible for the contents of any such linked site. The inclusion of any link does not imply endorsement by DEV Community of the site. Use of any such linked web site is at the user's own risk. 7. Copyright / Takedown Users agree and certify that they have rights to share all content that they post on DEV Community — including, but not limited to, information posted in articles, discussions, and comments. This rule applies to prose, code snippets, collections of links, etc. Regardless of citation, users may not post copy and pasted content that does not belong to them. DEV Community does not tolerate plagiarism of any kind, including mosaic or patchwork plagiarism. Users assume all risk for the content they post, including someone else's reliance on its accuracy, claims relating to intellectual property, or other legal rights. If you believe that a user has plagiarized content, misrepresented their identity, misappropriated work, or otherwise run afoul of DMCA regulations, please email support@dev.to. DEV Community may remove any content users post for any reason. 8. Site Terms of Use Modifications DEV Community may revise these terms of use for its web site at any time without notice. By using this web site you are agreeing to be bound by the then current version of these Terms and Conditions of Use. 9. DEV Community Trademarks and Logos Policy All uses of the DEV Community logo, DEV Community badges, brand slogans, iconography, and the like, may only be used with express permission from DEV Community. DEV Community reserves all rights, even if certain assets are included in DEV Community open source projects. Please contact support@dev.to with any questions or to request permission. 10. Reserved Names DEV Community has the right to maintain a list of reserved names which will not be made publicly available. These reserved names may be set aside for purposes of proactive trademark protection, avoiding user confusion, security measures, or any other reason (or no reason). Additionally, DEV Community reserves the right to change any already-claimed name at its sole discretion. In such cases, DEV Community will make reasonable effort to find a suitable alternative and assist with any transition-related concerns. 11. Content Policy The following policy applies to comments, articles, and all other works shared on the DEV Community platform: Users must make a good-faith effort to share content that is on-topic, of high-quality, and is not designed primarily for the purposes of promotion or creating backlinks. Posts must contain substantial content — they may not merely reference an external link that contains the full post. If a post contains affiliate links, that fact must be clearly disclosed. For instance, with language such as: “This post includes affiliate links; I may receive compensation if you purchase products or services from the different links provided in this article.” DEV Community reserves the right to remove any content that it deems to be in violation of this policy at its sole discretion. Additionally, DEV Community reserves the right to restrict any user’s ability to participate on the platform at its sole discretion. 12. Fees, Payment, Renewal Fees for Paid Services .Fees for Paid Services. Some of our Services may be offered for a fee (collectively, “Paid Services”). This section applies to any purchases of Paid Services. By using a Paid Service, you agree to pay the specified fees. Depending on the Paid Service, there may be different kinds of fees, for instance some that are one-time, recurring, and/or based on an advertising campaign budget that you set. For recurring fees (AKA Subscriptions), your subscription begins on your purchase date, and we’ll bill or charge you in the automatically-renewing interval (such as monthly, annually) you select, on a pre-pay basis until you cancel, which you can do at any time by contacting plusplus@dev.to . Payment. You must provide accurate and up-to-date payment information. By providing your payment information, you authorize us to store it until you request deletion. If your payment fails, we suspect fraud, or Paid Services are otherwise not paid for or paid for on time (for example, if you contact your bank or credit card company to decline or reverse the charge of fees for Paid Services), we may immediately cancel or revoke your access to Paid Services without notice to you. You authorize us to charge any updated payment information provided by your bank or payment service provider (e.g., new expiration date) or other payment methods provided if we can’t charge your primary payment method. Automatic Renewal. By enrolling in a subscription, you authorize us to automatically charge the then-applicable fees for each subsequent subscription period until the subscription is canceled. If you received a discount, used a coupon code, or subscribed during a free trial or promotion, your subscription will automatically renew for the full price of the subscription at the end of the discount period. This means that unless you cancel a subscription, it’ll automatically renew and we’ll charge your payment method(s). The date for the automatic renewal is based on the date of the original purchase and cannot be changed. You can view your renewal date(s), cancel, or manage subscriptions by contacting plusplus@dev.to . Fees and Changes. We may change our fees at any time in accordance with these Terms and requirements under applicable law. This means that we may change our fees going forward or remove or update features or functionality that were previously included in the fees. If you don’t agree with the changes, you must cancel your Paid Service. Refunds. There are no refunds and all payments are final. European Users: You have the right to withdraw from the transaction within fourteen (14) days from the date of the purchase without giving any reason as long as your purchase was not of downloadable content or of a customized nature, and (i) the service has not been fully performed, or (ii) subject to other limitations as permitted by law. If you cancel this contract, we will reimburse you all payments we have received from you, without undue delay and no later than within fourteen days from the day on which we received the notification of your cancellation of this contract. For this repayment, we will use the same means of payment that you used for the original transaction, unless expressly agreed otherwise with you; you will not be charged for this repayment. You may exercise your right to withdrawal by sending a clear, email request to plusplus@dev.to with the following information: List of services you wish to withdraw from List the date that you purchased the goods or services. If this is a recurring subscription, please list the most recent renewal date List your full legal name and the email associated with your account List the address in which you legally reside Today's Date 13. Governing Law Any claim relating to DEV Community's web site shall be governed by the laws of the State of New York without regard to its conflict of law provisions. General Terms and Conditions applicable to Use of a Web Site. 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:32 |
https://x-vertice.com/ | X-Vertice | Explainable Fake Image Detection & Forensics Home Features How it works FAQ Contact us Blogs Analyze Image ')"> ')"> Stop second guessing whether an image is real. Manipulated & AI Generated Images are more common than ever. Xvertice helps you understand whether an image may be real or altered, with evidence, not guesses. Analyze Image Features 1 I m a g e L i k e l i h o o d S c o r e Get a signal indicating how likely an image may be manipulated or generated, designed to guide judgement, not replace it. 1 I m a g e L i k e l i h o o d S c o r e Get a signal indicating how likely an image may be manipulated or generated, designed to guide judgement, not replace it. 2 E v i d e n c e V i s u a l i s a t i o n Visual heatmaps highlight regions of an image that may show signs of Manipulation, giving you tangible evidence instead of a blind result. 2 E v i d e n c e V i s u a l i s a t i o n Visual heatmaps highlight regions of an image that may show signs of Manipulation, giving you tangible evidence instead of a blind result. 3 E x p l a i n a b l e f o r e n s i c s Clear summaries explain what signals were found and how they influenced the result, so you understand why, not just what. 3 E x p l a i n a b l e f o r e n s i c s Clear summaries explain what signals were found and how they influenced the result, so you understand why, not just what. 4 R e v e r s e S e a r c h T o o l Check whether an image already exists online to understand its origin and context before trusting it as original or authentic. 4 R e v e r s e S e a r c h T o o l Check whether an image already exists online to understand its origin and context before trusting it as original or authentic. How it Works Upload Your Image Upload the image you want to analyse. Upload Your Image Upload the image you want to analyse. Image Analysis Xvertice examines the image across multiple forensic signals to look for signs of manipulation or generation. Image Analysis Xvertice examines the image across multiple forensic signals to look for signs of manipulation or generation. Evidence & Signals Signals from different analysis are combined to indicate how likely the image may be authentic or altered. Evidence & Signals Signals from different analysis are combined to indicate how likely the image may be authentic or altered. Understandable Explanation Results are translated into simple explanations so you understand what influenced the outcome. Understandable Explanation Results are translated into simple explanations so you understand what influenced the outcome. The Complete Picture View the likelihood score, visual evidence, and explanation together, so you can make an informed decision instead of guessing. The Complete Picture View the likelihood score, visual evidence, and explanation together, so you can make an informed decision instead of guessing. Frequently Asked Questions What makes Xvertice different from other fake image detectors? What makes Xvertice different from other fake image detectors? What makes Xvertice different from other fake image detectors? What image formats does Xvertice accept? What image formats does Xvertice accept? What image formats does Xvertice accept? How accurate are the results? How accurate are the results? How accurate are the results? Stop Guessing. Understand what's behind the image before you act. Analyze Image Analyze Image Quick Links Home Features How it works FAQ Contact us Social Links Twitter Peerlist LinkedIn Blogs Xvertice Blogs Product Hunt Medium X-VERTICE X-VERTICE X-VERTICE | 2026-01-13T08:49:32 |
https://vibe.forem.com/code-of-conduct#our-standards | Code of Conduct - Vibe Coding Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Vibe Coding Forem Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/ai_coding_assistant_for_ios_swift#pricing | Using AI Coding Assistants to Develop Software for Apple iOS Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Using AI Coding Assistants to Develop Software for Apple iOS Many developers, particularly front-end, who have adopted AI coding tools to help them code faster, are frustrated that they can’t do so when working on software for iOS mobile app development because there’s no AI coding extension for Apple’s IDE, XCode. GitHub Copilot, which claims to reduce task completion time by 55%, doesn’t integrate with XCode like it does with most other common IDEs, meaning that developers have to copy and paste their tasks into external tools before copying and pasting back into XCode. Not only is this frustrating and time-consuming, but it means that the AI lacks context and therefore produces poor results. However, there is one tool now available that enables you to optimize your iOS software development lifecycle: Fine. Using Fine for AI-Powered Swift Software Development Unlike Cursor and GitHub Copilot, Fine is removed from the IDE. According to Fine’s Founders, they don’t believe the IDE as we know it today will be the primary way developers work in the future. Therefore, they built Fine to be an independent AI coding tool that works for iOS and all other operating systems. Fine’s platform is cloud-based and accessed via the browser, whether mobile or desktop. It integrates with your codebase and development tech stack (GitHub, Linear, etc.) and takes all the information to create a Knowledge Graph that allows it to perform development tasks on its own, with high-accuracy output. Give Fine a task, and it works asynchronously and independently to get the task done. For example: Here is a Linear issue with a new feature request. How should I go about developing this? Build a design plan and then write the first iteration. Take all new PRs, analyze them, review them, test them, and send me a Slack notification with your comments and suggestions. Generate XCTest cases for automated testing in Swift. The Role of Swift in iOS Development with AI Coding Tools Swift, Apple’s primary programming language for iOS, macOS, watchOS, and tvOS development, is fully supported by Fine. Whether you’re working on a new feature, refactoring existing code, or creating unit tests, you can rely on Fine to manage these tasks with a high degree of accuracy, ensuring that your Swift code adheres to best practices and Apple’s guidelines. Using Fine to assist with your iOS software development can save hours of work, helping you become more efficient. Give Fine a task, let it code, and commit a change to GitHub with a PR for you to review. It’s easy, efficient, and makes your workday more enjoyable. Key Benefits of Using Fine for iOS Development Time-Saving : Automate repetitive coding tasks and focus on what matters most. High Accuracy : Fine ensures your Swift code adheres to Apple’s guidelines and best practices. Integration : Seamlessly integrates with your development tools, enhancing your overall workflow. Frequently Asked Questions Q: Does Fine integrate with XCode? A: Fine does not integrate directly with XCode. Instead, it operates independently from the IDE, offering flexibility and efficiency across different development environments, including iOS. Q: How does Fine handle Swift programming tasks? A: Fine supports Swift, Apple’s primary programming language, by managing tasks such as feature development, code refactoring, and unit testing with high accuracy. Q: Can I use Fine with other operating systems? A: Yes, Fine is designed to work with all operating systems, making it a versatile tool for developers working on various platforms. Try Fine now, free for 7 days, and experience how it can streamline your iOS app development process. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://forem.com/fosres | fosres - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Follow User actions fosres Studied at UCLA Worked at Intel Corporation as a Security Software Engineer Joined Joined on Nov 21, 2025 github website twitter website Education UCLA Pronouns He/him/his More info about @fosres Badges 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages Systems Programming, Threat Modeling, Applied Cryptography, Scripting Currently learning Secure C coding principles. Best practices in using cryptographic libraries. Application Security Engineering. Currently hacking on AppSec-Exercises. More details coming soon. Available for Please reach out to me if you would like to discuss any of the exercises on AppSec Exercises. You can also reach out to me about secure systems programming. Post 20 posts published Comment 6 comments written Tag 0 tags followed Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables fosres fosres fosres Follow Jan 12 Week 4 Firewall Labs: 4 Production-Ready Firewall Scenarios with iptables # security # linux # networking # cybersecurity Comments Add Comment 17 min read Want to connect with fosres? Create an account to connect with fosres. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Week 4 SQL Injection Audit Challenge fosres fosres fosres Follow Jan 11 Week 4 SQL Injection Audit Challenge # security # python # tutorial # sql Comments Add Comment 27 min read Week 4 Network Packet Tracing Challenge fosres fosres fosres Follow Jan 10 Week 4 Network Packet Tracing Challenge # security # networking # linux # interview Comments Add Comment 8 min read 🔐 Week 4 Scripting Challenge: Build an Auth Log Failed Login Scraper in Python fosres fosres fosres Follow Jan 6 🔐 Week 4 Scripting Challenge: Build an Auth Log Failed Login Scraper in Python # python # security # linux # securityengineering 3 reactions Comments 2 comments 12 min read Week 4 Scripting Exercise: Analyze HTTP Response Headers fosres fosres fosres Follow Jan 5 Week 4 Scripting Exercise: Analyze HTTP Response Headers # appsec # security # python # scripting Comments 1 comment 9 min read VPN Log Analyzer: Detect Brute Force, Session Hijacking & Credential Stuffing (100 Tests) 🔐 fosres fosres fosres Follow Jan 2 VPN Log Analyzer: Detect Brute Force, Session Hijacking & Credential Stuffing (100 Tests) 🔐 # appsec # python # cybersecurity # security Comments Add Comment 8 min read Week 3 VPN Security: A Complete Quiz on Protocols, Attack Vectors & Defense Strategies fosres fosres fosres Follow Jan 1 Week 3 VPN Security: A Complete Quiz on Protocols, Attack Vectors & Defense Strategies # cybersecurity # networking # security # tutorial Comments Add Comment 15 min read Week 3 Firewall Challenge: Set iptables Rules fosres fosres fosres Follow Jan 1 Week 3 Firewall Challenge: Set iptables Rules # security # linux # networking # tutorial Comments Add Comment 12 min read Week 2 Scripting Challenge: Caesarian Cipher fosres fosres fosres Follow Dec 25 '25 Week 2 Scripting Challenge: Caesarian Cipher # python # security # tutorial # interview Comments Add Comment 6 min read Week 2 Scripting Challenge: Log Parser fosres fosres fosres Follow Dec 25 '25 Week 2 Scripting Challenge: Log Parser # python # security # tutorial # webdev 2 reactions Comments Add Comment 12 min read Scripting Challenge Week 1: Port Scanning fosres fosres fosres Follow Dec 18 '25 Scripting Challenge Week 1: Port Scanning # python # security # networking # tutorial Comments Add Comment 12 min read Port Numbers Quiz Week 1 -- Ports Every Security Engineer Should Know fosres fosres fosres Follow Dec 17 '25 Port Numbers Quiz Week 1 -- Ports Every Security Engineer Should Know # security # networking # interview # career Comments Add Comment 15 min read Computer Networking for Security Engineers Week 1 fosres fosres fosres Follow Dec 16 '25 Computer Networking for Security Engineers Week 1 # security # learning # devchallenge # networking Comments Add Comment 23 min read SQL Injection Audit Challenge Week 1 fosres fosres fosres Follow Dec 13 '25 SQL Injection Audit Challenge Week 1 # security # sql # python # appsec Comments Add Comment 27 min read OWASP Top Ten 2025 Quiz 2 Week 1 (51 Questions) fosres fosres fosres Follow Dec 11 '25 OWASP Top Ten 2025 Quiz 2 Week 1 (51 Questions) # appsec # security # interview # owasp Comments Add Comment 51 min read OWASP Top 10 2025 Quiz: Week 1 (51 Questions) fosres fosres fosres Follow Dec 8 '25 OWASP Top 10 2025 Quiz: Week 1 (51 Questions) # appsec # security # owasp # interview Comments Add Comment 25 min read JWT Token Validator Challenge fosres fosres fosres Follow Dec 1 '25 JWT Token Validator Challenge # python # security # appsec # websecurity 2 reactions Comments Add Comment 8 min read Password Generator Challenge fosres fosres fosres Follow Nov 28 '25 Password Generator Challenge # python # appsec # tutorial # security 5 reactions Comments 3 comments 7 min read API Request Limiter Challenge fosres fosres fosres Follow Nov 27 '25 API Request Limiter Challenge # python # tutorial # security # appsec Comments Add Comment 10 min read Industries Where Your C Code Saves Lives (And They're Hiring) fosres fosres fosres Follow Nov 23 '25 Industries Where Your C Code Saves Lives (And They're Hiring) # c # security # cybersecurity # vulnerabilities Comments 6 comments 8 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — 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 . Forem © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/ai-replace-programmers-es#pricing | ¿Reemplazará la IA a los programadores? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back ¿Reemplazará la IA a los programadores? La pregunta "¿Reemplazará la IA a los programadores?" ha estado circulando en los círculos tecnológicos, generando tanto entusiasmo como preocupación. A medida que las herramientas de codificación impulsadas por IA se vuelven más avanzadas, vale la pena preguntarse: ¿dónde deja esto a los desarrolladores humanos? Exploremos las perspectivas de las voces líderes en el campo. El Caso de la Revolución del Desarrollo por IA La IA Transformando el Desarrollo de Software La IA está transformando indudablemente nuestra forma de abordar el desarrollo de software. Herramientas como GitHub Copilot y plataformas como Fine están permitiendo a los desarrolladores agilizar tareas repetitivas. Como señala un artículo , "La IA puede producir fragmentos de código o funciones completas basadas en indicaciones de lenguaje natural, agilizando el desarrollo" (The Tech Bible). Haciendo el Codificado Más Accesible Estas herramientas no solo ahorran tiempo; también hacen que la codificación sea más accesible. Por ejemplo, la IA puede ayudar a los principiantes con orientación en tiempo real, actuando como un mentor personal Techies Spot . Esto reduce la barrera de entrada para el desarrollo de software, abriendo puertas para que más personas participen en la industria. ¿Reemplazará la IA a los Programadores Completamente? El consenso parece ser un rotundo no. Si bien la IA sobresale en la automatización de tareas repetitivas, carece de la creatividad, intuición y habilidades de resolución de problemas que los programadores humanos aportan. Como explica Jonathan's Musings, "La IA podría generar código, pero comprender requisitos complejos y traducirlos en soluciones robustas aún requiere perspicacia humana". Peter H. Diamandis comparte este sentimiento , afirmando: "En lugar de reemplazar a los programadores, la IA actuará como un multiplicador, permitiendo a los desarrolladores centrarse en tareas de nivel superior". ¿Cuándo Reemplazará la IA a los Programadores? La pregunta de cuándo, si es que alguna vez, la IA reemplazará a los programadores es compleja. Los modelos de IA actuales, aunque poderosos, tienen limitaciones significativas. Carecen de verdadera comprensión, a menudo generan código incorrecto o inseguro, y requieren supervisión humana para garantizar la calidad y confiabilidad. Estas limitaciones significan que la IA aún está lejos de poder reemplazar completamente a los programadores humanos. La Evolución de las Capacidades de la IA La IA avanza rápidamente, y es posible que futuras iteraciones puedan manejar tareas de desarrollo más complejas. Sin embargo, el cronograma para esto es incierto. Los expertos creen que la IA continuará complementando a los desarrolladores humanos en lugar de reemplazarlos completamente en el futuro previsible. La capacidad humana para comprender el contexto, tomar decisiones de juicio y resolver problemas creativamente sigue siendo insustituible. La IA como Socio del Programador Rol Colaborativo de la IA La perspectiva más prometedora sobre la IA en la programación es su rol como socio colaborativo. Los desarrolladores pueden aprovechar la IA para automatizar tareas rutinarias, generar código estándar e incluso depurar sistemas complejos. Según Billy Newport, "Los asistentes de codificación de IA se integrarán perfectamente en herramientas como GitHub, actuando como colaboradores rápidos y eficientes en lugar de reemplazos" (Billy Newport). Solución de Desarrollador de IA de Fine La solución de desarrollador de IA de Fine es un ejemplo perfecto de esta asociación en acción. Con características como Vistas Previas en Vivo y Flujos de Trabajo de IA, Fine permite a los desarrolladores escribir, probar y refinar código en tiempo real. Al automatizar lo mundano, los desarrolladores pueden centrarse en la innovación y la resolución de problemas. Conclusión Entonces, ¿reemplazará la IA a los programadores? La respuesta es no, pero los hará más productivos, creativos e impactantes que nunca. La IA no es un reemplazo para la genialidad humana; es una herramienta para mejorarla. A medida que la industria evoluciona, plataformas como Fine liderarán la carga, ayudando a los desarrolladores a lograr más con menos fricción. Fine es una solución ideal para startups que buscan optimizar sus procesos de desarrollo y maximizar la productividad sin necesidad de grandes equipos. Al automatizar tareas repetitivas, Fine permite a los equipos de startups centrarse en la innovación, acelerando su tiempo de comercialización. ¿Interesado en probarlo? Regístrate en Fine hoy y ve cómo la IA puede potenciar tu viaje de codificación y ayudar a tu startup a escalar eficientemente. Con la IA en tu caja de herramientas, el futuro de la programación parece más prometedor que nunca. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/o1-vs-sonnet-es#pricing | OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back OpenAI o1 vs. Claude Sonnet 3.5: ¿Cuál modelo de IA es mejor para programar? Introducción A medida que la IA continúa evolucionando, dos modelos destacan: o1 de OpenAI y Claude Sonnet 3.5 de Anthropic. Ambos ofrecen capacidades impresionantes para los desarrolladores de software, pero sus fortalezas varían, especialmente cuando se trata de programación. Este blog compara estos dos modelos de IA, centrándose en tareas de programación y rendimiento general. Fine incluye acceso ilimitado a ambos modelos, lo que lo convierte en una excelente manera de probar y comparar cómo o1 y Sonnet se desempeñan con tareas de programación. Diferencias Principales o1 está diseñado para razonamiento complejo y resolución de problemas . Sus respuestas son profundas y reflexivas, lo que lo hace ideal para desarrolladores que trabajan en problemas intrincados o que necesitan explicaciones detalladas. Por otro lado, Claude Sonnet 3.5 se centra en eficiencia y velocidad , destacando en tiempos de respuesta rápidos mientras es más rentable. Si buscas generar código rápidamente o manejar tareas de alto volumen, Claude Sonnet 3.5 puede ser la mejor opción. Ambos modelos utilizan arquitecturas basadas en transformadores, pero o1 es más adecuado para desarrolladores que buscan razonamiento detallado, mientras que Claude Sonnet 3.5 es la opción preferida para aquellos que priorizan la velocidad. Ventana de Contexto y Rendimiento La ventana de contexto juega un papel crucial en cómo estos modelos manejan entradas grandes o conversaciones extendidas. ChatGPT o1 admite 128,000 tokens, mientras que Claude Sonnet 3.5 maneja un mayor 200,000 tokens , dándole una ventaja para tareas que requieren una retención significativa de contexto, como revisar grandes bases de código. Ambos modelos ofrecen un rendimiento sólido en una variedad de tareas, pero sus habilidades brillan en diferentes áreas. ChatGPT o1 sobresale en razonamiento multietapa , explicando la lógica de código compleja en detalle, mientras que Claude Sonnet 3.5 se centra en correcciones de errores rápidas y generación eficiente de código . Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? En octubre de 2024, Anthropic anunció una versión mejorada de Claude 3.5 Sonnet. Las recientes actualizaciones a Claude 3.5 Sonnet han mejorado significativamente sus capacidades de ingeniería de software. Notablemente, el rendimiento del modelo en el benchmark SWE-bench Verified ha mejorado del 33.4% al 49.0%, superando a todos los modelos disponibles públicamente, incluido el o1-preview de OpenAI. Este avance refleja la mayor precisión de Claude 3.5 Sonnet en la generación de funciones y verificación de errores, particularmente en la depuración y refactorización de código que involucra funciones anidadas o segmentos interdependientes. Además, la capacidad de tokens ampliada del modelo le permite retener y utilizar un contexto más extenso, lo que lo hace ideal para revisar grandes bases de código o gestionar proyectos intrincados con múltiples dependencias. Las pruebas iniciales indican que Claude 3.5 Sonnet sobresale en tareas de programación especializadas, como identificar vulnerabilidades de seguridad en aplicaciones web y optimizar algoritmos para velocidad y eficiencia. GitLab, por ejemplo, informó hasta un 10% de mejora en las capacidades de razonamiento para tareas de DevSecOps con el modelo actualizado, sin ningún aumento en la latencia. Casos de uso de IA para programación con o1 y Claude Sonnet 3.5 ChatGPT o1: Depuración de gestión de estado compleja en React: Usa o1 para analizar profundamente por qué ciertos estados no se actualizan correctamente o entran en conflicto entre componentes. Refactorización de código heredado: Emplea el razonamiento exhaustivo de o1 para reestructurar un script antiguo de Python para mejorar su legibilidad y mantenibilidad. Creación de algoritmos: Ideal para escribir y explicar algoritmos como ordenamiento, recorrido de árboles o programación dinámica en detalle. Claude Sonnet 3.5: Generación de código boilerplate: Crea rápidamente archivos de configuración para nuevos proyectos como APIs de Flask o estructura de front-end en Next.js. Autocompletar funciones: Úsalo para completar una función de JavaScript a medio escribir con manejo de errores adecuado y casos extremos. Generación masiva de código: Sonnet 3.5 sobresale en producir estructuras de código repetitivas pero ligeramente variadas como endpoints de API similares o casos de prueba unitarios. ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Hoy en día hay muchas herramientas de desarrollo disponibles para ayudarte con tu programación con IA, desde asistentes avanzados de programación con IA como Fine hasta generadores de código como GitHub Copilot. Algunas usan múltiples LLMs, algunas te dan la opción y otras se basan en un solo modelo. ¿Qué modelo de IA (LLM) utiliza Fine? Fine es una de las pocas herramientas de programación con IA que ofrece a los usuarios la opción entre diferentes LLMs para diversas tareas. Al usar Fine a través del navegador web, los usuarios pueden elegir entre o1-preview, 4o y Claude 3.5 Sonnet. Sin embargo, necesitarás una suscripción pro para aprovechar esto, que cuesta $13-15 por mes. Si eres un usuario gratuito, podrás usar Fine con 4o. Haz clic aquí para probarlo. ¿Qué modelo de IA (LLM) utiliza GitHub Copilot? GitHub Copilot está fuertemente integrado con OpenAI. GitHub es propiedad de Microsoft, que tiene una profunda asociación con OpenAI. La mayoría de los usuarios tienen acceso a 4o, mientras que los suscriptores de Azure AI pueden usar GitHub Copilot con o1-mini y o1-preview. ACTUALIZACIÓN: En GitHub Universe 2024, se anunció que esta asociación exclusiva ya no era tan exclusiva y que la opción de usar Claude se implementaría para todos los usuarios de GitHub Copilot en breve. Algunos usuarios ya han podido acceder a Claude. Está disponible en el Copilot Chat en Visual Studio Code y en Immersive Copilot en el navegador web solamente. ¿Qué modelo de IA (LLM) utiliza Cursor? Cursor utiliza Claude 3.5 Sonnet por defecto y recurre a OpenAI 4o durante interrupciones de Anthropic. ¿Qué modelo de IA (LLM) utiliza Bolt? Bolt, la herramienta de programación con IA que se especializa exclusivamente en front-end, se basa en Claude 3.5 Sonnet. ¿Qué modelo de IA (LLM) utiliza Replit? Aunque Replit lanzó previamente su propio modelo de IA en 2023, cuando anunciaron Replit Agent, su principal herramienta de programación con IA, en 2024, parece que tomaron la decisión de usar Claude 3.5 Sonnet. ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? Si estás buscando comparar cuáles son las mejores herramientas de programación con IA o LLMs, hay algunas cosas a tener en cuenta. Primero, es importante evaluar el LLM y la herramienta por separado. Usa una herramienta como Fine que te permita dar la misma tarea a múltiples LLMs para comparar cuál te da el mejor resultado. Aquí hay una comparación que hicimos de los tres modelos ofrecidos por Fine, planteados con la misma pregunta: ¿Qué hace este repositorio? (Es una pregunta que algunos están llamando el Hola Mundo de la programación con IA). Segundo, compara cómo las herramientas se desempeñan con tu LLM elegido, específico para tu caso de uso. Fine ofrece una variedad de integraciones para aumentar tu productividad, como la capacidad de hacer revisiones dentro de GitHub PR, que están ahorrando horas a los desarrolladores cada semana. ¿Cuál modelo es mejor para programar? Para tareas de programación, tu elección depende de tus necesidades: ChatGPT o1 es la mejor opción cuando trabajas en problemas complejos y multietapa donde necesitas un razonamiento profundo y explicaciones detalladas. Por ejemplo, sobresale en explicar código intrincado o ayudar con la depuración de una manera más reflexiva. Claude Sonnet 3.5 es el modelo preferido para generación de código rápida y eficiente y prototipado iterativo. Es rentable para tareas de alto volumen como generar múltiples fragmentos de código o automatizar correcciones de errores. Ambos modelos apoyan a los desarrolladores en la programación, pero Claude Sonnet 3.5 puede ahorrar tiempo y dinero para tareas de programación cotidianas, mientras que ChatGPT o1 podría ser tu aliado para problemas de programación más difíciles y detallados. Conclusión Al decidir entre ChatGPT o1 y Claude Sonnet 3.5 , considera la complejidad de tus tareas de programación y las restricciones de presupuesto. ChatGPT o1 ofrece una mejor resolución de problemas para tareas intrincadas, mientras que Claude Sonnet 3.5 proporciona una generación de código más rápida y asequible para las necesidades de desarrollo diarias. Ambos modelos son herramientas de IA poderosas que pueden mejorar significativamente tu productividad como desarrollador de software. Regístrate en una plataforma como Fine , que incluye acceso ilimitado a ambos, para lo mejor de ambos mundos sin pagar de más. ¿Por qué suscribirse a Fine? Fine es una plataforma que ofrece acceso ilimitado tanto a o1 como a Claude Sonnet 3.5 , permitiendo a los desarrolladores cambiar entre estos poderosos LLMs según las necesidades de su tarea. Esta flexibilidad es perfecta para aquellos que requieren explicaciones detalladas de ChatGPT o generación de código rápida y eficiente de Claude. Con Fine, no hay necesidad de gestionar tus propias claves API o preocuparte por los límites de uso: todo está incluido. Suscribirse a Fine simplifica el proceso, ofreciendo acceso ilimitado y rentable a ambos modelos para todas tus tareas de programación y desarrollo. Fuentes McNulty, Niall. "ChatGPT o1 vs Claude Sonnet 3.5." Medium , hace 5 días. Enlace . "GPT o1 vs Claude 3.5 Sonnet: ¿Cuál modelo es mejor para programar?" Bind AI Blog , 17 Sep 2024. Enlace . "Comparar o1 Preview vs. Claude 3.5 Sonnet." Context.ai . Enlace . Harisec. "o1 vs Claude." GitHub . Enlace . Tabla de Contenidos Introducción Diferencias Principales Ventana de Contexto y Rendimiento Versión Mejorada de Claude 3.5 Sonnet - Octubre 2024 - ¿Es Claude ahora mejor que GPT para programar? Casos de uso de IA para programación con o1 y Claude 3.5 Sonnet ¿Qué modelos de IA utilizan las diferentes herramientas de programación con IA? Fine GitHub Copilot Cursor Bolt Replit ¿Cómo comparar diferentes herramientas de programación con IA y LLMs? ¿Cuál modelo es mejor para programar? Conclusión ¿Por qué suscribirse a Fine? Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
https://forem.com/new/tauri | New Post - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to Forem? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:49:32 |
https://www.fine.dev/blog/build-scalable-tech-infrastructure-for-startups#ready-to-scale | How to Build a Scalable Tech Infrastructure on a Startup Budget: A Step-by-Step Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Build a Scalable Tech Infrastructure on a Startup Budget: A Step-by-Step Guide for CTOs Building a scalable tech infrastructure on a startup budget requires creativity and prioritization. As a CTO, you need to grow infrastructure without exhausting resources. This guide outlines steps to help your tech stack expand with your user base, without financial strain. Table of Contents Start with Open-Source Solutions Use Cloud Services Wisely Modular Architecture Automate Early Think Lean—Build for Your Current Needs Monitoring and Alerts Outsource Non-Critical Components Leverage Community and Startup Programs Scalable Data Management Prepare for Growth with a Flexible Mindset Look for Integrations Ready to Scale with Ease? 1. Start with Open-Source Solutions When budget is tight, opting for open-source software can be a game-changer. Open-source solutions often provide the flexibility you need to get started without the licensing fees associated with proprietary systems. Tools like PostgreSQL for databases, Kubernetes for orchestration, and Apache Kafka for data streaming can all be incredibly effective without incurring high costs. can all be incredibly effective without incurring high costs. The initial learning curve might be steep, but the savings are well worth it. There's also a whole community out there to help you. 2. Use Cloud Services Wisely The allure of cloud services like AWS , Google Cloud , or Azure is real—scalability, reliability, and global availability. However, these services can become expensive if not optimized. Start small by utilizing free tiers and cost calculators. Identify the essential cloud resources you need, and always keep an eye on your billing dashboard. Consider using cloud credits, which are often available for startups through accelerator programs.. 3. Modular Architecture Adopting a modular architecture allows you to build components that can be independently scaled or replaced. By separating services (e.g., microservices or serverless functions), you gain the flexibility to scale certain parts of your infrastructure as needed, instead of the entire system. This approach can help you save on unnecessary costs and avoid a complete overhaul when scaling. 4. Automate Early Automation saves both time and money. Implement CI/CD pipelines to automate testing, deployment, and code integration. This not only reduces manual effort but also helps you ship faster without additional costs. Tools like Jenkins , GitLab CI , or GitHub Actions are great options that won't break the bank, and they help maintain quality control as your team expands. that won't break the bank, and they help maintain quality control as your team expands. They can also work together with Fine, to ensure that you not only have a robust set of tests that constantly run, but any failures are turned into fixes at maximum speed. 5. Think Lean—Build for Your Current Needs Avoid the temptation to over-engineer your infrastructure based on hypothetical future requirements. Focus on building for your current needs, but keep scalability in mind. You want something that’s "scale-ready" without being bloated. An MVP-style infrastructure should focus on the most crucial features that will support immediate growth and customer acquisition. 6. Monitoring and Alerts Establishing a simple monitoring system will help you identify issues before they impact users. Open-source tools like Prometheus and Grafana allow you to keep an eye on system performance and resource usage. on system performance and resource usage. Effective monitoring helps you make informed decisions on scaling—such as when it's truly necessary to increase server capacity. 7. Outsource Non-Critical Components To keep your internal team focused on core competencies, consider outsourcing non-critical functions, like hosting static assets or even customer support. Managed services can help reduce overhead. For example, Firebase can handle authentication and real-time data syncing, allowing your developers to focus on core product features instead of worrying about server maintenance. 8. Leverage Community and Startup Programs Many tech giants offer generous startup programs, including cloud credits, free tools, and discounted software licenses. Amazon Activate , Microsoft for Startups , and Google for Startups are programs that can provide significant cost savings in the early stages. that can provide significant cost savings in the early stages. Engage with tech communities like Stack Overflow and GitHub as well, where you can access free resources and advice. 9. Scalable Data Management Data is at the core of most tech businesses, but managing it can quickly become expensive if not done wisely. Start with cost-effective databases like PostgreSQL or NoSQL options like MongoDB, depending on your needs. As your data needs grow, consider partitioning, archiving older data, and using data warehouses only when it makes sense. 10. Prepare for Growth with a Flexible Mindset Scalability is about more than technology; it's about mindset. Regularly evaluate whether your tech stack is meeting your current needs and where you might face constraints as you grow. Flexibility in choosing tools, hiring, and decision-making will allow you to scale smoothly when your startup hits growth phases. 11. Look for integrations Where platforms offer similar features, integrations with your existing tech stack can often be the deciding factor. The more your platforms can talk to each other and automate tasks, the better for your growth. Fine works with a variety of platforms to build a knowledge graph and complement your natural workflows, making it the premier AI choice for many scaling startups. Ready to Scale with Ease? Consider using Fine to make your infrastructure scalable and efficient. Fine offers advanced AI capabilities that help automate testing, code integration, and debugging, allowing your team to focus on core development without getting bogged down in manual tasks. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy | 2026-01-13T08:49:32 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.