Activity

Zain Marshall

First, I want to say thank you everyone for the incredible votes! I’m very grateful that people liked this project :)

Now two things I observed from the feedback:

  1. A GUI would be nice
  2. Linux support would be nice

So of those two linux support is probably the more difficult one given that my software is pretty nicely integrated with MacOS, so what I think I’ll do is polish up the MacOS version and then given all that I have already done port it to Linux. This would involve changing a bit of the code, but not that much.

I started working on the GUI:

  1. (almost) every CLI command is now in the GUI, you can start, you can panic, and you can config
  2. The GUI is made using Swift so its super fast and just MacOS native, and the menubar was already native.
  3. The way it works is like the GUI is essentially just running CLI commands because like that was the easiest way to make it, I already spent a long time making the CLI commands so nice, so I added a few more for the GUI to use and then yeah thats how it works
  4. I made a UI for the typing test, and I do say this is an improvement over the CLI version and I do see how a GUI will positively benefit bliss.

Note the UI is very buggy and sometimes just desyncs with the CLI version and idk why so um yeah this update may take a while to get fully finished. Anyways, thanks again for all the support!

0
Zain Marshall

Zen++ Devlog VI

This was a pretty big update but I didn’t add anything that is syntaxically weird. I added functions, vectors, and strings.

What changed:

  1. Functions + Returns

    • Added parsing/eval support for fn name(args){...} and return expr.
    • Added scope
    • Added built-in functions like read() and print()
  2. Strings

    • Strings are defined with "string"
    • Can store/print/concatenate strings.
    • You can index into strings (s[i]) and use len(s).
  3. Vectors (Dynamic Arrays)

    • Added vector syntax: [1, 2, 3].
    • Added vector indexing: v[i].
    • Added built-ins:
      • len(v)
      • push(v, x)
      • pop(v)
    • Added vector concatenation
  4. Multidimensional vectors

    • Because vectors can contain vectors, nested structures like [[1,2],[3,4]] just work.
    • Nested indexing works (m[1][0]).
  5. Comments + Illegal Character Throwing

    • Added support for comments like // or /* ... */
    • Added stricter behavior for unknown/invalid characters so bad input doesn’t silently pass.
  6. Reorganization

    • src/ has source code
    • test/ has tests
    • build/ now contains the compiled binaries
    • docs/ contains docs/devlogs.
  7. Makefile + Testing

    • Added a Makefile with nice commands
    • make run launches REPL.
    • make run <file.zpp> runs a file directly.
    • Made test.zpp as a file with every command in the language and then wrote the expected output and made make test run the test script and compare output.

Changelog

Attachment
0
Zain Marshall

Zen++ Devlog V

Ok so in this devlog I spent a lot of time thinking about syntax and I would like some feedback about for loops.
First though, while loops were simple (not simple to implement these loops cooked me in coding but syntaxically simple), its just.

while boolean {
do this code here yeah
}

So while loops are very simple. Now for loops were a pain. I wanted them to be simple as this is meant to be super fast to write for competitive programming and the likes. So for this I took inspiration from my C++ template file.

#define FOR(i, a) for(int i = 0; i < a; i++)
#define ROF(i, a) for(int i = a; i >= 0; i--)
#define FORA(i, a, b) for(int i = a; i <= b; i++)
#define ROFA(i, a, b) for(int i = a; i >= b; i--)

That’s how I macro for loops during Codeforces contests. So instead of
for(int i=0;i<n;i++){...} I can just do FOR(i,n). Now I wanted something nice and simple for Zen++ to. So I landed on this:
A four loop has four components, the variable used, the start, the end, and the step. So why not instead of writing those as a declaration, a boolean, and an incrementation like in C++, just treat those almost as paramateres to a method. So thats what I did.
for i start end step {...}
Thats the syntax. If you want a reverse for loop you just make end bigger than start and step will be negative.
There is a 3-arg version which defaults step to 1 or -1 depending on direction and looks like: for i start end{...} and there is a 2-arg one which is: for i end{...} and defaults step to +1 and start to 0. So for codeforces you can just write for i n{...}. Very simple, but leave comments if you think its ugly. Its exclusive by default rn with no way to make it inclusive, I’ll fix that later.

