Explore the hottest developer projects on Show HN for 2024-12-29. Dive into innovative tech, AI applications, and exciting new inventions!
Summary of Today's Content
Today's Product Highlights
- Product Name: Chorus
- Highlight: A Mac app that enables simultaneous interaction with multiple AI models, solving the fragmentation of AI services by providing a unified chat interface.
Quick Summary
- Most Hot Category: AI/ML Tools
- Top Keywords: AI, Development Tools, Open Source
- Most Popular Product: Chorus (98 points, 41 comments)
Technology Trends
- AI Integration & Interfaces
- Developer Tools & Utilities
- Open Source Solutions
- Data Visualization
- Cross-platform Compatibility
Project Distribution
- AI/ML Tools: 35%
- Developer Tools: 25%
- Web Applications: 20%
- Visualization Tools: 15%
- Other: 5%
Trend Insights
- Strong focus on AI integration and tooling, particularly in making AI more accessible
- Growing emphasis on developer productivity and workflow optimization
- Increasing demand for visualization and data presentation tools
- Rising interest in privacy-focused solutions
- Trend toward modular and extensible architectures
- Emergence of alternative programming paradigms and interfaces
- Continued importance of open-source development
The data shows a clear trend toward AI-powered tools and solutions that enhance developer productivity while maintaining user privacy. There's also significant interest in novel approaches to visualization and user interfaces, suggesting a shift in how we interact with technology.
Today's Top 10 Trending Products
Top 1. Chorus: A Mac app that enables simultaneous chatting with multiple AIs for enhanced interactions and creativity. (Likes: 98, Comments: 41)
Top 2. A groundbreaking WIP NandToTetris Emulator developed in pure C, featuring a complete journey from logic gates to ALU, CPU, and PC, offering an engaging exploration of computer architecture and foundational concepts. (Likes: 31, Comments: 11)
Top 3. Languine: An Open-Source AI-Powered CLI Tool for Effortless App Localization. Enhance your application's reach by streamlining the localization process with this innovative command-line interface. Perfect for developers seeking efficiency and flexibility in multi-language support. (Likes: 25, Comments: 8)
Top 4. Introducing an innovative website that simplifies complex concepts in seconds, making learning effortless and accessible for everyone. Perfect for students, professionals, and lifelong learners seeking quick and clear explanations. Transform your understanding with just a click! (Likes: 4, Comments: 14)
Top 5. A unique search engine prioritizing in-depth content over mere popularity, offering users a richer informational experience. (Likes: 11, Comments: 5)
Top 6. Introducing the ultimate all-in-one fake API designed for developers and testers! This versatile tool simplifies the process of creating, managing, and simulating APIs, allowing you to effortlessly generate realistic data and endpoints. Ideal for rapid prototyping, it eliminates the need for real backends during development, saving you time and resources. Boost your workflow with seamless integration and customizable features that cater to all your API needs! (Likes: 7, Comments: 1)
Top 7. A unique and heartfelt handwritten Christmas card specifically designed for the Hacker News community, combining festive cheer with the spirit of innovation and collaboration. Perfect for sharing warm wishes with fellow tech enthusiasts this holiday season! (Likes: 5, Comments: 0)
Top 8. A tool designed to visually represent Monthly Recurring Revenue (MRR), providing users with intuitive insights and clear data visualization for better financial analysis and decision-making. (Likes: 4, Comments: 1)
Top 9. Introducing DataBridge: An open-source, modular, multi-modal solution for Retrieval-Augmented Generation (RAG), designed to enhance data accessibility and streamline AI integration. Perfect for developers and researchers seeking a flexible and innovative approach to data-driven projects. (Likes: 4, Comments: 0)
Top 10. A web application designed to help you manage your screen time by locking you out, promoting healthier usage habits and increasing productivity. (Likes: 3, Comments: 1)
1. Show HN: Chorus, a Mac app that lets you chat with a bunch of AIs at once
Author: Charlieholtz
Description: There's so many cool models to try but they're all in different places. In Chorus you can chat with a bunch of models all at once, and add your own system prompts.
Like 4o with a CBT overview, or a succinct Claude. Excited to hear your thoughts!
Popularity: 98 points | 41 comments
2. Show HN: WIP NandToTetris Emulator in pure C – logic gates to ALU to CPU to PC
URL: https://github.com/con-dog/hack_emulator_c
Author: purple-leafy
Description: * OPEN TO CONTRIBUTIONS *
NandToTetris is a course which has you build a full computer from:
Logic gates -> Chips -> RAM -> CPU -> Computer -> Assembler -> Compiler -> OS -> Tetris
All this is done via software defined hardware emulation.
I'm building an emulator for this entire stack in C.
How is my approach different to other projects that build emulators?
- No external dependencies (so far)
- Start with a single software defined NAND gate in C
- EVERYTHING is built from this base chip
- Don't use certain programming utilities: boolean logic
operators, bitwise logic operators etc
Instead we leverage the gates/chips to implement such logic
I build more and more base chips from the NAND gate
- Simple gates: OR, AND, NOT, XOR (5 total "gates")
- Simple chips: DMux, Mux (11 so far, "combinatorial"
chips
- 16 bit variants
For comparison, most emulator projects start right at the CPU level and don't sequentially build primitive structures. So a lay-person, or person unfamiliar with PC architectures is missing some lower-level information.Typical emulators look at CPU truth table / Instruction set and implement that logic directly in code.
More straight forward, way fewer lines of code - but you skip all the gates/chips fun.
------
Confused? Heres example code for my NAND gate:
void nand_gate(Nand nand)
{
nand->output.out = !(nand->input.a & nand->input.b);
}
From this gate I build a NOT gate (note, no boolean operators) void not_gate(Not * not )
{
Nand nand = {
.input.a = not ->input.in,
.input.b = not ->input.in,
};
nand_gate(&nand);
not ->output.out = nand.output.out;
}
Then OR / AND / XOR / MUX / DMUX ..... and their 16 bit versions.Heres a more complex chip, a 16bit Mux-8-way chip
/
* out = a if sel = 000
* b if sel = 001
* c if sel = 010
* d if sel = 011
* e if sel = 100
* f if sel = 101
* g if sel = 110
* h if sel = 111
*/
void mux16_8_way_chip(Mux16_8_Way *mux16_8_way)
{
Mux16_4_Way mux16_4_way_chip_a, mux16_4_way_chip_b;
Mux16 mux16_chip_c;
// Mux a
memcpy(mux16_4_way_chip_a.input.sel, mux16_8_way- >input.sel, sizeof(mux16_4_way_chip_a.input.sel));
memcpy(mux16_4_way_chip_a.input.a, mux16_8_way->input.a, sizeof(mux16_4_way_chip_a.input.a));
memcpy(mux16_4_way_chip_a.input.b, mux16_8_way->input.b, sizeof(mux16_4_way_chip_a.input.b));
memcpy(mux16_4_way_chip_a.input.c, mux16_8_way->input.c, sizeof(mux16_4_way_chip_a.input.c));
memcpy(mux16_4_way_chip_a.input.d, mux16_8_way->input.d, sizeof(mux16_4_way_chip_a.input.d));
mux16_4_way_chip(&mux16_4_way_chip_a);
// Mux b
memcpy(mux16_4_way_chip_b.input.sel, mux16_8_way->input.sel, sizeof(mux16_4_way_chip_b.input.sel));
memcpy(mux16_4_way_chip_b.input.a, mux16_8_way->input.e, sizeof(mux16_4_way_chip_b.input.a));
memcpy(mux16_4_way_chip_b.input.b, mux16_8_way->input.f, sizeof(mux16_4_way_chip_b.input.b));
memcpy(mux16_4_way_chip_b.input.c, mux16_8_way->input.g, sizeof(mux16_4_way_chip_b.input.c));
memcpy(mux16_4_way_chip_b.input.d, mux16_8_way->input.h, sizeof(mux16_4_way_chip_b.input.d));
mux16_4_way_chip(&mux16_4_way_chip_b);
// Mux c
mux16_chip_c.input.sel = mux16_8_way->input.sel[2];
memcpy(mux16_chip_c.input.a, mux16_4_way_chip_a.output.out, sizeof(mux16_chip_c.input.a));
memcpy(mux16_chip_c.input.b, mux16_4_way_chip_b.output.out, sizeof(mux16_chip_c.input.b));
mux16_chip(&mux16_chip_c);
memcpy(mux16_8_way->output.out, mux16_chip_c.output.out, sizeof(mux16_8_way->output.out));
}
-----Progress: I have only started this project yesterday, so have completed 1 out of 7 hardware projects so far
Popularity: 31 points | 11 comments
3. Show HN: Languine – Open-Source AI-Powered CLI for App Localization
URL: https://languine.ai
Author: pontusabb
Description: Over the holidays, I started hacking together a CLI to translate my app, Midday.
Now, it’s ready for you to use and start translating your app in seconds! I’d love to hear your thoughts!
Popularity: 25 points | 8 comments
4. Show HN: I built a website that explains any difficult concept in seconds
Author: bames_jond
Description:
Popularity: 4 points | 14 comments
5. Show HN: A search engine that values depth over popularity
Author: vignesh_warar
Description: Hey HN,
I'm excited to introduce Graphthem, a search engine designed to explore the deeper layers of knowledge rather than just surface-level popularity.
While many AI search engines simply summarize top N results, we've found this approach often misses the many good stuff that is buried deeper in the links and references.
Graphthem takes a different approach. we don't just look at the first few pages we find. We also dig into what those pages link to, so you get the whole story. This allows us to deliver answers that capture not just what's immediately visible, but also the foundational ideas and deeper insights that inform those results.
Here's a comparison between Perplexity and Graphthem:
Query 1: "most watched youtube videos?"
Perplexity: https://www.perplexity.ai/search/most-watched-youtube-videos...
Graphthem: https://graphthem.com/search?uuid=7f0839a9-85ee-4f81-a5c9-cb...
-
Query 2: "what is pagerank?"
Perplexity: https://www.perplexity.ai/search/what-is-pagerank-ieJ.4iFqTq...
Graphthem: https://graphthem.com/search?uuid=c689e9d1-d3d4-4d51-8602-00...
---
Some related ideas I've explored before:
https://news.ycombinator.com/item?id=35826540
https://news.ycombinator.com/item?id=35510949
I would love to hear your feedback. Please let us know how we can improve.
Popularity: 11 points | 5 comments
6. Show HN: The all-in-one fake API
URL: https://fooapi.com
Author: carban
Description:
Popularity: 7 points | 1 comments
7. Show HN: Handwritten Christmas Card for Hacker News
URL: https://handwritten-card.vercel.app/show-hn
Author: muc-martin
Description: Hi HN,
I’ve been working on a small project that transforms handwritten notes into animated, shareable cards. While the create functionality isn’t live yet, I wanted to share a sneak peek by creating a handwritten Christmas card specifically for the HN community.
I started thinking about this after seeing too many AI-generated cards, cookie-cutter email templates, and overly polished designs that lack any personal touch. A friend recently sent me a handwritten card in the mail, and I found it nice that he took his time to write a handwritten note. I wanted to capture that same feeling without the overhead of snail mail.
Popularity: 5 points | 0 comments
8. Show HN: I built a tool to visualize MRR
URL: https://www.mrrlab.com/tools/mrr-calculator
Author: scottgpaulin
Description:
Popularity: 4 points | 1 comments
9. Show HN: DataBridge - An open-source, modular, multi-modal RAG solution
URL: https://github.com/databridge-org/databridge-core
Author: Adityav369
Description: For the past few weeks, I've been working on DataBridge, an open-source solution for easy data ingestion and querying. We support text, PDFs, images, and as of recently, we've added a video parser that can analyze and work well over frames and audio. We are also adding object tracking to improve video ingestion and context, and plan to do this for various data types.
To get started, you can find the installation section in our docs at https://databridge.gitbook.io/databridge-docs/getting-starte.... There are a bunch of other useful functions and examples available there. Our docs aren't 100% caught up with all these new features, so if you're curious about the latest and greatest, the git repo is the source of truth.
We're still shaping DataBridge (we have a skeleton and want to add the meaty parts) to best serve the LLM and RAG developer community, so I'd love your feedback about what features you're currently missing in RAG pipelines, whether specialized parsing (e.g., for medical docs, legal texts, or multimedia) is something you'd want, what your ideal RAG workflow looks like, and what some must-haves are.
Thanks for checking out DataBridge, and feel free to open issues or PRs on GitHub if you have ideas, requests, or want to help shape the next set of features. If this is helpful, I'd really appreciate it if you could give it a star on GitHub! Looking forward to hearing your thoughts!
Happy building!
Popularity: 4 points | 0 comments
10. Show HN: I built a web app that locks you out of Screen Time
Author: skippyandfluff
Description:
Popularity: 3 points | 1 comments
11. Show HN: This tool gives adaptive memory to LLMs
URL: https://github.com/chisasaw/redcache-ai
Author: six_knight
Description:
Popularity: 3 points | 1 comments
12. Show HN: A self-hosted programming language inspired by HolyC
URL: https://github.com/v420v/ibu
Author: ibuki42O
Description: Ibu is not intended to be the next big thing to compete with C, C++, Rust, or other modern languages. Instead, it aims to be a programming language that brings joy to programming.
Popularity: 4 points | 0 comments
13. Show HN: I Made a Histogram Maker
URL: https://histogrammaker.net/
Author: atharvtathe
Description:
Popularity: 3 points | 0 comments
14. Show HN: I made a free tool to help you create beautiful badges for your website
Author: auden_pierce
Description: Hi HN,
My products this year didn't reach the top spots on Product Hunt...
...but I still wanted a badge on my website!
So I did, added some code and voila, the "17th product of the day" badge is on the website.
Simple enough. It probably should've ended there...
But then I thought. "Maybe, someone else might also want a badge? Wouldn't it be cool to make a tool for this..."
So I made Badge My App: A simple & free tool to help you create beautiful badges for your website.
1. Add a title
2. Choose stars or rank
3. Export, and voilà – your badge is ready to shine!
Add a badge to your website and get:
- Better conversions
- More sales
- Sometimes you need to give yourself a pat on the back
Happy 2025!
Auden
Popularity: 2 points | 1 comments
15. Show HN: Talk to AI models through SSH
URL: https://question.sh
Author: vincelwt
Description:
Popularity: 3 points | 0 comments
16. Show HN: A minimalist habit tracker with a wheel-based visualization
URL: https://github.com/anshulmittal712/habit-tracker
Author: aldo712
Description: With the new year around the corner I was looking for a habit tracker. None of the ones I found off-the-shelf had the simplicity or the kind of visualization I was looking for. So I built a simple tool that visualizes your habits in a circular wheel, similar to the GitHub contributions graph but in a radial format. This was inspired by the Activity Rings on iOS.
It's built with vanilla JavaScript (no frameworks) and works entirely in the browser.
Features:
- Visual wheel interface for daily habits
- Weekly and monthly habit tracking
- Data persistence using localStorage
- Import/export functionality
- No login required, works offline
- Zero dependencies
GitHub: https://github.com/anshulmittal712/habit-tracker
Full disclosure: This was created almost entirely using Claude 3.5 Sonnet with Cursor as the IDE.
Popularity: 2 points | 1 comments
17. Show HN: A tool that helps you ask good questions to learn better
URL: https://chat.ianhsiao.xyz
Author: mad_eye
Description: When I encounter a new topic, I often struggle to consistently ask meaningful, in-depth questions, but I enjoy question-driven learning, so I built this with Claude.
The idea behind is that you read the "Guide" to get an initial mental model of the complex subject, so you will feel the urge to ask questions to fill in the gaps of the mental models.
And once you understand the core idea, you read the "summary" to fill in other smaller gaps of the subject.
The chatbot is prompted by default to use things you understand well as analogy/starting point, so the explanations should feel relatable.
This is an very early endeavor to for me to facilitate understandings with AI, feel free to share any feedbacks!
p.s. You can try with papers outside your comfort zone. For me I tried "attention is all you need", and I think it worked quite well.
Popularity: 2 points | 1 comments
18. Show HN: Lambda CI – Replacing YAML with Lisp for Build Configuration
URL: https://blackcloro.github.io/Lambda-CI/
Author: FKJ
Description:
Popularity: 2 points | 1 comments
19. Show HN: First Orbit stable version to build any kind of radial UI with CSS only
URL: https://github.com/zumerlab/orbit
Author: tinchox5
Description: Orbit CSS reached its V.1.0.0 and it is finally stable. Hope you find it useful and easy to use.
In the doc site (https://zumerlab.github.io/orbit-docs/) you can play with a multilevel piemenu
...and explore potencial use cases covered in examples:
- Progress bars
- Charts (e.g., pie charts, multi-level pies, sunburst charts)
- Gauges
- Knobs
- Pie menus
- Watch faces
- Sci-fi art
- Chemical structures
- Calendars
- Dashboards
- Mandalas
Whatever, have a good 2025!!
Popularity: 3 points | 0 comments
20. Show HN: Beautiful Failed Blackhole Simulation
Author: Mobleysoft
Description: Epilepsy/Seizure Warning: If you have epilepsy or experience seizures, the animation is a failed attempt at recreating the black hole visualization from the film "Interstellar" with three.js that resulted in a plane shaped event horizon phasing through a spherical black body around which point particles revolve. Please skip it if you have a condition that could cause a seizure as a result of looking at any sort of visualization.
For everyone that wants to safely check it out, simply do not interact with the screen for a few seconds to make the UI fade away so you can look at the visualization. Cheers everyone.
Popularity: 3 points | 0 comments
21. Show HN: ptrap, CLI tool to cache and interact with stdout
URL: https://github.com/cyingfan/trap
Author: cyingfan
Description: This is a tool I built over weekend to solve a common scenario I face: having to repeatedly query/grep output from an API call, which can be rather slow.
The idea is not novel. A similar tool exists https://github.com/elkowar/pipr but that is not windows friendly.
Popularity: 1 points | 2 comments
22. Show HN: A website to share messages on a world globe
URL: https://www.happy-globe.xyz/
Author: mhfrenchtm
Description: Hi HN,
I am a maps lover, and I am passionate about it, exploring google map, reading old maps … I built a website users can explore a 3D globe, and read messages people post all around the world, you can post your own messages, like. (Report if it is abusive)
There is no comment sections, it is just about posting/liking to show some small messages to the world, it is limited to 50 characters, to be easy and fast to read for other users.
I did a small post on reddit and had many positive returns, got 40+ users in few hours, I continue adding features on the website !
Popularity: 2 points | 0 comments
23. Show HN: HN API client app exp v0.0.2
URL: https://pravosleva.pro/dist.hacker-news-2024/
Author: pravosleva
Description: UX updates:
- New items indicator
- Favorite items list
- Network & API errors indicators
- Auto refresh (per 60 seconds)
- Intuitive UI/UX (?)
TODO:
- New comments for favorites notes indicators since last update
- Ability to move favorites to another device by QR code
- Virtualized list (?)
Let me know if you have any ideas or feedback
Popularity: 2 points | 0 comments
24. Show HN: Open-Source AI Interface
URL: https://github.com/SimonSchubert/Kai
Author: skinnyasianboi
Description:
Popularity: 2 points | 0 comments
25. Show HN: A Novel Method for Implementing Usernames in Cryptocurrencies [pdf]
URL: https://rhettapplestone.com/cryptocurrency-usernames.pdf
Author: applestone
Description: I wrote out a little paper on a way that usernames could be implemented in cryptocurrencies that solves some of the problems other systems have. Any constructive feedback is welcome.
Popularity: 2 points | 0 comments
26. Show HN: Aphantasia – A Graph-Based Social Network
URL: https://aphantasia.io/graph/145
Author: Aikaros
Description:
Popularity: 1 points | 1 comments
27. Show HN: Supergateway – run AI MCP servers remotely
URL: https://github.com/supercorp-ai/supergateway
Author: Nedomas
Description: Yo,
we’ve just released Supergateway.
Now most of MCP servers only support stdio transport and this is problematic if you want remote assistants to access them. MCP spec has SSE transport which works with remote HTTP connections but it is rarely used by MCP server authors. So I’ve created this gateway that allows you to run stdio transport MCP servers and tunnel them via SSE transport.
It’s very simple to use. Run any stdio MCP server like this:
npx -y supergateway --stdio "uvx mcp-server-git"
It’s totally open-source and supports pretty much any MCP server.
We’ve built this since we have an AI infrastructure platform (Superinterface) that allows you to use MCP servers in remote assistants and we saw that we cannot really run any community MCP servers without something like this.
It’s def pretty cool to see remote assistants embedded on a website being able to access these cool MCP servers.
Let me know what you think! /Domas
Popularity: 1 points | 0 comments
28. Show HN: AI BG remover launch special for $5,99
URL: https://bgone.indiewp.com/
Author: elemcontrib
Description:
Popularity: 1 points | 0 comments
29. Show HN: AI Agents News and Directory
Author: josh_tech
Description: AI Agents are booming in 2025
Popularity: 1 points | 0 comments
30. Show HN: IPychat – Cursor for IPython
URL: https://github.com/vinayak-mehta/ipychat
Author: vortex_ape
Description:
Popularity: 1 points | 0 comments
31. Show HN: WebGPU + TypeScript Slime Mold Simulation
URL: https://github.com/SuboptimalEng/slime-sim-webgpu
Author: SuboptimalEng
Description: I made this slime mold simulation to learn more about WebGPU and compute shaders. It's essentially a recreation of Sebastian Lague's coding adventure on the web with TypeScript.
I've linked a few video demos on the GitHub readme, and there is a playable demo on my website.
Using WebGPU has been great so far. The iteration loop (with Vite.js) is much faster than when working with Unity. This helps with quick prototyping, though Unity's editor scripts allow you to build more interesting user input tools.
I was also surprised by how good the WebGPU error logs were. They helped me debug most of my shader bugs pretty quickly.
Popularity: 1 points | 0 comments
32. Show HN: Data to track the global Energy, Space and Nuclear landscape’s progress
URL: https://www.outerreach.xyz/
Author: tanaydesai
Description: This project arose from my frustration with the prevailing degrowth sentiment and fearmongering by the media and environmentalists around these technologies.
It provides data that highlights the growth of these frontiers and the role they play in humanity's path to total abundance.
Some topics it covers: global energy/electricity mix, renewable capacity and growth (solar, wind, nuclear), nuclear reactors and waste recycling, yearly rocket launches, orbital launch costs, notes on starship and starlink and a lot more!
My goal was to use publicly available data to track their progress, showcase their need and benefits to scaling them up, and debunk most myths and lies around things like renewable energy, and nuclear waste, all under a simple and beautiful unified interface.
All the code and data is open-source: https://github.com/tanaydesai/outer-reach
Video on X: https://x.com/tanaydesaii/status/1873499367505834195
Let me know what you guys think!
- Tanay
Popularity: 1 points | 0 comments
33. Show HN: I built a tool to generate documentations using Notion as CMS
URL: https://quickdocs.so
Author: rudolfsrijkuris
Description: Hey HN. I'm a developer and solopreneur.
A few months ago, I realized I was spending countless hours creating documentation websites for my projects. I kept repeating the same steps over and over: formatting, designing, and trying to make it look good, only to start all over again when something changed.
So I built QuickDocs for 3 reasons:
Save time by turning Notion pages into professional documentation websites in minutes.
Eliminate headaches of dealing with design, hosting, or yet another CMS.
Stay focused on building products instead of wasting time managing docs.
I hope QuickDocs can be as helpful to you as it is for me. Whether you're launching a product, writing team docs, or managing guides, it's designed to keep things simple and efficient.
Would love your feedback! Rudolfs
Popularity: 1 points | 0 comments
34. Show HN: A privacy-focused VS Code extension for tracking coding activity
URL: #
Author: ernicani
Description: I built this extension because I wanted a simple way to track my coding activity without sending data to third-party servers. It runs locally, integrates with GitHub, and shows your activity right in VS Code's status bar.
The extension is open source, requires no account creation, and stores all data locally. It's built with TypeScript and uses VS Code's native APIs for tracking active editor time.
Github : https://github.com/ernivani/my-code-activity-ext
VS Code Marketplace : https://marketplace.visualstudio.com/items?itemName=ernicani...
Popularity: 1 points | 0 comments
35. Show HN: Colada for Claude – Get past your Claude limits using your own API key
URL: https://chromewebstore.google.com/detail/colada-for-claude/pfgmdmgnpdgbifhbhcjjaihddhnepppj
Author: heythisischris
Description: Tired of running into Claude.ai's daily limits? Try using Colada for Claude.
I actually enjoy Claude.ai's interface and artifacts implementation. I didn't want to lift and shift over to another LLM tool. So, to get past the daily limits, I decided to build a simple Chrome extension which continues conversations using your own Anthropic API key.
In short:
• Get past Claude.ai conversation limits (click on pineapple emoji the to activate Colada)
• Bring your own Anthropic API key (requests made directly from your machine)
• Preserve conversation context (scraped from the DOM)
• Simple, lightweight implementation (everything stored locally)
It's a $4.99 one-time purchase- just use "HACKERNEWS" at checkout.Let me know what you think. Open to any and all feedback.
Chrome Extension URL: https://chromewebstore.google.com/detail/colada-for-claude/p...
Popularity: 1 points | 0 comments
36. Show HN: Notle.ai: AI CDSS for Psychologists/Psychiatrists
URL: https://notle.ai
Author: Blarthorn123
Description: Hello all, been working on this for almost two years now. Notle is a workspace for psychologists to do things like note documentation, intake assessments, psychometric assessments and insurance reviews. We also offer features such as therapist feedback, deployable AI chatbots, session recaps for patients and psychometric forecasting. Using the psychometrics generated each session Notle uses predictive capabilities to notice compounding issues before they exacerbate.
To be honest, when building this I did so in a way that would probably be considered a red flag for most - I didn't talk to many users, I initially built it just to explore how stable and accurate AI could generate psychometrics for things like depression, anxiety, etc. I built it more in the name of "science" than what the market is actually demanding. So the process has been up and down as far as finding our market fit.
That being said, I still believe we are on the forefront of the future with what we are doing and AI will be able to aid in the treatment and diagnosis of patients in the psych field.
I'd love any feedback, thanks.
Popularity: 1 points | 0 comments
37. Show HN: Brainfuck Compiler in MLIR
URL: https://github.com/Kuree/bflang
Author: keyi
Description: I built this compiler for fun over the holiday break.
Features:
- Compiles bf to native executable
- Source-level debugging with gdb
- BF specific optimizations
Popularity: 1 points | 0 comments
Conclusion
Today's Show HN roundup showcases a diverse range of innovative projects. From AI-powered tools to creative coding solutions, these projects reflect the dynamic nature of our tech community. Which project caught your attention the most? Let us know in the comments!
Tags: #ShowHN #TechInnovation #DeveloperProjects #AI Applications #Open Source Software