feat: add LanceDB vector store with upsert, delete, and search

This commit is contained in:
2026-04-13 14:18:04 -04:00
parent 0948d2dcb7
commit 8d2762268b
570 changed files with 14491 additions and 0 deletions

View File

@@ -0,0 +1,213 @@
# Obsidian RAG Plugin for OpenClaw — Design Spec
**Date:** 2026-04-10
**Status:** Approved
**Author:** Santhosh Janardhanan
## Overview
An OpenClaw plugin that enables semantic search through Obsidian vault notes using RAG (Retrieval-Augmented Generation). The plugin allows OpenClaw to respond to natural language queries about personal journal entries, shopping lists, financial records, health data, podcast notes, and project ideas stored in an Obsidian vault.
## Problem Statement
Personal knowledge is fragmented across 677+ markdown files in an Obsidian vault, organized by topic but not searchable by meaning. Questions like "How was my mental health in 2024?" or "How much do I owe Sreenivas?" require reading multiple files across directories and synthesizing the answer. The plugin provides semantic search to surface relevant context.
## Architecture
### Approach: Separate Indexer Service + Thin Plugin
```
KnowledgeVault → Python Indexer (CLI) → LanceDB (filesystem)
↑ query
OpenClaw → TS Plugin (tools) ─────────────┘
```
- **Python Indexer**: Handles vault scanning, markdown parsing, chunking, embedding generation via Ollama, and LanceDB storage. Runs as a CLI tool.
- **TypeScript Plugin**: Registers OpenClaw tools that query the pre-built LanceDB index. Thin wrapper that provides the agent interface.
- **LanceDB**: Embedded vector database stored on local filesystem at `~/.obsidian-rag/vectors.lance`. No server required.
## Technology Choices
| Component | Choice | Rationale |
|-----------|--------|-----------|
| Embedding model | `mxbai-embed-large` (1024-dim) via Ollama | Local, free, meets 1024+ dimension requirement, SOTA accuracy |
| Vector store | LanceDB (embedded) | No server, file-based, Rust-based efficiency, zero-copy versioning for incremental updates |
| Indexer language | Python | Richer embedding/ML ecosystem, better markdown parsing libraries |
| Plugin language | TypeScript | Native OpenClaw ecosystem, type safety, SDK examples |
| Config | Separate `.obsidian-rag/config.json` | Keeps plugin config separate from OpenClaw config |
## CLI Commands (Python Indexer)
| Command | Purpose |
|---------|---------|
| `obsidian-rag index` | Initial full index of the vault (first-time setup) |
| `obsidian-rag sync` | Incremental — only process files modified since last sync |
| `obsidian-rag reindex` | Force full reindex (nuke existing, start fresh) |
| `obsidian-rag status` | Show index health: total docs, last sync time, unindexed files |
## Plugin Tools (TypeScript)
### `obsidian_rag_search`
Primary search tool for OpenClaw agent.
**Parameters:**
- `query` (required, string): Natural language question
- `max_results` (optional, default 5): Max chunks to return
- `directory_filter` (optional, string or string[]): Limit to subdirectories (e.g., `["Journal", "Entertainment Index"]`)
- `date_range` (optional, object): `{ from: "2025-01-01", to: "2025-12-31" }`
- `tags` (optional, string[]): Filter by hashtags
### `obsidian_rag_index`
Trigger indexing from within OpenClaw.
**Parameters:**
- `mode` (required, enum): `"full"` | `"sync"` | `"reindex"`
### `obsidian_rag_status`
Check index health — doc count, last sync, unindexed files.
### `obsidian_rag_memory_store`
Commit important facts to OpenClaw's memory for faster future retrieval.
**Parameters:**
- `key` (string): Identifier
- `value` (string): The fact to remember
- `source` (string): Source file path
**Auto-suggest logic:** When search results contain financial, health, or commitment patterns, the plugin suggests the agent use `obsidian_rag_memory_store`. The agent decides whether to commit.
## Chunking Strategy
### Structured notes (Journal entries)
Chunk by section headers (`#mentalhealth`, `#finance`, etc.). Each section becomes its own chunk with metadata: `source_file`, `section_name`, `date`, `tags`.
### Unstructured notes (shopping lists, project ideas, entertainment index)
Sliding window chunking (500 tokens, 100 token overlap). Each chunk gets metadata: `source_file`, `chunk_index`, `total_chunks`, `headings`.
### Metadata per chunk
- `source_file`: Relative path from vault root
- `source_directory`: Top-level directory (enables directory filtering)
- `section`: Section heading (for structured notes)
- `date`: Parsed from filename (journal entries)
- `tags`: All hashtags found in the chunk
- `chunk_index`: Position within the document
- `modified_at`: File mtime for incremental sync
## Security & Privacy
1. **Path traversal prevention** — All file reads restricted to configured vault path. No `../`, symlinks outside vault, or absolute paths.
2. **Input sanitization** — Strip HTML tags, remove executable code blocks, normalize whitespace. All vault content treated as untrusted.
3. **Local-only enforcement** — Ollama on localhost, LanceDB on filesystem. Network audit test verifies no outbound requests.
4. **Directory allow/deny lists** — Config supports `deny_dirs` (default: `.obsidian`, `.trash`, `zzz-Archive`, `.git`) and `allow_dirs`.
5. **Sensitive content guard** — Detects health (`#mentalhealth`, `#physicalhealth`), financial debt, and personal relationship content. Blocks external API transmission of sensitive content. Requires user confirmation if an external embedding endpoint is configured.
## Configuration
Config file at `~/.obsidian-rag/config.json`:
```json
{
"vault_path": "/home/san/KnowledgeVault/Default",
"embedding": {
"provider": "ollama",
"model": "mxbai-embed-large",
"base_url": "http://localhost:11434",
"dimensions": 1024
},
"vector_store": {
"type": "lancedb",
"path": "~/.obsidian-rag/vectors.lance"
},
"indexing": {
"chunk_size": 500,
"chunk_overlap": 100,
"file_patterns": ["*.md"],
"deny_dirs": [".obsidian", ".trash", "zzz-Archive", ".git"],
"allow_dirs": []
},
"security": {
"require_confirmation_for": ["health", "financial_debt"],
"sensitive_sections": ["#mentalhealth", "#physicalhealth", "#Relations"],
"local_only": true
},
"memory": {
"auto_suggest": true,
"patterns": {
"financial": ["owe", "owed", "debt", "paid", "$", "spent", "spend"],
"health": ["#mentalhealth", "#physicalhealth", "medication", "therapy"],
"commitments": ["shopping list", "costco", "amazon", "grocery"]
}
}
}
```
## Project Structure
```
obsidian-rag-skill/
├── README.md
├── LICENSE
├── .gitignore
├── openclaw.plugin.json
├── package.json
├── tsconfig.json
├── src/
│ ├── index.ts
│ ├── tools/
│ │ ├── search.ts
│ │ ├── index.ts
│ │ ├── status.ts
│ │ └── memory.ts
│ ├── services/
│ │ ├── vault-watcher.ts
│ │ ├── indexer-bridge.ts
│ │ └── security-guard.ts
│ └── utils/
│ ├── config.ts
│ └── lancedb.ts
├── python/
│ ├── pyproject.toml
│ ├── obsidian_rag/
│ │ ├── __init__.py
│ │ ├── cli.py
│ │ ├── indexer.py
│ │ ├── chunker.py
│ │ ├── embedder.py
│ │ ├── vector_store.py
│ │ ├── security.py
│ │ └── config.py
│ └── tests/
│ ├── test_chunker.py
│ ├── test_security.py
│ ├── test_embedder.py
│ ├── test_vector_store.py
│ └── test_indexer.py
├── tests/
│ ├── tools/
│ │ ├── search.test.ts
│ │ ├── index.test.ts
│ │ └── memory.test.ts
│ └── services/
│ ├── vault-watcher.test.ts
│ └── security-guard.test.ts
└── docs/
└── superpowers/
└── specs/
```
## Testing Strategy
- **Python**: pytest with mocked Ollama, path traversal tests, input sanitization, LanceDB CRUD
- **TypeScript**: vitest with tool parameter validation, security guard, search filter logic
- **Security**: Dedicated test suites for path traversal, XSS, prompt injection, network audit, sensitive content detection
## Publishing
Published to ClawHub as both a skill (SKILL.md) and a plugin package:
```bash
clawhub skill publish ./skill --slug obsidian-rag --version 1.0.0
clawhub package publish santhosh/obsidian-rag
```
Install: `openclaw plugins install clawhub:obsidian-rag`

View File

@@ -0,0 +1,3 @@
- [ ] Check her progress with ELA and ESL. Mr. G has complaints📅 ⏫ ⏳ 2026-03-15
There was a teachers' meeting on [[11 Mar 2026]]

View File