Changelog

Attachment
Attachment
0
Zain Marshall

Zen++ Devlog IV

I added if else statments to the code! The way an if else-if else statment will be written is like tihs:

if bool1{
    x=1
}else if bool2{
    x=2
}else{
    x=3
}

Note the lack of parantehsis, you don’t rly need them beacuse you know your condition is just gonna be sandwiched between the if and the next curly brace. Also now that I added braces I made the parser handle the braces and the AST handle blocks of code.

What changed:

  1. The lexer recognizes if, else, { and }.
  2. The parser builds block nodes and full if/else chains, and parses the full program instead of a single statement.
  3. The evaluator now runs blocks and if/else nodes.
  4. The REPL buffers lines and runs the program when you submit a blank line.

Changelog

Attachment
0
Zain Marshall

Zen++ Devlog III

This step adds booleans and comparisons so I can start building if/else statements later. Booleans are just like they are in C++, a true boolean is a 1 and a false boolean is a 0.

What changed:

  1. The lexer now recognizes true/false and multi-character operators like ==, !=, <=, >=.
  2. The AST got boolean literals, comparison operators, and logical NOT.
  3. The parser now handles comparison expressions and prefix !, while keeping postfix ! for factorial.
  4. The evaluator now returns 0/1 for comparisons and supports logical NOT.

Changelog

Attachment
0
Zain Marshall

Zen++ Devlog II

I added variables and assignment. You can declare a variable like x=4 and reassign it like x=5

What changed:

  1. The lexer now recognizes identifiers and the = token
  2. The AST supports variable nodes and assignment nodes.
  3. The parser now uses a lookahead to treat identifier = expr as an assignment, and it also lets identifiers show up inside normal expressions.
  4. The evaluator keeps a small variable map so assignments store values and identifiers read them back.

Changelog

Attachment
0
Zain Marshall

Zen++ Devlog I

So I did a few things:

  1. I decided on the syntax of Zen++. Since I want to use it for like codeforces and stuff it should be very fast to type out while still being fast. So I decided on the syntax of the language. It will use curly braces to delineate blocks of code, no semicolons, for variables no let keyword and optional type so like x=1 for now. For loops and if statements no need for parentheses, just do while tc– or if bool. See idea.md for more.
  2. I decided it’ll be interpreted and I got started on basic math. So the way it works is you start with the statement in code, then a lexer tokenizes it (it identifies what is a parenthesis what is a plus sign, stuff like that), and then a parser takes the tokens and creates a hierarchy (so like pemdas) by making an Abstract Syntax Tree which we then evaluate by going to the bottom nodes, evaluating them and then propagating upwards. So very cool things. So far I just did basic binary arithmetic operations like + - * / % ^ and also a unary operator !. The code is made so its decently easy to add more tokens.

Changelog

Attachment
0
Zain Marshall

Ok so this devlog addresses the feedback given in my ship of this project. Also note:
When you’re demoing it, you have to type in the right url, youtube.com is not the full thing its www.youtube.com, but now the code should auto handle that but just in case.

Changelog

  • Added configurable browser close list (bliss config browser add/remove/list)
  • Browsers now close and automatically reopen on session start to reset connections
  • When adding a website (eg youtube.com auto add both youtube.com and www.youtube.com)
  • Added bliss repair to restart the root helper and clear stale state
  • Added config ownership auto‑repair via root helper
  • Fixed session “already running” mismatch between CLI and root helper
  • Added PF state drop for HTTP/HTTPS to reset active connections
  • Improved installer quickstart + added unsaved work warning
  • Updated README with new commands and warnings
Attachment
0
Zain Marshall

Ok so I haven’t worked on minimaxing properly in a while (over a month now). Anyways I still worked on it on and off for a few hours a week, so here is the devlog that summarizes all of those changes. Also this devlog was 3.7k chars over so i had to make it rly short now.

Ideas

First, I would like to link a few videos that I watched and got inspiration for this project from.

I have to give credit to these videos for helping me in building minimaxing.

