mirror of
https://github.com/MLSysBook/TinyTorch.git
synced 2026-03-12 02:34:04 -05:00
Re-exported all modules after restructuring: - Updated _modidx.py with new module locations - Removed outdated autogeneration headers - Updated all core modules (tensor, autograd, layers, etc.) - Updated optimization modules (quantization, compression, etc.) - Updated TITO commands for new structure Changes include: - 24 tinytorch/ module files - 24 tito/ command and core files - Updated references from modules/source/ to modules/ All modules re-exported via nbdev from their new locations.
249 lines
7.9 KiB
Python
Generated
249 lines
7.9 KiB
Python
Generated
# AUTOGENERATED! DO NOT EDIT! File to edit: ../../modules/source/08_dataloader/dataloader_dev.ipynb.
|
|
|
|
# %% auto 0
|
|
__all__ = ['Dataset', 'TensorDataset', 'DataLoader']
|
|
|
|
# %% ../../modules/source/08_dataloader/dataloader_dev.ipynb 0
|
|
#| default_exp data.loader
|
|
#| export
|
|
|
|
# %% ../../modules/source/08_dataloader/dataloader_dev.ipynb 2
|
|
# Essential imports for data loading
|
|
import numpy as np
|
|
import random
|
|
from typing import Iterator, Tuple, List, Optional, Union
|
|
from abc import ABC, abstractmethod
|
|
|
|
# Import real Tensor class from tinytorch package
|
|
from ..core.tensor import Tensor
|
|
|
|
# %% ../../modules/source/08_dataloader/dataloader_dev.ipynb 4
|
|
class Dataset(ABC):
|
|
"""
|
|
Abstract base class for all datasets.
|
|
|
|
Provides the fundamental interface that all datasets must implement:
|
|
- __len__(): Returns the total number of samples
|
|
- __getitem__(idx): Returns the sample at given index
|
|
|
|
TODO: Implement the abstract Dataset base class
|
|
|
|
APPROACH:
|
|
1. Use ABC (Abstract Base Class) to define interface
|
|
2. Mark methods as @abstractmethod to force implementation
|
|
3. Provide clear docstrings for subclasses
|
|
|
|
EXAMPLE:
|
|
>>> class MyDataset(Dataset):
|
|
... def __len__(self): return 100
|
|
... def __getitem__(self, idx): return idx
|
|
>>> dataset = MyDataset()
|
|
>>> print(len(dataset)) # 100
|
|
>>> print(dataset[42]) # 42
|
|
|
|
HINT: Abstract methods force subclasses to implement core functionality
|
|
"""
|
|
|
|
### BEGIN SOLUTION
|
|
@abstractmethod
|
|
def __len__(self) -> int:
|
|
"""
|
|
Return the total number of samples in the dataset.
|
|
|
|
This method must be implemented by all subclasses to enable
|
|
len(dataset) calls and batch size calculations.
|
|
"""
|
|
pass
|
|
|
|
@abstractmethod
|
|
def __getitem__(self, idx: int):
|
|
"""
|
|
Return the sample at the given index.
|
|
|
|
Args:
|
|
idx: Index of the sample to retrieve (0 <= idx < len(dataset))
|
|
|
|
Returns:
|
|
The sample at index idx. Format depends on the dataset implementation.
|
|
Could be (data, label) tuple, single tensor, etc.
|
|
"""
|
|
pass
|
|
### END SOLUTION
|
|
|
|
# %% ../../modules/source/08_dataloader/dataloader_dev.ipynb 7
|
|
class TensorDataset(Dataset):
|
|
"""
|
|
Dataset wrapping tensors for supervised learning.
|
|
|
|
Each sample is a tuple of tensors from the same index across all input tensors.
|
|
All tensors must have the same size in their first dimension.
|
|
|
|
TODO: Implement TensorDataset for tensor-based data
|
|
|
|
APPROACH:
|
|
1. Store all input tensors
|
|
2. Validate they have same first dimension (number of samples)
|
|
3. Return tuple of tensor slices for each index
|
|
|
|
EXAMPLE:
|
|
>>> features = Tensor([[1, 2], [3, 4], [5, 6]]) # 3 samples, 2 features each
|
|
>>> labels = Tensor([0, 1, 0]) # 3 labels
|
|
>>> dataset = TensorDataset(features, labels)
|
|
>>> print(len(dataset)) # 3
|
|
>>> print(dataset[1]) # (Tensor([3, 4]), Tensor(1))
|
|
|
|
HINTS:
|
|
- Use *tensors to accept variable number of tensor arguments
|
|
- Check all tensors have same length in dimension 0
|
|
- Return tuple of tensor[idx] for all tensors
|
|
"""
|
|
|
|
def __init__(self, *tensors):
|
|
"""
|
|
Create dataset from multiple tensors.
|
|
|
|
Args:
|
|
*tensors: Variable number of Tensor objects
|
|
|
|
All tensors must have the same size in their first dimension.
|
|
"""
|
|
### BEGIN SOLUTION
|
|
assert len(tensors) > 0, "Must provide at least one tensor"
|
|
|
|
# Store all tensors
|
|
self.tensors = tensors
|
|
|
|
# Validate all tensors have same first dimension
|
|
first_size = len(tensors[0].data) # Size of first dimension
|
|
for i, tensor in enumerate(tensors):
|
|
if len(tensor.data) != first_size:
|
|
raise ValueError(
|
|
f"All tensors must have same size in first dimension. "
|
|
f"Tensor 0: {first_size}, Tensor {i}: {len(tensor.data)}"
|
|
)
|
|
### END SOLUTION
|
|
|
|
def __len__(self) -> int:
|
|
"""Return number of samples (size of first dimension)."""
|
|
### BEGIN SOLUTION
|
|
return len(self.tensors[0].data)
|
|
### END SOLUTION
|
|
|
|
def __getitem__(self, idx: int) -> Tuple[Tensor, ...]:
|
|
"""
|
|
Return tuple of tensor slices at given index.
|
|
|
|
Args:
|
|
idx: Sample index
|
|
|
|
Returns:
|
|
Tuple containing tensor[idx] for each input tensor
|
|
"""
|
|
### BEGIN SOLUTION
|
|
if idx >= len(self) or idx < 0:
|
|
raise IndexError(f"Index {idx} out of range for dataset of size {len(self)}")
|
|
|
|
# Return tuple of slices from all tensors
|
|
return tuple(Tensor(tensor.data[idx]) for tensor in self.tensors)
|
|
### END SOLUTION
|
|
|
|
# %% ../../modules/source/08_dataloader/dataloader_dev.ipynb 10
|
|
class DataLoader:
|
|
"""
|
|
Data loader with batching and shuffling support.
|
|
|
|
Wraps a dataset to provide batched iteration with optional shuffling.
|
|
Essential for efficient training with mini-batch gradient descent.
|
|
|
|
TODO: Implement DataLoader with batching and shuffling
|
|
|
|
APPROACH:
|
|
1. Store dataset, batch_size, and shuffle settings
|
|
2. Create iterator that groups samples into batches
|
|
3. Handle shuffling by randomizing indices
|
|
4. Collate individual samples into batch tensors
|
|
|
|
EXAMPLE:
|
|
>>> dataset = TensorDataset(Tensor([[1,2], [3,4], [5,6]]), Tensor([0,1,0]))
|
|
>>> loader = DataLoader(dataset, batch_size=2, shuffle=True)
|
|
>>> for batch in loader:
|
|
... features_batch, labels_batch = batch
|
|
... print(f"Features: {features_batch.shape}, Labels: {labels_batch.shape}")
|
|
|
|
HINTS:
|
|
- Use random.shuffle() for index shuffling
|
|
- Group consecutive samples into batches
|
|
- Stack individual tensors using np.stack()
|
|
"""
|
|
|
|
def __init__(self, dataset: Dataset, batch_size: int, shuffle: bool = False):
|
|
"""
|
|
Create DataLoader for batched iteration.
|
|
|
|
Args:
|
|
dataset: Dataset to load from
|
|
batch_size: Number of samples per batch
|
|
shuffle: Whether to shuffle data each epoch
|
|
"""
|
|
### BEGIN SOLUTION
|
|
self.dataset = dataset
|
|
self.batch_size = batch_size
|
|
self.shuffle = shuffle
|
|
### END SOLUTION
|
|
|
|
def __len__(self) -> int:
|
|
"""Return number of batches per epoch."""
|
|
### BEGIN SOLUTION
|
|
# Calculate number of complete batches
|
|
return (len(self.dataset) + self.batch_size - 1) // self.batch_size
|
|
### END SOLUTION
|
|
|
|
def __iter__(self) -> Iterator:
|
|
"""Return iterator over batches."""
|
|
### BEGIN SOLUTION
|
|
# Create list of indices
|
|
indices = list(range(len(self.dataset)))
|
|
|
|
# Shuffle if requested
|
|
if self.shuffle:
|
|
random.shuffle(indices)
|
|
|
|
# Yield batches
|
|
for i in range(0, len(indices), self.batch_size):
|
|
batch_indices = indices[i:i + self.batch_size]
|
|
batch = [self.dataset[idx] for idx in batch_indices]
|
|
|
|
# Collate batch - convert list of tuples to tuple of tensors
|
|
yield self._collate_batch(batch)
|
|
### END SOLUTION
|
|
|
|
def _collate_batch(self, batch: List[Tuple[Tensor, ...]]) -> Tuple[Tensor, ...]:
|
|
"""
|
|
Collate individual samples into batch tensors.
|
|
|
|
Args:
|
|
batch: List of sample tuples from dataset
|
|
|
|
Returns:
|
|
Tuple of batched tensors
|
|
"""
|
|
### BEGIN SOLUTION
|
|
if len(batch) == 0:
|
|
return ()
|
|
|
|
# Determine number of tensors per sample
|
|
num_tensors = len(batch[0])
|
|
|
|
# Group tensors by position
|
|
batched_tensors = []
|
|
for tensor_idx in range(num_tensors):
|
|
# Extract all tensors at this position
|
|
tensor_list = [sample[tensor_idx].data for sample in batch]
|
|
|
|
# Stack into batch tensor
|
|
batched_data = np.stack(tensor_list, axis=0)
|
|
batched_tensors.append(Tensor(batched_data))
|
|
|
|
return tuple(batched_tensors)
|
|
### END SOLUTION
|