@@ -0,0 +1,39 @@
## Amazon
* [ ] Toilet cleaning tablets for the tank
* [ ] cobra wrench
* [ ] rosemary hair oil
* [ ] Cuisinart toaster cleaning tools
* [ ] sulphur-free shampoo
* [ ] menthol hair oil for hairfall
* [ ] Power Drill Kit
### Amazon - Researched Links
- **Toilet Tablets:** [Msvvko 40 Pcs](https://www.amazon.com/Msvvko-Sustained-Release-Technology-Long-Lasting-Deodorizer/dp/B0F1LZ1R6R) (4.2 stars, bulk value; users say it's great for the price, though some find the cleaning effect average)
- **Cobra Wrench:** [Knipex Cobra Pliers Wrench](https://www.amazon.com/Knipex-Cobra-Pliers-Wrench-9K0080147US/dp/B0CJYKBYZZ) (The gold standard for Cobra wrenches; highly rated for precision and durability)
- **Rosemary Hair Oil:**
1. [Difeel Premium Hair Oil](https://www.amazon.com/Difeel-Premium-Hair-Biotin-Growth/dp/B0CY3F22FC) (The "Difeel vibe" — huge volume, very affordable, and highly rated for growth)
2. [Majestic Pure Rosemary with Biotin](https://www.amazon.com/Majestic-Pure-Hair-Oil-Rosemary/dp/B0CQHC2L5J) (Great middle-ground: larger bottle than Mielle, high quality reviews)
3. [Gya Labs Rosemary Oil](https://www.amazon.com/Gya-Labs-Rosemary-Oil-Hair/dp/B0D9LWNHM1) (Another high-volume/low-cost option with strong user feedback)
- **Toaster Cleaning Tools:**
1. [Cuisinart Official Cleaning Tool (PM-1CT)](https://www.cuisinart.com/cleaning-tool/PM-1CT.html) (The exact OEM part designed for Cuisinart toasters; safest and most precise)
2. [Fuller Brush Table Tidy](https://www.amazon.com/Fuller-Brush-Premium-Table-Tidy/dp/B0B528NX2Q) (Highly rated handheld crumb sweeper for the exterior and surrounding area)
3. [Mini Whisk Broom/Small Brush](https://www.amazon.com/Mini-Whisk-Broom-Handheld-Storage/dp/B0F1FCDYY3) (Cheap, effective, and fits into tight slots to sweep out crumbs)
- **Sulphur-free (Sulfate-Free) Shampoo:**
1. [Pureology Hydrate](https://www.amazon.com/Pureology-Hydrate-Moisturizing-Sulfate-Free-Shampoo/dp/B001S6Z8T2) (The professional gold standard; high-concentration formula that cleans effectively without the waxy buildup common in budget sulfate-free brands)
2. [Pureology Strength Cure](https://www.amazon.com/Pureology-Strength-Cure-Fortifies-Strengthens-Sulfate-Free/dp/B0891843GD) (The specialized choice for severely damaged or chemically treated hair)
- **Power Drill Kits (Home Use):**
1. [Ryobi ONE+ 18V Cordless Drill/Driver Kit](https://www.amazon.com/s?k=ryobi+one+18v+drill+kit) (The "Practical Homeowner" choice. Best value-to-performance ratio. Ryobi has the widest ecosystem of affordable home tools, meaning if you ever need a cordless blower or vacuum, the batteries are interchangeable and cheap)
2. [DeWalt 20V MAX Atomic Compact Drill/Driver](https://www.amazon.com/s?k=dewalt+20v+max+atomic+drill) (The "Serious DIYer" choice. More powerful, more durable, and more compact. Better if you're doing actual renovations or working in tight spaces. It's a professional-grade tool but scaled for home use)
3. [Milwaukee M18 FUEL Drill/Driver](https://www.amazon.com/s?k=milwaukee+m18+fuel+drill) (The "Buy It Once" choice. Overkill for most home use, but unmatched in torque and longevity. Choose this if you want the absolute best and don't mind paying a premium for industrial-grade reliability)
## Costco
* [x] OXO Toilet bowl cleaner ✅ 2026-04-10
* [x] milk ✅ 2026-04-10
* [x] bread ✅ 2026-04-10
* [ ] laundry basket
* [x] Refined oil ✅ 2026-04-10
* [ ] garbage bags
* [x] potatoes ✅ 2026-04-10
* [x] pizza ✅ 2026-04-10

View File

@@ -0,0 +1,22 @@
1. Reportee JDs
1. [[Person/Yuvaraj]] - Done
2. [[Person/Vijayakanth]] - Done
3. [[Person/Johnsi]]
4. [[Person/Gopal]]
5. [[Person/Kala]] - Done
2. CVs
1. [[Person/Johnsi]] ✅
1. [[Person/Karthi]]✅
2. [[Person/Gayathri]]✅
2. [[Person/Gopal]]✅
1. [[Person/Deb]]✅
3. [[Person/Kala]]✅
2. [[Person/Selva]]✅
3. [[Person/Arivu]]✅
4. [[Person/Yuvaraj]]✅
1. [[Person/Mani]]
5. [[Person/Vijay]]✅
1. [[Person/Maria]]
2. [[Person/Praveen]]
3. [[Person/Tanjim]]
4. [[Person/Ridita]]

View File

@@ -0,0 +1,9 @@
1. Page 18:
- Identify and Address Technical Challenges: Mr. [[Person/Janardhanan]] leads the process of identifying and addressing limitations within the organizations existing systems. This involves understanding challenges such as system inefficiencies, scalability issues, or technological gaps.
2. Page 38:
1. Ask [[Person/Yougandhar]] to get the salary data from [[Org/HR]].
3. [[Place/India]] Org chart - Page 52
4. Who are:
1. Talent Acquisition
2. [[Org/HR]]
3. Resource Pool

View File

@@ -0,0 +1,191 @@
# Entertainment Index
## 2026
### April
#### 10-Apr
• Trust Me - Fake Prophet #Netflix (Finished)
#### 08-Apr
• Midnight Mass #Horror #Series
#### 07-Apr
• Midnight Mass #Horror #Series
#### 06-Apr
• (No entries)
#### 05-Apr
• Midnight Mass #Horror #Series
### March
#### 25-Mar
• The Collective #Thriller (Dnf)
#### 24-Mar
• Mercy #Drama #Thriller
#### 21-Mar
• Officer on Duty #Drama
#### 20-Mar
• Running Man (2025) #Action #SciFi
#### 19-Mar
• (No entries)
#### 18-Mar
• Midnight Mass #Horror #Series
#### 17-Mar
• Running Man #Action #SciFi
#### 16-Mar
• Midnight Mass #Horror #Series
#### 15-Mar
• Superman #Action #SciFi
• Oscar Awards #Special
#### 14-Mar
• MI: Final Reckoning #Action #Spy
• Adimai Penn #Drama
#### 13-Mar
• Police Story: Lockdown #Action
• War Machine #Drama
#### 12-Mar
• (No entries)
#### 11-Mar
• (No entries)
## 2025
### October
#### 26-Oct
• (No entries)
### February
#### 19-Feb
• (No entries)
#### 01-Feb
• (No entries)
### January
#### 11-Jan
• Lost #SciFi #Series (Finished)
#### 10-Jan
• Lost #SciFi #Series
#### 09-Jan
• Lost #SciFi #Series
#### 08-Jan
• Lost #SciFi #Series
#### 07-Jan
• Lost #SciFi #Series
#### 06-Jan
• Lost #SciFi #Series
#### 05-Jan
• Lost #SciFi #Series
#### 03-Jan
• Lost #SciFi #Series
## 2024
### December
#### 29-Dec
• (No entries)
### November
#### 02-Nov
• Movie with Latha #Drama
### October
#### 11-Oct
• Vettayan #Crime #Thriller
### August
#### 08-Aug
• Equilibrium #SciFi #Action #Pluto
#### 05-Aug
• The Takeover #Dutch #Thriller #Netflix
### July
#### (No entries)
### June
#### 17-Jun
• Kurangu Pedal #Tamil #Drama #Prime
#### 04-Jun
• Brazen #Thriller #Netflix
#### 01-Jun
• Colors of Evil: Red #Polish #Crime #Netflix
### May
#### 20-May
• Hunger #Thai #Drama #Netflix
#### 03-May
• Asunta Case #Documentary #TrueCrime
### April
#### 12-Apr
• Movie with VJ #Action
#### 07-Apr
• Movie with VJ #Action
### March
#### 30-Mar
• 3 Movies (Unspecified)
#### 20-Mar
• The Autopsy of Jane Doe #Horror #Mystery #Netflix
### February
#### 07-Feb
• Catching Killers: Body Count #Documentary #TrueCrime #Netflix
• The Green River Killer #Documentary #TrueCrime #Netflix
#### 06-Feb
• Everything Everywhere All at Once #SciFi #Adventure
#### 04-Feb
• 12 Angry Men #Drama #Courtroom
#### 03-Feb
• The Postcard Killings #Mystery #Thriller
#### 01-Feb
• Guiliany: What Happened to America's Mayor #Documentary #TrueCrime
### January
#### 30-Jan
• Treason #Thriller #Series #Netflix
#### 27-Jan
• Fight Club #Drama #Psychological
#### 26-Jan
• 3 Movies (Unspecified) #Netflix
#### 25-Jan
• Elementary #Crime #Series #Netflix #Prime
#### 24-Jan
• The Circle #Thriller #Netflix #Prime
#### 23-Jan
• True Detective #Crime #Series #Netflix #Prime
#### 22-Jan
• D.B. Cooper (Revisit) #Documentary #TrueCrime #Netflix #Prime
#### 21-Jan
• The Kitchen #Crime #Drama #Netflix #Prime
#### 20-Jan
• D.B. Cooper #Documentary #TrueCrime #Netflix #Prime
#### 19-Jan
• Indian Police Force #Crime #Series #Netflix
#### 16-Jan
• True Crime Doc #Documentary #Netflix
#### 15-Jan
• Fool Me Once #Thriller #Series #Netflix #Prime
#### 13-Jan
• Man on the Run #Thriller #Netflix
#### 12-Jan
• The Good, the Bad and the Ugly #Western #Netflix #Prime
#### 11-Jan
• Forrest Gump #Drama #Netflix #Prime
#### 10-Jan
• Laal Singh Chaddha #Drama #Netflix
#### 09-Jan
• Njan Prakashan #Malayalam #Drama #Netflix
#### 08-Jan
• John Wick #Action #Netflix
#### 07-Jan
• Netflix Movie #Netflix #Prime
#### 06-Jan
• Netflix Movie #Netflix
## Letterboxd / Miscellaneous
- Made in Korea #Korean #Drama
- Thalaivar Thambi Thalaimaiyil #Tamil #Drama
- The Wrecking Crew #Action
- Kidnapped: Elizabeth Smart #Documentary #TrueCrime
- Stone Cold Fox #Thriller
- My Father, the BTK Killer #Documentary #TrueCrime
- Evil Influencer: The Jodi Hildebrandt Story #Documentary #TrueCrime
- Jurassic World Rebirth #SciFi #Action
- The Big Fake #Comedy
- Vengeance in the Dreary Night #Thriller
- Amish Stud: The Eli Weaver Story #Documentary #TrueCrime
- The Naked Gun #Comedy
- American Murder: Laci Peterson #Documentary #TrueCrime
- Mission: Impossible The Final Reckoning #Action #Spy
- One Battle After Another #Action
- Murder in Monaco #Mystery #Crime
- Monty Python and the Holy Grail #Comedy
- Raiders of the Lost Ark #Adventure #Action
- Agatha Christie's Seven Dials Mystery #Mystery
- Before I Go to Sleep #Thriller #Mystery
- No Time to Die #Action #Spy
- The Three Musketeers #Adventure #Action
- Kumiko, the Treasure Hunter #Drama
- H.H. Holmes: America's First Serial Killer #Documentary #TrueCrime
- Scouts Honor: The Secret Files of the Boy Scouts of America #Documentary #TrueCrime

View File

@@ -0,0 +1,16 @@
#DayInShort:☮️ A peaceful start to the year. Most of the day I spent at rest. Spent quality time with [[Person/Bala]] and [[Person/Latha]]. Went out with [[Person/VJ]] and [[Person/Senthil]] to a failed attempt on [[Product/Richard Lucas Subaru]]! I had a thick shake from [[Brand/Carvel Icecreams]].🍦
#physicalhealth: I feel alright. Nothing to complain about as such
#mentalhealth: I am ok today. If I overthink, I may say, I am anxious.
#work: Did not work today. I just had to coordinate with [[Person/Karthikeyan]].
#Food:
#Breakfast: 1 French Toast, 1 Coffee, 1 Tea.
#Lunch: 4 pieces of Jalapeno poppers.
#Dinner: Thick shake from [[Brand/Carvel]]
#Relations:
- Spent time with [[Person/Bala]] and [[Person/Latha]]
- Had a 30-minute outing with [[Person/VJ]] and [[Person/Senthil]] (VJ's friend)
#finance: Did not spend anything. Total liquidity is around 500 USD.
#movie:
- I finished watching [[MoviesShows/Squidgames]] 2nd season. If possible, I will give a 0 ⭐️ rating #netflix
- Continued to [[MoviesShows/Lost]] 5th season 9th episode. I think the producers are lost in the story... they are showing some stupid things, but I'm not sure if it will make sense later in the episodes. #netflix

View File

@@ -0,0 +1,13 @@
#DayInShort: Very productive day. Reduced coffee intake ☕️☕️☕️
#physicalhealth: Im in good condition
#mentalhealth: Can't complain
#work: Very productive day at work. Did not connect to theac at all.
#Food:
#Breakfast: Egg x2
#Lunch: Wgg whites x 2
#Dinner: 4 chapati and mushroom masala, pop corn
#Relations: [[Person/VJ]]- went to [[Brand/Subaru]] showroom and [[Org/Costco]]
#finance: spent 135$ at [[Org/Costco]]
#movie:
[[MoviesShows/Lost]] #netflix

View File

@@ -0,0 +1,11 @@
#DayInShort: and not so productive day
#physicalhealth: I have a frozen shoulder and a frozen neck be unbearable and Im not able to sleep
#mentalhealth: I cant complain
#work: Did a lot of work but not as planned, but I was able to help a lot of people
#Food:
#Breakfast: Coffee
#Lunch: Bread and egg
#Dinner: Roti and egg
#Relations: Didnt go out. [[Person/Latha]] and [[Person/Bala]] gave me a shoulder massage.
#finance: Didnt spend anything
#movie: [[MoviesShows/Lost]] #[[Brand/Netflix]]

View File

@@ -0,0 +1,12 @@
#DayInShort: fast and furious day
#physicalhealth: cant turn my neck
#mentalhealth: cant complain
#work: no work
#Food:
#Breakfast: none
#Lunch: none
#Dinner: gram
#Relations: [[Person/VJ]] bought a new c
#finance: [[Concept/401k]]
#movie:
#selfimprovement:

View File

@@ -0,0 +1,11 @@
#DayInShort: I was yesterday day. Discovered that [[Person/Bala]] was not doing her class assignments. We had a fight at home. Im not sure how to handle a teenager.
#physicalhealth: Neck pain is still there
#mentalhealth: Anxiety is kicking in again
#work: No work today
#Food:
#Breakfast: Coffee
#Lunch: One vada
#Dinner: Nothing
#Relations: Lather I went to [[Place/Temple]] with [[Person/Vijay]] and and [[Person/Swathi]]
#finance: Bought [[Product/Monopoly]] board game
#movie: Continued watching [[MoviesShows/lost]] #[[Brand/Netflix]]

View File

@@ -0,0 +1,13 @@
#DayInShort: A lazy day, which I wanted to avoid.
#physicalhealth: neck pain is hindering with my free movement
#mentalhealth: can't complain
#work: worked focused the first half. Mostly doom scrolled and played [[Product/call of duty]] in the second half.
#Food:
#Breakfast: coffee
#Lunch: toast and egg
#Dinner: protein shake
#Relations: [[Person/Latha]] - we played [[Product/monopoly]]
#finance: Loan from 401K passed
#movie: [[MoviesShows/Lost]] #[[Brand/netflix]]
☕️ 🙄

View File

@@ -0,0 +1,11 @@
#DayInShort: Adventurous day at office. Laid back at home.
#physicalhealth: shoulder pain is too much.
#mentalhealth: slightly stressed out and anxious
#work: proposed my project ideas to [[Person/Erinn]] she gave a go ahead. Now I have to convert these projects and add to my credit.
#Food:
#Breakfast: Latte with mocha
#Lunch: kadala (one slice pizza by 5)
#Dinner: upma
#Relations: not much
#finance:paid the loan and some of the credit cards
#movie: [[MoviesShows/Lost]] #[[Brand/netflix]]

View File

@@ -0,0 +1,12 @@
#DayInShort: lazy day. It could have better
#physicalhealth:aches here and there
#mentalhealth: cant complain
#work: Instead of using one monitor,
#Food:
#Breakfast: coffee
#Lunch:tea
#Dinner: chapati and egg
#Relations:minal? Dropped VJ ton
Ewr
#finance:no change
#movie: [[MoviesShows/lost]] #[[Brand/netflix]]

View File

@@ -0,0 +1,12 @@
#DayInShort: Kind of Okey-Dokey day. I worked when I worked. Had some fun time.
#physicalhealth: Sedentary day. Need to do something.
#mentalhealth: Can't complain
#work: Productive day. But a lot of things piled up.
#Food:
#Breakfast: Coffee + Tea
#Lunch: Dosa
#Dinner: Protein shake
#Relations: [[Person/Latha]] and [[Person/Panku]]. We played [[Product/Monopoly]] - [[Person/Panku]] won again.
#finance: Plunged to 300s. But debt reduced.
#movie: [[MoviesShows/Lost]] #netflix (Yet to start)
#selfimprovement: Tried to restart my [[Product/Onyxlog]] project. Could not break the ice yet. I will try again tomorrow.

View File

@@ -0,0 +1,12 @@
#DayInShort: A day full of distractions
#physicalhealth: Cant complain
#mentalhealth: Can't complain
#work: intended to work with a plan. But distractions kept on coming and eventually, I did only half of those things I planned. Maybe I have to work some on the weekend.
#Food:
#Breakfast: Omelette and coffee
#Lunch: Kadala
#Dinner: Chapati and stew
#Relations: Not much. Just [[Person/Panku]] and [[Person/Latha]]
#finance: Still $2000 in negative
#movie: [[MoviesShows/Lost]] #[[Brand/netflix]]
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort: Mildly productive day, I'd say.
#physicalhealth: a bit tired and sleepy
#mentalhealth: Can't complain
#work: No work
#Food:
#Breakfast: Venti hot latte #[[Brand/starbucks]]
#Lunch: nothing
#Dinner: 3 dosa with chutney
#Relations: Went to [[Org/Costco]] with [[Person/Latha]]. Played [[Product/Monopoly]] with [[Person/Panku]].
#finance: [[Org/Costco]], Patels costed $140 renewed amma's health insurance ₹23000
#movie: Finished [[MoviesShows/Lost]] #[[Brand/netflix]] im breaking the series watching for a few days. Need to watch quality movies
#selfimprovement: [[Product/Onyxlog]] is struggle from the start. It shows where my position is in the market.

View File

@@ -0,0 +1,15 @@
#DayInShort: I don't know what I did first half of the day! By evening, started working on the eb1c petition. Reworked the org chart.
#physicalhealth: tired. Slept a lot.
#mentalhealth: feeling a bit anxious
#work: no work
#Food:
#Breakfast: croissant loaf and poached egg
#Lunch: nothing
#Dinner: protein shake
#Relations: didn't even cross the sofa line
#finance: didn't spend anything
#movie:
[[MoviesShows/Snowpiercer]] #netflix
[[MoviesShows/Sikandar Ka muqaddar]] #netflix
#selfimprovement:
☕️☕️☕️

View File

@@ -0,0 +1,14 @@
#DayInShort: A tiring day. I slept off by 5 pm.
#physicalhealth: I feel ever exhausted.
#mentalhealth: Anxiety is growing by the day.
#work: finished a few items.
#Food:
#Breakfast: ☕️
#Lunch: 🍞
#Dinner: Protein shake
#Relations: no external contact
#finance: put $250 into stocks
#movie:
[[MoviesShows/Sookshmadarshini]] #hotstar
[[MoviesShows/Breaking Bad]] #netflix
#selfimprovement:

View File

@@ -0,0 +1,18 @@
#DayInShort: A day with mixed feelings. I am having some sorrow within me which I am trying to get over with. But it is not clear, what I am stuck with.
#physicalhealth: I feel a bit feverish and shoulder still aches.
#mentalhealth: Anxiety is building up.
#work: I was helpful with a few things. Still lagging with a bunch of stuff. I have to wrap all those things this week.
#Food:
#Breakfast: Coffee
#Lunch: Pongal and Grape Juice
#Dinner: Eggs
#Relations:
Just [[Person/Latha]] and [[Person/Choochoo]]. No contact with the outer world.
#finance:
Paid the late fee to [[Org/Middlesex management]] - $462. I need to request a waiver of the late fee.
#movie:
[[MoviesShows/Cunk on Life]] #netflix
#selfimprovement:
Named my diary project "[[Product/Jotolog]]". I could get the user authentication part work. Of course with help of [[Product/Claude AI]].
☕️☕️🫖

View File

@@ -0,0 +1,15 @@
#DayInShort:Sivk day. Unable to focus on anything
#physicalhealth: Not feeling well
#mentalhealth: Unable to focus
#work: Slow burning day.
#Food:
#Breakfast: Coffee
#Lunch: Cereals
#Dinner: Dosa x4
#Relations: no outside contact
#finance: $600 left
#movie:
[[MoviesShows/CID Ramachandran Retd SI]] #Youtube
[[MoviesShows/Rifle club]] #netflix
[[MoviesShows/Thangalaan]] #netflix
#selfimprovement:

View File

@@ -0,0 +1,14 @@
#DayInShort: A 0 productivity day
#physicalhealth: Fever. Took rest.
#mentalhealth: anxiety
#work: didn't work
#Food:
#Breakfast: bread and coffee
#Lunch: payar
#Dinner: dosa
#Relations: fully offline
#finance: 15$ on [[Product/tiny glade]]
#movie:
[[MoviesShows/Erin Brokowich]] #netflix
[[MoviesShows/Free state of Jones]] #netflix
#selfimprovement:

View File

@@ -0,0 +1,15 @@
#DayInShort: A day Royally wasted. I could have utilized it better. To do the least I reworked the Episode 8 and recorded it.
#physicalhealth: Took rest the whole day.
#mentalhealth: anxiety
#work: didn't work
#Food:
#Breakfast: bread and coffee
#Lunch: nothing
#Dinner: 3 x Chapathi with Mushroom Curry
#Relations: Texted [[Person/Vijay]], [[Person/Jenn C]], [[Person/Achu]]
#finance: $20 on [[Product/ChatGPT]].
#movie:
[[MoviesShows/The Whale]] #netflix
[[MoviesShows/Justice League]] #max
[[MoviesShows/Logan]] #DisneyPlus
#selfimprovement:

View File

@@ -0,0 +1,14 @@
#DayInShort: Borderline good day.
#physicalhealth: Tired. But pulling myself up.
#mentalhealth: Anxiety
#work: no work. Just logged 24hrs
#Food:
#Breakfast: Coffee
#Lunch: Dosa
#Dinner: 1 slice bread and orange juice
#Relations: usual people
#finance: Spent 127 in [[Org/Costco]] and some in [[Org/cvs]]
#movie:
[[MoviesShows/The Frozen Ground]] #netflix
#selfimprovement:
I'll set up a url shortener on [[Product/Thaliyal.com]].

View File

@@ -0,0 +1,16 @@
#DayInShort: I can't say I wasted the day. I built and published the [[Product/No BS URL Shortener]]. https://url.thaliyal.com
#physicalhealth: Can't complain
#mentalhealth: In the back of the mind, the anxiety is still burning.
#work: Sunday
#Food:
#Breakfast: Avocado toast and Latte
#Lunch: Nothing
#Dinner: Baby Carrots and Ranch
#Relations: Went to [[Org/shoprite]], [[Brand/DD]] and car wash with [[Person/VJ]]. small talks. nothing special.
#finance:
I didn't actively spend anything today. Although I put two domains in my cart!!
#movie:
[[Brand/OverSimplified]] #Youtube
[[MoviesShows/Breaking Bad]] #netflix
#selfimprovement:
[[Concept/AI]] is going to take over the human jobs for sure. https://github.com/santhoshjanan/no-bs-urlshortener

View File

@@ -0,0 +1,17 @@
#DayInShort: Slept the whole day. Last night I didn't sleep at all.
#physicalhealth: No problem for health. But slept.
#mentalhealth: Throughout the time I was awake, there was a lingering worry about my future.
#work: No work
#Food:
#Breakfast: Bread and Omelette
#Lunch: Carrots
#Dinner: Smoothy
#Relations:
[[Person/Vijay]] came home briefly
Spent some time with [[Person/Panku]] and [[Product/XBox]]
#finance:
No active spending
#movie:
[[MoviesShows/Wonder Woman]] #max
#selfimprovement:
I was thrilled about publishing a new app.

View File

@@ -0,0 +1,16 @@
#DayInShort: Day started in a good fashion. But slowed down drastically. I didnt feel sleepy at all.
#physicalhealth: Alright
#mentalhealth: Can't complain
#work: It was a 50-50 day. I need to focus more on the administration side.
#Food:
#Breakfast: Latte
#Lunch: Kadala and [[Product/Pizza]] with [[Brand/Monster]]
#Dinner: Dosa and Chilly powder
#Relations:
Mostly [[Person/Krishna]] and [[Person/VJ]]. No one else was at office. Tomorrow we are not going.
#finance:
No active spending other than the Latte that I bought in the morning from [[Brand/DD]].
#movie:
[[MoviesShows/The Postcard Killings]] #netflix
#selfimprovement:
Started to putting up the [[Concept/sveltekit]] based frontend for [[Product/Nobiyes URL Shortener]].

View File

@@ -0,0 +1,15 @@
#DayInShort: Nothing is moving like I think.
#physicalhealth: can't complain
#mentalhealth: unable to focus
#work: slow moving
#Food:
#Breakfast: coffee
#Lunch: pongal
#Dinner: dosa
#Relations: went to [[Org/Lucas Subaru]] to get [[Person/vj]]'s license plate
#finance:
No active spending
#movie:
[[MoviesShows/Blink twice]] #prime
#selfimprovement:
Finished [[Person/shilpa]]'s doc

View File

@@ -0,0 +1,14 @@
#DayInShort: I could not do anything today. I'm fooling myself.
#physicalhealth: I'm alright
#mentalhealth: Focus issues
#work: I am unable to do my jobs
#Food:
#Breakfast: Coffee
#Lunch: Carrots and eggs
#Dinner: chapati
#Relations: none
#finance: spent $45 on [[Brand/amazon]]
#movie:
[[MoviesShows/Viduthalai 2]] #prime
[[MoviesShows/Anand Sreebala]] #prime
#selfimprovement: none

View File

@@ -0,0 +1,17 @@
#DayInShort: Productive day altogether.
#physicalhealth: Can't complain
#mentalhealth: Can't complain
#work: Enterprise release day. It has been a really long day. Finished the tasks for [[Person/Melissa]]. And some considerable amount of work on other fronts too.
#Food:
#Breakfast: Coffee
#Lunch: Chapathi and Tomato curry
#Dinner: Dosa and Stew
#Relations:
Not much. Spoke with [[Person/Jenn]]. We both were fed up with [[Person/Igor]]. [[Person/VJ]] came home. He returned the [[Work/Javascript Design patterns]] book.
#finance:
Salary day. I paid the rent. Also, [[Org/Chase]] account has 2K+
#movie:
[[MoviesShows/Dark Crimes]] #prime
#selfimprovement:
Attempted to set up [[Product/Solano]] dev environment and failed miserably. Will try again later.
- [ ] Tomorrow I should work on the [[Product/Jotolog]] application #todo 📅 2025-01-25

View File

@@ -0,0 +1,18 @@
#DayInShort: It was really productive day.
#physicalhealth: Cant complain
#mentalhealth: Cant complain
#work: Participated in Technical checkout meeting.
#Food:
#Breakfast: Bread and Omelette
#Lunch: Coffee
#Dinner: Porotta and Kurma
#Relations:
[[Person/VJ]] was home to work on [[Person/Maria]]'s website.
#finance:
Spent some solid money in [[Org/Costco]], [[Org/Patels]], Carwash and [[Brand/DD]].
#movie:
[[MoviesShows/The Abyss]]
#selfimprovement:
- Worked with [[Person/VJ]] on [[Person/Maria]]'s project. Especially the API integration part. I worked on the [[Product/Drupal]] jsonapi part. And set up [[Person/Maria]]'s server the same way mine is - [[Product/Portainer]] fronted.
- Going to work on the podcast.

View File

@@ -0,0 +1,16 @@
#DayInShort: Partially productive day. I didnt do what I was planning to. But did something different!
#physicalhealth: Can't complain
#mentalhealth: Can't complain
#work: No work
#Food:
#Breakfast: Idly and Sambar + Samossa
#Lunch: nothing
#Dinner: French Fries and Smoothie
#Relations:
No external contact
#finance:
Spent $60 on the toilet cleaning machine.
#movie:
[[MoviesShows/Sand castle]]
#selfimprovement:
None. Planned to do the [[Concept/Go]] course. But ended up writing script for the new podcast. Recorded and published "[[Work/Let me Explain]]"

View File

@@ -0,0 +1,13 @@
#DayInShort: I wasted the whole day.
#physicalhealth: Im having back pain again. It might be possibly because of I sleeping on the sofa.
#mentalhealth: Cant complain apart from the Anxiety that I am creating on myself
#work: Didnt do any properly tomorrow I had to focus.
#Food:
#Breakfast: Bread and omelette
#Lunch: Dosa
#Dinner: Dosa
#Relations: Vijay came home for workout. We had a chitchat.
#finance: No active spending
#movie:
I came by #Netflix
#selfimprovement: none

View File

@@ -0,0 +1,16 @@
#DayInShort: Productive day
#physicalhealth: Can't complain. Sleepy by EOD
#mentalhealth: Can't complain
#work: Pizza day. I need to keep together my shit
#Food:
#Breakfast: Coffee
#Lunch: Pizza
#Dinner: French Fries and Chappathi
#Relations:
[[Person/VJ]] didnt come to office today. [[Person/Latha]] is falling sick. I hope she recoups quick
#finance:
Depletion started
#movie:
[[MoviesShows/Army of Thieves]] #netflix
#selfimprovement:
None

View File

@@ -0,0 +1,16 @@
#DayInShort: It was a good day.
#physicalhealth: Can't complain. But again, I was sleepy by EOD
#mentalhealth: I am ok.
#work: Productive day.
#Food:
#Breakfast: Coffee
#Lunch: Chapathi
#Dinner: Junked out
#Relations:
No external contact
#finance:
Moved 1200 to [[Org/BofA]]
#movie:
[[MoviesShows/YTD]]
#selfimprovement:
Started doing the [[Brand/linkedin]] course for [[Product/Github Certification]].

View File

@@ -0,0 +1,18 @@
#DayInShort: Productive Day
#physicalhealth: Cant complain
#mentalhealth: Can't complain
#work: Finished a few items.
#Food:
#Breakfast:Coffee
#Lunch: Egg and bread
#Dinner: Junk
#Relations:
Went to [[Org/Costco]] with [[Person/VJ]]
#finance:
Spent $177 in [[Org/Costco]]
Bought silver bar worth $320
#movie:
[[MoviesShows/Under the dome]] #[[Org/cbs]]
[[MoviesShows/Sattam en kayyil]] #[[Brand/Youtube]]
#selfimprovement:
[[Person/Maria]] and I are devising a new proy

View File

@@ -0,0 +1,16 @@
#DayInShort: A tiresome day. Fought with [[Person/Latha]] now.
#physicalhealth: I am tired.
#mentalhealth: Stressed.
#work: Packed day. I had to juggle between meetings and work.
#Food:
#Breakfast: coffee
#Lunch: samossa and french fries, coffee
#Dinner: Gulab Jamoon, Orange Juice, and possi
#Relations:
Unnecessarily [[Person/Latha]] provoked me with her mobile phone addiction. She is not giving enough attention to [[Person/Panku]]. How will I be that close with a pre-teen girl child?
#finance:
no active spending
#movie:
[[MoviesShows/Clovehitch Killer]]
#selfimprovement:
Nothing fruitful

View File

@@ -0,0 +1,15 @@
#DayInShort: Took [[Person/Latha]] for a haircut.
#physicalhealth: Tired AF
#mentalhealth: Im scared
#work: I didnt work. need to work tomorrow
#Food:
#Breakfast: Latte
#Lunch: Pizza
#Dinner: Dosa
#Relations:
Spent a lot of time with [[Person/Latha]] and panku
#finance:
Spent almost $100
#movie:
[[MoviesShows/bloody Beggar]] #amazon
#selfimprovement:

View File

@@ -0,0 +1,18 @@
#DayInShort: I planned something. Something else happened.
#physicalhealth: I have started getting backpain and neck pain.
#mentalhealth: Can't complain. But I am nervous about the documentation status.
#work: Copying 46 GB Data. This is an operation on it's own merit!
#Food:
#Breakfast: none
#Lunch: Poori and Chana masala
#Dinner: Mainstreet Tots from [[Org/JJ Bittings]]
#Relations:
- Visited [[Person/Srini]]'s home for lunch.
- Met his friends one [[Person/Santhanam]] and his wife. Seemingly hardcore sanghis.
- Went out for pub hopping with [[Person/VJ]] and [[Person/Chello (Frank)]]
#finance:
High chances I will be in soup again.
#movie:
[[MoviesShows/Justice]] #netflix
#selfimprovement:
None.

View File

@@ -0,0 +1,15 @@
#DayInShort: Lazy day
#physicalhealth: Back pain
#mentalhealth: A lil anxiety
#work: wasted a day
#Food:
#Breakfast: coffee
#Lunch: dosa
#Dinner: noodle and soup
#Relations: nothing much
#finance: no active spending
#movie:
[[MoviesShows/Into the fire]] #truecrime #[[Brand/netflix]]
[[MoviesShows/American Renegade]] #[[Brand/netflix]]
#selfimprovement:
None

View File

@@ -0,0 +1,17 @@
#DayInShort: Partially fruitful
#physicalhealth: back pain is looming in
#mentalhealth: anxiety
#work: I did work on a few items
#Food:
#Breakfast: Latte
#Lunch: Carrots and Garbanzo beans and Iced latte
#Dinner: Semiya Upma
#Relations:
Had a chat with [[Person/Krishna]].
[[Person/VJ]] and I went to [[Org/Costco]] to buy TV
#finance:
Bombed a 500$
#movie:
[[MoviesShows/Ad Vitam]] #netflix
#selfimprovement:
Suggested [[Product/Hasura]] to [[Person/Krishna]]

View File

@@ -0,0 +1,18 @@
#DayInShort: Day was too tensed and stressed out. But came with a surprise news
#physicalhealth: I jumped and ached my right blade.
#mentalhealth: stressed
#work: finished a few things. Attended hell lot of meetings. [[Person/Erinn]] told about considering me for conversion. Elated.
#Food:
#Breakfast: none
#Lunch: puffs, omelette, cereals
#Dinner: green gram
#Relations:
Pissed off [[Person/Ram]]
Borderline pissed off [[Person/Vinay]]
#finance:
No active spending
#movie:
[[MoviesShows/Identity]] #zee5
[[MoviesShows/Smile]] #prime #paramount
[[MoviesShows/Will Trent]] #hulu
#selfimprovement:

View File

@@ -0,0 +1,14 @@
#DayInShort: I am acting as a manager. And it feels good.
#physicalhealth: Shoulder is still injured. And I bumped my finger to a cart and still hurts.
#mentalhealth: Mixed feelings
#work: I am in disagreement with [[Org/Movate]] management's take on who gets the work
#Food:
#Breakfast: None
#Lunch: Dosa
#Dinner: Appam
#Relations: spent quality time with [[Person/Panku]]
#finance:
Spent almost 150$ shopping. Gave away $60 worth food to school
#movie:
[[MoviesShows/black panther]] #DisneyPlus
#selfimprovement:

View File

@@ -0,0 +1,16 @@
#DayInShort: Productive day
#physicalhealth:
Slept in the evening. Felt tired
#mentalhealth: can't complain
#work: I have been vocal about the processes and practices.
#Food:
#Breakfast: bread, egg and coffee
#Lunch: noodle
#Dinner: noodle
#Relations:
Not much
#finance:
No active spending
#movie:
[[MoviesShows/Severance]] #appletv
#selfimprovement:

View File

@@ -0,0 +1,19 @@
#DayInShort: I was supposed to do two things today. Finish my [[Org/Visa]] renewal documents and contact [[Person/Matt]] for the [[Work/SaveCarteretAve.com]]. I didnt do either
#physicalhealth: I am having chest pain. I am afraid I will have another block to handle.
#mentalhealth: See above.
#work: Did not work.
#Food:
#Breakfast: Poori and Potato
#Lunch: nothing
#Dinner: Dosa and Potato
#Relations:
[[Person/VJ]] came home for workout.
Had quality time with [[Person/Panku]].
#finance:
Bought grider for [[Person/Latha]] - 250$... emi.
#movie:
[[MoviesShows/Black Panther]] #DisneyPlus
[[MoviesShows/Inside Out]] #DisneyPlus
[[MoviesShows/Severance]] #appletv #prime
#selfimprovement:
Started looking into [[Concept/Blockchain]] development using [[Product/Solidity]]/[[Product/JS]]. 1.4hrs and still in basics. This is an ocean.

View File

@@ -0,0 +1,15 @@
#DayInShort: A well composed day
#physicalhealth: chest pain
#mentalhealth: anxiety
#work: Send the L1 extension files
#Food:
#Breakfast: Puttu And Kadala
#Lunch: Tomato rice
#Dinner: Dosa
#Relations: Went to [[Brand/Wegmans]] with [[Person/Vijay]]. Spent quality time with [[Person/Panku]].
#finance: I need to see how much I need to pay and make all the arrangements by tomorrow
#movie:
[[MoviesShows/Inside out 2]] #DisneyPlus
[[MoviesShows/Severance]] #Prime #AppleTV
#selfimprovement:
Looked into [[Concept/solidity programming]]. Need to see how I can everage it in my area for.

View File

@@ -0,0 +1,15 @@
#DayInShort: Focused day at work. Well rested evening.
#physicalhealth: chest pain turns out to be gas trouble
#mentalhealth: stress
#work: focused on work
#Food:
#Breakfast: coffee
#Lunch: tomato rice 🤢
#Dinner: chapati and paneer
#Relations: none in specific
#finance:
Again credit card is flying high
#movie:
[[MoviesShows/Wakanda forever]] #DisneyPlus
[[MoviesShows/Severance]] #appletv #prime
#selfimprovement:

View File

@@ -0,0 +1,13 @@
#DayInShort: A good day at office I'd sat
#physicalhealth: Tired by Eod
#mentalhealth: uncertainty is there
#work: productive day
#Food:
#Breakfast: Coffee
#Lunch: Garbanzo beans
#Dinner: pop corn
#Relations: [[Person/Krishna]] spoke to me about GC
#finance: I don't know what's going on
#movie:
[[MoviesShows/Texas Killing Field]] #prime
#selfimprovement:

View File

@@ -0,0 +1,13 @@
#DayInShort: Lot going on. Car tyre is flat!
#physicalhealth: Not so great
#mentalhealth: Anxiety kicks in.
#work: [[Person/Paul]] is playing double game.
#Food:
#Breakfast: None
#Lunch: Noodle Rice dal
#Dinner: 2 dosa
#Relations: [[Person/VJ]] and I went to [[Org/Costco]]
#finance: spent almost 210$
#movie:
[[MoviesShows/SILO]] #appletv
#selfimprovement:

View File

@@ -0,0 +1,17 @@
#DayInShort: Can't say I wasted a day. I did somthing funny with [[Concept/python]]. Car got a flat tire.
#physicalhealth: I am still having some discomfort with my chest.
#mentalhealth: Anxiety kicks in at times.
#work: Created a script that will send out emails to all requestors for closing or promoting the tickets.
#Food:
#Breakfast: Coffee
#Lunch: Some junk, rice, dal and potato.
#Dinner: again some junk
#Relations:
Went to [[Org/Costco]] with [[Person/VJ]], for buying some essentials. around $100 spent
#finance:
It is going south.
#movie:
[[MoviesShows/Doctor Strange]] #DisneyPlus
[[MoviesShows/Silo]] #amazon #appletv
#selfimprovement:
[[Concept/Python]], [[Concept/Sqlite]], emails from [[Product/outlook]].

View File

@@ -0,0 +1,14 @@
#DayInShort: First half of the day was eventful. Second half was slumber
#physicalhealth: I am unusually tired AF.
#mentalhealth: Confused
#work: Half day leave
#Food:
#Breakfast: Coffee
#Lunch: Noodle
#Dinner: Dosa
#Relations:
Not much.
#finance: Spent 40 usd on fixing the flat tire.
#movie:
[[MoviesShows/Silo]] #appletv #prime
#selfimprovement:

View File

@@ -0,0 +1,16 @@
#DayInShort: Planned a lot of things. Did something different and stupid.
#physicalhealth: Tired AF
#mentalhealth: F Up
#work: no work
#Food:
#Breakfast: Latte
#Lunch: Biriyani - Flopped
#Dinner: Coffee
#Relations: Went to shop with [[Person/VJ]]
#finance:
Spent around 50 on shopping
#movie:
[[MoviesShows/Thor - Dark World]] #DisneyPlus #marvel
[[MoviesShows/Maamannan]] #netflix
[[MoviesShows/Silo]] #appletv #prime
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,13 @@
#DayInShort: It was a passive day. I did not focus much on work since I had to get the house leasing straightened out. Also I went to [[Bala's school]].
#physicalhealth: I walked for 2.4 KMs today. Not bad. I should consider restarting the walks.
#mentalhealth: I have that intrinsic fear of the unknown.
#work: Did not focus today.
#Food:
#Breakfast: Coffee
#Lunch: Idly x 4 + podi
#Dinner: I want Erra karam podi and rice.
#Relations: [[Person/VJ]] bought a monitor, at last. pushed him to start using [[Product/Obsidian]], [[Product/Anything LLM]] and [[Product/LM Studio]].
#finance: $3405 made as money order for 603 Abbi Rd.
#movie: None
#selfimprovement: Experimenting with [[Product/LM Studio]] and stuff. I know it is not going productive. I need to start focusing on things that will give returns to my valuable time.

View File

@@ -0,0 +1,12 @@
#DayInShort: Kind of a good day.
#physicalhealth: Back pain is back
#mentalhealth: I am fine.
#work: Started focusing more on work. Need to improve that and get 100% there.
#Food:
#Breakfast: [[Product/Coffee]]
#Lunch: [[Concept/Dosa]] + Erra Karam Podi
#Dinner: [[Concept/Dosa]] + Potato
#Relations: Spent half a day in [[Person/VJ]]'s home. Helped him set up the home office!
#finance: Did not spend anything yet
#movie: None
#selfimprovement: Checking out [Agency Agents](https://github.com/msitarzewski/agency-agents) and [Super Powers](https://github.com/obra/superpowers)

View File

@@ -0,0 +1,12 @@
#DayInShort: A peaceful day in short. Had some fun time.
#physicalhealth: Lower back pain
#mentalhealth: I am ok
#work: I was able to productively contribute to work today
#Food:
#Breakfast: Coffee
#Lunch: Rice + Dal
#Dinner: Chapati + Soy Chunks
#Relations: It was [[Person/VJ]]'s birthday. We had a beer, watched a movie and then [[Event/F1 China Sprint]] race
#finance: Did not spend anything.
#movie: [[MoviesShows/Police Story: Lockdown]], [[MoviesShows/War Machine]]
#selfimprovement: Experimenting [[Concept/Superpowers]] and [[Concept/Agency Agents]]. Need to check [[Product/Open Agent Control]] ([[Product/AOC]])

View File

@@ -0,0 +1,12 @@
#DayInShort: Very laid back day.
#physicalhealth: Backpain is worsening. I spent most of today in bed.
#mentalhealth: Kind of ok.
#work: No work.
#Food:
#Breakfast: Coffee
#Lunch: Soy chunks
#Dinner: Wheat Upma + Karasev
#Relations: Went for grocery shopping with [[Person/VJ]]
#finance: 200 USD spent on grocery
#movie: [[MoviesShows/MI: Final Reckoning]], [[MoviesShows/Adimai penn]]
#selfimprovement: Experimenting with different coding agents. Started a slimmed down ralph loop, based on [[Concept/OMOC]].

View File

@@ -0,0 +1,13 @@
#DayInShort: Such a damn sleepy day! And it was [[Event/Oscar night]]!!
#physicalhealth: Backpain
#mentalhealth: I am fine
#work: No work
#Food:
#Breakfast: Coffee
#Lunch: Idli + podi
#Dinner: [[Brand/Maggi]] and Soy
#Relations: Totally disconnected (except for [[Person/Latha]] and chuchu)
#finance: Spent 44$ on [[Brand/amazon]]
#movie: [[MoviesShows/Superman]], [[Event/Oscar awards]]
#selfimprovement: Vibe coded the session deck into a website.

View File

@@ -0,0 +1,12 @@
#DayInShort: Mixed bag.
#physicalhealth: Now, my upper back also aches!
#mentalhealth: It is fine.
#work: Today was kind of a productive day. I was so upset with the call with [[Person/Srini]] from Release Management. These assholes dont want to take any responsibilities!
#Food:
#Breakfast: Coffee
#Lunch: Neychoru + Pappadam
#Dinner: Dosa
#Relations: No external contact
#finance: Spent $11 in [[Brand/ElevenLabs]] to clone my voice and produce rest of the podcast episodes.
#movie: Just started [[MoviesShows/Midnight Mass]] in [[Brand/netflix]].
#selfimprovement: I was able to crack the "Claude only" thing with [[Product/OverStory]]. [[Product/GLM]] can override configurations in [[Product/claude-code]]. I did that and was able to run overstory with [[Product/GLM-5]] inside claude code cli. I will call it a major breakthrough

View File

@@ -0,0 +1,12 @@
#DayInShort: Kind of an okey dokey day. Worked a bit. Learned a bit. Gossiped a bit.
#physicalhealth: Back pain.
#mentalhealth: I am a bit scared of how the world is going - both [[Concept/AI]] and the Wars
#work: [[Person/Igor]] has been served.
#Food:
#Breakfast: Coffee
#Lunch: Rice + Egg curry
#Dinner: Chappati + Egg curry
#Relations: Visited [[Person/VJ]]. [[Person/Inba]] is getting a bit violent - [[Person/VJ]] didnt make her apologize. May be my parenting skills are outdated.
#finance: Spent 23 USD on [[Product/Youtube premium]]
#movie: I may watch [[MoviesShows/running man]] or [[MoviesShows/Midnight Mass]] after this.
#selfimprovement: Synthesising the next podcast - [[Work/Wars of the World]].

View File

@@ -0,0 +1,12 @@
#DayInShort: In office after 100 days! Tired.
#physicalhealth: I am tired AF.
#mentalhealth: I have some problem. Need to find out.
#work: Had a couple of meetings. Need to get a few items done tomorrow for [[Org/SHBP]].
#Food:
#Breakfast: Bagel + Cream Cheese
#Lunch: Pizza
#Dinner: Dosa
#Relations: [[Person/VJ]], [[Person/Jenn]], [[Person/Joe]], [[Person/Nick]], [[Person/Erinn]]
#finance: Spent 3$ on [[Person/Ramesh]]'s coffee
#movie: [[MoviesShows/Midnight Mass]]
#selfimprovement: None.

View File

@@ -0,0 +1,12 @@
#DayInShort: Productive and peaceful day
#physicalhealth: Tired for some reason.
#mentalhealth: I am just ok
#work: Got pissed off with [[Person/Igor]] and dropped off a call.
#Food:
#Breakfast: Coffee
#Lunch: Upma
#Dinner: Rice + Dal
#Relations: [[Person/Jenn]], [[Person/VJ]]
#finance: Spent 20$ on a dumb phone for chuchu
#movie: None
#selfimprovement: [[Concept/Product owner]] training by [[Person/HB]]

View File

@@ -0,0 +1,12 @@
#DayInShort: Expensive day
#physicalhealth: Backpain is severe
#mentalhealth: Stressed and Exhausted
#work: Half day only
#Food:
#Breakfast: Coffee
#Lunch: Idli
#Dinner: Stack from [[Brand/Moe's]]
#Relations: [[Person/VJ]], [[Person/Inba]]
#finance: Spent almost 200 USD today. And will spend another 500 tomorrow.
#movie: [[MoviesShows/Running Man (2025)]]
#selfimprovement: Some useless stuff.

View File

@@ -0,0 +1,12 @@
#DayInShort: Tiresome day
#physicalhealth: I had a mild chest pain and palpitation
#mentalhealth: Stress is building up with the home change
#work: no work
#Food:
#Breakfast: pizza
#Lunch: upma
#Dinner: Dosa and egg curry
#Relations: [[Person/VJ]] and I went for shopping. 400+ USD spent on new home stuff. [[Person/Latha]] seldom understands when I ask her not to yell. Police must come once to make her understand.
#finance: 400+ USD gone
#movie: [[MoviesShows/Officer on duty]] (with [[Person/Swathi]]'s appa)
#selfimprovement: Plan is on for [[Work/Kings of India]]. [[Product/Minimax 2.5]] is good.

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,12 @@
#DayInShort: Such a fuckall lazy day
#physicalhealth: I am living with the backpain now
#mentalhealth: Stress, anxiety and panic
#work: I did the first day of webinar today. [[Person/VJ]] will take the first part tomorrow.
#Food:
#Breakfast: Upma
#Lunch: Upma
#Dinner: Rice
#Relations: Went to [[Person/VJ]]'s home. Fixed his new chair, played with [[Person/Inba]]
#finance: Spent $20 on [[Product/ollama pro]]
#movie: [[MoviesShows/Mercy (2026)]] - This movie had no mercy on me. Fuck!
#selfimprovement: Novel writing with [[Concept/AI]]!

View File

@@ -0,0 +1,12 @@
#DayInShort: Mixed feelings
#physicalhealth: Kind of ok-ish
#mentalhealth: As usual shit-show of the world is keeping my mental health in the abyss
#work: I would say, partially successful day
#Food:
#Breakfast: Eggs x 6
#Lunch: Rice
#Dinner: Chapathi + Soy chunks
#Relations: [[Person/Jenn C]] came to [[Person/VJ]]'s home. visited her. [[Person/Inba]], [[Person/VJ]] and I went to [[Org/walmart]]
#finance: Spent almost 100$ in [[Org/Walmart]]
#movie: Don't remind me! I tried to watch "[[MoviesShows/The Collective]]" - I could not watch even the first 15 minutes.
#selfimprovement: Nothing

View File

@@ -0,0 +1,12 @@
#DayInShort: Okayish day
#physicalhealth: Upper back
#mentalhealth: Not to complain
#work: I need to focus on work... I am being too lousy. This is not good.
#Food:
#Breakfast: Bread, omelette and brocolli
#Lunch: Chapati
#Dinner: Shake and maggi
#Relations: none
#finance: none
#movie: none
#selfimprovement: Finished the [[Concept/AI]] session to the team.

View File

@@ -0,0 +1,12 @@
#DayInShort: Sloppy day
#physicalhealth: I boozed.
#mentalhealth: fucked up
#work: I am not focusing on work. I need to. May be I should disconnect the other machine from the workstation while I am in office. I think I misspoke with [[Person/Vinay]]. I took advantage of the relationship with him. Nevertheless he is a motherfucker.
#Food:
#Breakfast: [[Product/Coffee]]
#Lunch: Grills + Rice
#Dinner: Grills
#Relations: [[Person/VJ]] is home. My last night in 701.
#finance: Fucked up. Spent almost 170$. $26 to [[Person/VJ]].
#movie: Nothing
#selfimprovement: Nothing.

View File

@@ -0,0 +1,12 @@
#DayInShort: I am not well
#physicalhealth: Throat infection, cough, body pain, eye pain.
#mentalhealth: Affected by physical health!
#work: Did some analysis work.
#Food:
#Breakfast: Idli
#Lunch: Soup
#Dinner: Bonda
#Relations: [[Person/VJ]], [[Person/Swathi Appa]].
#finance: Spent some money!
#movie: Yet to start
#selfimprovement: Tried [[Product/Gemma 4]]! It is good.

View File

@@ -0,0 +1,12 @@
#DayInShort: Half baked day
#physicalhealth: For some reason, all of us feel dead tired today
#mentalhealth: The tax thing is burning in my mind. I don't know why I am not acting on it.
#work: Sunday
#Food:
#Breakfast: nothing
#Lunch: nothing
#Dinner: One aloo paratha
#Relations: mostly solitude
#finance: ordered book and cell cover for [[Person/latha]]
#movie: not yet. but I need to continue the [[MoviesShows/Midnight Mass]]
#selfimprovement: Installed [[Product/OpenClaw]].

View File

@@ -0,0 +1,12 @@
#DayInShort: Half baked day. I need to focus more.
#physicalhealth: BAckpain
#mentalhealth: My days are counted
#work: Mid
#Food:
#Breakfast: A lil bit of seva and puliseri
#Lunch: none
#Dinner: half aloo paratha
#Relations: went to [[Org/walgreens]] with vj
#finance: spent $30 in [[Org/walgreens]]
#movie: none
#selfimprovement: nothing. I am stagnating. need to do something interesting.

View File

@@ -0,0 +1,12 @@
#DayInShort: Half baked day!
#physicalhealth: It is fine. I slept for an hour in the evening.
#mentalhealth: Kind of ok.
#work: I am getting a direction now, on where to focus. that is a good sign, I would say.
#Food:
#Breakfast: nothing
#Lunch: rice
#Dinner: tea
#Relations: [[Person/VJ]], [[Person/Inba]], [[Person/Swathi]], [[Person/Swathi's parents]]
#finance: Bought a book stand
#movie: nothing yet. but will continue [[MoviesShows/Midnight mass]].
#selfimprovement: [[Org/Google]] [[Concept/AI]].

View File

@@ -0,0 +1,12 @@
#DayInShort: I think I am getting back into the groove. I was able to focus on what is important today - although not for long.
#physicalhealth: I am ok
#mentalhealth: Good
#work: Productive day, attended and contributed to a few fruitful discussions
#Food:
#Breakfast: none
#Lunch: soup
#Dinner: chapati
#Relations: almost within household
#finance: nothing
#movie: [[MoviesShows/Midnight Mass]]
#selfimprovement: Nothing new. Just burning some tokens!

View File

@@ -0,0 +1,14 @@
#DayInShort: It was a mixed bag. I unnecessarily shouted at [[Person/Latha]]. Poor thing! I dont deserve her!
#physicalhealth: I am ok
#mentalhealth: Hormones are firing left right center! I am too irritable.
#work: I was able to do some quality work.
#Food:
#Breakfast: None
#Lunch: Chapati + Sambar
#Dinner: Idiyappam + Stew
#Relations: A sore relation with [[Person/latha]] today. It was mostly because she is not focusing on [[Person/Bala]]. I easily get irritated by that kind of a lethargic attitude. Also, I need to keep a bit of distance from [[Person/VJ]] and family. I think I am creating a lot of dependency on them.
#finance: Nothing spent today
#movie:
- Finishing [[MoviesShows/Midnight Mass]] tonight (Finished)
- [[MoviesShows/Masthishka Maranam]]: A Frankenbiting of Simon's Memories #[[Brand/netflix]]
#selfimprovement: I Wired my [[Product/obsidian]] to [[Product/openclaw]]!! It is fun!

View File

@@ -0,0 +1,13 @@
#DayInShort: A productive day marked by crushing a massive 82-page [[Concept/HEDIS]] update and attending [[Concept/AI]] training with [[Person/VJ]]. Despite some physical struggles with back pain and a headache, and a heavy financial hit from income taxes, ended the day feeling accomplished and working on an [[Product/Obsidian]]-RAG for [[Product/OpenClaw]].
#physicalhealth: Lower back pain. Wore eye-glasses for a headache.
#mentalhealth: Feel OK, felt somewhat accomplished.
#work: Singlehandedly completed the [[Concept/HEDIS]] updates—a massive 82-page move to connections.
#Food:
#Breakfast: None
#Lunch: Chapati
#Dinner: None
#Relations: Attended [[Concept/AI]] training with [[Person/VJ]]. Went to [[Org/Costco]].
#finance: Spent $85 at [[Org/Costco]]. Charged $3000 for income tax. Current balance: -$450.
#movie:
- [[MoviesShows/Trust Me - Fake Prophet]] (Finished)
#selfimprovement: Building an [[Product/obsidian]]-rag mechanism for [[Product/OpenClaw]].

View File

@@ -0,0 +1,12 @@
#DayInShort: Spent the day breaking my head over an [[Product/OpenClaw]] plugin. Stressed about finances.
#physicalhealth: Unable to sleep, physically drained.
#mentalhealth: Stressed out due to money problems.
#work: Breaking head on [[Product/openclaw]] plugin.
#Food:
#Breakfast: Puttu and kadala
#Lunch:
#Dinner: Vada from VJ's (8pm)
#Relations: [[Person/Vinay]], [[Person/Usha]], and [[Person/Rakshi]] visited. [[Person/Swathi]] also gave a brief visit.
#finance: [[Org/IRS]] debited $3000; account is in negative balance.
#movie: None
#selfimprovement: [[Product/OpenClaw]] plugin development.

View File

@@ -0,0 +1,12 @@
#DayInShort:
#physicalhealth:
#mentalhealth:
#work:
#Food:
#Breakfast:
#Lunch:
#Dinner:
#Relations:
#finance:
#movie:
#selfimprovement:

View File

@@ -0,0 +1,3 @@
- https://youtu.be/d5x0JCZbAJs?si=5fa9pQiBoYTJ6_Fy - #[[Product/React]]
- https://youtu.be/J9sfR6HN6BY?si=qXvuOZcy4NMbZSoy #[[Product/React]] #[[Product/nextjs]]
- https://youtu.be/SOTamWNgDKc?si=gbWBwSXXlaiQoWUQ #cloudpractioner #[[Org/aws]]

View File

View File

@@ -0,0 +1,5 @@
- New year. Didn't go out anywhere. Binged [[Brand/Netflix]].
- [[Person/Inba]] came home and she was uncomfortable.
- [[MoviesShows/Kuiko]] #movie #netflix
- [[MoviesShows/Falimy]] #movie #netflix
- [[MoviesShows/Sinner]] season 4 #movie #netflix

View File

@@ -0,0 +1,15 @@
- #physicalhealth stomach upset
- #mentalhealth feeling blank. Purposeless
- #work didn't do any productive work. Came back from office by 3:30pm.
- #Food
- Breakfast: nothing
- Lunch: wrap
- Dinner: Chappathi and potato curry
- Coffee: +++
- #Relations: need to stay away from [[Person/Vijayakanth]] and give him his space.
:LOGBOOK:
CLOCK: [2024-01-02 Tue 21:31:23]
:END:
- #finance not bothered now. Around 350 in checking.
- [[MoviesShows/Curry and Cyanide]] #movie #[[Brand/netflix]] #crime
- [[MoviesShows/Nail Bomber: Man hunt]] #movie #[[Brand/netflix]] #crime

View File

@@ -0,0 +1,12 @@
# Journal
id:: 65963ccf-faac-4f81-9523-59b601f2627b
- #physicalhealth Tired
- #mentalhealth Confused. Purposeless
- #work productive. But left pending work.
- #Food
- Breakfast: Nothing
- Lunch: onion rings, yogurt and berries
- Dinner: Chapathi and potato
- #Relations: have been disconnected with the world today.
- #finance: not bothered today.
- Night Agent #[[Brand/netflix]] #webseries #movie

View File

@@ -0,0 +1,19 @@
# Journal
- #physicalhealth Neck pain. Otherwise Im good
- #mentalhealth unusually calm today!
- #work Productive day - finished quite some backlog
- #Food
- Breakfast: Coffee
- Lunch: Rice, Lentils and Potato
- Dinner: Rice and lentils
- #Relations: Talked with [[Person/VJ]] while driving. Remembered those dark days in [[Org/Xstream]].
- #finance: Not bothered today.
- #netflix #webseries #movie [[MoviesShows/Night Agent]] (finished)
- #selfimprovement could not allocate time for learning.
- TODO Tax filing : 1099 from [[Org/Schwab]] pending
:LOGBOOK:
CLOCK: [2024-01-04 Thu 22:04:03]
CLOCK: [2024-01-04 Thu 22:04:10]
:END:
- DONE Need to build retro playlist for [[Person/VJ]]
SCHEDULED: <2024-01-06 Sat>

View File

@@ -0,0 +1,18 @@
- Overall, a positive day.
- # Journal
- #physicalhealth All good today.
- #mentalhealth I am afraid of falling back into anxiety. Somehow I am distracting myself into other things.
- #work productive day. Cleared two major items. Hnjh home page and nodes inventory. [[Person/VJ]] helped to sort out the hnjh thing.
- #Food Trying to reduce coffee consumption by using smaller cup. Don't know how far I can go!
- Breakfast: Coffee and Bun
- Lunch: Coffee and Bun
- Dinner: Chappathi, Onion roast & 4 eggs
- #Relations: Spent some time with [[Person/Swathi]]'s Appa. Watched [[MoviesShows/Home]], [[MoviesShows/Elephant whisperers]] and [[MoviesShows/London has fallen]].
- #finance: Bills will be coming in. I may be in trouble soon.
- #netflix #movie #prime
- [[MoviesShows/London has fallen]],
- [[MoviesShows/Home]]
- [[MoviesShows/Elephant whisperers]].
- #selfimprovement As part of node inventory, I learned how to programatically access different parts of content types and nodes. I call that a learning today.
- #note-to-self Need to be more keen on work. [[Person/Erinn]] is closely watching.
-

View File

@@ -0,0 +1,6 @@
- New year. Didn't go out anywhere. Binged [[Brand/Netflix]].
- [[Person/Inba]] came home and she was uncomfortable.
- [[MoviesShows/Kuiko]] #movie #netflix
- [[MoviesShows/Falimy]] #movie #netflix
- [[MoviesShows/Sinner]] season 4 #movie #netflix
-

View File

@@ -0,0 +1,20 @@
# Journal
- #physicalhealth Neck pain. Otherwise Im good
- #mentalhealth unusually calm today!
- #work Productive day - finished quite some backlog
- #Food
- Breakfast: Coffee
- Lunch: Rice, Lentils and Potato
- Dinner: Rice and lentils
- #Relations: Talked with [[Person/VJ]] while driving. Remembered those dark days in [[Org/Xstream]].
- #finance: Not bothered today.
- #netflix #webseries #movie [[MoviesShows/Night Agent]] (finished)
- #selfimprovement could not allocate time for learning.
- LATER Tax filing : 1099 from [[Org/Schwab]] pending
SCHEDULED: <2024-02-16 Fri>
:LOGBOOK:
CLOCK: [2024-01-04 Thu 22:04:03]
CLOCK: [2024-01-04 Thu 22:04:10]
:END:
- DONE Need to build retro playlist for [[Person/VJ]]
SCHEDULED: <2024-01-06 Sat>

View File

@@ -0,0 +1,20 @@
# Journal
- #physicalhealth Neck pain. Otherwise Im good
- #mentalhealth unusually calm today!
- #work Productive day - finished quite some backlog
- #Food
- Breakfast: Coffee
- Lunch: Rice, Lentils and Potato
- Dinner: Rice and lentils
- #Relations: Talked with [[Person/VJ]] while driving. Remembered those dark days in [[Org/Xstream]].
- #finance: Not bothered today.
- #netflix #webseries #movie [[MoviesShows/Night Agent]] (finished)
- #selfimprovement could not allocate time for learning.
- LATER Tax filing : 1099 from [[Org/Schwab]] pending
SCHEDULED: <2024-02-16 Fri>
:LOGBOOK:
CLOCK: [2024-01-04 Thu 22:04:03]
CLOCK: [2024-01-04 Thu 22:04:10]
:END:
- DONE Need to build retro playlist for [[Person/VJ]]
SCHEDULED: <2024-01-06 Sat>

View File

@@ -0,0 +1,19 @@
# Journal
- #physicalhealth Neck pain. Otherwise Im good
- #mentalhealth unusually calm today!
- #work Productive day - finished quite some backlog
- #Food
- Breakfast: Coffee
- Lunch: Rice, Lentils and Potato
- Dinner: Rice and lentils
- #Relations: Talked with [[Person/VJ]] while driving. Remembered those dark days in [[Org/Xstream]].
- #finance: Not bothered today.
- #netflix #webseries #movie [[MoviesShows/Night Agent]] (finished)
- #selfimprovement could not allocate time for learning.
- LATER Tax filing : 1099 from [[Org/Schwab]] pending
:LOGBOOK:
CLOCK: [2024-01-04 Thu 22:04:03]
CLOCK: [2024-01-04 Thu 22:04:10]
:END:
- DONE Need to build retro playlist for [[Person/VJ]]
SCHEDULED: <2024-01-06 Sat>

View File

@@ -0,0 +1,19 @@
# Journal
- #physicalhealth Neck pain. Otherwise Im good
- #mentalhealth unusually calm today!
- #work Productive day - finished quite some backlog
- #Food
- Breakfast: Coffee
- Lunch: Rice, Lentils and Potato
- Dinner: Rice and lentils
- #Relations: Talked with [[Person/VJ]] while driving. Remembered those dark days in [[Org/Xstream]].
- #finance: Not bothered today.
- #netflix #webseries #movie [[MoviesShows/Night Agent]] (finished)
- #selfimprovement could not allocate time for learning.
- LATER Tax filing : 1099 from [[Org/Schwab]] pending
:LOGBOOK:
CLOCK: [2024-01-04 Thu 22:04:03]
CLOCK: [2024-01-04 Thu 22:04:10]
:END:
- DONE Need to build retro playlist for [[Person/VJ]]
SCHEDULED: <2024-01-06 Sat>

View File

@@ -0,0 +1,12 @@
- Overall, a positive day.
- # Journal
- #physicalhealth All good today.
- #mentalhealth I am afraid of falling back into anxiety. Somehow I am distracting myself into other things.
- #work productive day. Cleared two major items. Hnjh home page and nodes inventory. VJ helped to sort out the hnjh thing.
- #Food
- Breakfast: Coffee and Bun
- Lunch: Coffee and Bun
- Dinner: Chappathi, Onion roast & 4 eggs
- #Relations: Spent some time with [[Person/Swathi]]'s Appa. Watched [[MoviesShows/Home]], [[MoviesShows/Elephant whisperers]] and [[MoviesShows/London has fallen]].
- #finance: Bills will be coming in. I may be in trouble soon.
- #netflix #movie #prime [[MoviesShows/London has fallen]], [[MoviesShows/Home]] and [[MoviesShows/Elephant whisperers]].

View File

@@ -0,0 +1,12 @@
- Overall, a positive day.
- # Journal
- #physicalhealth All good today.
- #mentalhealth I am afraid of falling back into anxiety. Somehow I am distracting myself into other things.
- #work productive day. Cleared two major items. Hnjh home page and nodes inventory. VJ helped to sort out the hnjh thing.
- #Food
- Breakfast: Coffee and Bun
- Lunch: Coffee and Bun
- Dinner: Chappathi, Onion roast & 4 eggs
- #Relations: Spent some time with [[Person/Swathi]]'s Appa. Watched [[MoviesShows/Home]], [[MoviesShows/Elephant whisperers]] and [[MoviesShows/London has fallen]].
- #finance: Bills will be coming in. I may be in trouble soon.
- #netflix #movie #prime [[MoviesShows/London has fallen]], [[MoviesShows/Home]] and [[MoviesShows/Elephant whisperers]].

Some files were not shown because too many files have changed in this diff Show More