TorchCode / README.md
github-actions[bot]
Deploy prebuilt image 8a49ba150f76c92fc6e2fd30631e07b88c803988
1ccc68c
metadata
title: TorchCode
emoji: πŸ”₯
colorFrom: red
colorTo: yellow
sdk: docker
app_port: 7860
pinned: false

πŸ”₯ TorchCode

Crack the PyTorch interview.

Practice implementing operators and architectures from scratch β€” the exact skills top ML teams test for.

Like LeetCode, but for tensors. Self-hosted. Jupyter-based. Instant feedback.

PyTorch Jupyter Docker Python License: MIT

GitHub stars GitHub Container Registry Hugging Face Spaces Problems GPU

Star History Chart


🎯 Why TorchCode?

Top companies (Meta, Google DeepMind, OpenAI, etc.) expect ML engineers to implement core operations from memory on a whiteboard. Reading papers isn't enough β€” you need to write softmax, LayerNorm, MultiHeadAttention, and full Transformer blocks code.

TorchCode gives you a structured practice environment with:

Feature
🧩 40 curated problems The most frequently asked PyTorch interview topics
βš–οΈ Automated judge Correctness checks, gradient verification, and timing
🎨 Instant feedback Colored pass/fail per test case, just like competitive programming
πŸ’‘ Hints when stuck Nudges without full spoilers
πŸ“– Reference solutions Study optimal implementations after your attempt
πŸ“Š Progress tracking What you've solved, best times, and attempt counts
πŸ”„ One-click reset Toolbar button to reset any notebook back to its blank template β€” practice the same problem as many times as you want
Open In Colab Open in Colab Every notebook has an "Open in Colab" badge + toolbar button β€” run problems in Google Colab with zero setup

No cloud. No signup. No GPU needed. Just make run β€” or try it instantly on Hugging Face.


πŸš€ Quick Start

Option 0 β€” Try it online (zero install)

Launch on Hugging Face Spaces β€” opens a full JupyterLab environment in your browser. Nothing to install.

Or open any problem directly in Google Colab β€” every notebook has an Open In Colab badge.

Option 0b β€” Use the judge in Colab (pip)

In Google Colab, install the judge from PyPI so you can run check(...) without cloning the repo:

!pip install torch-judge

Then in a notebook cell:

from torch_judge import check, status, hint, reset_progress
status()           # list all problems and your progress
check("relu")      # run tests for the "relu" task
hint("relu")       # show a hint

Option 1 β€” Pull the pre-built image (fastest)

docker run -p 8888:8888 -e PORT=8888 ghcr.io/duoan/torchcode:latest

Option 2 β€” Build locally

make run

Open http://localhost:8888 β€” that's it. Works with both Docker and Podman (auto-detected).


πŸ“‹ Problem Set

Frequency: πŸ”₯ = very likely in interviews, ⭐ = commonly asked, πŸ’‘ = emerging / differentiator

🧱 Fundamentals β€” "Implement X from scratch"

The bread and butter of ML coding interviews. You'll be asked to write these without torch.nn.