Change 1: Users writing full scripts

  1. Users upload full python scripts that have a think method that takes in the board state as a python-chess object and returns a move in UCI format (a1b2 - starting square, final square).
  2. There is a token limit, right now 2000 tokens on all uploaded scripts using the tokenize method.

Change 2: Less bleak, sad, and depressing looking UI

I made the UI a lot more fun and playful, its a pastel color pallete now.

Change 3: Bots

This is a smaller change ig, but I spent a long time writing a good bot, cuz testing with the basic minimax with material advantage bot was getting boring so I wrote a good bot and now I can test the app with that.

A collection of minor changes

  • I added a makefile so you can run make run in the root and it will run the backend and frontend. I’m tryna add this to a bunch of my projects cuz its so clean and nice to use.
  • Added a docs page that somewhat tells the users what to do (more depth later)
  • Fixed the supabase backend which was broken for a bit

Anyways if you could comment on this post saying how you like the UI and what changes I should make that would be super helpful, thx.

Attachment
Attachment
Attachment
Attachment
0
Zain Marshall

Shipped this project!

Hours: 13.75
Cookies: 🍪 359
Multiplier: 26.08 cookies/hr

Hope you enjoy my project and find it useful!

Bliss

Bliss is a macOS focus lock that blocks websites and force‑closes blocked apps. It runs a background timer, shows a menubar countdown, and makes you solve a typing challenge to escape early. It is fully configurable, from the blocked apps and websites, to the length of the quotes in the typing challenge.

MACOS Only. To all Windows and Linux users of Flavortown, please watch the video demo in the GitHub readme or release notes!

What it does

  • Blocks websites via /etc/hosts + pf firewall table
  • Force‑closes blocked apps during a session
  • Runs a background timer (blissd) so the lock survives terminal close or reboot
  • Menubar timer (always‑on status)
  • Panic mode typing challenge

Quick start

  • Install using this command
curl -fsSL https://github.com/zainmarshall/bliss/releases/download/v0.1.0/bliss-macos-universal.zip -o /tmp/bliss.zip && \

 rm -rf /tmp/bliss && mkdir -p /tmp/bliss && \

 unzip -q /tmp/bliss.zip -d /tmp/bliss && \

 bash /tmp/bliss/bliss_release/scripts/install.sh
  • bliss config website add <domain>
    NOTE: Bliss comes with nothing configured by default, like no apps and websites blocked, so if you start it from the start it’ll block nothing and throw an error. Make sure you configure it.
  • bliss config app add (This will open a menu for you to select apps)
  • bliss start <minutes>

Commands

  • bliss start - Starts a timer for minutes
  • bliss panic - Escape a block early by completing a typing challenge.
  • bliss status - Status of the timer and pf table
  • bliss uninstall - Uninstalls everything. Must run with sudo. Requires a typing challenge.
  • bliss config website add/remove - Add or remove websites from block
  • bliss config website list - list blocked websites
  • bliss config app add/remove - Opens a menu to select apps to add / remove from the block
  • bliss config app list - list blocked apps
  • bliss config quotes short/medium/long/huge - Configure the length of quotes used in the typing challenges.

Devlogs

Learn more about how Bliss works by reading all the devlogs I wrote below!

Hope you guys enjoy!

Zain Marshall

Ok I said the last one would be the last, but there were so many bugs that I fixed. Error messages weren’t working, configs broken, but those all good now :)! Also I spent like 2 hours editing this video (idk why it took so long). This is the demo video to all windows and linux users who would be unable to install the app so they can still see how it would work and vote on it.

0
Zain Marshall

Ok, so I think this will be my final devlog for bliss, at least for the first ship. I have made a bunch of small polishing changes. Here is a list:

  1. Before if bliss was inactive but you ran bliss panic, it would make you solve the puzzle then say “never active”, now it says that before and doesn’t make you do a pointless challenge
  2. I added configurable quote lengths. I took 100 short, medium, long, and huge (what monkeytype calls thicc) quotes from monkey type, stored them in txt files, and then made it so you can type bliss configure quote and then change the length
  3. I made it so you can’t run config anything while bliss is active, so you can’t cheat and try to break out of it, you have to use bliss panic.
  4. Fixed a few errors.
