def atompos_to_voxelized_sphere(center: np.ndarray, radius: int):
"""Make sure radius reflects the size of the underlying voxel grid"""
= center
x0, y0, z0
#!------ Generate indices of a voxel cube of side 2r around the centerpoint
= slice(
x_range int(np.floor(x0 - radius)),
int(np.ceil(x0 + radius)))
= slice(
y_range int(np.floor(y0 - radius)),
int(np.ceil(y0 + radius)))
= slice(
z_range int(np.floor(z0 - radius)),
int(np.ceil(z0 + radius)))
= np.indices(
indices
(- x_range.start,
x_range.stop - y_range.start,
y_range.stop - z_range.start,
z_range.stop
)
)
+= np.array([x_range.start,
indices
y_range.start,
z_range.start])[:, np.newaxis, np.newaxis, np.newaxis ]= indices.transpose(1, 2, 3, 0)
indices = list(map(tuple, indices.reshape(-1, 3)))
indices_list
#!------ Generate indices of a voxel cube of side 2r+2 around the centerpoint
= []
sphere_active_ix
for ind in indices_list:
= ind[0]
x_ = ind[1]
y_ = ind[2]
z_ if (x_ - x0) ** 2 + (y_ - y0) ** 2 + (z_ - z0) ** 2 <= radius**2:
sphere_active_ix.append([x_, y_, z_])
return np.array(sphere_active_ix)
Summary and Background
We present a protocol to extract the surface of a biomolecular cavity for shape analysis and molecular simulations.
We apply and illustrate the protocol on the ribosome structure, which contains a subcompartment known as the ribosome exit tunnel or “nascent polypeptide exit tunnel” (NPET). More details on the tunnel features and biological importance can be found in our previous works1,2.
The protocol was designed to refine the output obtained from MOLE software3, but can be applied to reconstruct a mesh on any general point cloud. Hence, we take the point-cloud of atom positions surrounding the tunnel as a point of departure.
1. Pointcloud Preparation: Bounding Box and Voxelization
Bbox: There are many ways to extract a point cloud from a larger biological structure – in this case we settle for a bounding box that bounds the space between the PTC and the NPET vestibule.
# "bounding_box_atoms.npy" is a N,3 array of atom coordinates
= np.load("bounding_box_atoms.npy") atom_centers
Sphering: To make the representation of atoms slightly more physically-plausible we replace each atom-center coordinate with positions of voxels that fall within a sphere of radius \(R\) around the atom’s position. This is meant to represent the atom’s van der Waals radius.
One could model different types of atoms (\(N\),\(C\),\(O\),\(H\) etc.) with separate radii, but taking \(R=2\) proves a good enough compromise. The units are Angstrom and correspond to the coordinate system in which the structure of the ribosome is recorded.
= np.array([ atompos_to_voxel_sphere(atom, 2) for atom in atom_centers ]) voxel_spheres
Voxelization & Inversion: Since we are interested in the “empty space” between the atoms, we need a way to capture it. To make this possible we discretize the space by projecting the (sphered) point cloud into a voxel grid and invert the grid.
# the grid is a binary 3D-array
# with 1s where a normalized 3D-coordinate of an atom corresponds to the cell index and 0s elsewhere
# by "normalized" i mean that the atom coordinates are
# temporarily moved to the origin to decrease the size of the grid (see `index_grid` method further).
= index_grid(voxel_spheres)
initial_grid, grid_dims, _
# The grid is inverted by changing 0->1 and 1->0
# Now the atom locations are the null voxels and the empty space is active voxels
= np.asarray(np.where(initial_grid != 1)).T inverted_grid
Compare the following representation (Inverted Point Cloud) to the first point cloud: notice that where there previously was an active voxel is now an empty voxel and vice versa. The tubular constellation of active voxels in the center of the bounding box on this inverted grid is the tunnel “space” we are interested in.
2. Subcloud Extraction
Clustering: Having obtained a voxelized representation of the interatomic spaces inside and around the NPET our task is now to extract only the space that corresponds to the NPET. We use DBSCAN.
scikit
’s implementation of DBSCAN
conveniently lets us retrieve the points from the largest cluster only, which corresponds to the active voxels of NPET space (if we eyeballed our DBSCAN parameters well).
from scikit.cluster import DBSCAN
= 5.5, 600, 'euclidian'
_u_EPSILON, _u_MIN_SAMPLES, _u_METRIC
= DBSCAN_capture(inverted_grid, _u_EPSILON, _u_MIN_SAMPLES, _u_METRIC )
_, clusters_container = DBSCAN_pick_largest_cluster(clusters_container) largest_cluster
Our 1Å-side grid just happens to be granular enough to accomodate a “correct” separation of clusters for some empirically established values of min_nbrs
and epsilon
(DBSCAN parameters), where the largest cluster captures the tunnel space.
A possible issue here is “extraneous” clusters merging into the cluster of interest and thereby corrupting its shape. In general this occurs when there are clusters of density that are close enough (within epsilon
to the main one to warrant a merge) and simultaneously large enough that they fulfill the min_nbrs
parameter. Hence it might be challenging to find the combination of min_nbrs
and epsilon
that is sensitive enough to capture the main cluster completely and yet discriminating enough to not subsume any adjacent clusters.
In theory, a finer voxel grid (finer – in relationship to the initial coordinates of the general point cloud; sub-angstrom in our case) would make finding the combination of parameters specific to the dataset easier: given that the atom-sphere would be represented by a proprotionally larger number of voxels, the euclidian distance calculation between two voxels would be less sensitive to the change in epsilon
.
Partioning the voxel grid further would come at a cost:
- you would need to rewrite the sphering method for atoms (to account for the the new voxel-size)
- the computational cost will increase dramatically, the dataset could conceivably stop fitting into memory alltogether.
I found that this first pass of DBSCAN (eps
=\(5.5\), min_nbrs
=\(600\)) successfully identifies the largest cluster with the tunnel but generally happens to be conservative in the amount of points that are merged into it. That is, there are still redundant points in this cluster that would make the eventual surface reconstruction spatially overlap with the rRNA and protiens. To “sharpen” this cluster we apply DBSCAN only to its sub-pointcloud and push the eps
distance down to \(3\) and min_nbrs
to \(123\) (again, “empirically established” values), which happens to be about the lowest parameter values at which any clusters form. This sharpened cluster is what the tesselation (surface reconstruction) will be performed on.
3. Surface Reconstruction
Now, having refined the largest DBSCAN cluster, we have a pointcloud which faithfully represent the tunnel geometry. To create a watertight mesh from this point cloud we need to prepare the dataset:
- retrieve only the “surface” points from the pointcloud
- estimate normals on the surface points (establish data orientation)
= 2, 1
d3d_alpha, d3d_tol
= ptcloud_convex_hull_points(coordinates_in_the_original_frame, d3d_alpha,d3d_tol)
surface_pts = estimate_normals(surface_pts, kdtree_radius=10, kdtree_max_nn=15, correction_tangent_planes_n=10) pointcloud
The dataset is now ready for surface reconstruction. We reach for Poisson surface reconstruction4 by Kazhdan and Hoppe, a de facto standard in the field.
= 6, 3
PR_depth , PR_ptweight =PR_depth, recon_pt_weight=PR_ptweight) apply_poisson_recon(pointcloud, recon_depth
Poisson Surface Reconstruction in a few Eqns:
Define basis functions space. \(o.c\), \(o.w\) are parameters of the octree: \[ \begin{equation*} F_o(q) \equiv F\left(\frac{q-o.c}{o.w}\right)\frac{1}{o.w^3} \end{equation*} \]
Pick a basis function. \(B\) is just a “box-function”:
\[ \begin{align*} F(x,y,z) &\equiv (B(x)B(y)B(z))^{*n} \\ \text{with } B(t) &= \begin{cases} 1 & |t| < 0.5 \\ 0 & \text{otherwise} \end{cases} \end{align*} \]
Define vector field from points of your ptcloud: \[ \begin{equation*} \bar{V}(q) \equiv \sum_{s\in S}\sum_{o\in\text{Ngbr}_D(s)}\alpha_{o,s}F_o(q)s.\vec{N} \end{equation*} \]
Solve Poisson eqn. in \(\chi\) and \(V\)(least squares): \[ \begin{align*} \sum_{o\in\mathcal{O}}\|\langle\Delta\tilde{\chi}-\nabla\cdot\bar{V},F_o\rangle\|^2 = \\ \sum_{o\in\mathcal{O}}\|\langle\Delta\tilde{\chi},F_o\rangle-\langle\nabla\cdot\bar{V},F_o\rangle\|^2 \end{align*} \]
Trace the isosurface through the solution (that’s your implicit surface): \[ \begin{align*} \partial\tilde{M} &\equiv \{q\in\mathbb{R}^3 | \tilde{\chi}(q)=\gamma\} \\ \text{with } \gamma &= \frac{1}{|S|}\sum_{s\in S}\tilde{\chi}(s.p) \end{align*} \]
Result
What you are left with is a smooth polygonal mesh in the .ply
format. Below is the illustration of the fidelity of the representation. Folds and depressions can clearly be seen engendered by three proteins surrounding parts of the tunnel (uL22 yellow, uL4 light blue and eL39 magenta). rRNA is not shown.6
Improvements needed for this protocol:
eliminate radial plot dependency. This could be done by fitting a plane to the tunnel vestibule through a few conserved sites and aligning it to be normal to the PTC, dropping a cylinder with a liberal radius between the plane the ptc.
automatic choice of cluster. for larger radii of bbox expansion the largest dbscan cluster doesnt necessarily correspond to the tunnel.
References
Reuse
Citation
@online{kushner2024,
author = {Kushner, Artem and Dao Duc, Khanh},
title = {3D Tessellation of Biomolecular Cavities},
date = {2024-08-04},
url = {https://rtviii.xyz/posts/ribosome-tunnel-new/},
langid = {en}
}