# Problem What You'll Implement Difficulty Freq Key Concepts
1 ReLU Open In Colab relu(x) Easy πŸ”₯ Activation functions, element-wise ops
2 Softmax Open In Colab my_softmax(x, dim) Easy πŸ”₯ Numerical stability, exp/log tricks
16 Cross-Entropy Loss Open In Colab cross_entropy_loss(logits, targets) Easy πŸ”₯ Log-softmax, logsumexp trick
17 Dropout Open In Colab MyDropout (nn.Module) Easy πŸ”₯ Train/eval mode, inverted scaling
18 Embedding Open In Colab MyEmbedding (nn.Module) Easy πŸ”₯ Lookup table, weight[indices]
19 GELU Open In Colab my_gelu(x) Easy ⭐ Gaussian error linear unit, torch.erf
20 Kaiming Init Open In Colab kaiming_init(weight) Easy ⭐ std = sqrt(2/fan_in), variance scaling
21 Gradient Clipping Open In Colab clip_grad_norm(params, max_norm) Easy ⭐ Norm-based clipping, direction preservation
31 Gradient Accumulation Open In Colab accumulated_step(model, opt, ...) Easy πŸ’‘ Micro-batching, loss scaling
40 Linear Regression Open In Colab LinearRegression (3 methods) Medium πŸ”₯ Normal equation, GD from scratch, nn.Linear
3 Linear Layer Open In Colab SimpleLinear (nn.Module) Medium πŸ”₯ y = xW^T + b, Kaiming init, nn.Parameter
4 LayerNorm Open In Colab my_layer_norm(x, Ξ³, Ξ²) Medium πŸ”₯ Normalization, running stats, affine transform
7 BatchNorm Open In Colab my_batch_norm(x, γ, β) Medium ⭐ Batch vs layer statistics, train/eval behavior
8 RMSNorm Open In Colab rms_norm(x, weight) Medium ⭐ LLaMA-style norm, simpler than LayerNorm
15 SwiGLU MLP Open In Colab SwiGLUMLP (nn.Module) Medium ⭐ Gated FFN, SiLU(gate) * up, LLaMA/Mistral-style
22 Conv2d Open In Colab my_conv2d(x, weight, ...) Medium πŸ”₯ Convolution, unfold, stride/padding

🧠 Attention Mechanisms β€” The heart of modern ML interviews

If you're interviewing for any role touching LLMs or Transformers, expect at least one of these.

# Problem What You'll Implement Difficulty Freq Key Concepts
23 Cross-Attention Open In Colab MultiHeadCrossAttention (nn.Module) Medium ⭐ Encoder-decoder, Q from decoder, K/V from encoder
5 Scaled Dot-Product Attention Open In Colab scaled_dot_product_attention(Q, K, V) Hard πŸ”₯ softmax(QK^T/√d_k)V, the foundation of everything
6 Multi-Head Attention Open In Colab MultiHeadAttention (nn.Module) Hard πŸ”₯ Parallel heads, split/concat, projection matrices
9 Causal Self-Attention Open In Colab causal_attention(Q, K, V) Hard πŸ”₯ Autoregressive masking with -inf, GPT-style
10 Grouped Query Attention Open In Colab GroupQueryAttention (nn.Module) Hard ⭐ GQA (LLaMA 2), KV sharing across heads
11 Sliding Window Attention Open In Colab sliding_window_attention(Q, K, V, w) Hard ⭐ Mistral-style local attention, O(n·w) complexity
12 Linear Attention Open In Colab linear_attention(Q, K, V) Hard πŸ’‘ Kernel trick, Ο†(Q)(Ο†(K)^TV), O(nΒ·dΒ²)
14 KV Cache Attention Open In Colab KVCacheAttention (nn.Module) Hard πŸ”₯ Incremental decoding, cache K/V, prefill vs decode
24 RoPE Open In Colab apply_rope(q, k) Hard πŸ”₯ Rotary position embedding, relative position via rotation
25 Flash Attention Open In Colab flash_attention(Q, K, V, block_size) Hard πŸ’‘ Tiled attention, online softmax, memory-efficient

πŸ—οΈ Architecture & Adaptation β€” Put it all together

# Problem What You'll Implement Difficulty Freq Key Concepts
26 LoRA Open In Colab LoRALinear (nn.Module) Medium ⭐ Low-rank adaptation, frozen base + BA update
27 ViT Patch Embedding Open In Colab PatchEmbedding (nn.Module) Medium πŸ’‘ Image β†’ patches β†’ linear projection
13 GPT-2 Block Open In Colab GPT2Block (nn.Module) Hard ⭐ Pre-norm, causal MHA + MLP (4x, GELU), residual connections
28 Mixture of Experts Open In Colab MixtureOfExperts (nn.Module) Hard ⭐ Mixtral-style, top-k routing, expert MLPs

βš™οΈ Training & Optimization

# Problem What You'll Implement Difficulty Freq Key Concepts
29 Adam Optimizer Open In Colab MyAdam Medium ⭐ Momentum + RMSProp, bias correction
30 Cosine LR Scheduler Open In Colab cosine_lr_schedule(step, ...) Medium ⭐ Linear warmup + cosine annealing