Attachment
Attachment
0
Zain Marshall

I added a config menu for blocked apps. Unlike website where I could just make it a command, bliss config website add , for apps bliss needs the path to the .app, the bundle id, and the process name. Instead of forcing the user to type this out, I thought of a much better solution: all apps live in the Applications folder, so just list out all of those files and let then select which one, and that will give bliss the direct path from where it can get all the rest of the information itself. So the way I went about this first was by using fuzzy finder, fzf, and it would just start an fzf over your apps folder when you typed bliss config app add, and then when you select one it would do all the bliss things. This is nice as fzf is fast and keyboard based, but I want bliss to require as few external installs as possible, so I made a different menu if fzf is not installed, and I think that one works pretty well. I also like made the remove menu very similar but instead of on the apps folder, its on the config file. The no fzf command has a one time search feature than a numbered list which I showed off in the second screen recording.

Attachments

The first attached screen recording shows config app add and config app remove with fzf installed.
The second shows those two without fzf installed.

0
Zain Marshall
  1. I added blocking for desktop apps. It works on like proper apps, which is mostly everything, but for odd things like Minecraft which launches a java thing, which apple screen time is notoriously bad at catching, I have avoided for now.

Implementation

During a low, blissd wakes up every few seconds and checks the blocked apps list. For each app on it, it attempts to force quit the process that matches to the app’s path or process name. MAKE SURE YOU SAVE WORK BEFORE STARTING BLISS AS IT WILL FORCEFULLY SHUTDOWN.

Attachments

I have attached a simple screen recording of me trying to launch a blocked app. In this case the app I have blocked is Prism Launcher (a minecraft launcher).

0
Zain Marshall

I added an install script that installs the bliss cli, blissd, and the menu bar app, and blissroot. It is under scripts/install.sh. To go along with it, I wrote an uninstall script that uninstalls the menu-bar, removes the daemons, and deletes all the config and storage files. It also cleans up /etc/hosts and the pf. It is gated by the same typing puzzle as bliss panic. Also about the blissroot I talked about above, it just makes it so that you don’t have to type sudo each time. Bliss needs to edit protected files, so for start and panic, you used to need to use sudo, but now on install it gives itself a daemon making it so you don’t need to.

Attachment
0
Zain Marshall

Packet filter

I noticed in the blocker, if you already had the tab open, for example youtube, the browser would sometimes cache the ip and thus not need to query the DNS, thus bypassing the filter. So now bliss takes the domains, gets their ips, and then stores them so those ips are blocked on a network level using a packet filter table.

CLI Cleanup

Also, I cleaned up the CLI output and added bliss status. Status now shows remaining time and whether the firewall table is active. Sometimes in the code I had left placeholder output on certain commands, I removed that and made the error messages more helpful.

Attachments

The attached screenshots show bliss –help and bliss status.

Attachment
0
Zain Marshall

I added a real config system for websites. Instead of hardcoding YouTube, Bliss now stores domains in ~/.config/bliss/blocks.txt and the CLI supports add/remove/list. When Bliss starts, it reads this file and blocks everything inside it.
The attached screen shot shows those commands being used.

Attachment
0
Zain Marshall

##Bliss Panic Mode
I implemented what I call “panic” mode. Currently, if you start a block of some amount of minutes, ti will run for that time and it is impossible to exit. However, that can be unsafe or impractical, lets say you end to watch a youtube video for a class assignment or smth, or you just need to break out of the block, panic mode is the way. Instead of typing in a password or just clicking Unblock for 1 hour like it is in other blocks, you have to solve a puzzle. You have to do an activity that makes this feel a lot more painful and tedious, to incentivize you to not.

Future Steps

Right now its very simple, its a typing test where you need to get >=95% on a quote to pass. The quotes are pulled from a quotes.txt file. This is the test I will stick to now, but later I will switch to other puzzle types, maybe solving a leetcode problem. Also for testing purposes the quotes are short, cuz I’m too lazy to type long quotes, but I will prob make them longer on release.

Attachment

I have attached a screen recording showing the test after running bliss panic.

0
Zain Marshall

