Spaces:
Sleeping
Sleeping
| import numpy as np | |
| import torch | |
| from torch import Tensor | |
| def sample_b(sigma: float, size: tuple) -> Tensor: | |
| r"""Matrix of size :attr:`size` sampled from from :math:`\mathcal{N}(0, \sigma^2)` | |
| Args: | |
| sigma (float): standard deviation | |
| size (tuple): size of the matrix sampled | |
| See :class:`~rff.layers.GaussianEncoding` for more details | |
| """ | |
| return torch.randn(size) * sigma | |
| def gaussian_encoding( | |
| v: Tensor, | |
| b: Tensor) -> Tensor: | |
| r"""Computes :math:`\gamma(\mathbf{v}) = (\cos{2 \pi \mathbf{B} \mathbf{v}} , \sin{2 \pi \mathbf{B} \mathbf{v}})` | |
| Args: | |
| v (Tensor): input tensor of shape :math:`(N, *, \text{input_size})` | |
| b (Tensor): projection matrix of shape :math:`(\text{encoded_layer_size}, \text{input_size})` | |
| Returns: | |
| Tensor: mapped tensor of shape :math:`(N, *, 2 \cdot \text{encoded_layer_size})` | |
| See :class:`~rff.layers.GaussianEncoding` for more details. | |
| """ | |
| vp = 2 * np.pi * v @ b.T | |
| return torch.cat((torch.cos(vp), torch.sin(vp)), dim=-1) | |
| def basic_encoding( | |
| v: Tensor) -> Tensor: | |
| r"""Computes :math:`\gamma(\mathbf{v}) = (\cos{2 \pi \mathbf{v}} , \sin{2 \pi \mathbf{v}})` | |
| Args: | |
| v (Tensor): input tensor of shape :math:`(N, *, \text{input_size})` | |
| Returns: | |
| Tensor: mapped tensor of shape :math:`(N, *, 2 \cdot \text{input_size})` | |
| See :class:`~rff.layers.BasicEncoding` for more details. | |
| """ | |
| vp = 2 * np.pi * v | |
| return torch.cat((torch.cos(vp), torch.sin(vp)), dim=-1) | |
| def positional_encoding( | |
| v: Tensor, | |
| sigma: float, | |
| m: int) -> Tensor: | |
| r"""Computes :math:`\gamma(\mathbf{v}) = (\dots, \cos{2 \pi \sigma^{(j/m)} \mathbf{v}} , \sin{2 \pi \sigma^{(j/m)} \mathbf{v}}, \dots)` | |
| where :math:`j \in \{0, \dots, m-1\}` | |
| Args: | |
| v (Tensor): input tensor of shape :math:`(N, *, \text{input_size})` | |
| sigma (float): constant chosen based upon the domain of :attr:`v` | |
| m (int): [description] | |
| Returns: | |
| Tensor: mapped tensor of shape :math:`(N, *, 2 \cdot m \cdot \text{input_size})` | |
| See :class:`~rff.layers.PositionalEncoding` for more details. | |
| """ | |
| j = torch.arange(m, device=v.device) | |
| coeffs = 2 * np.pi * sigma ** (j / m) | |
| vp = coeffs * torch.unsqueeze(v, -1) | |
| vp_cat = torch.cat((torch.cos(vp), torch.sin(vp)), dim=-1) | |
| return vp_cat.flatten(-2, -1) | |