🎯 Inference & Decoding

# Problem What You'll Implement Difficulty Freq Key Concepts
32 Top-k / Top-p Sampling Open In Colab sample_top_k_top_p(logits, ...) Medium πŸ”₯ Nucleus sampling, temperature scaling
33 Beam Search Open In Colab beam_search(log_prob_fn, ...) Medium πŸ”₯ Hypothesis expansion, pruning, eos handling
34 Speculative Decoding Open In Colab speculative_decode(target, draft, ...) Hard πŸ’‘ Accept/reject, draft model acceleration

πŸ”¬ Advanced β€” Differentiators

# Problem What You'll Implement Difficulty Freq Key Concepts
35 BPE Tokenizer Open In Colab SimpleBPE Hard πŸ’‘ Byte-pair encoding, merge rules, subword splits
36 INT8 Quantization Open In Colab Int8Linear (nn.Module) Hard πŸ’‘ Per-channel quantize, scale/zero-point, buffer vs param
37 DPO Loss Open In Colab dpo_loss(chosen, rejected, ...) Hard πŸ’‘ Direct preference optimization, alignment training
38 GRPO Loss Open In Colab grpo_loss(logps, rewards, group_ids, eps) Hard πŸ’‘ Group relative policy optimization, RLAIF, within-group normalized advantages
39 PPO Loss Open In Colab ppo_loss(new_logps, old_logps, advantages, clip_ratio) Hard πŸ’‘ PPO clipped surrogate loss, policy gradient, trust region

βš™οΈ How It Works

Each problem has two notebooks:

File Purpose
01_relu.ipynb ✏️ Blank template β€” write your code here
01_relu_solution.ipynb πŸ“– Reference solution β€” check when stuck

Workflow

1. Open a blank notebook           β†’  Read the problem description
2. Implement your solution         β†’  Use only basic PyTorch ops
3. Debug freely                    β†’  print(x.shape), check gradients, etc.
4. Run the judge cell              β†’  check("relu")
5. See instant colored feedback    β†’  βœ… pass / ❌ fail per test case
6. Stuck? Get a nudge              β†’  hint("relu")
7. Review the reference solution   β†’  01_relu_solution.ipynb
8. Click πŸ”„ Reset in the toolbar  β†’  Blank slate β€” practice again!

In-Notebook API

from torch_judge import check, hint, status

check("relu")               # Judge your implementation
hint("causal_attention")    # Get a hint without full spoiler
status()                    # Progress dashboard β€” solved / attempted / todo

πŸ“… Suggested Study Plan

Total: ~12–16 hours spread across 3–4 weeks. Perfect for interview prep on a deadline.

Week Focus Problems Time
1 🧱 Foundations ReLU β†’ Softmax β†’ CE Loss β†’ Dropout β†’ Embedding β†’ GELU β†’ Linear β†’ LayerNorm β†’ BatchNorm β†’ RMSNorm β†’ SwiGLU MLP β†’ Conv2d 2–3 hrs
2 🧠 Attention Deep Dive SDPA β†’ MHA β†’ Cross-Attn β†’ Causal β†’ GQA β†’ KV Cache β†’ Sliding Window β†’ RoPE β†’ Linear Attn β†’ Flash Attn 3–4 hrs
3 πŸ—οΈ Architecture + Training GPT-2 Block β†’ LoRA β†’ MoE β†’ ViT Patch β†’ Adam β†’ Cosine LR β†’ Grad Clip β†’ Grad Accumulation β†’ Kaiming Init 3–4 hrs
4 🎯 Inference + Advanced Top-k/p Sampling β†’ Beam Search β†’ Speculative Decoding β†’ BPE β†’ INT8 Quant β†’ DPO Loss β†’ GRPO Loss β†’ PPO Loss + speed run 3–4 hrs

πŸ›οΈ Architecture