Formerly, the way bliss worked was just by starting and stopping it (well i hadn’t coded in a real stop, so just starting it) from the terminal, and the block would kinda be this thing in the background. It didn’t feel like it was a real app, and idk that didn’t sit well with me, and also there was no interceptor of how much time had passed. To solve this I added a very very simple menubar item. It says bliss and then it is a minute and seconds countdown. It stays running the background always, and is a launch item, so using LaunchAgent it stays running all the time and launches at computer reboot. So its there any time bliss is working. It will refresh and show the active timer ticking down on a bliss start command. The menu bar is written as a very simple swift application (one main.swift file) compiled to a binary.

I attached a screen recording showing me starting a timer and the menu bar timer ticking down.

0
Zain Marshall
  1. I implemented a background timer so the lock will actually stop after the time you specified when you run bliss start minutes and not just run indefinitely. The lock was already persistent on terminal closure and computer reseting seeing as how /etc/hosts works, but I had to figure out a way to make the timer persistent, so even if you turn off your computer and come back, if the end time is ended I need to make sure to unlock the block and revert the /etc/hosts. To achieve this I added a small daemon (very creatively named blissd) that runs in the background via launchd. When you start a timed lockout, its saved to a file, and blissd reads that file and automatically unblocks when the timer is done. As you can see in the attached screenshot, when running bliss status you can see the time remaining, and that is constantly updating with the daemon.
Attachment
0
Zain Marshall

I got the first block working, this blocks websites on any browser and is independent of the browser because what it does is filter DNS requests and not give certain websites access to the internet.

I have attached three screenshots. The first shows just what happens when you run bliss start and the second shows what it does to /etc/hosts. It modifies it such that all of the websites in the config (I haven’t implemented the config so right now its hard coded to youtube) will be added to /etc/hosts and be blocked from receiving internet. The third image just shows what happens when you try to visit the tab, no internet!

Attachment
Attachment
Attachment
0
Zain Marshall

I decided on the architecture of this project: you will primarily interact with it through a CLI and I will write it in C++ and build using CMake. I added some simple CLI fillers and a help menu with all the commands. The commands that I have so far coded in are start, panic, and config, which all just return a debug message for now. bliss –help will list all available commands.

Attachment
0
Zain Marshall

Ok so I don’t have much to say right now other than I messed up a little bit. Every change I made in the last 2 hours (which I got the AI model from taking 30 seconds to ~5 seconds) and the changes I wrote about in the last devlog have been deleted because I accidentally overwrote everything… luckily everything else was on github :). I am going to use git every like 10 minutes from now on.

9 hours ago that commit was sob-ios

Attachment
0
Zain Marshall

Ok so I added a few things:

  1. I got the app running on my phone, which took a lot of work, I had to fix xcode and some flutter and a bunch of things. I got all the weird bugs (mostly) fixed.
  2. I made the UI much more consistent everywhere by extracting shared components and overall improving the UI.
  3. I made the statistics on the profile page properly update and the badges tick up.
  4. I aded a recent sightings tab that shows for the new species you have discovered all of the photos of them.
  5. Added a few animations to polish things up
Attachment
Attachment
Attachment
Attachment
0
Zain Marshall

What I worked this time was a park field guide.
What it is a list of species that can be found in a national park (I may expand this later to just a region, but for now national park is good).
For a demo run I used yellowstone national park and took the data from the national parks service website. I inputted all the scientific names in a JSON list tied with the park, and thats how I save the data.
The JSON is then read and rendered as a list for each park, and when you travel there you goal is to see how much you can fill up! Its like a little collection goal.
The first attachment is a video showing off the system. The second is a screenshot of how the JSON is to be formatted.

Also I worked on a lot of small optimizations for the app. I added a cache for the species such that the app doesn’t have to parse the JSON each time is loads in, instead it can refer to the cahce. I also updated the way the JSON was read to make it more optimal for making the taxa detail screens, as before it just looped through all species to search for matching ones, now it uses a map.

Attachment
0
Zain Marshall

Added a profile screen that shows your rank and badges and some stats.
Also added the badges screen.
There is an “xp” system for the badges, where each rarity gives a different amount and that takes you through the ranks. The rank cutoffs are:

