diff options
| author | navanchauhan <navanchauhan@gmail.com> | 2022-05-22 12:20:59 -0600 | 
|---|---|---|
| committer | navanchauhan <navanchauhan@gmail.com> | 2022-05-22 12:20:59 -0600 | 
| commit | 8b56f067823153f21fafac102bfa05ac41110983 (patch) | |
| tree | 380534dda0e3d17c51dbe7a0643fffb418d4e5b1 | |
| parent | 2e510fedcfb58d99b7bf63cb908ea5107dd96433 (diff) | |
| parent | 27dc62cf3bd9686f30d66071701b3d2558874090 (diff) | |
fixing conflicts
52 files changed, 1979 insertions, 523 deletions
| diff --git a/Content/posts/2022-05-21-Similar-Movies-Recommender.md b/Content/posts/2022-05-21-Similar-Movies-Recommender.md new file mode 100644 index 0000000..b889002 --- /dev/null +++ b/Content/posts/2022-05-21-Similar-Movies-Recommender.md @@ -0,0 +1,400 @@ +--- +date: 2022-05-21 17:56 +description: Building a Content Based Similar Movies Recommendatiom System +tags: Python, Transformers, Recommendation-System +--- + +# Building a Similar Movies Recommendation System + +## Why? + +I recently came across a movie/tv-show recommender, [couchmoney.tv](https://couchmoney.tv/). I loved it. I decided that I wanted to build something similar, so I could tinker with it as much as I wanted. + +I also wanted a recommendation system I could use via a REST API. Although I have not included that part in this post, I did eventually create it. + + +## How? + +By measuring the cosine of the angle between two vectors, you can get a value in the range [0,1] with 0 meaning no similarity. Now, if we find a way to represent information about movies as a vector, we can use cosine similarity as a metric to find similar movies. + +As we are recommending just based on the content of the movies, this is called a content based recommendation system. + +## Data Collection + +Trakt exposes a nice API to search for movies/tv-shows. To access the API, you first need to get an API key (the Trakt ID you get when you create a new application).  + +I decided to use SQL-Alchemy with a SQLite backend just to make my life easier if I decided on switching to Postgres anytime I felt like.  + +First, I needed to check the total number of records in Trakt’s database. + +```python +import requests +import os + +trakt_id = os.getenv("TRAKT_ID") + +api_base = "https://api.trakt.tv" + +headers = { +	"Content-Type": "application/json", +	"trakt-api-version": "2", +	"trakt-api-key": trakt_id +} + +params = { +	"query": "", +	"years": "1900-2021", +	"page": "1", +	"extended": "full", +	"languages": "en" +} + +res = requests.get(f"{api_base}/search/movie",headers=headers,params=params) +total_items = res.headers["x-pagination-item-count"] +print(f"There are {total_items} movies") +``` + +``` +There are 333946 movies +``` + +First, I needed to declare the database schema in (`database.py`): + +```python +import sqlalchemy +from sqlalchemy import create_engine +from sqlalchemy import Table, Column, Integer, String, MetaData, ForeignKey, PickleType +from sqlalchemy import insert +from sqlalchemy.orm import sessionmaker +from sqlalchemy.exc import IntegrityError + +meta = MetaData() + +movies_table = Table( +    "movies", +    meta, +    Column("trakt_id", Integer, primary_key=True, autoincrement=False), +    Column("title", String), +    Column("overview", String), +    Column("genres", String), +    Column("year", Integer), +    Column("released", String), +    Column("runtime", Integer), +    Column("country", String), +    Column("language", String), +    Column("rating", Integer), +    Column("votes", Integer), +    Column("comment_count", Integer), +    Column("tagline", String), +    Column("embeddings", PickleType) + +) + +# Helper function to connect to the db +def init_db_stuff(database_url: str): +    engine = create_engine(database_url) +    meta.create_all(engine) +    Session = sessionmaker(bind=engine) +    return engine, Session +``` + +In the end, I could have dropped the embeddings field from the table schema as I never got around to using it. + +### Scripting Time + +```python +from database import * +from tqdm import tqdm +import requests +import os + +trakt_id = os.getenv("TRAKT_ID") + +max_requests = 5000 # How many requests I wanted to wrap everything up in +req_count = 0 # A counter for how many requests I have made + +years = "1900-2021"  +page = 1 # The initial page number for the search +extended = "full" # Required to get additional information  +limit = "10" # No of entires per request -- This will be automatically picked based on max_requests +languages = "en" # Limit to English + +api_base = "https://api.trakt.tv" +database_url = "sqlite:///jlm.db" + +headers = { +	"Content-Type": "application/json", +	"trakt-api-version": "2", +	"trakt-api-key": trakt_id +} + +params = { +	"query": "", +	"years": years, +	"page": page, +	"extended": extended, +	"limit": limit, +	"languages": languages +} + +# Helper function to get desirable values from the response +def create_movie_dict(movie: dict): +	m = movie["movie"] +	movie_dict = { +		"title": m["title"], +		"overview": m["overview"], +		"genres": m["genres"], +		"language": m["language"], +		"year": int(m["year"]), +		"trakt_id": m["ids"]["trakt"], +		"released": m["released"], +		"runtime": int(m["runtime"]), +		"country": m["country"], +		"rating": int(m["rating"]), +		"votes": int(m["votes"]), +		"comment_count": int(m["comment_count"]), +		"tagline": m["tagline"] +	} +	return movie_dict + +# Get total number of items +params["limit"] = 1 +res = requests.get(f"{api_base}/search/movie",headers=headers,params=params) +total_items = res.headers["x-pagination-item-count"] + +engine, Session = init_db_stuff(database_url) + + +for page in tqdm(range(1,max_requests+1)): +	params["page"] = page +	params["limit"] = int(int(total_items)/max_requests) +	movies = [] +	res = requests.get(f"{api_base}/search/movie",headers=headers,params=params) + +	if res.status_code == 500: +		break +	elif res.status_code == 200: +		None +	else: +		print(f"OwO Code {res.status_code}") + +	for movie in res.json(): +		movies.append(create_movie_dict(movie)) + +	with engine.connect() as conn: +		for movie in movies: +			with conn.begin() as trans: +				stmt = insert(movies_table).values( +					trakt_id=movie["trakt_id"], title=movie["title"], genres=" ".join(movie["genres"]), +					language=movie["language"], year=movie["year"], released=movie["released"], +					runtime=movie["runtime"], country=movie["country"], overview=movie["overview"], +					rating=movie["rating"], votes=movie["votes"], comment_count=movie["comment_count"], +					tagline=movie["tagline"]) +				try: +					result = conn.execute(stmt) +					trans.commit() +				except IntegrityError: +					trans.rollback() +	req_count += 1 +``` + +(Note: I was well within the rate-limit so I did not have to slow down or implement any other measures) + +Running this script took me approximately 3 hours, and resulted in an SQLite database of 141.5 MB + +## Embeddings! + +I did not want to put my poor Mac through the estimated 23 hours it would have taken to embed the sentences. I decided to use Google Colab instead. + +Because of the small size of the database file, I was able to just upload the file. + +For the encoding model, I decided to use the pretrained `paraphrase-multilingual-MiniLM-L12-v2` model for SentenceTransformers, a Python framework for SOTA sentence, text and image embeddings. I wanted to use a multilingual model as I personally consume content in various languages (natively, no dubs or subs) and some of the sources for their information do not translate to English. As of writing this post, I did not include any other database except Trakt.  + +While deciding how I was going to process the embeddings, I came across multiple solutions: + +* [Milvus](https://milvus.io) - An open-source vector database with similar search functionality + +* [FAISS](https://faiss.ai) - A library for efficient similarity search + +* [Pinecone](https://pinecone.io) - A fully managed vector database with similar search functionality + +I did not want to waste time setting up the first two, so I decided to go with Pinecone which offers 1M 768-dim vectors for free with no credit card required (Our embeddings are 384-dim dense). + +Getting started with Pinecone was as easy as: + +* Signing up + +* Specifying the index name and vector dimensions along with the similarity search metric (Cosine Similarity for our use case) + +* Getting the API key + +* Installing the Python module (pinecone-client) + +```python +import pandas as pd +import pinecone +from sentence_transformers import SentenceTransformer +from tqdm import tqdm  + +database_url = "sqlite:///jlm.db" +PINECONE_KEY = "not-this-at-all" +batch_size = 32 + +pinecone.init(api_key=PINECONE_KEY, environment="us-west1-gcp") +index = pinecone.Index("movies") + +model = SentenceTransformer("paraphrase-multilingual-MiniLM-L12-v2", device="cuda") +engine, Session = init_db_stuff(database_url) + +df = pd.read_sql("Select * from movies", engine) +df["combined_text"] = df["title"] + ": " + df["overview"].fillna('') + " -  " + df["tagline"].fillna('') + " Genres:-  " + df["genres"].fillna('') + +# Creating the embedding and inserting it into the database +for x in tqdm(range(0,len(df),batch_size)): +	to_send = [] +	trakt_ids = df["trakt_id"][x:x+batch_size].tolist() +	sentences = df["combined_text"][x:x+batch_size].tolist() +	embeddings = model.encode(sentences) +	for idx, value in enumerate(trakt_ids): +		to_send.append( +			( +				str(value), embeddings[idx].tolist() +			)) +	index.upsert(to_send) +``` + +That's it! + +## Interacting with Vectors + +We use the `trakt_id` for the movie as the ID for the vectors and upsert it into the index.  + +To find similar items, we will first have to map the name of the movie to its trakt_id, get the embeddings we have for that id and then perform a similarity search. It is possible that this additional step of mapping could be avoided by storing information as metadata in the index. + +```python +def get_trakt_id(df, title: str): +  rec = df[df["title"].str.lower()==movie_name.lower()] +  if len(rec.trakt_id.values.tolist()) > 1: +    print(f"multiple values found... {len(rec.trakt_id.values)}") +    for x in range(len(rec)): +      print(f"[{x}] {rec['title'].tolist()[x]} ({rec['year'].tolist()[x]}) - {rec['overview'].tolist()}") +      print("===") +      z = int(input("Choose No: ")) +      return rec.trakt_id.values[z] +  return rec.trakt_id.values[0] + +def get_vector_value(trakt_id: int): +  fetch_response = index.fetch(ids=[str(trakt_id)]) +  return fetch_response["vectors"][str(trakt_id)]["values"] + +def query_vectors(vector: list, top_k: int = 20, include_values: bool = False, include_metada: bool = True): +  query_response = index.query( +      queries=[ +          (vector), +      ], +      top_k=top_k, +      include_values=include_values, +      include_metadata=include_metada +  ) +  return query_response + +def query2ids(query_response): +  trakt_ids = [] +  for match in query_response["results"][0]["matches"]: +    trakt_ids.append(int(match["id"])) +  return trakt_ids + +def get_deets_by_trakt_id(df, trakt_id: int): +  df = df[df["trakt_id"]==trakt_id] +  return { +      "title": df.title.values[0], +      "overview": df.overview.values[0], +      "runtime": df.runtime.values[0], +      "year": df.year.values[0] +  } +``` + +### Testing it Out + +```python +movie_name = "Now You See Me" + +movie_trakt_id = get_trakt_id(df, movie_name) +print(movie_trakt_id) +movie_vector = get_vector_value(movie_trakt_id) +movie_queries = query_vectors(movie_vector) +movie_ids = query2ids(movie_queries) +print(movie_ids) + +for trakt_id in movie_ids: +  deets = get_deets_by_trakt_id(df, trakt_id) +  print(f"{deets['title']} ({deets['year']}): {deets['overview']}") +``` + +Output: + +``` +55786 +[55786, 18374, 299592, 662622, 6054, 227458, 139687, 303950, 70000, 129307, 70823, 5766, 23950, 137696, 655723, 32842, 413269, 145994, 197990, 373832] +Now You See Me (2013): An FBI agent and an Interpol detective track a team of illusionists who pull off bank heists during their performances and reward their audiences with the money. +Trapped (1949): U.S. Treasury Department agents go after a ring of counterfeiters. +Brute Sanity (2018): An FBI-trained neuropsychologist teams up with a thief to find a reality-altering device while her insane ex-boss unleashes bizarre traps to stop her. +The Chase (2017): Some FBI agents hunt down a criminal +Surveillance (2008): An FBI agent tracks a serial killer with the help of three of his would-be victims - all of whom have wildly different stories to tell. +Marauders (2016): An untraceable group of elite bank robbers is chased by a suicidal FBI agent who uncovers a deeper purpose behind the robbery-homicides. +Miracles for Sale (1939): A maker of illusions for magicians protects an ingenue likely to be murdered. +Deceptors (2005): A Ghostbusters knock-off where a group of con-artists create bogus monsters to scare up some cash. They run for their lives when real spooks attack. +The Outfit (1993): A renegade FBI agent sparks an explosive mob war between gangster crime lords Legs Diamond and Dutch Schultz. +Bank Alarm (1937): A federal agent learns the gangsters he's been investigating have kidnapped his sister. +The Courier (2012): A shady FBI agent recruits a courier to deliver a mysterious package to a vengeful master criminal who has recently resurfaced with a diabolical plan. +After the Sunset (2004): An FBI agent is suspicious of two master thieves, quietly enjoying their retirement near what may - or may not - be the biggest score of their careers. +Down Three Dark Streets (1954): An FBI Agent takes on the three unrelated cases of a dead agent to track down his killer. +The Executioner (1970): A British intelligence agent must track down a fellow spy suspected of being a double agent. +Ace of Cactus Range (1924): A Secret Service agent goes undercover to unmask the leader of a gang of diamond thieves. +Firepower (1979): A mercenary is hired by the FBI to track down a powerful recluse criminal, a woman is also trying to track him down for her own personal vendetta. +Heroes & Villains (2018): an FBI agent chases a thug to great tunes +Federal Fugitives (1941): A government agent goes undercover in order to apprehend a saboteur who caused a plane crash. +Hell on Earth (2012): An FBI Agent on the trail of a group of drug traffickers learns that their corruption runs deeper than she ever imagined, and finds herself in a supernatural - and deadly - situation. +Spies (2015): A secret agent must perform a heist without time on his side +``` + +For now, I am happy with the recommendations. + +## Simple UI + +The code for the flask app can be found on GitHub: [navanchauhan/FlixRec](https://github.com/navanchauhan/FlixRec) or on my [Gitea instance](https://pi4.navan.dev/gitea/navan/FlixRec) + +I quickly whipped up a simple Flask App to deal with problems of multiple movies sharing the title, and typos in the search query. + +### Home Page + + + +### Handling Multiple Movies with Same Title + + + +### Results Page + + + +Includes additional filter options + + + +Test it out at [https://flixrec.navan.dev](https://flixrec.navan.dev) + +## Current Limittations + +* Does not work well with popular franchises +* No Genre Filter + +## Future Addons + +* Include Cast Data +	* e.g. If it sees a movie with Tom Hanks and Meg Ryan, then it will boost similar movies including them +	* e.g. If it sees the movie has been directed my McG, then it will boost similar movies directed by them +* REST API +* TV Shows +* Multilingual database +* Filter based on popularity: The data already exists in the indexed database
\ No newline at end of file diff --git a/Resources/assets/flixrec/filter.png b/Resources/assets/flixrec/filter.pngBinary files differ new file mode 100644 index 0000000..c1e4c52 --- /dev/null +++ b/Resources/assets/flixrec/filter.png diff --git a/Resources/assets/flixrec/home.png b/Resources/assets/flixrec/home.pngBinary files differ new file mode 100644 index 0000000..2d6fb51 --- /dev/null +++ b/Resources/assets/flixrec/home.png diff --git a/Resources/assets/flixrec/multiple.png b/Resources/assets/flixrec/multiple.pngBinary files differ new file mode 100644 index 0000000..f35d342 --- /dev/null +++ b/Resources/assets/flixrec/multiple.png diff --git a/Resources/assets/flixrec/results.png b/Resources/assets/flixrec/results.pngBinary files differ new file mode 100644 index 0000000..a239ba4 --- /dev/null +++ b/Resources/assets/flixrec/results.png diff --git a/Resources/assets/résumé.pdf b/Resources/assets/résumé.pdfBinary files differ deleted file mode 100644 index 8931b18..0000000 --- a/Resources/assets/résumé.pdf +++ /dev/null diff --git a/docs/about/index.html b/docs/about/index.html index 7b969d8..ec5389c 100644 --- a/docs/about/index.html +++ b/docs/about/index.html @@ -8,23 +8,25 @@      <meta name="viewport" content="width=device-width, initial-scale=1.0">      <title>Hey - Section</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - " /> +    <meta name="og:title" content="Hey - " /> +    <meta name="description" content="" /> +    <meta name="twitter:description" content="" /> +    <meta name="og:description" content="" /> +    <meta name="twitter:card" content="" />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> diff --git a/docs/assets/flixrec/filter.png b/docs/assets/flixrec/filter.pngBinary files differ new file mode 100644 index 0000000..c1e4c52 --- /dev/null +++ b/docs/assets/flixrec/filter.png diff --git a/docs/assets/flixrec/home.png b/docs/assets/flixrec/home.pngBinary files differ new file mode 100644 index 0000000..2d6fb51 --- /dev/null +++ b/docs/assets/flixrec/home.png diff --git a/docs/assets/flixrec/multiple.png b/docs/assets/flixrec/multiple.pngBinary files differ new file mode 100644 index 0000000..f35d342 --- /dev/null +++ b/docs/assets/flixrec/multiple.png diff --git a/docs/assets/flixrec/results.png b/docs/assets/flixrec/results.pngBinary files differ new file mode 100644 index 0000000..a239ba4 --- /dev/null +++ b/docs/assets/flixrec/results.png diff --git a/docs/assets/résumé.pdf b/docs/assets/résumé.pdfBinary files differ deleted file mode 100644 index 8931b18..0000000 --- a/docs/assets/résumé.pdf +++ /dev/null diff --git a/docs/feed.rss b/docs/feed.rss index 51f5890..11e6861 100644 --- a/docs/feed.rss +++ b/docs/feed.rss @@ -4,8 +4,8 @@  		<title>Navan's Archive</title>  		<description>Rare Tips, Tricks and Posts</description>  		<link>https://web.navan.dev/</link><language>en</language> -		<lastBuildDate>Mon, 28 Jun 2021 00:52:32 -0000</lastBuildDate> -		<pubDate>Mon, 28 Jun 2021 00:52:32 -0000</pubDate> +		<lastBuildDate>Sun, 22 May 2022 12:18:20 -0000</lastBuildDate> +		<pubDate>Sun, 22 May 2022 12:18:20 -0000</pubDate>  		<ttl>250</ttl>  		<atom:link href="https://web.navan.dev/feed.rss" rel="self" type="application/rss+xml"/> @@ -567,6 +567,410 @@ export BABEL_LIBDIR="/usr/lib/openbabel/3.1.0"  		<item>  			<guid isPermaLink="true"> +				https://web.navan.dev/posts/2022-05-21-Similar-Movies-Recommender.html +			</guid> +			<title> +				Building a Similar Movies Recommendation System +			</title> +			<description> +				Building a Content Based Similar Movies Recommendatiom System +			</description> +			<link>https://web.navan.dev/posts/2022-05-21-Similar-Movies-Recommender.html</link> +			<pubDate>Sat, 21 May 2022 17:56:00 -0000</pubDate> +			<content:encoded><![CDATA[<h1>Building a Similar Movies Recommendation System</h1> + +<h2>Why?</h2> + +<p>I recently came across a movie/tv-show recommender, <a rel="noopener" target="_blank" href="https://couchmoney.tv/">couchmoney.tv</a>. I loved it. I decided that I wanted to build something similar, so I could tinker with it as much as I wanted.</p> + +<p>I also wanted a recommendation system I could use via a REST API. Although I have not included that part in this post, I did eventually create it.</p> + +<h2>How?</h2> + +<p>By measuring the cosine of the angle between two vectors, you can get a value in the range [0,1] with 0 meaning no similarity. Now, if we find a way to represent information about movies as a vector, we can use cosine similarity as a metric to find similar movies.</p> + +<p>As we are recommending just based on the content of the movies, this is called a content based recommendation system.</p> + +<h2>Data Collection</h2> + +<p>Trakt exposes a nice API to search for movies/tv-shows. To access the API, you first need to get an API key (the Trakt ID you get when you create a new application). </p> + +<p>I decided to use SQL-Alchemy with a SQLite backend just to make my life easier if I decided on switching to Postgres anytime I felt like. </p> + +<p>First, I needed to check the total number of records in Trakt’s database.</p> + +<div class="codehilite"><pre><span></span><code><span class="kn">import</span> <span class="nn">requests</span> +<span class="kn">import</span> <span class="nn">os</span> + +<span class="n">trakt_id</span> <span class="o">=</span> <span class="n">os</span><span class="o">.</span><span class="n">getenv</span><span class="p">(</span><span class="s2">"TRAKT_ID"</span><span class="p">)</span> + +<span class="n">api_base</span> <span class="o">=</span> <span class="s2">"https://api.trakt.tv"</span> + +<span class="n">headers</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"Content-Type"</span><span class="p">:</span> <span class="s2">"application/json"</span><span class="p">,</span> +    <span class="s2">"trakt-api-version"</span><span class="p">:</span> <span class="s2">"2"</span><span class="p">,</span> +    <span class="s2">"trakt-api-key"</span><span class="p">:</span> <span class="n">trakt_id</span> +<span class="p">}</span> + +<span class="n">params</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"query"</span><span class="p">:</span> <span class="s2">""</span><span class="p">,</span> +    <span class="s2">"years"</span><span class="p">:</span> <span class="s2">"1900-2021"</span><span class="p">,</span> +    <span class="s2">"page"</span><span class="p">:</span> <span class="s2">"1"</span><span class="p">,</span> +    <span class="s2">"extended"</span><span class="p">:</span> <span class="s2">"full"</span><span class="p">,</span> +    <span class="s2">"languages"</span><span class="p">:</span> <span class="s2">"en"</span> +<span class="p">}</span> + +<span class="n">res</span> <span class="o">=</span> <span class="n">requests</span><span class="o">.</span><span class="n">get</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">api_base</span><span class="si">}</span><span class="s2">/search/movie"</span><span class="p">,</span><span class="n">headers</span><span class="o">=</span><span class="n">headers</span><span class="p">,</span><span class="n">params</span><span class="o">=</span><span class="n">params</span><span class="p">)</span> +<span class="n">total_items</span> <span class="o">=</span> <span class="n">res</span><span class="o">.</span><span class="n">headers</span><span class="p">[</span><span class="s2">"x-pagination-item-count"</span><span class="p">]</span> +<span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"There are </span><span class="si">{</span><span class="n">total_items</span><span class="si">}</span><span class="s2"> movies"</span><span class="p">)</span> +</code></pre></div> + +<pre><code>There are 333946 movies +</code></pre> + +<p>First, I needed to declare the database schema in (<code>database.py</code>):</p> + +<div class="codehilite"><pre><span></span><code><span class="kn">import</span> <span class="nn">sqlalchemy</span> +<span class="kn">from</span> <span class="nn">sqlalchemy</span> <span class="kn">import</span> <span class="n">create_engine</span> +<span class="kn">from</span> <span class="nn">sqlalchemy</span> <span class="kn">import</span> <span class="n">Table</span><span class="p">,</span> <span class="n">Column</span><span class="p">,</span> <span class="n">Integer</span><span class="p">,</span> <span class="n">String</span><span class="p">,</span> <span class="n">MetaData</span><span class="p">,</span> <span class="n">ForeignKey</span><span class="p">,</span> <span class="n">PickleType</span> +<span class="kn">from</span> <span class="nn">sqlalchemy</span> <span class="kn">import</span> <span class="n">insert</span> +<span class="kn">from</span> <span class="nn">sqlalchemy.orm</span> <span class="kn">import</span> <span class="n">sessionmaker</span> +<span class="kn">from</span> <span class="nn">sqlalchemy.exc</span> <span class="kn">import</span> <span class="n">IntegrityError</span> + +<span class="n">meta</span> <span class="o">=</span> <span class="n">MetaData</span><span class="p">()</span> + +<span class="n">movies_table</span> <span class="o">=</span> <span class="n">Table</span><span class="p">(</span> +    <span class="s2">"movies"</span><span class="p">,</span> +    <span class="n">meta</span><span class="p">,</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"trakt_id"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">,</span> <span class="n">primary_key</span><span class="o">=</span><span class="kc">True</span><span class="p">,</span> <span class="n">autoincrement</span><span class="o">=</span><span class="kc">False</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"title"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"overview"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"genres"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"year"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"released"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"runtime"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"country"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"language"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"rating"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"votes"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"comment_count"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"tagline"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"embeddings"</span><span class="p">,</span> <span class="n">PickleType</span><span class="p">)</span> + +<span class="p">)</span> + +<span class="c1"># Helper function to connect to the db</span> +<span class="k">def</span> <span class="nf">init_db_stuff</span><span class="p">(</span><span class="n">database_url</span><span class="p">:</span> <span class="nb">str</span><span class="p">):</span> +    <span class="n">engine</span> <span class="o">=</span> <span class="n">create_engine</span><span class="p">(</span><span class="n">database_url</span><span class="p">)</span> +    <span class="n">meta</span><span class="o">.</span><span class="n">create_all</span><span class="p">(</span><span class="n">engine</span><span class="p">)</span> +    <span class="n">Session</span> <span class="o">=</span> <span class="n">sessionmaker</span><span class="p">(</span><span class="n">bind</span><span class="o">=</span><span class="n">engine</span><span class="p">)</span> +    <span class="k">return</span> <span class="n">engine</span><span class="p">,</span> <span class="n">Session</span> +</code></pre></div> + +<p>In the end, I could have dropped the embeddings field from the table schema as I never got around to using it.</p> + +<h3>Scripting Time</h3> + +<div class="codehilite"><pre><span></span><code><span class="kn">from</span> <span class="nn">database</span> <span class="kn">import</span> <span class="o">*</span> +<span class="kn">from</span> <span class="nn">tqdm</span> <span class="kn">import</span> <span class="n">tqdm</span> +<span class="kn">import</span> <span class="nn">requests</span> +<span class="kn">import</span> <span class="nn">os</span> + +<span class="n">trakt_id</span> <span class="o">=</span> <span class="n">os</span><span class="o">.</span><span class="n">getenv</span><span class="p">(</span><span class="s2">"TRAKT_ID"</span><span class="p">)</span> + +<span class="n">max_requests</span> <span class="o">=</span> <span class="mi">5000</span> <span class="c1"># How many requests I wanted to wrap everything up in</span> +<span class="n">req_count</span> <span class="o">=</span> <span class="mi">0</span> <span class="c1"># A counter for how many requests I have made</span> + +<span class="n">years</span> <span class="o">=</span> <span class="s2">"1900-2021"</span>  +<span class="n">page</span> <span class="o">=</span> <span class="mi">1</span> <span class="c1"># The initial page number for the search</span> +<span class="n">extended</span> <span class="o">=</span> <span class="s2">"full"</span> <span class="c1"># Required to get additional information </span> +<span class="n">limit</span> <span class="o">=</span> <span class="s2">"10"</span> <span class="c1"># No of entires per request -- This will be automatically picked based on max_requests</span> +<span class="n">languages</span> <span class="o">=</span> <span class="s2">"en"</span> <span class="c1"># Limit to English</span> + +<span class="n">api_base</span> <span class="o">=</span> <span class="s2">"https://api.trakt.tv"</span> +<span class="n">database_url</span> <span class="o">=</span> <span class="s2">"sqlite:///jlm.db"</span> + +<span class="n">headers</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"Content-Type"</span><span class="p">:</span> <span class="s2">"application/json"</span><span class="p">,</span> +    <span class="s2">"trakt-api-version"</span><span class="p">:</span> <span class="s2">"2"</span><span class="p">,</span> +    <span class="s2">"trakt-api-key"</span><span class="p">:</span> <span class="n">trakt_id</span> +<span class="p">}</span> + +<span class="n">params</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"query"</span><span class="p">:</span> <span class="s2">""</span><span class="p">,</span> +    <span class="s2">"years"</span><span class="p">:</span> <span class="n">years</span><span class="p">,</span> +    <span class="s2">"page"</span><span class="p">:</span> <span class="n">page</span><span class="p">,</span> +    <span class="s2">"extended"</span><span class="p">:</span> <span class="n">extended</span><span class="p">,</span> +    <span class="s2">"limit"</span><span class="p">:</span> <span class="n">limit</span><span class="p">,</span> +    <span class="s2">"languages"</span><span class="p">:</span> <span class="n">languages</span> +<span class="p">}</span> + +<span class="c1"># Helper function to get desirable values from the response</span> +<span class="k">def</span> <span class="nf">create_movie_dict</span><span class="p">(</span><span class="n">movie</span><span class="p">:</span> <span class="nb">dict</span><span class="p">):</span> +    <span class="n">m</span> <span class="o">=</span> <span class="n">movie</span><span class="p">[</span><span class="s2">"movie"</span><span class="p">]</span> +    <span class="n">movie_dict</span> <span class="o">=</span> <span class="p">{</span> +        <span class="s2">"title"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"title"</span><span class="p">],</span> +        <span class="s2">"overview"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"overview"</span><span class="p">],</span> +        <span class="s2">"genres"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"genres"</span><span class="p">],</span> +        <span class="s2">"language"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"language"</span><span class="p">],</span> +        <span class="s2">"year"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"year"</span><span class="p">]),</span> +        <span class="s2">"trakt_id"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"ids"</span><span class="p">][</span><span class="s2">"trakt"</span><span class="p">],</span> +        <span class="s2">"released"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"released"</span><span class="p">],</span> +        <span class="s2">"runtime"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"runtime"</span><span class="p">]),</span> +        <span class="s2">"country"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"country"</span><span class="p">],</span> +        <span class="s2">"rating"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"rating"</span><span class="p">]),</span> +        <span class="s2">"votes"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"votes"</span><span class="p">]),</span> +        <span class="s2">"comment_count"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"comment_count"</span><span class="p">]),</span> +        <span class="s2">"tagline"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"tagline"</span><span class="p">]</span> +    <span class="p">}</span> +    <span class="k">return</span> <span class="n">movie_dict</span> + +<span class="c1"># Get total number of items</span> +<span class="n">params</span><span class="p">[</span><span class="s2">"limit"</span><span class="p">]</span> <span class="o">=</span> <span class="mi">1</span> +<span class="n">res</span> <span class="o">=</span> <span class="n">requests</span><span class="o">.</span><span class="n">get</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">api_base</span><span class="si">}</span><span class="s2">/search/movie"</span><span class="p">,</span><span class="n">headers</span><span class="o">=</span><span class="n">headers</span><span class="p">,</span><span class="n">params</span><span class="o">=</span><span class="n">params</span><span class="p">)</span> +<span class="n">total_items</span> <span class="o">=</span> <span class="n">res</span><span class="o">.</span><span class="n">headers</span><span class="p">[</span><span class="s2">"x-pagination-item-count"</span><span class="p">]</span> + +<span class="n">engine</span><span class="p">,</span> <span class="n">Session</span> <span class="o">=</span> <span class="n">init_db_stuff</span><span class="p">(</span><span class="n">database_url</span><span class="p">)</span> + + +<span class="k">for</span> <span class="n">page</span> <span class="ow">in</span> <span class="n">tqdm</span><span class="p">(</span><span class="nb">range</span><span class="p">(</span><span class="mi">1</span><span class="p">,</span><span class="n">max_requests</span><span class="o">+</span><span class="mi">1</span><span class="p">)):</span> +    <span class="n">params</span><span class="p">[</span><span class="s2">"page"</span><span class="p">]</span> <span class="o">=</span> <span class="n">page</span> +    <span class="n">params</span><span class="p">[</span><span class="s2">"limit"</span><span class="p">]</span> <span class="o">=</span> <span class="nb">int</span><span class="p">(</span><span class="nb">int</span><span class="p">(</span><span class="n">total_items</span><span class="p">)</span><span class="o">/</span><span class="n">max_requests</span><span class="p">)</span> +    <span class="n">movies</span> <span class="o">=</span> <span class="p">[]</span> +    <span class="n">res</span> <span class="o">=</span> <span class="n">requests</span><span class="o">.</span><span class="n">get</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">api_base</span><span class="si">}</span><span class="s2">/search/movie"</span><span class="p">,</span><span class="n">headers</span><span class="o">=</span><span class="n">headers</span><span class="p">,</span><span class="n">params</span><span class="o">=</span><span class="n">params</span><span class="p">)</span> + +    <span class="k">if</span> <span class="n">res</span><span class="o">.</span><span class="n">status_code</span> <span class="o">==</span> <span class="mi">500</span><span class="p">:</span> +        <span class="k">break</span> +    <span class="k">elif</span> <span class="n">res</span><span class="o">.</span><span class="n">status_code</span> <span class="o">==</span> <span class="mi">200</span><span class="p">:</span> +        <span class="kc">None</span> +    <span class="k">else</span><span class="p">:</span> +        <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"OwO Code </span><span class="si">{</span><span class="n">res</span><span class="o">.</span><span class="n">status_code</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> + +    <span class="k">for</span> <span class="n">movie</span> <span class="ow">in</span> <span class="n">res</span><span class="o">.</span><span class="n">json</span><span class="p">():</span> +        <span class="n">movies</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="n">create_movie_dict</span><span class="p">(</span><span class="n">movie</span><span class="p">))</span> + +    <span class="k">with</span> <span class="n">engine</span><span class="o">.</span><span class="n">connect</span><span class="p">()</span> <span class="k">as</span> <span class="n">conn</span><span class="p">:</span> +        <span class="k">for</span> <span class="n">movie</span> <span class="ow">in</span> <span class="n">movies</span><span class="p">:</span> +            <span class="k">with</span> <span class="n">conn</span><span class="o">.</span><span class="n">begin</span><span class="p">()</span> <span class="k">as</span> <span class="n">trans</span><span class="p">:</span> +                <span class="n">stmt</span> <span class="o">=</span> <span class="n">insert</span><span class="p">(</span><span class="n">movies_table</span><span class="p">)</span><span class="o">.</span><span class="n">values</span><span class="p">(</span> +                    <span class="n">trakt_id</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"trakt_id"</span><span class="p">],</span> <span class="n">title</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"title"</span><span class="p">],</span> <span class="n">genres</span><span class="o">=</span><span class="s2">" "</span><span class="o">.</span><span class="n">join</span><span class="p">(</span><span class="n">movie</span><span class="p">[</span><span class="s2">"genres"</span><span class="p">]),</span> +                    <span class="n">language</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"language"</span><span class="p">],</span> <span class="n">year</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"year"</span><span class="p">],</span> <span class="n">released</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"released"</span><span class="p">],</span> +                    <span class="n">runtime</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"runtime"</span><span class="p">],</span> <span class="n">country</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"country"</span><span class="p">],</span> <span class="n">overview</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"overview"</span><span class="p">],</span> +                    <span class="n">rating</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"rating"</span><span class="p">],</span> <span class="n">votes</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"votes"</span><span class="p">],</span> <span class="n">comment_count</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"comment_count"</span><span class="p">],</span> +                    <span class="n">tagline</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"tagline"</span><span class="p">])</span> +                <span class="k">try</span><span class="p">:</span> +                    <span class="n">result</span> <span class="o">=</span> <span class="n">conn</span><span class="o">.</span><span class="n">execute</span><span class="p">(</span><span class="n">stmt</span><span class="p">)</span> +                    <span class="n">trans</span><span class="o">.</span><span class="n">commit</span><span class="p">()</span> +                <span class="k">except</span> <span class="n">IntegrityError</span><span class="p">:</span> +                    <span class="n">trans</span><span class="o">.</span><span class="n">rollback</span><span class="p">()</span> +    <span class="n">req_count</span> <span class="o">+=</span> <span class="mi">1</span> +</code></pre></div> + +<p>(Note: I was well within the rate-limit so I did not have to slow down or implement any other measures)</p> + +<p>Running this script took me approximately 3 hours, and resulted in an SQLite database of 141.5 MB</p> + +<h2>Embeddings!</h2> + +<p>I did not want to put my poor Mac through the estimated 23 hours it would have taken to embed the sentences. I decided to use Google Colab instead.</p> + +<p>Because of the small size of the database file, I was able to just upload the file.</p> + +<p>For the encoding model, I decided to use the pretrained <code>paraphrase-multilingual-MiniLM-L12-v2</code> model for SentenceTransformers, a Python framework for SOTA sentence, text and image embeddings. I wanted to use a multilingual model as I personally consume content in various languages (natively, no dubs or subs) and some of the sources for their information do not translate to English. As of writing this post, I did not include any other database except Trakt. </p> + +<p>While deciding how I was going to process the embeddings, I came across multiple solutions:</p> + +<ul> +<li><p><a rel="noopener" target="_blank" href="https://milvus.io">Milvus</a> - An open-source vector database with similar search functionality</p></li> +<li><p><a rel="noopener" target="_blank" href="https://faiss.ai">FAISS</a> - A library for efficient similarity search</p></li> +<li><p><a rel="noopener" target="_blank" href="https://pinecone.io">Pinecone</a> - A fully managed vector database with similar search functionality</p></li> +</ul> + +<p>I did not want to waste time setting up the first two, so I decided to go with Pinecone which offers 1M 768-dim vectors for free with no credit card required (Our embeddings are 384-dim dense).</p> + +<p>Getting started with Pinecone was as easy as:</p> + +<ul> +<li><p>Signing up</p></li> +<li><p>Specifying the index name and vector dimensions along with the similarity search metric (Cosine Similarity for our use case)</p></li> +<li><p>Getting the API key</p></li> +<li><p>Installing the Python module (pinecone-client)</p></li> +</ul> + +<div class="codehilite"><pre><span></span><code><span class="kn">import</span> <span class="nn">pandas</span> <span class="k">as</span> <span class="nn">pd</span> +<span class="kn">import</span> <span class="nn">pinecone</span> +<span class="kn">from</span> <span class="nn">sentence_transformers</span> <span class="kn">import</span> <span class="n">SentenceTransformer</span> +<span class="kn">from</span> <span class="nn">tqdm</span> <span class="kn">import</span> <span class="n">tqdm</span>  + +<span class="n">database_url</span> <span class="o">=</span> <span class="s2">"sqlite:///jlm.db"</span> +<span class="n">PINECONE_KEY</span> <span class="o">=</span> <span class="s2">"not-this-at-all"</span> +<span class="n">batch_size</span> <span class="o">=</span> <span class="mi">32</span> + +<span class="n">pinecone</span><span class="o">.</span><span class="n">init</span><span class="p">(</span><span class="n">api_key</span><span class="o">=</span><span class="n">PINECONE_KEY</span><span class="p">,</span> <span class="n">environment</span><span class="o">=</span><span class="s2">"us-west1-gcp"</span><span class="p">)</span> +<span class="n">index</span> <span class="o">=</span> <span class="n">pinecone</span><span class="o">.</span><span class="n">Index</span><span class="p">(</span><span class="s2">"movies"</span><span class="p">)</span> + +<span class="n">model</span> <span class="o">=</span> <span class="n">SentenceTransformer</span><span class="p">(</span><span class="s2">"paraphrase-multilingual-MiniLM-L12-v2"</span><span class="p">,</span> <span class="n">device</span><span class="o">=</span><span class="s2">"cuda"</span><span class="p">)</span> +<span class="n">engine</span><span class="p">,</span> <span class="n">Session</span> <span class="o">=</span> <span class="n">init_db_stuff</span><span class="p">(</span><span class="n">database_url</span><span class="p">)</span> + +<span class="n">df</span> <span class="o">=</span> <span class="n">pd</span><span class="o">.</span><span class="n">read_sql</span><span class="p">(</span><span class="s2">"Select * from movies"</span><span class="p">,</span> <span class="n">engine</span><span class="p">)</span> +<span class="n">df</span><span class="p">[</span><span class="s2">"combined_text"</span><span class="p">]</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="s2">"title"</span><span class="p">]</span> <span class="o">+</span> <span class="s2">": "</span> <span class="o">+</span> <span class="n">df</span><span class="p">[</span><span class="s2">"overview"</span><span class="p">]</span><span class="o">.</span><span class="n">fillna</span><span class="p">(</span><span class="s1">''</span><span class="p">)</span> <span class="o">+</span> <span class="s2">" -  "</span> <span class="o">+</span> <span class="n">df</span><span class="p">[</span><span class="s2">"tagline"</span><span class="p">]</span><span class="o">.</span><span class="n">fillna</span><span class="p">(</span><span class="s1">''</span><span class="p">)</span> <span class="o">+</span> <span class="s2">" Genres:-  "</span> <span class="o">+</span> <span class="n">df</span><span class="p">[</span><span class="s2">"genres"</span><span class="p">]</span><span class="o">.</span><span class="n">fillna</span><span class="p">(</span><span class="s1">''</span><span class="p">)</span> + +<span class="c1"># Creating the embedding and inserting it into the database</span> +<span class="k">for</span> <span class="n">x</span> <span class="ow">in</span> <span class="n">tqdm</span><span class="p">(</span><span class="nb">range</span><span class="p">(</span><span class="mi">0</span><span class="p">,</span><span class="nb">len</span><span class="p">(</span><span class="n">df</span><span class="p">),</span><span class="n">batch_size</span><span class="p">)):</span> +    <span class="n">to_send</span> <span class="o">=</span> <span class="p">[]</span> +    <span class="n">trakt_ids</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="s2">"trakt_id"</span><span class="p">][</span><span class="n">x</span><span class="p">:</span><span class="n">x</span><span class="o">+</span><span class="n">batch_size</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span> +    <span class="n">sentences</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="s2">"combined_text"</span><span class="p">][</span><span class="n">x</span><span class="p">:</span><span class="n">x</span><span class="o">+</span><span class="n">batch_size</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span> +    <span class="n">embeddings</span> <span class="o">=</span> <span class="n">model</span><span class="o">.</span><span class="n">encode</span><span class="p">(</span><span class="n">sentences</span><span class="p">)</span> +    <span class="k">for</span> <span class="n">idx</span><span class="p">,</span> <span class="n">value</span> <span class="ow">in</span> <span class="nb">enumerate</span><span class="p">(</span><span class="n">trakt_ids</span><span class="p">):</span> +        <span class="n">to_send</span><span class="o">.</span><span class="n">append</span><span class="p">(</span> +            <span class="p">(</span> +                <span class="nb">str</span><span class="p">(</span><span class="n">value</span><span class="p">),</span> <span class="n">embeddings</span><span class="p">[</span><span class="n">idx</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span> +            <span class="p">))</span> +    <span class="n">index</span><span class="o">.</span><span class="n">upsert</span><span class="p">(</span><span class="n">to_send</span><span class="p">)</span> +</code></pre></div> + +<p>That's it!</p> + +<h2>Interacting with Vectors</h2> + +<p>We use the <code>trakt_id</code> for the movie as the ID for the vectors and upsert it into the index. </p> + +<p>To find similar items, we will first have to map the name of the movie to its trakt_id, get the embeddings we have for that id and then perform a similarity search. It is possible that this additional step of mapping could be avoided by storing information as metadata in the index.</p> + +<div class="codehilite"><pre><span></span><code><span class="k">def</span> <span class="nf">get_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">title</span><span class="p">:</span> <span class="nb">str</span><span class="p">):</span> +  <span class="n">rec</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="n">df</span><span class="p">[</span><span class="s2">"title"</span><span class="p">]</span><span class="o">.</span><span class="n">str</span><span class="o">.</span><span class="n">lower</span><span class="p">()</span><span class="o">==</span><span class="n">movie_name</span><span class="o">.</span><span class="n">lower</span><span class="p">()]</span> +  <span class="k">if</span> <span class="nb">len</span><span class="p">(</span><span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="o">.</span><span class="n">tolist</span><span class="p">())</span> <span class="o">></span> <span class="mi">1</span><span class="p">:</span> +    <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"multiple values found... </span><span class="si">{</span><span class="nb">len</span><span class="p">(</span><span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="p">)</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> +    <span class="k">for</span> <span class="n">x</span> <span class="ow">in</span> <span class="nb">range</span><span class="p">(</span><span class="nb">len</span><span class="p">(</span><span class="n">rec</span><span class="p">)):</span> +      <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"[</span><span class="si">{</span><span class="n">x</span><span class="si">}</span><span class="s2">] </span><span class="si">{</span><span class="n">rec</span><span class="p">[</span><span class="s1">'title'</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()[</span><span class="n">x</span><span class="p">]</span><span class="si">}</span><span class="s2"> (</span><span class="si">{</span><span class="n">rec</span><span class="p">[</span><span class="s1">'year'</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()[</span><span class="n">x</span><span class="p">]</span><span class="si">}</span><span class="s2">) - </span><span class="si">{</span><span class="n">rec</span><span class="p">[</span><span class="s1">'overview'</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> +      <span class="nb">print</span><span class="p">(</span><span class="s2">"==="</span><span class="p">)</span> +      <span class="n">z</span> <span class="o">=</span> <span class="nb">int</span><span class="p">(</span><span class="nb">input</span><span class="p">(</span><span class="s2">"Choose No: "</span><span class="p">))</span> +      <span class="k">return</span> <span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="n">z</span><span class="p">]</span> +  <span class="k">return</span> <span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">]</span> + +<span class="k">def</span> <span class="nf">get_vector_value</span><span class="p">(</span><span class="n">trakt_id</span><span class="p">:</span> <span class="nb">int</span><span class="p">):</span> +  <span class="n">fetch_response</span> <span class="o">=</span> <span class="n">index</span><span class="o">.</span><span class="n">fetch</span><span class="p">(</span><span class="n">ids</span><span class="o">=</span><span class="p">[</span><span class="nb">str</span><span class="p">(</span><span class="n">trakt_id</span><span class="p">)])</span> +  <span class="k">return</span> <span class="n">fetch_response</span><span class="p">[</span><span class="s2">"vectors"</span><span class="p">][</span><span class="nb">str</span><span class="p">(</span><span class="n">trakt_id</span><span class="p">)][</span><span class="s2">"values"</span><span class="p">]</span> + +<span class="k">def</span> <span class="nf">query_vectors</span><span class="p">(</span><span class="n">vector</span><span class="p">:</span> <span class="nb">list</span><span class="p">,</span> <span class="n">top_k</span><span class="p">:</span> <span class="nb">int</span> <span class="o">=</span> <span class="mi">20</span><span class="p">,</span> <span class="n">include_values</span><span class="p">:</span> <span class="nb">bool</span> <span class="o">=</span> <span class="kc">False</span><span class="p">,</span> <span class="n">include_metada</span><span class="p">:</span> <span class="nb">bool</span> <span class="o">=</span> <span class="kc">True</span><span class="p">):</span> +  <span class="n">query_response</span> <span class="o">=</span> <span class="n">index</span><span class="o">.</span><span class="n">query</span><span class="p">(</span> +      <span class="n">queries</span><span class="o">=</span><span class="p">[</span> +          <span class="p">(</span><span class="n">vector</span><span class="p">),</span> +      <span class="p">],</span> +      <span class="n">top_k</span><span class="o">=</span><span class="n">top_k</span><span class="p">,</span> +      <span class="n">include_values</span><span class="o">=</span><span class="n">include_values</span><span class="p">,</span> +      <span class="n">include_metadata</span><span class="o">=</span><span class="n">include_metada</span> +  <span class="p">)</span> +  <span class="k">return</span> <span class="n">query_response</span> + +<span class="k">def</span> <span class="nf">query2ids</span><span class="p">(</span><span class="n">query_response</span><span class="p">):</span> +  <span class="n">trakt_ids</span> <span class="o">=</span> <span class="p">[]</span> +  <span class="k">for</span> <span class="n">match</span> <span class="ow">in</span> <span class="n">query_response</span><span class="p">[</span><span class="s2">"results"</span><span class="p">][</span><span class="mi">0</span><span class="p">][</span><span class="s2">"matches"</span><span class="p">]:</span> +    <span class="n">trakt_ids</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="nb">int</span><span class="p">(</span><span class="n">match</span><span class="p">[</span><span class="s2">"id"</span><span class="p">]))</span> +  <span class="k">return</span> <span class="n">trakt_ids</span> + +<span class="k">def</span> <span class="nf">get_deets_by_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">trakt_id</span><span class="p">:</span> <span class="nb">int</span><span class="p">):</span> +  <span class="n">df</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="n">df</span><span class="p">[</span><span class="s2">"trakt_id"</span><span class="p">]</span><span class="o">==</span><span class="n">trakt_id</span><span class="p">]</span> +  <span class="k">return</span> <span class="p">{</span> +      <span class="s2">"title"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">title</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">],</span> +      <span class="s2">"overview"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">overview</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">],</span> +      <span class="s2">"runtime"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">runtime</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">],</span> +      <span class="s2">"year"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">year</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">]</span> +  <span class="p">}</span> +</code></pre></div> + +<h3>Testing it Out</h3> + +<div class="codehilite"><pre><span></span><code><span class="n">movie_name</span> <span class="o">=</span> <span class="s2">"Now You See Me"</span> + +<span class="n">movie_trakt_id</span> <span class="o">=</span> <span class="n">get_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">movie_name</span><span class="p">)</span> +<span class="nb">print</span><span class="p">(</span><span class="n">movie_trakt_id</span><span class="p">)</span> +<span class="n">movie_vector</span> <span class="o">=</span> <span class="n">get_vector_value</span><span class="p">(</span><span class="n">movie_trakt_id</span><span class="p">)</span> +<span class="n">movie_queries</span> <span class="o">=</span> <span class="n">query_vectors</span><span class="p">(</span><span class="n">movie_vector</span><span class="p">)</span> +<span class="n">movie_ids</span> <span class="o">=</span> <span class="n">query2ids</span><span class="p">(</span><span class="n">movie_queries</span><span class="p">)</span> +<span class="nb">print</span><span class="p">(</span><span class="n">movie_ids</span><span class="p">)</span> + +<span class="k">for</span> <span class="n">trakt_id</span> <span class="ow">in</span> <span class="n">movie_ids</span><span class="p">:</span> +  <span class="n">deets</span> <span class="o">=</span> <span class="n">get_deets_by_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">trakt_id</span><span class="p">)</span> +  <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">deets</span><span class="p">[</span><span class="s1">'title'</span><span class="p">]</span><span class="si">}</span><span class="s2"> (</span><span class="si">{</span><span class="n">deets</span><span class="p">[</span><span class="s1">'year'</span><span class="p">]</span><span class="si">}</span><span class="s2">): </span><span class="si">{</span><span class="n">deets</span><span class="p">[</span><span class="s1">'overview'</span><span class="p">]</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> +</code></pre></div> + +<p>Output:</p> + +<pre><code>[55786, 18374, 299592, 662622, 6054, 227458, 139687, 303950, 70000, 129307, 70823, 5766, 23950, 137696, 655723, 32842, 413269, 145994, 197990, 373832] +Now You See Me (2013): An FBI agent and an Interpol detective track a team of illusionists who pull off bank heists during their performances and reward their audiences with the money. +Trapped (1949): U.S. Treasury Department agents go after a ring of counterfeiters. +Brute Sanity (2018): An FBI-trained neuropsychologist teams up with a thief to find a reality-altering device while her insane ex-boss unleashes bizarre traps to stop her. +The Chase (2017): Some FBI agents hunt down a criminal +Surveillance (2008): An FBI agent tracks a serial killer with the help of three of his would-be victims - all of whom have wildly different stories to tell. +Marauders (2016): An untraceable group of elite bank robbers is chased by a suicidal FBI agent who uncovers a deeper purpose behind the robbery-homicides. +Miracles for Sale (1939): A maker of illusions for magicians protects an ingenue likely to be murdered. +Deceptors (2005): A Ghostbusters knock-off where a group of con-artists create bogus monsters to scare up some cash. They run for their lives when real spooks attack. +The Outfit (1993): A renegade FBI agent sparks an explosive mob war between gangster crime lords Legs Diamond and Dutch Schultz. +Bank Alarm (1937): A federal agent learns the gangsters he's been investigating have kidnapped his sister. +The Courier (2012): A shady FBI agent recruits a courier to deliver a mysterious package to a vengeful master criminal who has recently resurfaced with a diabolical plan. +After the Sunset (2004): An FBI agent is suspicious of two master thieves, quietly enjoying their retirement near what may - or may not - be the biggest score of their careers. +Down Three Dark Streets (1954): An FBI Agent takes on the three unrelated cases of a dead agent to track down his killer. +The Executioner (1970): A British intelligence agent must track down a fellow spy suspected of being a double agent. +Ace of Cactus Range (1924): A Secret Service agent goes undercover to unmask the leader of a gang of diamond thieves. +Firepower (1979): A mercenary is hired by the FBI to track down a powerful recluse criminal, a woman is also trying to track him down for her own personal vendetta. +Heroes & Villains (2018): an FBI agent chases a thug to great tunes +Federal Fugitives (1941): A government agent goes undercover in order to apprehend a saboteur who caused a plane crash. +Hell on Earth (2012): An FBI Agent on the trail of a group of drug traffickers learns that their corruption runs deeper than she ever imagined, and finds herself in a supernatural - and deadly - situation. +Spies (2015): A secret agent must perform a heist without time on his side +</code></pre> + +<p>For now, I am happy with the recommendations.</p> + +<h2>Simple UI</h2> + +<p>The code for the flask app can be found on GitHub: <a rel="noopener" target="_blank" href="https://github.com/navanchauhan/FlixRec">navanchauhan/FlixRec</a> or on my <a rel="noopener" target="_blank" href="https://pi4.navan.dev/gitea/navan/FlixRec">Gitea instance</a></p> + +<p>I quickly whipped up a simple Flask App to deal with problems of multiple movies sharing the title, and typos in the search query.</p> + +<h3>Home Page</h3> + +<p><img src="/assets/flixrec/home.png" alt="Home Page" /></p> + +<h3>Handling Multiple Movies with Same Title</h3> + +<p><img src="/assets/flixrec/multiple.png" alt="Multiple Movies with Same Title" /></p> + +<h3>Results Page</h3> + +<p><img src="/assets/flixrec/results.png" alt="Results Page" /></p> + +<p>Includes additional filter options</p> + +<p><img src="/assets/flixrec/filter.png" alt="Advance Filtering Options" /></p> + +<p>Test it out at <a rel="noopener" target="_blank" href="https://flixrec.navan.dev">https://flixrec.navan.dev</a></p> + +<h2>Current Limittations</h2> + +<ul> +<li>Does not work well with popular franchises</li> +<li>No Genre Filter</li> +</ul> + +<h2>Future Addons</h2> + +<ul> +<li>Include Cast Data +<ul> +<li>e.g. If it sees a movie with Tom Hanks and Meg Ryan, then it will boost similar movies including them</li> +<li>e.g. If it sees the movie has been directed my McG, then it will boost similar movies directed by them</li> +</ul></li> +<li>REST API</li> +<li>TV Shows</li> +<li>Multilingual database</li> +<li>Filter based on popularity: The data already exists in the indexed database</li> +</ul> +]]></content:encoded> +		</item> +		 +		<item> +			<guid isPermaLink="true">  				https://web.navan.dev/posts/2020-08-01-Natural-Feature-Tracking-ARJS.html  			</guid>  			<title> diff --git a/docs/index.html b/docs/index.html index 56e642e..f244b6d 100644 --- a/docs/index.html +++ b/docs/index.html @@ -8,23 +8,25 @@      <meta name="viewport" content="width=device-width, initial-scale=1.0">      <title>Hey - Home</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - " /> +    <meta name="og:title" content="Hey - " /> +    <meta name="description" content="" /> +    <meta name="twitter:description" content="" /> +    <meta name="og:description" content="" /> +    <meta name="twitter:card" content="" />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -45,17 +47,32 @@  <ul> +	<li><a href="/posts/2022-05-21-Similar-Movies-Recommender.html">Building a Similar Movies Recommendation System</a></li> +	<ul> +		<li>Building a Content Based Similar Movies Recommendatiom System</li> +		<li>Published On: 2022-05-21 17:56</li> +		<li>Tags:  +			 +			Python,  +			 +			Transformers,  +			 +			Recommendation-System +			 +	</ul> + +  	<li><a href="/posts/2021-06-27-Crude-ML-AI-Powered-Chatbot-Swift.html">Making a Crude ML Powered Chatbot in Swift using CoreML</a></li>  	<ul>  		<li>Writing a simple Machine-Learning powered Chatbot (or, daresay virtual personal assistant ) in Swift using CoreML.</li>  		<li>Published On: 2021-06-27 23:26</li>  		<li>Tags:  -			Swift, +			Swift,  -			CoreML, +			CoreML,  -			NLP, +			NLP  	</ul> @@ -66,9 +83,9 @@  		<li>Published On: 2021-06-26 13:04</li>  		<li>Tags:  -			Cheminformatics, +			Cheminformatics,  -			JavaScript, +			JavaScript  	</ul> @@ -79,11 +96,11 @@  		<li>Published On: 2021-06-25 16:20</li>  		<li>Tags:  -			iOS, +			iOS,  -			Shortcuts, +			Shortcuts,  -			Fun, +			Fun  	</ul> @@ -94,11 +111,11 @@  		<li>Published On: 2021-06-25 00:08</li>  		<li>Tags:  -			Python, +			Python,  -			Twitter, +			Twitter,  -			Eh, +			Eh  	</ul> @@ -109,13 +126,13 @@  		<li>Published On: 2020-12-01 20:52</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Code-Snippet, +			Code-Snippet,  -			HTML, +			HTML,  -			JavaScript, +			JavaScript  	</ul> @@ -126,11 +143,11 @@  		<li>Published On: 2020-11-17 15:04</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Code-Snippet, +			Code-Snippet,  -			Web-Development, +			Web-Development  	</ul> @@ -141,11 +158,11 @@  		<li>Published On: 2020-10-11 16:12</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Review, +			Review,  -			Webcam, +			Webcam  	</ul> @@ -156,13 +173,13 @@  		<li>Published On: 2020-08-01 15:43</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			AR.js, +			AR.js,  -			JavaScript, +			JavaScript,  -			Augmented-Reality, +			Augmented-Reality  	</ul> @@ -173,11 +190,11 @@  		<li>Published On: 2020-07-01 14:23</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Code-Snippet, +			Code-Snippet,  -			Colab, +			Colab  	</ul> @@ -188,15 +205,15 @@  		<li>Published On: 2020-06-02 23:23</li>  		<li>Tags:  -			iOS, +			iOS,  -			Jailbreak, +			Jailbreak,  -			Cheminformatics, +			Cheminformatics,  -			AutoDock Vina, +			AutoDock Vina,  -			Molecular-Docking, +			Molecular-Docking  	</ul> @@ -207,15 +224,15 @@  		<li>Published On: 2020-06-01 13:10</li>  		<li>Tags:  -			Code-Snippet, +			Code-Snippet,  -			Molecular-Docking, +			Molecular-Docking,  -			Cheminformatics, +			Cheminformatics,  -			Open-Babel, +			Open-Babel,  -			AutoDock Vina, +			AutoDock Vina  	</ul> @@ -226,13 +243,13 @@  		<li>Published On: 2020-05-31 23:30</li>  		<li>Tags:  -			iOS, +			iOS,  -			Jailbreak, +			Jailbreak,  -			Cheminformatics, +			Cheminformatics,  -			Open-Babel, +			Open-Babel  	</ul> @@ -243,9 +260,9 @@  		<li>Published On: 2020-04-13 11:41</li>  		<li>Tags:  -			Molecular-Dynamics, +			Molecular-Dynamics,  -			macOS, +			macOS  	</ul> @@ -256,9 +273,9 @@  		<li>Published On: 2020-03-17 17:40</li>  		<li>Tags:  -			publication, +			publication,  -			pre-print, +			pre-print  	</ul> @@ -269,9 +286,9 @@  		<li>Published On: 2020-03-14 22:23</li>  		<li>Tags:  -			publication, +			publication,  -			pre-print, +			pre-print  	</ul> @@ -282,9 +299,9 @@  		<li>Published On: 2020-03-08 23:17</li>  		<li>Tags:  -			Vaporwave, +			Vaporwave,  -			Music, +			Music  	</ul> @@ -295,9 +312,9 @@  		<li>Published On: 2020-03-03 18:37</li>  		<li>Tags:  -			Android-TV, +			Android-TV,  -			Android, +			Android  	</ul> @@ -308,13 +325,13 @@  		<li>Published On: 2020-01-19 15:27</li>  		<li>Tags:  -			Code-Snippet, +			Code-Snippet,  -			tutorial, +			tutorial,  -			Raspberry-Pi, +			Raspberry-Pi,  -			Linux, +			Linux  	</ul> @@ -325,11 +342,11 @@  		<li>Published On: 2020-01-16 10:36</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Colab, +			Colab,  -			Turicreate, +			Turicreate  	</ul> @@ -340,13 +357,13 @@  		<li>Published On: 2020-01-15 23:36</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Colab, +			Colab,  -			Turicreate, +			Turicreate,  -			Kaggle, +			Kaggle  	</ul> @@ -357,9 +374,9 @@  		<li>Published On: 2020-01-14 00:10</li>  		<li>Tags:  -			Code-Snippet, +			Code-Snippet,  -			Tutorial, +			Tutorial  	</ul> @@ -370,13 +387,13 @@  		<li>Published On: 2019-12-22 11:10</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Colab, +			Colab,  -			SwiftUI, +			SwiftUI,  -			Turicreate, +			Turicreate  	</ul> @@ -387,11 +404,11 @@  		<li>Published On: 2019-12-16 14:16</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Tensorflow, +			Tensorflow,  -			Colab, +			Colab  	</ul> @@ -402,11 +419,11 @@  		<li>Published On: 2019-12-10 11:10</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Tensorflow, +			Tensorflow,  -			Code-Snippet, +			Code-Snippet  	</ul> @@ -417,11 +434,11 @@  		<li>Published On: 2019-12-08 14:16</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Tensorflow, +			Tensorflow,  -			Colab, +			Colab  	</ul> @@ -432,9 +449,9 @@  		<li>Published On: 2019-12-08 13:27</li>  		<li>Tags:  -			Code-Snippet, +			Code-Snippet,  -			Tutorial, +			Tutorial  	</ul> @@ -445,7 +462,7 @@  		<li>Published On: 2019-12-04 18:23</li>  		<li>Tags:  -			Tutorial, +			Tutorial  	</ul> @@ -456,7 +473,7 @@  		<li>Published On: 2019-05-14 02:42</li>  		<li>Tags:  -			publication, +			publication  	</ul> @@ -467,15 +484,15 @@  		<li>Published On: 2019-05-05 12:34</li>  		<li>Tags:  -			Tutorial, +			Tutorial,  -			Jailbreak, +			Jailbreak,  -			Designing, +			Designing,  -			Snowboard, +			Snowboard,  -			Anemone, +			Anemone  	</ul> @@ -486,7 +503,7 @@  		<li>Published On: 2019-04-16 17:39</li>  		<li>Tags:  -			hello-world, +			hello-world  	</ul> @@ -497,7 +514,7 @@  		<li>Published On: 2010-01-24 23:43</li>  		<li>Tags:  -			Experiment, +			Experiment  	</ul> diff --git a/docs/posts/2010-01-24-experiments.html b/docs/posts/2010-01-24-experiments.html index 68cd6cd..c2caa33 100644 --- a/docs/posts/2010-01-24-experiments.html +++ b/docs/posts/2010-01-24-experiments.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Experiments</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Experiments" /> +    <meta name="og:title" content="Hey - Post - Experiments" /> +    <meta name="description" content=" Just a markdown file for all experiments related to the website " /> +    <meta name="twitter:description" content=" Just a markdown file for all experiments related to the website " /> +    <meta name="og:description" content=" Just a markdown file for all experiments related to the website " /> +    <meta name="twitter:card" content=" Just a markdown file for all experiments related to the website " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -45,6 +47,9 @@  <iframe frameborder="0" class="juxtapose" width="100%" height="675" src="https://cdn.knightlab.com/libs/juxtapose/latest/embed/index.html?uid=c600ff8c-3edc-11ea-b9b8-0edaf8f81e27"></iframe> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-05-05-Custom-Snowboard-Anemone-Theme.html b/docs/posts/2019-05-05-Custom-Snowboard-Anemone-Theme.html index 2dc1315..5f4300c 100644 --- a/docs/posts/2019-05-05-Custom-Snowboard-Anemone-Theme.html +++ b/docs/posts/2019-05-05-Custom-Snowboard-Anemone-Theme.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Creating your own custom theme for Snowboard or Anemone</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Creating your own custom theme for Snowboard or Anemone" /> +    <meta name="og:title" content="Hey - Post - Creating your own custom theme for Snowboard or Anemone" /> +    <meta name="description" content=" Tutorial on creating your own custom theme for Snowboard or Anemone " /> +    <meta name="twitter:description" content=" Tutorial on creating your own custom theme for Snowboard or Anemone " /> +    <meta name="og:description" content=" Tutorial on creating your own custom theme for Snowboard or Anemone " /> +    <meta name="twitter:card" content=" Tutorial on creating your own custom theme for Snowboard or Anemone " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -457,6 +459,9 @@ Section: Themes  <p>You can share this with your friends :+1:</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-12-04-Google-Teachable-Machines.html b/docs/posts/2019-12-04-Google-Teachable-Machines.html index 1cd7897..f92786e 100644 --- a/docs/posts/2019-12-04-Google-Teachable-Machines.html +++ b/docs/posts/2019-12-04-Google-Teachable-Machines.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Image Classifier With Teachable Machines</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Image Classifier With Teachable Machines" /> +    <meta name="og:title" content="Hey - Post - Image Classifier With Teachable Machines" /> +    <meta name="description" content=" Tutorial on creating a custom image classifier quickly with Google Teachable Machines " /> +    <meta name="twitter:description" content=" Tutorial on creating a custom image classifier quickly with Google Teachable Machines " /> +    <meta name="og:description" content=" Tutorial on creating a custom image classifier quickly with Google Teachable Machines " /> +    <meta name="twitter:card" content=" Tutorial on creating a custom image classifier quickly with Google Teachable Machines " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -89,6 +91,9 @@  <p>https://luminous-opinion.glitch.me</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-12-08-Image-Classifier-Tensorflow.html b/docs/posts/2019-12-08-Image-Classifier-Tensorflow.html index 44ce370..b83190d 100644 --- a/docs/posts/2019-12-08-Image-Classifier-Tensorflow.html +++ b/docs/posts/2019-12-08-Image-Classifier-Tensorflow.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Creating a Custom Image Classifier using Tensorflow 2.x and Keras for Detecting Malaria</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Creating a Custom Image Classifier using Tensorflow 2.x and Keras for Detecting Malaria" /> +    <meta name="og:title" content="Hey - Post - Creating a Custom Image Classifier using Tensorflow 2.x and Keras for Detecting Malaria" /> +    <meta name="description" content=" Tutorial on creating an image classifier model using TensorFlow which detects malaria " /> +    <meta name="twitter:description" content=" Tutorial on creating an image classifier model using TensorFlow which detects malaria " /> +    <meta name="og:description" content=" Tutorial on creating an image classifier model using TensorFlow which detects malaria " /> +    <meta name="twitter:card" content=" Tutorial on creating an image classifier model using TensorFlow which detects malaria " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -199,6 +201,9 @@ X_train = X_train/255.0  <p><a rel="noopener" target="_blank" href="https://colab.research.google.com/drive/1ZswDsxLwYZEnev89MzlL5Lwt6ut7iwp-" title="Colab Notebook">Link to Colab Notebook</a></p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-12-08-Splitting-Zips.html b/docs/posts/2019-12-08-Splitting-Zips.html index 3d174f9..72a9176 100644 --- a/docs/posts/2019-12-08-Splitting-Zips.html +++ b/docs/posts/2019-12-08-Splitting-Zips.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Splitting ZIPs into Multiple Parts</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Splitting ZIPs into Multiple Parts" /> +    <meta name="og:title" content="Hey - Post - Splitting ZIPs into Multiple Parts" /> +    <meta name="description" content=" Short code snippet for splitting zips. " /> +    <meta name="twitter:description" content=" Short code snippet for splitting zips. " /> +    <meta name="og:description" content=" Short code snippet for splitting zips. " /> +    <meta name="twitter:card" content=" Short code snippet for splitting zips. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -62,6 +64,9 @@  <div class="codehilite"><pre><span></span><code><span class="nt">zip</span><span class="na"> -F oodlesofnoodles.zip --out merged.zip</span>  </code></pre></div> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-12-10-TensorFlow-Model-Prediction.html b/docs/posts/2019-12-10-TensorFlow-Model-Prediction.html index 9112189..795878b 100644 --- a/docs/posts/2019-12-10-TensorFlow-Model-Prediction.html +++ b/docs/posts/2019-12-10-TensorFlow-Model-Prediction.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Making Predictions using Image Classifier (TensorFlow)</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Making Predictions using Image Classifier (TensorFlow)" /> +    <meta name="og:title" content="Hey - Post - Making Predictions using Image Classifier (TensorFlow)" /> +    <meta name="description" content=" Making predictions for image classification models built using TensorFlow " /> +    <meta name="twitter:description" content=" Making predictions for image classification models built using TensorFlow " /> +    <meta name="og:description" content=" Making predictions for image classification models built using TensorFlow " /> +    <meta name="twitter:card" content=" Making predictions for image classification models built using TensorFlow " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -85,6 +87,9 @@  <p><code>Infected</code></p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-12-16-TensorFlow-Polynomial-Regression.html b/docs/posts/2019-12-16-TensorFlow-Polynomial-Regression.html index 46641c0..a469dd7 100644 --- a/docs/posts/2019-12-16-TensorFlow-Polynomial-Regression.html +++ b/docs/posts/2019-12-16-TensorFlow-Polynomial-Regression.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Polynomial Regression Using TensorFlow</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Polynomial Regression Using TensorFlow" /> +    <meta name="og:title" content="Hey - Post - Polynomial Regression Using TensorFlow" /> +    <meta name="description" content=" Polynomial regression using TensorFlow " /> +    <meta name="twitter:description" content=" Polynomial regression using TensorFlow " /> +    <meta name="og:description" content=" Polynomial regression using TensorFlow " /> +    <meta name="twitter:card" content=" Polynomial regression using TensorFlow " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -519,6 +521,9 @@ values using the X values. We then plot it to compare the actual data and predic  <p>Basically if you train your machine learning model on a small dataset for a really large number of epochs, the model will learn all the deformities/noise in the data and will actually think that it is a normal part. Therefore when it will see some new data, it will discard that new data as noise and will impact the accuracy of the model in a negative manner</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2019-12-22-Fake-News-Detector.html b/docs/posts/2019-12-22-Fake-News-Detector.html index bbf1510..a5158e3 100644 --- a/docs/posts/2019-12-22-Fake-News-Detector.html +++ b/docs/posts/2019-12-22-Fake-News-Detector.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Building a Fake News Detector with Turicreate</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Building a Fake News Detector with Turicreate" /> +    <meta name="og:title" content="Hey - Post - Building a Fake News Detector with Turicreate" /> +    <meta name="description" content=" In this tutorial we will build a fake news detecting app from scratch, using Turicreate for the machine learning model and SwiftUI for building the app " /> +    <meta name="twitter:description" content=" In this tutorial we will build a fake news detecting app from scratch, using Turicreate for the machine learning model and SwiftUI for building the app " /> +    <meta name="og:description" content=" In this tutorial we will build a fake news detecting app from scratch, using Turicreate for the machine learning model and SwiftUI for building the app " /> +    <meta name="twitter:card" content=" In this tutorial we will build a fake news detecting app from scratch, using Turicreate for the machine learning model and SwiftUI for building the app " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -271,6 +273,9 @@ DescriptionThe bag-of-words model is a simplifying representation used in NLP, i  <span class="p">}</span>  </code></pre></div> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-01-14-Converting-between-PIL-NumPy.html b/docs/posts/2020-01-14-Converting-between-PIL-NumPy.html index bd265ce..e8b802f 100644 --- a/docs/posts/2020-01-14-Converting-between-PIL-NumPy.html +++ b/docs/posts/2020-01-14-Converting-between-PIL-NumPy.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Converting between image and NumPy array</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Converting between image and NumPy array" /> +    <meta name="og:title" content="Hey - Post - Converting between image and NumPy array" /> +    <meta name="description" content=" Short code snippet for converting between PIL image and NumPy arrays. " /> +    <meta name="twitter:description" content=" Short code snippet for converting between PIL image and NumPy arrays. " /> +    <meta name="og:description" content=" Short code snippet for converting between PIL image and NumPy arrays. " /> +    <meta name="twitter:card" content=" Short code snippet for converting between PIL image and NumPy arrays. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -61,6 +63,9 @@      <span class="n">img</span><span class="o">.</span><span class="n">save</span><span class="p">(</span><span class="n">destination</span><span class="p">,</span> <span class="s2">"JPEG"</span><span class="p">,</span> <span class="n">quality</span><span class="o">=</span><span class="mi">80</span><span class="p">,</span> <span class="n">optimize</span><span class="o">=</span><span class="kc">True</span><span class="p">,</span> <span class="n">progressive</span><span class="o">=</span><span class="kc">True</span><span class="p">)</span>  </code></pre></div> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-01-15-Setting-up-Kaggle-to-use-with-Colab.html b/docs/posts/2020-01-15-Setting-up-Kaggle-to-use-with-Colab.html index 4059ea9..5675502 100644 --- a/docs/posts/2020-01-15-Setting-up-Kaggle-to-use-with-Colab.html +++ b/docs/posts/2020-01-15-Setting-up-Kaggle-to-use-with-Colab.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Setting up Kaggle to use with Google Colab</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Setting up Kaggle to use with Google Colab" /> +    <meta name="og:title" content="Hey - Post - Setting up Kaggle to use with Google Colab" /> +    <meta name="description" content=" Tutorial on setting up kaggle, to use with Google Colab " /> +    <meta name="twitter:description" content=" Tutorial on setting up kaggle, to use with Google Colab " /> +    <meta name="og:description" content=" Tutorial on setting up kaggle, to use with Google Colab " /> +    <meta name="twitter:card" content=" Tutorial on setting up kaggle, to use with Google Colab " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -81,6 +83,9 @@  <p>Voila! You can now download Kaggle datasets</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-01-16-Image-Classifier-Using-Turicreate.html b/docs/posts/2020-01-16-Image-Classifier-Using-Turicreate.html index e143271..a9f60ea 100644 --- a/docs/posts/2020-01-16-Image-Classifier-Using-Turicreate.html +++ b/docs/posts/2020-01-16-Image-Classifier-Using-Turicreate.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Creating a Custom Image Classifier using Turicreate to detect Smoke and Fire</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Creating a Custom Image Classifier using Turicreate to detect Smoke and Fire" /> +    <meta name="og:title" content="Hey - Post - Creating a Custom Image Classifier using Turicreate to detect Smoke and Fire" /> +    <meta name="description" content=" Tutorial on creating a custom Image Classifier using Turicreate and a dataset from Kaggle " /> +    <meta name="twitter:description" content=" Tutorial on creating a custom Image Classifier using Turicreate and a dataset from Kaggle " /> +    <meta name="og:description" content=" Tutorial on creating a custom Image Classifier using Turicreate and a dataset from Kaggle " /> +    <meta name="twitter:card" content=" Tutorial on creating a custom Image Classifier using Turicreate and a dataset from Kaggle " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -285,6 +287,9 @@  <p>We just got an accuracy of 94% on Training Data and 97% on Validation Data!</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-01-19-Connect-To-Bluetooth-Devices-Linux-Terminal.html b/docs/posts/2020-01-19-Connect-To-Bluetooth-Devices-Linux-Terminal.html index 6d6ec1a..f915e48 100644 --- a/docs/posts/2020-01-19-Connect-To-Bluetooth-Devices-Linux-Terminal.html +++ b/docs/posts/2020-01-19-Connect-To-Bluetooth-Devices-Linux-Terminal.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - How to setup Bluetooth on a Raspberry Pi</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - How to setup Bluetooth on a Raspberry Pi" /> +    <meta name="og:title" content="Hey - Post - How to setup Bluetooth on a Raspberry Pi" /> +    <meta name="description" content=" Connecting to Bluetooth Devices using terminal, tested on Raspberry Pi Zero W " /> +    <meta name="twitter:description" content=" Connecting to Bluetooth Devices using terminal, tested on Raspberry Pi Zero W " /> +    <meta name="og:description" content=" Connecting to Bluetooth Devices using terminal, tested on Raspberry Pi Zero W " /> +    <meta name="twitter:card" content=" Connecting to Bluetooth Devices using terminal, tested on Raspberry Pi Zero W " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -61,6 +63,9 @@  <p>To Exit out of bluetoothctl anytime, just type exit </p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-03-03-Playing-With-Android-TV.html b/docs/posts/2020-03-03-Playing-With-Android-TV.html index 0f5d425..1e854f9 100644 --- a/docs/posts/2020-03-03-Playing-With-Android-TV.html +++ b/docs/posts/2020-03-03-Playing-With-Android-TV.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Tinkering with an Android TV</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Tinkering with an Android TV" /> +    <meta name="og:title" content="Hey - Post - Tinkering with an Android TV" /> +    <meta name="description" content=" Tinkering with an Android TV " /> +    <meta name="twitter:description" content=" Tinkering with an Android TV " /> +    <meta name="og:description" content=" Tinkering with an Android TV " /> +    <meta name="twitter:card" content=" Tinkering with an Android TV " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -112,6 +114,9 @@  <li><code>adb uninstall com.company.yourpackagename</code></li>  </ul> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-03-08-Making-Vaporwave-Track.html b/docs/posts/2020-03-08-Making-Vaporwave-Track.html index fffed7d..01b39d2 100644 --- a/docs/posts/2020-03-08-Making-Vaporwave-Track.html +++ b/docs/posts/2020-03-08-Making-Vaporwave-Track.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Making My First Vaporwave Track (Remix)</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Making My First Vaporwave Track (Remix)" /> +    <meta name="og:title" content="Hey - Post - Making My First Vaporwave Track (Remix)" /> +    <meta name="description" content=" I made my first vaporwave remix " /> +    <meta name="twitter:description" content=" I made my first vaporwave remix " /> +    <meta name="og:description" content=" I made my first vaporwave remix " /> +    <meta name="twitter:card" content=" I made my first vaporwave remix " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -71,6 +73,9 @@  <p>The fact that there are steps on producing Vaporwave, this gave me the idea that Vaporwave can actually be made using programming, stay tuned for when I publish the program which I am working on ( Generating A E S T H E T I C artwork and remixes)</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-04-13-Fixing-X11-Error-AmberTools-macOS.html b/docs/posts/2020-04-13-Fixing-X11-Error-AmberTools-macOS.html index e507347..89203c2 100644 --- a/docs/posts/2020-04-13-Fixing-X11-Error-AmberTools-macOS.html +++ b/docs/posts/2020-04-13-Fixing-X11-Error-AmberTools-macOS.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Fixing X11 Error on macOS Catalina for AmberTools 18/19</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Fixing X11 Error on macOS Catalina for AmberTools 18/19" /> +    <meta name="og:title" content="Hey - Post - Fixing X11 Error on macOS Catalina for AmberTools 18/19" /> +    <meta name="description" content=" Fixing Could not find the X11 libraries; you may need to edit config.h, AmberTools macOS Catalina " /> +    <meta name="twitter:description" content=" Fixing Could not find the X11 libraries; you may need to edit config.h, AmberTools macOS Catalina " /> +    <meta name="og:description" content=" Fixing Could not find the X11 libraries; you may need to edit config.h, AmberTools macOS Catalina " /> +    <meta name="twitter:card" content=" Fixing Could not find the X11 libraries; you may need to edit config.h, AmberTools macOS Catalina " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -70,6 +72,9 @@ Configure failed due to the errors above!  <p>If you do not have XQuartz installed, you need to run <code>brew cask install xquartz</code></p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-05-31-compiling-open-babel-on-ios.html b/docs/posts/2020-05-31-compiling-open-babel-on-ios.html index f849418..a631c17 100644 --- a/docs/posts/2020-05-31-compiling-open-babel-on-ios.html +++ b/docs/posts/2020-05-31-compiling-open-babel-on-ios.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Compiling Open Babel on iOS</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Compiling Open Babel on iOS" /> +    <meta name="og:title" content="Hey - Post - Compiling Open Babel on iOS" /> +    <meta name="description" content=" Compiling Open Babel on iOS " /> +    <meta name="twitter:description" content=" Compiling Open Babel on iOS " /> +    <meta name="og:description" content=" Compiling Open Babel on iOS " /> +    <meta name="twitter:card" content=" Compiling Open Babel on iOS " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -156,6 +158,9 @@ export BABEL_LIBDIR="/usr/lib/openbabel/3.1.0"  <p>Edit 1: Added Screenshots, had to replicate the errors.</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-06-01-Speeding-Up-Molecular-Docking-Workflow-AutoDock-Vina-and-PyMOL.html b/docs/posts/2020-06-01-Speeding-Up-Molecular-Docking-Workflow-AutoDock-Vina-and-PyMOL.html index 470b465..ad72e96 100644 --- a/docs/posts/2020-06-01-Speeding-Up-Molecular-Docking-Workflow-AutoDock-Vina-and-PyMOL.html +++ b/docs/posts/2020-06-01-Speeding-Up-Molecular-Docking-Workflow-AutoDock-Vina-and-PyMOL.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Workflow for Lightning Fast Molecular Docking Part One</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Workflow for Lightning Fast Molecular Docking Part One" /> +    <meta name="og:title" content="Hey - Post - Workflow for Lightning Fast Molecular Docking Part One" /> +    <meta name="description" content=" This is my workflow for lightning fast molecular docking. " /> +    <meta name="twitter:description" content=" This is my workflow for lightning fast molecular docking. " /> +    <meta name="og:description" content=" This is my workflow for lightning fast molecular docking. " /> +    <meta name="twitter:card" content=" This is my workflow for lightning fast molecular docking. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -85,6 +87,9 @@ alias pbpaste='xclip -selection clipboard -o'  <p>This is just the docking command for AutoDock Vina. In the next part I will tell how to use PyMOL and a plugin to directly generate the coordinates in Vina format <code>--center_x -9.7 --center_y 11.4 --center_z 68.9 --size_x 19.3 --size_y 29.9 --size_z 21.3</code> without needing to type them manually.</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-06-02-Compiling-AutoDock-Vina-on-iOS.html b/docs/posts/2020-06-02-Compiling-AutoDock-Vina-on-iOS.html index 4de931b..63bd2d2 100644 --- a/docs/posts/2020-06-02-Compiling-AutoDock-Vina-on-iOS.html +++ b/docs/posts/2020-06-02-Compiling-AutoDock-Vina-on-iOS.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Compiling AutoDock Vina on iOS</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Compiling AutoDock Vina on iOS" /> +    <meta name="og:title" content="Hey - Post - Compiling AutoDock Vina on iOS" /> +    <meta name="description" content=" Compiling AutoDock Vina on iOS " /> +    <meta name="twitter:description" content=" Compiling AutoDock Vina on iOS " /> +    <meta name="og:description" content=" Compiling AutoDock Vina on iOS " /> +    <meta name="twitter:card" content=" Compiling AutoDock Vina on iOS " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -122,6 +124,9 @@ return path(str, boost::filesystem::native);  <p>The package is available on my repository and only depends on boost. ( Both, Vina and Vina-Split are part of the package)</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-07-01-Install-rdkit-colab.html b/docs/posts/2020-07-01-Install-rdkit-colab.html index 52e9fa2..bf1da97 100644 --- a/docs/posts/2020-07-01-Install-rdkit-colab.html +++ b/docs/posts/2020-07-01-Install-rdkit-colab.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Installing RDKit on Google Colab</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Installing RDKit on Google Colab" /> +    <meta name="og:title" content="Hey - Post - Installing RDKit on Google Colab" /> +    <meta name="description" content=" Install RDKit on Google Colab with one code snippet. " /> +    <meta name="twitter:description" content=" Install RDKit on Google Colab with one code snippet. " /> +    <meta name="og:description" content=" Install RDKit on Google Colab with one code snippet. " /> +    <meta name="twitter:card" content=" Install RDKit on Google Colab with one code snippet. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -141,6 +143,9 @@      <span class="n">install</span><span class="p">()</span>  </code></pre></div> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-08-01-Natural-Feature-Tracking-ARJS.html b/docs/posts/2020-08-01-Natural-Feature-Tracking-ARJS.html index f45c229..711b3ea 100644 --- a/docs/posts/2020-08-01-Natural-Feature-Tracking-ARJS.html +++ b/docs/posts/2020-08-01-Natural-Feature-Tracking-ARJS.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Introduction to AR.js and Natural Feature Tracking</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Introduction to AR.js and Natural Feature Tracking" /> +    <meta name="og:title" content="Hey - Post - Introduction to AR.js and Natural Feature Tracking" /> +    <meta name="description" content=" An introduction to AR.js and NFT " /> +    <meta name="twitter:description" content=" An introduction to AR.js and NFT " /> +    <meta name="og:description" content=" An introduction to AR.js and NFT " /> +    <meta name="twitter:card" content=" An introduction to AR.js and NFT " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -316,6 +318,9 @@ Serving HTTP on 0.0.0.0 port 8000 ...  <p><img src="/assets/posts/arjs/05-GitHub.jpg" alt="" /></p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-10-11-macOS-Virtual-Cam-OBS.html b/docs/posts/2020-10-11-macOS-Virtual-Cam-OBS.html index f354cbd..7a663e8 100644 --- a/docs/posts/2020-10-11-macOS-Virtual-Cam-OBS.html +++ b/docs/posts/2020-10-11-macOS-Virtual-Cam-OBS.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Trying Different Camera Setups</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Trying Different Camera Setups" /> +    <meta name="og:title" content="Hey - Post - Trying Different Camera Setups" /> +    <meta name="description" content=" Comparison of different cameras setups for using as a webcam and tutorials for the same. " /> +    <meta name="twitter:description" content=" Comparison of different cameras setups for using as a webcam and tutorials for the same. " /> +    <meta name="og:description" content=" Comparison of different cameras setups for using as a webcam and tutorials for the same. " /> +    <meta name="twitter:card" content=" Comparison of different cameras setups for using as a webcam and tutorials for the same. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -147,6 +149,9 @@ new Dics({  });  </script> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-11-17-Lets-Encrypt-DuckDns.html b/docs/posts/2020-11-17-Lets-Encrypt-DuckDns.html index 063e1fb..b58d0fc 100644 --- a/docs/posts/2020-11-17-Lets-Encrypt-DuckDns.html +++ b/docs/posts/2020-11-17-Lets-Encrypt-DuckDns.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Generating HTTPS Certificate using DNS a Challenge through Let's Encrypt</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Generating HTTPS Certificate using DNS a Challenge through Let's Encrypt" /> +    <meta name="og:title" content="Hey - Post - Generating HTTPS Certificate using DNS a Challenge through Let's Encrypt" /> +    <meta name="description" content=" Short code-snippet to generate HTTPS certificates using the DNS Challenge through Lets Encrypt for a web-server using DuckDNS. " /> +    <meta name="twitter:description" content=" Short code-snippet to generate HTTPS certificates using the DNS Challenge through Lets Encrypt for a web-server using DuckDNS. " /> +    <meta name="og:description" content=" Short code-snippet to generate HTTPS certificates using the DNS Challenge through Lets Encrypt for a web-server using DuckDNS. " /> +    <meta name="twitter:card" content=" Short code-snippet to generate HTTPS certificates using the DNS Challenge through Lets Encrypt for a web-server using DuckDNS. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -107,6 +109,9 @@ navanspi.duckdns.org.    <span class="m">60</span>    IN    TXT    <span class="  <p>Caveats with copying the certificate: If you renew the certificate you will have to re-copy the files</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2020-12-1-HTML-JS-RSS-Feed.html b/docs/posts/2020-12-1-HTML-JS-RSS-Feed.html index 6e9c357..2f6f70c 100644 --- a/docs/posts/2020-12-1-HTML-JS-RSS-Feed.html +++ b/docs/posts/2020-12-1-HTML-JS-RSS-Feed.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - RSS Feed written in HTML + JavaScript</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - RSS Feed written in HTML + JavaScript" /> +    <meta name="og:title" content="Hey - Post - RSS Feed written in HTML + JavaScript" /> +    <meta name="description" content=" Short code-snippet for an RSS feed, written in HTML and JavaScript " /> +    <meta name="twitter:description" content=" Short code-snippet for an RSS feed, written in HTML and JavaScript " /> +    <meta name="og:description" content=" Short code-snippet for an RSS feed, written in HTML and JavaScript " /> +    <meta name="twitter:card" content=" Short code-snippet for an RSS feed, written in HTML and JavaScript " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -240,6 +242,9 @@  <span class="p"></</span><span class="nt">body</span><span class="p">></</span><span class="nt">html</span><span class="p">></span>  </code></pre></div> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2021-06-25-Blog2Twitter-P1.html b/docs/posts/2021-06-25-Blog2Twitter-P1.html index 6950bae..6d92c75 100644 --- a/docs/posts/2021-06-25-Blog2Twitter-P1.html +++ b/docs/posts/2021-06-25-Blog2Twitter-P1.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Posting Blog Posts as Twitter Threads Part 1/n</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Posting Blog Posts as Twitter Threads Part 1/n" /> +    <meta name="og:title" content="Hey - Post - Posting Blog Posts as Twitter Threads Part 1/n" /> +    <meta name="description" content=" Converting Posts to Twitter Threads " /> +    <meta name="twitter:description" content=" Converting Posts to Twitter Threads " /> +    <meta name="og:description" content=" Converting Posts to Twitter Threads " /> +    <meta name="twitter:card" content=" Converting Posts to Twitter Threads " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -134,6 +136,9 @@ I am not handling lists or images right now.</p>  <p>For the next part, I will try to append the code as well.   I actually added the code to this post after running the program.</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2021-06-25-NFC-Music-Cards-Basic-iOS.html b/docs/posts/2021-06-25-NFC-Music-Cards-Basic-iOS.html index 732ac68..d2d5e13 100644 --- a/docs/posts/2021-06-25-NFC-Music-Cards-Basic-iOS.html +++ b/docs/posts/2021-06-25-NFC-Music-Cards-Basic-iOS.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Basic NFC Music Cards for iOS</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Basic NFC Music Cards for iOS" /> +    <meta name="og:title" content="Hey - Post - Basic NFC Music Cards for iOS" /> +    <meta name="description" content=" Basic NFC Music Cards on iOS with Shortcuts " /> +    <meta name="twitter:description" content=" Basic NFC Music Cards on iOS with Shortcuts " /> +    <meta name="og:description" content=" Basic NFC Music Cards on iOS with Shortcuts " /> +    <meta name="twitter:card" content=" Basic NFC Music Cards on iOS with Shortcuts " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -68,6 +70,9 @@ So, I did not have to ensure this could work with any device. I settled with usi  <iframe width="560" height="315" src="https://www.youtube.com/embed/pV5EPujEI-Y" title="YouTube video player" frameborder="0" allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture" allowfullscreen></iframe> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2021-06-26-Cheminformatics-On-The-Web-2021.html b/docs/posts/2021-06-26-Cheminformatics-On-The-Web-2021.html index 3324928..1743268 100644 --- a/docs/posts/2021-06-26-Cheminformatics-On-The-Web-2021.html +++ b/docs/posts/2021-06-26-Cheminformatics-On-The-Web-2021.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Cheminformatics on the Web (2021)</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Cheminformatics on the Web (2021)" /> +    <meta name="og:title" content="Hey - Post - Cheminformatics on the Web (2021)" /> +    <meta name="description" content=" Summarising Cheminformatics on the web in 2021. " /> +    <meta name="twitter:description" content=" Summarising Cheminformatics on the web in 2021. " /> +    <meta name="og:description" content=" Summarising Cheminformatics on the web in 2021. " /> +    <meta name="twitter:card" content=" Summarising Cheminformatics on the web in 2021. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -121,6 +123,9 @@ Hopefully, this encourages you to explore the world of cheminformatics on the we  <p><a rel="noopener" target="_blank" href="https://unpkg.com/@rdkit/rdkit@2021.3.3/Code/MinimalLib/dist/GettingStartedInJS.html">Getting Started with RDKit-JS</a></p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2021-06-27-Crude-ML-AI-Powered-Chatbot-Swift.html b/docs/posts/2021-06-27-Crude-ML-AI-Powered-Chatbot-Swift.html index 50c74a2..0eea323 100644 --- a/docs/posts/2021-06-27-Crude-ML-AI-Powered-Chatbot-Swift.html +++ b/docs/posts/2021-06-27-Crude-ML-AI-Powered-Chatbot-Swift.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Making a Crude ML Powered Chatbot in Swift using CoreML</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Making a Crude ML Powered Chatbot in Swift using CoreML" /> +    <meta name="og:title" content="Hey - Post - Making a Crude ML Powered Chatbot in Swift using CoreML" /> +    <meta name="description" content=" Writing a simple Machine-Learning powered Chatbot (or, daresay virtual personal assistant ) in Swift using CoreML. " /> +    <meta name="twitter:description" content=" Writing a simple Machine-Learning powered Chatbot (or, daresay virtual personal assistant ) in Swift using CoreML. " /> +    <meta name="og:description" content=" Writing a simple Machine-Learning powered Chatbot (or, daresay virtual personal assistant ) in Swift using CoreML. " /> +    <meta name="twitter:card" content=" Writing a simple Machine-Learning powered Chatbot (or, daresay virtual personal assistant ) in Swift using CoreML. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -206,6 +208,9 @@ Otherwise, it calls the custom action.</p>  <p>If I ever release a part-2, it will either be about implementing this in Tensorflow.JS or an iOS app using SwiftUI ;)</p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/2022-05-21-Similar-Movies-Recommender.html b/docs/posts/2022-05-21-Similar-Movies-Recommender.html new file mode 100644 index 0000000..2c0b488 --- /dev/null +++ b/docs/posts/2022-05-21-Similar-Movies-Recommender.html @@ -0,0 +1,443 @@ +<!DOCTYPE html> +<html lang="en"> +<head> +     +    <link rel="stylesheet" href="/assets/main.css" /> +    <link rel="stylesheet" href="/assets/sakura.css" /> +    <meta charset="utf-8"> +    <meta name="viewport" content="width=device-width, initial-scale=1.0"> +    <title>Hey - Post - Building a Similar Movies Recommendation System</title> +    <meta name="og:site_name" content="Navan Chauhan" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Building a Similar Movies Recommendation System" /> +    <meta name="og:title" content="Hey - Post - Building a Similar Movies Recommendation System" /> +    <meta name="description" content=" Building a Content Based Similar Movies Recommendatiom System " /> +    <meta name="twitter:description" content=" Building a Content Based Similar Movies Recommendatiom System " /> +    <meta name="og:description" content=" Building a Content Based Similar Movies Recommendatiom System " /> +    <meta name="twitter:card" content=" Building a Content Based Similar Movies Recommendatiom System " /> +    <meta name="viewport" content="width=device-width, initial-scale=1.0" /> +    <link rel="shortcut icon" href="/images/favicon.png" type="image/png" /> +    <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" /> +    <link rel="manifest" href="manifest.json" /> +    <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" /> +    <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script> +     +</head> +<body> +    <nav style="display: block;"> +| +<a href="/">home</a> | +<a href="/about/">about/links</a> | +<a href="/posts/">posts</a> | +<a href="/publications/">publications</a> | +<a href="/repo/">iOS repo</a> | +<a href="/feed.rss">RSS Feed</a> | +</nav> +     +<main> +	<h1>Building a Similar Movies Recommendation System</h1> + +<h2>Why?</h2> + +<p>I recently came across a movie/tv-show recommender, <a rel="noopener" target="_blank" href="https://couchmoney.tv/">couchmoney.tv</a>. I loved it. I decided that I wanted to build something similar, so I could tinker with it as much as I wanted.</p> + +<p>I also wanted a recommendation system I could use via a REST API. Although I have not included that part in this post, I did eventually create it.</p> + +<h2>How?</h2> + +<p>By measuring the cosine of the angle between two vectors, you can get a value in the range [0,1] with 0 meaning no similarity. Now, if we find a way to represent information about movies as a vector, we can use cosine similarity as a metric to find similar movies.</p> + +<p>As we are recommending just based on the content of the movies, this is called a content based recommendation system.</p> + +<h2>Data Collection</h2> + +<p>Trakt exposes a nice API to search for movies/tv-shows. To access the API, you first need to get an API key (the Trakt ID you get when you create a new application). </p> + +<p>I decided to use SQL-Alchemy with a SQLite backend just to make my life easier if I decided on switching to Postgres anytime I felt like. </p> + +<p>First, I needed to check the total number of records in Trakt’s database.</p> + +<div class="codehilite"><pre><span></span><code><span class="kn">import</span> <span class="nn">requests</span> +<span class="kn">import</span> <span class="nn">os</span> + +<span class="n">trakt_id</span> <span class="o">=</span> <span class="n">os</span><span class="o">.</span><span class="n">getenv</span><span class="p">(</span><span class="s2">"TRAKT_ID"</span><span class="p">)</span> + +<span class="n">api_base</span> <span class="o">=</span> <span class="s2">"https://api.trakt.tv"</span> + +<span class="n">headers</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"Content-Type"</span><span class="p">:</span> <span class="s2">"application/json"</span><span class="p">,</span> +    <span class="s2">"trakt-api-version"</span><span class="p">:</span> <span class="s2">"2"</span><span class="p">,</span> +    <span class="s2">"trakt-api-key"</span><span class="p">:</span> <span class="n">trakt_id</span> +<span class="p">}</span> + +<span class="n">params</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"query"</span><span class="p">:</span> <span class="s2">""</span><span class="p">,</span> +    <span class="s2">"years"</span><span class="p">:</span> <span class="s2">"1900-2021"</span><span class="p">,</span> +    <span class="s2">"page"</span><span class="p">:</span> <span class="s2">"1"</span><span class="p">,</span> +    <span class="s2">"extended"</span><span class="p">:</span> <span class="s2">"full"</span><span class="p">,</span> +    <span class="s2">"languages"</span><span class="p">:</span> <span class="s2">"en"</span> +<span class="p">}</span> + +<span class="n">res</span> <span class="o">=</span> <span class="n">requests</span><span class="o">.</span><span class="n">get</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">api_base</span><span class="si">}</span><span class="s2">/search/movie"</span><span class="p">,</span><span class="n">headers</span><span class="o">=</span><span class="n">headers</span><span class="p">,</span><span class="n">params</span><span class="o">=</span><span class="n">params</span><span class="p">)</span> +<span class="n">total_items</span> <span class="o">=</span> <span class="n">res</span><span class="o">.</span><span class="n">headers</span><span class="p">[</span><span class="s2">"x-pagination-item-count"</span><span class="p">]</span> +<span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"There are </span><span class="si">{</span><span class="n">total_items</span><span class="si">}</span><span class="s2"> movies"</span><span class="p">)</span> +</code></pre></div> + +<pre><code>There are 333946 movies +</code></pre> + +<p>First, I needed to declare the database schema in (<code>database.py</code>):</p> + +<div class="codehilite"><pre><span></span><code><span class="kn">import</span> <span class="nn">sqlalchemy</span> +<span class="kn">from</span> <span class="nn">sqlalchemy</span> <span class="kn">import</span> <span class="n">create_engine</span> +<span class="kn">from</span> <span class="nn">sqlalchemy</span> <span class="kn">import</span> <span class="n">Table</span><span class="p">,</span> <span class="n">Column</span><span class="p">,</span> <span class="n">Integer</span><span class="p">,</span> <span class="n">String</span><span class="p">,</span> <span class="n">MetaData</span><span class="p">,</span> <span class="n">ForeignKey</span><span class="p">,</span> <span class="n">PickleType</span> +<span class="kn">from</span> <span class="nn">sqlalchemy</span> <span class="kn">import</span> <span class="n">insert</span> +<span class="kn">from</span> <span class="nn">sqlalchemy.orm</span> <span class="kn">import</span> <span class="n">sessionmaker</span> +<span class="kn">from</span> <span class="nn">sqlalchemy.exc</span> <span class="kn">import</span> <span class="n">IntegrityError</span> + +<span class="n">meta</span> <span class="o">=</span> <span class="n">MetaData</span><span class="p">()</span> + +<span class="n">movies_table</span> <span class="o">=</span> <span class="n">Table</span><span class="p">(</span> +    <span class="s2">"movies"</span><span class="p">,</span> +    <span class="n">meta</span><span class="p">,</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"trakt_id"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">,</span> <span class="n">primary_key</span><span class="o">=</span><span class="kc">True</span><span class="p">,</span> <span class="n">autoincrement</span><span class="o">=</span><span class="kc">False</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"title"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"overview"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"genres"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"year"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"released"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"runtime"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"country"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"language"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"rating"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"votes"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"comment_count"</span><span class="p">,</span> <span class="n">Integer</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"tagline"</span><span class="p">,</span> <span class="n">String</span><span class="p">),</span> +    <span class="n">Column</span><span class="p">(</span><span class="s2">"embeddings"</span><span class="p">,</span> <span class="n">PickleType</span><span class="p">)</span> + +<span class="p">)</span> + +<span class="c1"># Helper function to connect to the db</span> +<span class="k">def</span> <span class="nf">init_db_stuff</span><span class="p">(</span><span class="n">database_url</span><span class="p">:</span> <span class="nb">str</span><span class="p">):</span> +    <span class="n">engine</span> <span class="o">=</span> <span class="n">create_engine</span><span class="p">(</span><span class="n">database_url</span><span class="p">)</span> +    <span class="n">meta</span><span class="o">.</span><span class="n">create_all</span><span class="p">(</span><span class="n">engine</span><span class="p">)</span> +    <span class="n">Session</span> <span class="o">=</span> <span class="n">sessionmaker</span><span class="p">(</span><span class="n">bind</span><span class="o">=</span><span class="n">engine</span><span class="p">)</span> +    <span class="k">return</span> <span class="n">engine</span><span class="p">,</span> <span class="n">Session</span> +</code></pre></div> + +<p>In the end, I could have dropped the embeddings field from the table schema as I never got around to using it.</p> + +<h3>Scripting Time</h3> + +<div class="codehilite"><pre><span></span><code><span class="kn">from</span> <span class="nn">database</span> <span class="kn">import</span> <span class="o">*</span> +<span class="kn">from</span> <span class="nn">tqdm</span> <span class="kn">import</span> <span class="n">tqdm</span> +<span class="kn">import</span> <span class="nn">requests</span> +<span class="kn">import</span> <span class="nn">os</span> + +<span class="n">trakt_id</span> <span class="o">=</span> <span class="n">os</span><span class="o">.</span><span class="n">getenv</span><span class="p">(</span><span class="s2">"TRAKT_ID"</span><span class="p">)</span> + +<span class="n">max_requests</span> <span class="o">=</span> <span class="mi">5000</span> <span class="c1"># How many requests I wanted to wrap everything up in</span> +<span class="n">req_count</span> <span class="o">=</span> <span class="mi">0</span> <span class="c1"># A counter for how many requests I have made</span> + +<span class="n">years</span> <span class="o">=</span> <span class="s2">"1900-2021"</span>  +<span class="n">page</span> <span class="o">=</span> <span class="mi">1</span> <span class="c1"># The initial page number for the search</span> +<span class="n">extended</span> <span class="o">=</span> <span class="s2">"full"</span> <span class="c1"># Required to get additional information </span> +<span class="n">limit</span> <span class="o">=</span> <span class="s2">"10"</span> <span class="c1"># No of entires per request -- This will be automatically picked based on max_requests</span> +<span class="n">languages</span> <span class="o">=</span> <span class="s2">"en"</span> <span class="c1"># Limit to English</span> + +<span class="n">api_base</span> <span class="o">=</span> <span class="s2">"https://api.trakt.tv"</span> +<span class="n">database_url</span> <span class="o">=</span> <span class="s2">"sqlite:///jlm.db"</span> + +<span class="n">headers</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"Content-Type"</span><span class="p">:</span> <span class="s2">"application/json"</span><span class="p">,</span> +    <span class="s2">"trakt-api-version"</span><span class="p">:</span> <span class="s2">"2"</span><span class="p">,</span> +    <span class="s2">"trakt-api-key"</span><span class="p">:</span> <span class="n">trakt_id</span> +<span class="p">}</span> + +<span class="n">params</span> <span class="o">=</span> <span class="p">{</span> +    <span class="s2">"query"</span><span class="p">:</span> <span class="s2">""</span><span class="p">,</span> +    <span class="s2">"years"</span><span class="p">:</span> <span class="n">years</span><span class="p">,</span> +    <span class="s2">"page"</span><span class="p">:</span> <span class="n">page</span><span class="p">,</span> +    <span class="s2">"extended"</span><span class="p">:</span> <span class="n">extended</span><span class="p">,</span> +    <span class="s2">"limit"</span><span class="p">:</span> <span class="n">limit</span><span class="p">,</span> +    <span class="s2">"languages"</span><span class="p">:</span> <span class="n">languages</span> +<span class="p">}</span> + +<span class="c1"># Helper function to get desirable values from the response</span> +<span class="k">def</span> <span class="nf">create_movie_dict</span><span class="p">(</span><span class="n">movie</span><span class="p">:</span> <span class="nb">dict</span><span class="p">):</span> +    <span class="n">m</span> <span class="o">=</span> <span class="n">movie</span><span class="p">[</span><span class="s2">"movie"</span><span class="p">]</span> +    <span class="n">movie_dict</span> <span class="o">=</span> <span class="p">{</span> +        <span class="s2">"title"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"title"</span><span class="p">],</span> +        <span class="s2">"overview"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"overview"</span><span class="p">],</span> +        <span class="s2">"genres"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"genres"</span><span class="p">],</span> +        <span class="s2">"language"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"language"</span><span class="p">],</span> +        <span class="s2">"year"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"year"</span><span class="p">]),</span> +        <span class="s2">"trakt_id"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"ids"</span><span class="p">][</span><span class="s2">"trakt"</span><span class="p">],</span> +        <span class="s2">"released"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"released"</span><span class="p">],</span> +        <span class="s2">"runtime"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"runtime"</span><span class="p">]),</span> +        <span class="s2">"country"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"country"</span><span class="p">],</span> +        <span class="s2">"rating"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"rating"</span><span class="p">]),</span> +        <span class="s2">"votes"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"votes"</span><span class="p">]),</span> +        <span class="s2">"comment_count"</span><span class="p">:</span> <span class="nb">int</span><span class="p">(</span><span class="n">m</span><span class="p">[</span><span class="s2">"comment_count"</span><span class="p">]),</span> +        <span class="s2">"tagline"</span><span class="p">:</span> <span class="n">m</span><span class="p">[</span><span class="s2">"tagline"</span><span class="p">]</span> +    <span class="p">}</span> +    <span class="k">return</span> <span class="n">movie_dict</span> + +<span class="c1"># Get total number of items</span> +<span class="n">params</span><span class="p">[</span><span class="s2">"limit"</span><span class="p">]</span> <span class="o">=</span> <span class="mi">1</span> +<span class="n">res</span> <span class="o">=</span> <span class="n">requests</span><span class="o">.</span><span class="n">get</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">api_base</span><span class="si">}</span><span class="s2">/search/movie"</span><span class="p">,</span><span class="n">headers</span><span class="o">=</span><span class="n">headers</span><span class="p">,</span><span class="n">params</span><span class="o">=</span><span class="n">params</span><span class="p">)</span> +<span class="n">total_items</span> <span class="o">=</span> <span class="n">res</span><span class="o">.</span><span class="n">headers</span><span class="p">[</span><span class="s2">"x-pagination-item-count"</span><span class="p">]</span> + +<span class="n">engine</span><span class="p">,</span> <span class="n">Session</span> <span class="o">=</span> <span class="n">init_db_stuff</span><span class="p">(</span><span class="n">database_url</span><span class="p">)</span> + + +<span class="k">for</span> <span class="n">page</span> <span class="ow">in</span> <span class="n">tqdm</span><span class="p">(</span><span class="nb">range</span><span class="p">(</span><span class="mi">1</span><span class="p">,</span><span class="n">max_requests</span><span class="o">+</span><span class="mi">1</span><span class="p">)):</span> +    <span class="n">params</span><span class="p">[</span><span class="s2">"page"</span><span class="p">]</span> <span class="o">=</span> <span class="n">page</span> +    <span class="n">params</span><span class="p">[</span><span class="s2">"limit"</span><span class="p">]</span> <span class="o">=</span> <span class="nb">int</span><span class="p">(</span><span class="nb">int</span><span class="p">(</span><span class="n">total_items</span><span class="p">)</span><span class="o">/</span><span class="n">max_requests</span><span class="p">)</span> +    <span class="n">movies</span> <span class="o">=</span> <span class="p">[]</span> +    <span class="n">res</span> <span class="o">=</span> <span class="n">requests</span><span class="o">.</span><span class="n">get</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">api_base</span><span class="si">}</span><span class="s2">/search/movie"</span><span class="p">,</span><span class="n">headers</span><span class="o">=</span><span class="n">headers</span><span class="p">,</span><span class="n">params</span><span class="o">=</span><span class="n">params</span><span class="p">)</span> + +    <span class="k">if</span> <span class="n">res</span><span class="o">.</span><span class="n">status_code</span> <span class="o">==</span> <span class="mi">500</span><span class="p">:</span> +        <span class="k">break</span> +    <span class="k">elif</span> <span class="n">res</span><span class="o">.</span><span class="n">status_code</span> <span class="o">==</span> <span class="mi">200</span><span class="p">:</span> +        <span class="kc">None</span> +    <span class="k">else</span><span class="p">:</span> +        <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"OwO Code </span><span class="si">{</span><span class="n">res</span><span class="o">.</span><span class="n">status_code</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> + +    <span class="k">for</span> <span class="n">movie</span> <span class="ow">in</span> <span class="n">res</span><span class="o">.</span><span class="n">json</span><span class="p">():</span> +        <span class="n">movies</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="n">create_movie_dict</span><span class="p">(</span><span class="n">movie</span><span class="p">))</span> + +    <span class="k">with</span> <span class="n">engine</span><span class="o">.</span><span class="n">connect</span><span class="p">()</span> <span class="k">as</span> <span class="n">conn</span><span class="p">:</span> +        <span class="k">for</span> <span class="n">movie</span> <span class="ow">in</span> <span class="n">movies</span><span class="p">:</span> +            <span class="k">with</span> <span class="n">conn</span><span class="o">.</span><span class="n">begin</span><span class="p">()</span> <span class="k">as</span> <span class="n">trans</span><span class="p">:</span> +                <span class="n">stmt</span> <span class="o">=</span> <span class="n">insert</span><span class="p">(</span><span class="n">movies_table</span><span class="p">)</span><span class="o">.</span><span class="n">values</span><span class="p">(</span> +                    <span class="n">trakt_id</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"trakt_id"</span><span class="p">],</span> <span class="n">title</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"title"</span><span class="p">],</span> <span class="n">genres</span><span class="o">=</span><span class="s2">" "</span><span class="o">.</span><span class="n">join</span><span class="p">(</span><span class="n">movie</span><span class="p">[</span><span class="s2">"genres"</span><span class="p">]),</span> +                    <span class="n">language</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"language"</span><span class="p">],</span> <span class="n">year</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"year"</span><span class="p">],</span> <span class="n">released</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"released"</span><span class="p">],</span> +                    <span class="n">runtime</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"runtime"</span><span class="p">],</span> <span class="n">country</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"country"</span><span class="p">],</span> <span class="n">overview</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"overview"</span><span class="p">],</span> +                    <span class="n">rating</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"rating"</span><span class="p">],</span> <span class="n">votes</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"votes"</span><span class="p">],</span> <span class="n">comment_count</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"comment_count"</span><span class="p">],</span> +                    <span class="n">tagline</span><span class="o">=</span><span class="n">movie</span><span class="p">[</span><span class="s2">"tagline"</span><span class="p">])</span> +                <span class="k">try</span><span class="p">:</span> +                    <span class="n">result</span> <span class="o">=</span> <span class="n">conn</span><span class="o">.</span><span class="n">execute</span><span class="p">(</span><span class="n">stmt</span><span class="p">)</span> +                    <span class="n">trans</span><span class="o">.</span><span class="n">commit</span><span class="p">()</span> +                <span class="k">except</span> <span class="n">IntegrityError</span><span class="p">:</span> +                    <span class="n">trans</span><span class="o">.</span><span class="n">rollback</span><span class="p">()</span> +    <span class="n">req_count</span> <span class="o">+=</span> <span class="mi">1</span> +</code></pre></div> + +<p>(Note: I was well within the rate-limit so I did not have to slow down or implement any other measures)</p> + +<p>Running this script took me approximately 3 hours, and resulted in an SQLite database of 141.5 MB</p> + +<h2>Embeddings!</h2> + +<p>I did not want to put my poor Mac through the estimated 23 hours it would have taken to embed the sentences. I decided to use Google Colab instead.</p> + +<p>Because of the small size of the database file, I was able to just upload the file.</p> + +<p>For the encoding model, I decided to use the pretrained <code>paraphrase-multilingual-MiniLM-L12-v2</code> model for SentenceTransformers, a Python framework for SOTA sentence, text and image embeddings. I wanted to use a multilingual model as I personally consume content in various languages (natively, no dubs or subs) and some of the sources for their information do not translate to English. As of writing this post, I did not include any other database except Trakt. </p> + +<p>While deciding how I was going to process the embeddings, I came across multiple solutions:</p> + +<ul> +<li><p><a rel="noopener" target="_blank" href="https://milvus.io">Milvus</a> - An open-source vector database with similar search functionality</p></li> +<li><p><a rel="noopener" target="_blank" href="https://faiss.ai">FAISS</a> - A library for efficient similarity search</p></li> +<li><p><a rel="noopener" target="_blank" href="https://pinecone.io">Pinecone</a> - A fully managed vector database with similar search functionality</p></li> +</ul> + +<p>I did not want to waste time setting up the first two, so I decided to go with Pinecone which offers 1M 768-dim vectors for free with no credit card required (Our embeddings are 384-dim dense).</p> + +<p>Getting started with Pinecone was as easy as:</p> + +<ul> +<li><p>Signing up</p></li> +<li><p>Specifying the index name and vector dimensions along with the similarity search metric (Cosine Similarity for our use case)</p></li> +<li><p>Getting the API key</p></li> +<li><p>Installing the Python module (pinecone-client)</p></li> +</ul> + +<div class="codehilite"><pre><span></span><code><span class="kn">import</span> <span class="nn">pandas</span> <span class="k">as</span> <span class="nn">pd</span> +<span class="kn">import</span> <span class="nn">pinecone</span> +<span class="kn">from</span> <span class="nn">sentence_transformers</span> <span class="kn">import</span> <span class="n">SentenceTransformer</span> +<span class="kn">from</span> <span class="nn">tqdm</span> <span class="kn">import</span> <span class="n">tqdm</span>  + +<span class="n">database_url</span> <span class="o">=</span> <span class="s2">"sqlite:///jlm.db"</span> +<span class="n">PINECONE_KEY</span> <span class="o">=</span> <span class="s2">"not-this-at-all"</span> +<span class="n">batch_size</span> <span class="o">=</span> <span class="mi">32</span> + +<span class="n">pinecone</span><span class="o">.</span><span class="n">init</span><span class="p">(</span><span class="n">api_key</span><span class="o">=</span><span class="n">PINECONE_KEY</span><span class="p">,</span> <span class="n">environment</span><span class="o">=</span><span class="s2">"us-west1-gcp"</span><span class="p">)</span> +<span class="n">index</span> <span class="o">=</span> <span class="n">pinecone</span><span class="o">.</span><span class="n">Index</span><span class="p">(</span><span class="s2">"movies"</span><span class="p">)</span> + +<span class="n">model</span> <span class="o">=</span> <span class="n">SentenceTransformer</span><span class="p">(</span><span class="s2">"paraphrase-multilingual-MiniLM-L12-v2"</span><span class="p">,</span> <span class="n">device</span><span class="o">=</span><span class="s2">"cuda"</span><span class="p">)</span> +<span class="n">engine</span><span class="p">,</span> <span class="n">Session</span> <span class="o">=</span> <span class="n">init_db_stuff</span><span class="p">(</span><span class="n">database_url</span><span class="p">)</span> + +<span class="n">df</span> <span class="o">=</span> <span class="n">pd</span><span class="o">.</span><span class="n">read_sql</span><span class="p">(</span><span class="s2">"Select * from movies"</span><span class="p">,</span> <span class="n">engine</span><span class="p">)</span> +<span class="n">df</span><span class="p">[</span><span class="s2">"combined_text"</span><span class="p">]</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="s2">"title"</span><span class="p">]</span> <span class="o">+</span> <span class="s2">": "</span> <span class="o">+</span> <span class="n">df</span><span class="p">[</span><span class="s2">"overview"</span><span class="p">]</span><span class="o">.</span><span class="n">fillna</span><span class="p">(</span><span class="s1">''</span><span class="p">)</span> <span class="o">+</span> <span class="s2">" -  "</span> <span class="o">+</span> <span class="n">df</span><span class="p">[</span><span class="s2">"tagline"</span><span class="p">]</span><span class="o">.</span><span class="n">fillna</span><span class="p">(</span><span class="s1">''</span><span class="p">)</span> <span class="o">+</span> <span class="s2">" Genres:-  "</span> <span class="o">+</span> <span class="n">df</span><span class="p">[</span><span class="s2">"genres"</span><span class="p">]</span><span class="o">.</span><span class="n">fillna</span><span class="p">(</span><span class="s1">''</span><span class="p">)</span> + +<span class="c1"># Creating the embedding and inserting it into the database</span> +<span class="k">for</span> <span class="n">x</span> <span class="ow">in</span> <span class="n">tqdm</span><span class="p">(</span><span class="nb">range</span><span class="p">(</span><span class="mi">0</span><span class="p">,</span><span class="nb">len</span><span class="p">(</span><span class="n">df</span><span class="p">),</span><span class="n">batch_size</span><span class="p">)):</span> +    <span class="n">to_send</span> <span class="o">=</span> <span class="p">[]</span> +    <span class="n">trakt_ids</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="s2">"trakt_id"</span><span class="p">][</span><span class="n">x</span><span class="p">:</span><span class="n">x</span><span class="o">+</span><span class="n">batch_size</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span> +    <span class="n">sentences</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="s2">"combined_text"</span><span class="p">][</span><span class="n">x</span><span class="p">:</span><span class="n">x</span><span class="o">+</span><span class="n">batch_size</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span> +    <span class="n">embeddings</span> <span class="o">=</span> <span class="n">model</span><span class="o">.</span><span class="n">encode</span><span class="p">(</span><span class="n">sentences</span><span class="p">)</span> +    <span class="k">for</span> <span class="n">idx</span><span class="p">,</span> <span class="n">value</span> <span class="ow">in</span> <span class="nb">enumerate</span><span class="p">(</span><span class="n">trakt_ids</span><span class="p">):</span> +        <span class="n">to_send</span><span class="o">.</span><span class="n">append</span><span class="p">(</span> +            <span class="p">(</span> +                <span class="nb">str</span><span class="p">(</span><span class="n">value</span><span class="p">),</span> <span class="n">embeddings</span><span class="p">[</span><span class="n">idx</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span> +            <span class="p">))</span> +    <span class="n">index</span><span class="o">.</span><span class="n">upsert</span><span class="p">(</span><span class="n">to_send</span><span class="p">)</span> +</code></pre></div> + +<p>That's it!</p> + +<h2>Interacting with Vectors</h2> + +<p>We use the <code>trakt_id</code> for the movie as the ID for the vectors and upsert it into the index. </p> + +<p>To find similar items, we will first have to map the name of the movie to its trakt_id, get the embeddings we have for that id and then perform a similarity search. It is possible that this additional step of mapping could be avoided by storing information as metadata in the index.</p> + +<div class="codehilite"><pre><span></span><code><span class="k">def</span> <span class="nf">get_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">title</span><span class="p">:</span> <span class="nb">str</span><span class="p">):</span> +  <span class="n">rec</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="n">df</span><span class="p">[</span><span class="s2">"title"</span><span class="p">]</span><span class="o">.</span><span class="n">str</span><span class="o">.</span><span class="n">lower</span><span class="p">()</span><span class="o">==</span><span class="n">movie_name</span><span class="o">.</span><span class="n">lower</span><span class="p">()]</span> +  <span class="k">if</span> <span class="nb">len</span><span class="p">(</span><span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="o">.</span><span class="n">tolist</span><span class="p">())</span> <span class="o">></span> <span class="mi">1</span><span class="p">:</span> +    <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"multiple values found... </span><span class="si">{</span><span class="nb">len</span><span class="p">(</span><span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="p">)</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> +    <span class="k">for</span> <span class="n">x</span> <span class="ow">in</span> <span class="nb">range</span><span class="p">(</span><span class="nb">len</span><span class="p">(</span><span class="n">rec</span><span class="p">)):</span> +      <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"[</span><span class="si">{</span><span class="n">x</span><span class="si">}</span><span class="s2">] </span><span class="si">{</span><span class="n">rec</span><span class="p">[</span><span class="s1">'title'</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()[</span><span class="n">x</span><span class="p">]</span><span class="si">}</span><span class="s2"> (</span><span class="si">{</span><span class="n">rec</span><span class="p">[</span><span class="s1">'year'</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()[</span><span class="n">x</span><span class="p">]</span><span class="si">}</span><span class="s2">) - </span><span class="si">{</span><span class="n">rec</span><span class="p">[</span><span class="s1">'overview'</span><span class="p">]</span><span class="o">.</span><span class="n">tolist</span><span class="p">()</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> +      <span class="nb">print</span><span class="p">(</span><span class="s2">"==="</span><span class="p">)</span> +      <span class="n">z</span> <span class="o">=</span> <span class="nb">int</span><span class="p">(</span><span class="nb">input</span><span class="p">(</span><span class="s2">"Choose No: "</span><span class="p">))</span> +      <span class="k">return</span> <span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="n">z</span><span class="p">]</span> +  <span class="k">return</span> <span class="n">rec</span><span class="o">.</span><span class="n">trakt_id</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">]</span> + +<span class="k">def</span> <span class="nf">get_vector_value</span><span class="p">(</span><span class="n">trakt_id</span><span class="p">:</span> <span class="nb">int</span><span class="p">):</span> +  <span class="n">fetch_response</span> <span class="o">=</span> <span class="n">index</span><span class="o">.</span><span class="n">fetch</span><span class="p">(</span><span class="n">ids</span><span class="o">=</span><span class="p">[</span><span class="nb">str</span><span class="p">(</span><span class="n">trakt_id</span><span class="p">)])</span> +  <span class="k">return</span> <span class="n">fetch_response</span><span class="p">[</span><span class="s2">"vectors"</span><span class="p">][</span><span class="nb">str</span><span class="p">(</span><span class="n">trakt_id</span><span class="p">)][</span><span class="s2">"values"</span><span class="p">]</span> + +<span class="k">def</span> <span class="nf">query_vectors</span><span class="p">(</span><span class="n">vector</span><span class="p">:</span> <span class="nb">list</span><span class="p">,</span> <span class="n">top_k</span><span class="p">:</span> <span class="nb">int</span> <span class="o">=</span> <span class="mi">20</span><span class="p">,</span> <span class="n">include_values</span><span class="p">:</span> <span class="nb">bool</span> <span class="o">=</span> <span class="kc">False</span><span class="p">,</span> <span class="n">include_metada</span><span class="p">:</span> <span class="nb">bool</span> <span class="o">=</span> <span class="kc">True</span><span class="p">):</span> +  <span class="n">query_response</span> <span class="o">=</span> <span class="n">index</span><span class="o">.</span><span class="n">query</span><span class="p">(</span> +      <span class="n">queries</span><span class="o">=</span><span class="p">[</span> +          <span class="p">(</span><span class="n">vector</span><span class="p">),</span> +      <span class="p">],</span> +      <span class="n">top_k</span><span class="o">=</span><span class="n">top_k</span><span class="p">,</span> +      <span class="n">include_values</span><span class="o">=</span><span class="n">include_values</span><span class="p">,</span> +      <span class="n">include_metadata</span><span class="o">=</span><span class="n">include_metada</span> +  <span class="p">)</span> +  <span class="k">return</span> <span class="n">query_response</span> + +<span class="k">def</span> <span class="nf">query2ids</span><span class="p">(</span><span class="n">query_response</span><span class="p">):</span> +  <span class="n">trakt_ids</span> <span class="o">=</span> <span class="p">[]</span> +  <span class="k">for</span> <span class="n">match</span> <span class="ow">in</span> <span class="n">query_response</span><span class="p">[</span><span class="s2">"results"</span><span class="p">][</span><span class="mi">0</span><span class="p">][</span><span class="s2">"matches"</span><span class="p">]:</span> +    <span class="n">trakt_ids</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="nb">int</span><span class="p">(</span><span class="n">match</span><span class="p">[</span><span class="s2">"id"</span><span class="p">]))</span> +  <span class="k">return</span> <span class="n">trakt_ids</span> + +<span class="k">def</span> <span class="nf">get_deets_by_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">trakt_id</span><span class="p">:</span> <span class="nb">int</span><span class="p">):</span> +  <span class="n">df</span> <span class="o">=</span> <span class="n">df</span><span class="p">[</span><span class="n">df</span><span class="p">[</span><span class="s2">"trakt_id"</span><span class="p">]</span><span class="o">==</span><span class="n">trakt_id</span><span class="p">]</span> +  <span class="k">return</span> <span class="p">{</span> +      <span class="s2">"title"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">title</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">],</span> +      <span class="s2">"overview"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">overview</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">],</span> +      <span class="s2">"runtime"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">runtime</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">],</span> +      <span class="s2">"year"</span><span class="p">:</span> <span class="n">df</span><span class="o">.</span><span class="n">year</span><span class="o">.</span><span class="n">values</span><span class="p">[</span><span class="mi">0</span><span class="p">]</span> +  <span class="p">}</span> +</code></pre></div> + +<h3>Testing it Out</h3> + +<div class="codehilite"><pre><span></span><code><span class="n">movie_name</span> <span class="o">=</span> <span class="s2">"Now You See Me"</span> + +<span class="n">movie_trakt_id</span> <span class="o">=</span> <span class="n">get_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">movie_name</span><span class="p">)</span> +<span class="nb">print</span><span class="p">(</span><span class="n">movie_trakt_id</span><span class="p">)</span> +<span class="n">movie_vector</span> <span class="o">=</span> <span class="n">get_vector_value</span><span class="p">(</span><span class="n">movie_trakt_id</span><span class="p">)</span> +<span class="n">movie_queries</span> <span class="o">=</span> <span class="n">query_vectors</span><span class="p">(</span><span class="n">movie_vector</span><span class="p">)</span> +<span class="n">movie_ids</span> <span class="o">=</span> <span class="n">query2ids</span><span class="p">(</span><span class="n">movie_queries</span><span class="p">)</span> +<span class="nb">print</span><span class="p">(</span><span class="n">movie_ids</span><span class="p">)</span> + +<span class="k">for</span> <span class="n">trakt_id</span> <span class="ow">in</span> <span class="n">movie_ids</span><span class="p">:</span> +  <span class="n">deets</span> <span class="o">=</span> <span class="n">get_deets_by_trakt_id</span><span class="p">(</span><span class="n">df</span><span class="p">,</span> <span class="n">trakt_id</span><span class="p">)</span> +  <span class="nb">print</span><span class="p">(</span><span class="sa">f</span><span class="s2">"</span><span class="si">{</span><span class="n">deets</span><span class="p">[</span><span class="s1">'title'</span><span class="p">]</span><span class="si">}</span><span class="s2"> (</span><span class="si">{</span><span class="n">deets</span><span class="p">[</span><span class="s1">'year'</span><span class="p">]</span><span class="si">}</span><span class="s2">): </span><span class="si">{</span><span class="n">deets</span><span class="p">[</span><span class="s1">'overview'</span><span class="p">]</span><span class="si">}</span><span class="s2">"</span><span class="p">)</span> +</code></pre></div> + +<p>Output:</p> + +<pre><code>[55786, 18374, 299592, 662622, 6054, 227458, 139687, 303950, 70000, 129307, 70823, 5766, 23950, 137696, 655723, 32842, 413269, 145994, 197990, 373832] +Now You See Me (2013): An FBI agent and an Interpol detective track a team of illusionists who pull off bank heists during their performances and reward their audiences with the money. +Trapped (1949): U.S. Treasury Department agents go after a ring of counterfeiters. +Brute Sanity (2018): An FBI-trained neuropsychologist teams up with a thief to find a reality-altering device while her insane ex-boss unleashes bizarre traps to stop her. +The Chase (2017): Some FBI agents hunt down a criminal +Surveillance (2008): An FBI agent tracks a serial killer with the help of three of his would-be victims - all of whom have wildly different stories to tell. +Marauders (2016): An untraceable group of elite bank robbers is chased by a suicidal FBI agent who uncovers a deeper purpose behind the robbery-homicides. +Miracles for Sale (1939): A maker of illusions for magicians protects an ingenue likely to be murdered. +Deceptors (2005): A Ghostbusters knock-off where a group of con-artists create bogus monsters to scare up some cash. They run for their lives when real spooks attack. +The Outfit (1993): A renegade FBI agent sparks an explosive mob war between gangster crime lords Legs Diamond and Dutch Schultz. +Bank Alarm (1937): A federal agent learns the gangsters he's been investigating have kidnapped his sister. +The Courier (2012): A shady FBI agent recruits a courier to deliver a mysterious package to a vengeful master criminal who has recently resurfaced with a diabolical plan. +After the Sunset (2004): An FBI agent is suspicious of two master thieves, quietly enjoying their retirement near what may - or may not - be the biggest score of their careers. +Down Three Dark Streets (1954): An FBI Agent takes on the three unrelated cases of a dead agent to track down his killer. +The Executioner (1970): A British intelligence agent must track down a fellow spy suspected of being a double agent. +Ace of Cactus Range (1924): A Secret Service agent goes undercover to unmask the leader of a gang of diamond thieves. +Firepower (1979): A mercenary is hired by the FBI to track down a powerful recluse criminal, a woman is also trying to track him down for her own personal vendetta. +Heroes & Villains (2018): an FBI agent chases a thug to great tunes +Federal Fugitives (1941): A government agent goes undercover in order to apprehend a saboteur who caused a plane crash. +Hell on Earth (2012): An FBI Agent on the trail of a group of drug traffickers learns that their corruption runs deeper than she ever imagined, and finds herself in a supernatural - and deadly - situation. +Spies (2015): A secret agent must perform a heist without time on his side +</code></pre> + +<p>For now, I am happy with the recommendations.</p> + +<h2>Simple UI</h2> + +<p>The code for the flask app can be found on GitHub: <a rel="noopener" target="_blank" href="https://github.com/navanchauhan/FlixRec">navanchauhan/FlixRec</a> or on my <a rel="noopener" target="_blank" href="https://pi4.navan.dev/gitea/navan/FlixRec">Gitea instance</a></p> + +<p>I quickly whipped up a simple Flask App to deal with problems of multiple movies sharing the title, and typos in the search query.</p> + +<h3>Home Page</h3> + +<p><img src="/assets/flixrec/home.png" alt="Home Page" /></p> + +<h3>Handling Multiple Movies with Same Title</h3> + +<p><img src="/assets/flixrec/multiple.png" alt="Multiple Movies with Same Title" /></p> + +<h3>Results Page</h3> + +<p><img src="/assets/flixrec/results.png" alt="Results Page" /></p> + +<p>Includes additional filter options</p> + +<p><img src="/assets/flixrec/filter.png" alt="Advance Filtering Options" /></p> + +<p>Test it out at <a rel="noopener" target="_blank" href="https://flixrec.navan.dev">https://flixrec.navan.dev</a></p> + +<h2>Current Limittations</h2> + +<ul> +<li>Does not work well with popular franchises</li> +<li>No Genre Filter</li> +</ul> + +<h2>Future Addons</h2> + +<ul> +<li>Include Cast Data +<ul> +<li>e.g. If it sees a movie with Tom Hanks and Meg Ryan, then it will boost similar movies including them</li> +<li>e.g. If it sees the movie has been directed my McG, then it will boost similar movies directed by them</li> +</ul></li> +<li>REST API</li> +<li>TV Shows</li> +<li>Multilingual database</li> +<li>Filter based on popularity: The data already exists in the indexed database</li> +</ul> + +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script> +</main> + + +<script src="assets/manup.min.js"></script> +<script src="/pwabuilder-sw-register.js"></script>     +</body> +</html>
\ No newline at end of file diff --git a/docs/posts/hello-world.html b/docs/posts/hello-world.html index 9b5e320..126a388 100644 --- a/docs/posts/hello-world.html +++ b/docs/posts/hello-world.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Hello World</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Hello World" /> +    <meta name="og:title" content="Hey - Post - Hello World" /> +    <meta name="description" content=" My first post. " /> +    <meta name="twitter:description" content=" My first post. " /> +    <meta name="og:description" content=" My first post. " /> +    <meta name="twitter:card" content=" My first post. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -45,6 +47,9 @@  <p>Just re-did the entire website using Publish (Publish by John Sundell). So, a new hello world post :) </p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/posts/index.html b/docs/posts/index.html index 6ee3224..43a9ee4 100644 --- a/docs/posts/index.html +++ b/docs/posts/index.html @@ -8,23 +8,25 @@      <meta name="viewport" content="width=device-width, initial-scale=1.0">      <title>Hey - Section</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - " /> +    <meta name="og:title" content="Hey - " /> +    <meta name="description" content="" /> +    <meta name="twitter:description" content="" /> +    <meta name="og:description" content="" /> +    <meta name="twitter:card" content="" />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -48,6 +50,21 @@  <ul> +	<li><a href="/posts/2022-05-21-Similar-Movies-Recommender.html">Building a Similar Movies Recommendation System</a></li> +	<ul> +		<li>Building a Content Based Similar Movies Recommendatiom System</li> +		<li>Published On: 2022-05-21 17:56</li> +		<li>Tags:  +			 +			Python, +			 +			Transformers, +			 +			Recommendation-System, +			 +	</ul> + +  	<li><a href="/posts/2021-06-27-Crude-ML-AI-Powered-Chatbot-Swift.html">Making a Crude ML Powered Chatbot in Swift using CoreML</a></li>  	<ul>  		<li>Writing a simple Machine-Learning powered Chatbot (or, daresay virtual personal assistant ) in Swift using CoreML.</li> diff --git a/docs/publications/2019-05-14-Detecting-Driver-Fatigue-Over-Speeding-and-Speeding-up-Post-Accident-Response.html b/docs/publications/2019-05-14-Detecting-Driver-Fatigue-Over-Speeding-and-Speeding-up-Post-Accident-Response.html index 8109bc1..e64dcfa 100644 --- a/docs/publications/2019-05-14-Detecting-Driver-Fatigue-Over-Speeding-and-Speeding-up-Post-Accident-Response.html +++ b/docs/publications/2019-05-14-Detecting-Driver-Fatigue-Over-Speeding-and-Speeding-up-Post-Accident-Response.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response" /> +    <meta name="og:title" content="Hey - Post - Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response" /> +    <meta name="description" content=" This paper is about Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response. " /> +    <meta name="twitter:description" content=" This paper is about Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response. " /> +    <meta name="og:description" content=" This paper is about Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response. " /> +    <meta name="twitter:card" content=" This paper is about Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -61,6 +63,9 @@  <pre><code>@article{chauhan_2019, title={Detecting Driver Fatigue, Over-Speeding, and Speeding up Post-Accident Response}, volume={6}, url={https://www.irjet.net/archives/V6/i5/IRJET-V6I5318.pdf}, number={5}, journal={International Research Journal of Engineering and Technology (IRJET)}, author={Chauhan, Navan}, year={2019}}  </code></pre> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/publications/2020-03-14-generating-vaporwave.html b/docs/publications/2020-03-14-generating-vaporwave.html index 0458505..5e10b74 100644 --- a/docs/publications/2020-03-14-generating-vaporwave.html +++ b/docs/publications/2020-03-14-generating-vaporwave.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Is it possible to programmatically generate Vaporwave?</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Is it possible to programmatically generate Vaporwave?" /> +    <meta name="og:title" content="Hey - Post - Is it possible to programmatically generate Vaporwave?" /> +    <meta name="description" content=" This paper is about programmaticaly generating Vaporwave. " /> +    <meta name="twitter:description" content=" This paper is about programmaticaly generating Vaporwave. " /> +    <meta name="og:description" content=" This paper is about programmaticaly generating Vaporwave. " /> +    <meta name="twitter:card" content=" This paper is about programmaticaly generating Vaporwave. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -75,6 +77,9 @@  }  </code></pre> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/publications/2020-03-17-Possible-Drug-Candidates-COVID-19.html b/docs/publications/2020-03-17-Possible-Drug-Candidates-COVID-19.html index e9d301c..32cb6c6 100644 --- a/docs/publications/2020-03-17-Possible-Drug-Candidates-COVID-19.html +++ b/docs/publications/2020-03-17-Possible-Drug-Candidates-COVID-19.html @@ -6,25 +6,27 @@      <link rel="stylesheet" href="/assets/sakura.css" />      <meta charset="utf-8">      <meta name="viewport" content="width=device-width, initial-scale=1.0"> -    <title>Hey - Post</title> +    <title>Hey - Post - Possible Drug Candidates for COVID-19</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - Post - Possible Drug Candidates for COVID-19" /> +    <meta name="og:title" content="Hey - Post - Possible Drug Candidates for COVID-19" /> +    <meta name="description" content=" COVID-19, has been officially labeled as a pandemic by the World Health Organisation. This paper presents cloperastine and vigabatrin as two possible drug candidates for combatting the disease along with the process by which they were discovered. " /> +    <meta name="twitter:description" content=" COVID-19, has been officially labeled as a pandemic by the World Health Organisation. This paper presents cloperastine and vigabatrin as two possible drug candidates for combatting the disease along with the process by which they were discovered. " /> +    <meta name="og:description" content=" COVID-19, has been officially labeled as a pandemic by the World Health Organisation. This paper presents cloperastine and vigabatrin as two possible drug candidates for combatting the disease along with the process by which they were discovered. " /> +    <meta name="twitter:card" content=" COVID-19, has been officially labeled as a pandemic by the World Health Organisation. This paper presents cloperastine and vigabatrin as two possible drug candidates for combatting the disease along with the process by which they were discovered. " />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> @@ -45,6 +47,9 @@  <p><a rel="noopener" target="_blank" href="https://chemrxiv.org/articles/Possible_Drug_Candidates_for_COVID-19/11985231">Download paper here</a></p> +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> diff --git a/docs/publications/index.html b/docs/publications/index.html index a0a8193..96b7e3c 100644 --- a/docs/publications/index.html +++ b/docs/publications/index.html @@ -8,23 +8,25 @@      <meta name="viewport" content="width=device-width, initial-scale=1.0">      <title>Hey - Section</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - " /> +    <meta name="og:title" content="Hey - " /> +    <meta name="description" content="" /> +    <meta name="twitter:description" content="" /> +    <meta name="og:description" content="" /> +    <meta name="twitter:card" content="" />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>  </head>  <body> diff --git a/templates/base.html b/templates/base.html index 2a48404..caca658 100644 --- a/templates/base.html +++ b/templates/base.html @@ -8,23 +8,25 @@      <meta name="viewport" content="width=device-width, initial-scale=1.0">      <title>Hey - {% block title %}{% endblock %}</title>      <meta name="og:site_name" content="Navan Chauhan" /> -    <link rel="canonical" href="https://navanchauhan.github.io/" /> -    <meta name="twitter:url" content="https://navanchauhan.github.io/" /> -    <meta name="og:url" content="https://navanchauhan.github.io/" /> -    <meta name="twitter:title" content="Hey" /> -    <meta name="og:title" content="Hey" /> -    <meta name="description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:description" content="Welcome to my personal fragment of the internet. Majority of the posts should be complete." /> -    <meta name="og:description" content="Welcome to my personal fragment of the internet." /> -    <meta name="twitter:card" content="summary" /> +    <link rel="canonical" href="https://web.navan.dev/" /> +    <meta name="twitter:url" content="https://web.navan.dev/" /> +    <meta name="og:url" content="https://web.navan.dev/" /> +    <meta name="twitter:title" content="Hey - {% block twittertitle %}{% endblock %}" /> +    <meta name="og:title" content="Hey - {% block ogtitle %}{% endblock %}" /> +    <meta name="description" content="{% block description %}{% endblock %}" /> +    <meta name="twitter:description" content="{% block twitterdescription %}{% endblock %}" /> +    <meta name="og:description" content="{% block ogdescription %}{% endblock %}" /> +    <meta name="twitter:card" content="{% block twitter2description %}{% endblock %}" />      <meta name="viewport" content="width=device-width, initial-scale=1.0" />      <link rel="shortcut icon" href="/images/favicon.png" type="image/png" />      <link rel="alternate" href="/feed.rss" type="application/rss+xml" title="Subscribe to Navan Chauhan" /> -    <meta name="twitter:image" content="https://navanchauhan.github.io/images/logo.png" /> -    <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" /> +    <meta name="twitter:image" content="https://web.navan.dev/images/logo.png" /> +    <meta name="og:image" content="https://web.navan.dev/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" />      <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script>      {% endblock %}  </head>  <body> @@ -34,4 +36,4 @@  <script src="assets/manup.min.js"></script>  <script src="/pwabuilder-sw-register.js"></script>      </body> -</html>
\ No newline at end of file +</html> diff --git a/templates/head_tag.html b/templates/head_tag.html index 586cbf8..778bf81 100644 --- a/templates/head_tag.html +++ b/templates/head_tag.html @@ -16,4 +16,7 @@      <meta name="og:image" content="https://navanchauhan.github.io/images/logo.png" />      <link rel="manifest" href="manifest.json" />      <meta name="google-site-verification" content="LVeSZxz-QskhbEjHxOi7-BM5dDxTg53x2TwrjFxfL0k" /> -    <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script>
\ No newline at end of file +    <script async src="//gc.zgo.at/count.js" data-goatcounter="https://navanchauhan.goatcounter.com/count"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.io/js/plausible.js"></script> +    <script defer data-domain="web.navan.dev" src="https://plausible.navan.dev/js/plausible.js"></script> + diff --git a/templates/index.html b/templates/index.html index cc66cd3..a651ea2 100644 --- a/templates/index.html +++ b/templates/index.html @@ -14,7 +14,7 @@  		<li>Published On: {{post.date}}</li>  		<li>Tags:   			{% for tag in post.tags %} -			{{ tag }}, +			{{ tag }}{{ ", " if not loop.last else "" }}  			{% endfor %}  	</ul> diff --git a/templates/post.html b/templates/post.html index 596ded2..7ee3975 100644 --- a/templates/post.html +++ b/templates/post.html @@ -1,8 +1,19 @@  {% extends "base.html" %} -{% block title %}Post{% endblock %} + +{% block title %}Post - {{content.metadata.title}}{% endblock %} +{% block ogtitle %}Post - {{content.metadata.title}}{% endblock %} +{% block twittertitle %}Post - {{content.metadata.title}}{% endblock %} + +{% block description %} {{content.metadata.description}} {% endblock %} +{% block ogdescription %} {{content.metadata.description}} {% endblock %} +{% block twitterdescription %} {{content.metadata.description}} {% endblock %} +{% block twitter2description %} {{content.metadata.description}} {% endblock %}  {% block body %}  <main>  	{{ content}} +	<div class="commentbox"></div> +	<script src="https://unpkg.com/commentbox.io/dist/commentBox.min.js"></script> +	<script>commentBox('5650347917836288-proj')</script>  </main> -{% endblock %}
\ No newline at end of file +{% endblock %} | 