β”Œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”
β”‚           Docker / Podman Container      β”‚
β”‚                                          β”‚
β”‚  JupyterLab (:8888)                      β”‚
β”‚    β”œβ”€β”€ templates/  (reset on each run)   β”‚
β”‚    β”œβ”€β”€ solutions/  (reference impl)      β”‚
β”‚    β”œβ”€β”€ torch_judge/ (auto-grading)       β”‚
β”‚    β”œβ”€β”€ torchcode-labext (JLab plugin)    β”‚
β”‚    β”‚     πŸ”„ Reset β€” restore template     β”‚
β”‚    β”‚     πŸ”— Colab β€” open in Colab        β”‚
β”‚    └── PyTorch (CPU), NumPy              β”‚
β”‚                                          β”‚
β”‚  Judge checks:                           β”‚
β”‚    βœ“ Output correctness (allclose)       β”‚
β”‚    βœ“ Gradient flow (autograd)            β”‚
β”‚    βœ“ Shape consistency                   β”‚
β”‚    βœ“ Edge cases & numerical stability    β”‚
β””β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”˜

Single container. Single port. No database. No frontend framework. No GPU.

πŸ› οΈ Commands

make run    # Build & start (http://localhost:8888)
make stop   # Stop the container
make clean  # Stop + remove volumes + reset all progress

🧩 Adding Your Own Problems

TorchCode uses auto-discovery β€” just drop a new file in torch_judge/tasks/:

TASK = {
    "id": "my_task",
    "title": "My Custom Problem",
    "difficulty": "medium",
    "function_name": "my_function",
    "hint": "Think about broadcasting...",
    "tests": [ ... ],
}

No registration needed. The judge picks it up automatically.


πŸ“¦ Publishing torch-judge to PyPI (maintainers)

The judge is published as a separate package so Colab/users can pip install torch-judge without cloning the repo.

Automatic (GitHub Action)

Pushing to master after changing the package version triggers .github/workflows/pypi-publish.yml, which builds and uploads to PyPI. No git tag is required.

  1. Bump version in torch_judge/_version.py (e.g. __version__ = "0.1.1").
  2. Configure PyPI Trusted Publisher (one-time):
    • PyPI β†’ Your project torch-judge β†’ Publishing β†’ Add a new pending publisher
    • Owner: duoan, Repository: TorchCode, Workflow: pypi-publish.yml, Environment: (leave empty)
    • Run the workflow once (push a version bump to master or Actions β†’ Publish torch-judge to PyPI β†’ Run workflow); PyPI will then link the publisher.
  3. Release: commit the version bump and git push origin master.

Alternatively, use an API token: add repository secret PYPI_API_TOKEN (value = pypi-... from PyPI) and set TWINE_USERNAME=__token__ and TWINE_PASSWORD from that secret in the workflow if you prefer not to use Trusted Publishing.

Manual

pip install build twine
python -m build
twine upload dist/*

Version is in torch_judge/_version.py; bump it before each release.


❓ FAQ

Do I need a GPU?
No. Everything runs on CPU. The problems test correctness and understanding, not throughput.
Can I keep my solutions between runs?
Blank templates reset on every make run so you practice from scratch. Save your work under a different filename if you want to keep it. You can also click the πŸ”„ Reset button in the notebook toolbar at any time to restore the blank template without restarting.
Can I use Google Colab instead?
Yes! Every notebook has an Open in Colab badge at the top. Click it to open the problem directly in Google Colab β€” no Docker or local setup needed. You can also use the Colab toolbar button inside JupyterLab.
How are solutions graded?
The judge runs your function against multiple test cases using torch.allclose for numerical correctness, verifies gradients flow properly via autograd, and checks edge cases specific to each operation.
Who is this for?
Anyone preparing for ML/AI engineering interviews at top tech companies, or anyone who wants to deeply understand how PyTorch operations work under the hood.

🀝 Contributors

Thanks to everyone who has contributed to TorchCode.

Auto-generated from the GitHub contributors graph with avatars and GitHub usernames.


Built for engineers who want to deeply understand what they build.

If this helped your interview prep, consider giving it a ⭐


β˜• Buy Me a Coffee

Buy Me A Coffee

BMC QR Code

Scan to support