if (points >= 220) return 'Mythic';
    if (points >= 150) return 'Master';
    if (points >= 100) return 'Expert';
    if (points >= 60) return 'Tracker';
    if (points >= 30) return 'Naturalist';
    if (points >= 10) return 'Explorer';
    return 'Novice';

And the point values per rarity are:

  • Common: 1
  • Uncommon: 2
  • Rare: 3
  • Epic: 5
  • Legendary: 10
  • Mythic: 20

So yeah, very quick update with that new screen. Some of the statistics btw are like blank / hard coded rn, I need to code in the system to actually record them and then tick up the badges.

Attachment
Attachment
0
Zain Marshall

I started to work on a new system: Badges.
The goal of badges is simple, it is to make the app more addicting and fun to use, and hopefully to get more people using it for longer.
I added a few badges you can earn, but the main thing I worked on was the system to handle them. There are the following rarities of badges:

  • Common - Light blue(Used to be grey but I used that to like show unclaimed ones, so color is prone to change
  • Uncommon - Light Green
  • Rare - Blue
  • Epic - Purple
  • Legendary - Amber
  • Mythic - Pink

Yes, I stole the rarities and colors from hypixel skyblock…

I also made a way to denote the badges using JSON, created a few types like discover X species / families / orders and more. I’m going to expand this system more with like xp and ranks.

Attachment
Attachment
0
Zain Marshall

I worked on the search feature. So the way it will work is when on the main screen you can search by two things: species names and family names. For example, if I type Canis it will filter any family whose name doesn’t match that, and it will filter any family that doesn’t have a species with that name. If for example I search Tiger, it will show Felidae (cats), and it will then highlight the card that is tiger in amber, and move that card to the top of the family so I can quickly get it. Pretty cool I think.

0
Zain Marshall

Worked on a few main things:

  1. First, I noticed from the last iteration that some of the parsing wasn’t that great. For example, on the lion page, and for any animal, when parsing taxonomy, it parsed most of them right from wikipedia using the scientific names like Chordata and Felidae, but for things like Animalia and Mammilia, since it was parsing a hyperlink off of wikipedia, my code defaulted to not parsing the name of the link, but the name of the page it linked to. This lead to it parsing Animalia, which linked to the page animal, as animal. I updated the parser to fix this, but I need to rerun it over night now to let the update set in.
  2. Just like I before added that family detail screen, where you could click on a family card and see all the species in it and a little description of that, I added something similar to all levels of taxonomy so you could see subtaxa. For example you can see the attached video to see these new screens.
  3. I identified a good model to use, SpeciesNet by Google, which is an AI image recognition model for camera traps, but works well for my case. It consists of a model that creates a bounding box around an object / animal, and then another model that identifies that animal. I created a basic fast api application to wrap this model so my app can later make a call to it requesting to identify the image it sees.
0
Zain Marshall

I started working on the flutter app itself and updated the parser to format the data a little better. I also moved the species images and range images to a Google cloud storage bucket instead of keeping them local as that greatly decreased bundle size. I kept the species json local in case you want to see it while offline. I went through many many interactions on how to display the dex screen, as Pokémon only have a small amount that can really be in any random order, but we have tens of thousands of animals and sorting matters. What o decided to do was to instead of making each species a card, I grouped them by taxonomic families, like felines and canines, and made each of those a card and sorted those by class (reptile, mammal, bird, etc). On each family card you could see a few species (4 of them to give an idea). If it wasn’t discovered it’s a question mark, otherwise it renders the species image. I also choose a fun font, main color (light blue my favorite), and added a few animations to make it look more polished. I am very happy with how the dex screen turned out. I also worked on designing a few others, but I’m still working on those so I’ll log those later.

The main challenges I ran into this were two fold: just getting the app to run on iOS simulator was a pain(I tried to get it running on my phone but it didn’t work), and when installing Xcode and iOS 26 simulator on my Mac I ran out of storage and had to delete hollow knight :(

Anyways very fun so far!

0
Zain Marshall

Today I worked on the basic parser. I gathered a really long list of species scientific names and then used wikipedia to scrape to get the following information:

  • A basic description (First paragraph of wikipedia)
  • An image
  • ICUN Redlist status (Endangered, Vunerable, etc)
  • Full taxonomy
  • Range map (if provided)
  • Common Name

Sometimes the pages were finicky and the data was presented in different ways, so making the parser fully work was kinda a pain. But now look at that beautiful JSON data!

Attachment
Attachment
0
Zain Marshall

I fixed the downloading files from the writeups! I moved the folder from src/lib/assests to static. Such a small issue took my a while to debug :(

Attachment
0
Zain Marshall
  1. Updated the way the bots work and take rules to instead of using really long confusing eval statements you just write a method that returns an integer.
  2. Added a bunch of helper functions that are exposed to the bots, so that the users can add them to their rules. For example, my bots used to always stalemate, so there is a function that returns the number of repetitions so that you can add negative incentive for stalemates. Thats one example of a method I added.
  3. You can now see, edit, and delete the version history of bots.
  4. You can upload JSONs to upload bots and rules from files. You can also download old versions as JSON.

To Do:

  1. Add a new way to write bots, instead of just writing the evaluation function to a negamax algorithm, the users can write the full AI from scratch, they get the helper methods and board state as input, and need to output the next move in algebraic chess notation.
Attachment
Attachment
0
Zain Marshall

Added the ability to delete and edit bots.

Attachment
0
Zain Marshall

Thanks for the feedback! In response to it, I added the following things:

  1. Added a element to the website so the tab shows Zain’s Portfolio instead of the url
  2. The “View My Work” button now links to /projects instead of #projects. I forgot to change this from when it used to just autoscroll to when it switches tabs.
  3. Added a bit more to the README.md
  4. Added a header to the technologies section

To Do:

  1. Add images to all the projects
  2. Write more CTF write-ups
  3. Make a favicon
Attachment
Attachment
Attachment
Attachment
0
Zain Marshall

Shipped this project!

Hours: 6.5
Cookies: 🍪 32
Multiplier: 4.88 cookies/hr

This is my portfolio website! I made some cool animations and pretty pages. I have pushed making this off for too long. I’ll probably update it throughout time as I improve my skills, but I learned a lot about frontend development.

Zain Marshall

I improved the visuals of the project section, moved it to its own tab, and changed the way the project cards look. They are now much wider, and horizontally laid out. They each display the title, an image, a description, and the technologies used using the same cool hover effect as they do on the home screen. I also made it so that I can quickly add new projects by just adding objects to an array in a typescript file rather than messing with the svelte files.

Attachment
Attachment
0
Zain Marshall

I added a lot to both the backend and the frontend. The backend works fully with supabase and all of the data tables are set up. There is also user authentication through email, and there should be through GitHub but thats still broken. Then after the backend as done I tested it and it worked, so I mocked up a rough frontend for creating bots, editing them and their rules and evaluations, and then for playing bots against each other. Right now its only your bots, but later I’ll add the multiplayer aspects.

Attachment
Attachment
Attachment
0
Zain Marshall

Switched to negamax as its computationally more efficent than minimax. Implemented the backend and supabase to handle the rules, the evaluation, the match making. Now to work on the frontend! The backend is a very rough draft, it’ll be improved with time.

Attachment
1

Comments

zliskovyi
zliskovyi about 2 months ago

holy tuff aura blud

Zain Marshall

Architected most of the project, got the plan done.

Frontend - Sveltekit
Backend - FastAPI

I started coding a bit of the backend like the minimax algorithm

Also I’m brainstorming security measures cuz if ppl are uploading their own code that is very dangerous.

Attachment
0
Zain Marshall

I worked on the CTF writeup section of my project, I also wrote a demo for a chall I did a while ago. There is a cool obfuscated text animation and a system to take in markdown files and render them as html. Also made the code better.

0
Zain Marshall

Added a section to display the technologies I know, use, and love. Has a cool hover affect that displays the tech logo in full color and adds a glow to the border in the accent color. Used devicon for the icons.

Attachment
0
Zain Marshall

Just started the project, got a few things working. So far we have the basic layout of the website, tabs, a section of CTF writeup that renders markdown files, a project section that hasn’t been filled in, and a sick loading animation.

Attachment
0