topolow
A physics-inspired R package for robust Euclidean embedding of sparse, non-metric dissimilarity data. Particularly powerful for antigenic cartography and viral evolution tracking, but applicable to any domain with incomplete similarity measurements. Published in *Bioinformatics* (2025).
Science Score: 67.0%
This score indicates how likely this project is to be science-related based on various indicators:
-
✓CITATION.cff file
Found CITATION.cff file -
✓codemeta.json file
Found codemeta.json file -
✓.zenodo.json file
Found .zenodo.json file -
✓DOI references
Found 16 DOI reference(s) in README -
✓Academic publication links
Links to: arxiv.org, zenodo.org -
○Academic email domains
-
○Institutional organization owner
-
○JOSS paper metadata
-
○Scientific vocabulary similarity
Low similarity (13.2%) to scientific vocabulary
Keywords
Repository
A physics-inspired R package for robust Euclidean embedding of sparse, non-metric dissimilarity data. Particularly powerful for antigenic cartography and viral evolution tracking, but applicable to any domain with incomplete similarity measurements. Published in *Bioinformatics* (2025).
Basic Info
- Host: GitHub
- Owner: omid-arhami
- License: other
- Language: R
- Default Branch: main
- Homepage: https://cran.r-project.org/package=topolow
- Size: 40.9 MB
Statistics
- Stars: 4
- Watchers: 1
- Forks: 1
- Open Issues: 0
- Releases: 11
Topics
Metadata Files
README.md
Topolow: Force-Directed Euclidean Embedding of Dissimilarity Data (Version 2)
Overview
[Changes from version 1 and migration: https://github.com/omid-arhami/topolow/blob/main/NEWS.md]
topolow is an R package that implements a novel, physics-inspired algorithm for Euclidean embedding of potentially non-metric, sparse, and noisy dissimilarity data. The algorithm converts dissimilarity matrices into valid Euclidean coordinate systems, making the data compatible with standard statistical and machine learning tools like PCA, clustering, and regression.
The Problem: Many datasets contain dissimilarity measurements that violate metric axioms (symmetry, triangle inequality) or are highly sparse with missing values. Standard methods like Multidimensional Scaling (MDS) struggle with such data, leading to poor embeddings or complete failure.
The Solution: Topolow uses a physics-inspired approach that models objects as particles connected by springs (for known dissimilarities) and repulsive forces (for missing pairs). This gradient-free optimization is robust to local optima and handles non-metric data naturally.
Key Advantages
- Handles non-metric data: Works with dissimilarities that violate metric axioms
- Superior performance on sparse data: Effectively processes datasets with >95% missing values
- Calculates antigenic velocity vectors (biology): Measures the rate and direction of viral evolution, offering early warnings of lineage replacements.
- Robust optimization: Gradient-free algorithm avoids local optima
- Statistical foundation: Maximum likelihood estimation under Laplace error model
- Automatic parameter optimization: Determines optimal dimensions and parameters through cross-validation
- Handles censored data: Properly incorporates threshold measurements (e.g., "<1", ">64")
- Network-based error dampening: Reduces experimental noise through interconnected force system
- Complete positioning: Maps all objects regardless of data sparsity
Installation
From CRAN
r
install.packages("topolow")
From GitHub
```r
Install devtools if needed
if (!require("devtools")) install.packages("devtools")
Install topolow
devtools::install_github("omid-arhami/topolow") ```
Quick Start
Simple Example: Embedding 5 Points
Let's embed 4 points with known coordinates to validate the algorithm:
```r library(topolow)
Known coordinates:
S1 at (0,0), S2 at (3,0), S3 at (4,4), V1 at (2,2), V2 at (0,4)
We'll provide some distances and let Topolow infer the missing ones
coordinates <- data.frame( point = c("S1", "S2", "S3", "V1", "V2"), x = c(0, 3, 4, 2, 0), y = c(0, 0, 4, 2, 4) )
Create a matrix with just the x,y coordinates for distance calculation
coordmatrix <- as.matrix(coordinates[, c("x", "y")]) rownames(coordmatrix) <- coordinates$point
Calculate the distance matrix using Euclidean distance
distmat <- as.matrix(dist(coordmatrix))
Remove a known distance to see if topolow predicts it accurately
distmat["V1", "V2"] <- NA distmat["V2", "V1"] <- NA
Run Topolow (manual parameters for quick demo)
result <- euclideanembedding( dissimilaritymatrix = distmat, ndim = 2, mappingmaxiter = 1000, k0 = 5, coolingrate = 0.03, c_repulsion = 0.7, verbose = TRUE )
Check results
print("Original matrix:") print(distmat) print("Estimated distances:") print(result$estdistances)
The missing distance V1-V2 should be approximately 2.83
```
Automatic Optimization with Euclidify
For real applications, use Euclidify() which automatically optimizes all parameters:
```r
Using automatic parameter optimization
resultauto <- Euclidify( dissimilaritymatrix = distmat, ndimrange = c(2, 4), outputdir = tempdir(), # Required for optimization files ninitialsamples = 50, # Reduced for quick demo nadaptive_samples = 200, folds = 4, verbose = "standard" )
Extract optimized distances
estdist <- resultauto$estdistances print(estdist)
View optimal parameters found
print(resultauto$optimalparams) ```
Applications and Examples
1. Antigenic Mapping: Viral Evolution with Temporal Visualization
For immunologists studying viral evolution and vaccine effectiveness, Topolow can generate insightful visualizations. A key feature for this application is the calculation of antigenic velocity vectors, which show the rate and direction of antigenic drift for each virus against its recent predecessors. These vectors can reveal evolutionary trends and highlight potential vaccine-escape variants by revealing fast movements. ```r
Example: H3N2 Influenza A antigenic evolution with temporal mapping and velocity vectors
Create a more comprehensive antigenic dataset with temporal information
antigen_data <- data.frame( virus = c("A/H3N2/HK/1968", "A/H3N2/EN/1972", "A/H3N2/VI/1975", "A/H3N2/TX/1977", "A/H3N2/BK/1979", "A/H3N2/SI/1987", "A/H3N2/BE/1989", "A/H3N2/BE/1992", "A/H3N2/WU/1995", "A/H3N2/SY/1997", "A/H3N2/FU/2002", "A/H3N2/WI/2005"), serum = rep(c("anti-HK68/1968", "anti-EN72/1972", "anti-VI75/1975", "anti-TX77/1977", "anti-BK79/1979", "anti-SI87/1987"), each = 12), titer = c(2560, 1280, 640, 320, 160, 80, 40, "<40", "<40", "<40", "<40", "<40", 640, 2560, 1280, 640, 320, 160, 80, 40, "<40", "<40", "<40", "<40", 320, 640, 2560, 1280, 640, 320, 160, 80, 40, "<40", "<40", "<40", 160, 320, 640, 2560, 1280, 640, 320, 160, 80, 40, "<40", "<40", 80, 160, 320, 640, 2560, 1280, 640, 320, 160, 80, 40, "<40", "<40", 80, 160, 320, 640, 2560, 1280, 640, 320, 160, 80, 40), year = rep(c(1968, 1972, 1975, 1977, 1979, 1987, 1989, 1992, 1995, 1997, 2002, 2005), 6) )
Convert titers to dissimilarity matrix
results <- processantigenicdata( data = antigendata, antigencol = "virus", serumcol = "serum", valuecol = "titer", issimilarity = TRUE, # Titers are similarities scalefactor = 10 # Base dilution factor of HI assay ) antigenic_matrix <- results$matrix
Create antigenic map with temporal information
antigenicmap <- Euclidify( dissimilaritymatrix = antigenicmatrix, ndimrange = c(3, 6), folds = 5, output_dir = tempdir(), verbose = "standard" )
Prepare data for temporal visualization
positionsdf <- data.frame( V1 = antigenicmap$positions[, 1], V2 = antigenicmap$positions[, 2], name = rownames(antigenicmap$positions), year = as.numeric(sub("./([0-9]+).", "\1", rownames(antigenicmap$positions))), antigen = grepl("^V/", rownames(antigenicmap$positions)), antiserum = grepl("^S/", rownames(antigenic_map$positions)) )
Configure visualization aesthetics
aestheticconfig <- newaestheticconfig( pointsize = 3.0, pointalpha = 0.8, pointshapes = c(antigen = 16, antiserum = 5), # Circle for antigens, diamond for sera gradientcolors = list(low = "blue", high = "red"), showlabels = TRUE, showtitle = TRUE, titlesize = 14, axistextsize = 11, showlegend = TRUE, legendposition = "right", arrow_alpha = 0.7 )
layoutconfig <- newlayoutconfig( width = 10, height = 8, saveplot = FALSE, arrowplotthreshold = 0.15, # Show arrows for significant movements showgrid = TRUE, gridtype = "major" )
annotationconfig <- newannotationconfig( notablepoints = c("V/A/H3N2/HK/1968", "V/A/H3N2/FU/2002", "V/A/H3N2/WI/2005") )
Create temporal antigenic map with velocity vectors
temporalplot <- plottemporalmapping( dfcoords = positionsdf, ndim = 3, drawarrows = TRUE, # Enable velocity vectors annotatearrows = TRUE, # Label arrows with strain names sigmat = 2.0, # Temporal bandwidth (years) sigmax = 1.5, # Spatial bandwidth (antigenic units) aestheticconfig = aestheticconfig, layoutconfig = layoutconfig, annotationconfig = annotationconfig, outputdir = tempdir() )
print(temporal_plot)
Create clustered view by antigenic epoch
positionsdf$cluster <- cut(positionsdf$year, breaks = c(1965, 1975, 1985, 1995, 2010), labels = c("Pre-1975", "1975-1985", "1985-1995", "Post-1995"))
Visualize antigenic clusters with evolutionary relationships
clusterplot <- plotclustermapping( dfcoords = positionsdf, ndim = 3, drawarrows = TRUE, showonearrowpercluster = TRUE, # One representative arrow per cluster aestheticconfig = aestheticconfig, layoutconfig = layoutconfig, annotationconfig = annotationconfig )
print(cluster_plot)
Generate 3D visualization for enhanced perspective
if (requireNamespace("rgl", quietly = TRUE)) { # Interactive 3D antigenic map plot3d <- plot3dmapping( positionsdf, ndim = 3, aestheticconfig = aestheticconfig, layoutconfig = layoutconfig )
cat("3D antigenic map created. Use mouse to rotate and zoom.\n") } ```
2. General Data Science: Customer Similarity
```r
Example: Customer behavior dissimilarity
customer_data <- data.frame( customer = rep(paste0("Cust", 1:5), each = 5), product = rep(paste0("Prod", 1:5), 5), dissimilarity = c(0, 2.1, 3.5, 1.8, 4.2, 2.1, 0, 1.9, 3.1, 2.8, 3.5, 1.9, 0, 2.4, 3.7, 1.8, 3.1, 2.4, 0, 2.9, 4.2, 2.8, 3.7, 2.9, 0) )
Convert to matrix format
dissimmatrix <- listtomatrix( data = customerdata, objectcol = "customer", referencecol = "product", valuecol = "dissimilarity", issimilarity = FALSE )
Embed in Euclidean space
customermap <- Euclidify( dissimilaritymatrix = dissimmatrix, outputdir = tempdir(), ndim_range = c(2, 4), verbose = "standard" )
plot(customermap$positions, main = "Customer Behavior Map") text(customermap$positions[,1] + jitter(rep(0, nrow(customermap$positions)), amount = 0.2), customermap$positions[,2] + jitter(rep(0, nrow(customermap$positions)), amount = 0.2), labels = rownames(customermap$positions), pos = 3, cex = 0.5) ```
3. Handling Large and Sparse Data
```r
Example: Large symmetric sparse matrix with realistic structure
set.seed(12345) # For reproducibility
Generate a large, realistic sparse dissimilarity matrix
nobjects <- 50 objectnames <- paste0("Object", sprintf("%02d", 1:nobjects))
Create base coordinates in 3D space with clustered structure
cluster_centers <- matrix(c(
c(0, 0, 0), # Cluster 1
c(5, 0, 0), # Cluster 2
c(0, 5, 0), # Cluster 3
c(5, 5, 0), # Cluster 4
c(2.5, 2.5, 3) # Cluster 5
), ncol = 3, byrow = TRUE)
Assign objects to clusters
clusterassignments <- sample(1:5, nobjects, replace = TRUE, prob = c(0.25, 0.25, 0.20, 0.20, 0.10))
Generate coordinates with cluster structure + noise
truecoordinates <- matrix(0, nobjects, 3) for(i in 1:nobjects) { clusterid <- clusterassignments[i] truecoordinates[i, ] <- clustercenters[clusterid, ] + rnorm(3, 0, 0.8) }
rownames(truecoordinates) <- objectnames
Calculate complete Euclidean distance matrix
completedistances <- as.matrix(dist(truecoordinates))
Add realistic measurement noise (5% coefficient of variation)
noisydistances <- completedistances * (1 + rnorm(nobjects^2, 0, 0.05)) noisydistances <- pmax(noisy_distances, 0.1) # Minimum distance threshold
Make symmetric and zero diagonal
noisydistances[lower.tri(noisydistances)] <- t(noisydistances)[lower.tri(noisydistances)] diag(noisy_distances) <- 0
Introduce structured sparsity (85% missing data)
Objects in the same cluster are more likely to have measurements
totalpairs <- nobjects * (nobjects - 1) / 2 targetmissingpairs <- round(totalpairs * 0.85) # 85% sparsity
Generate upper triangular indices for sampling
uppertriindices <- which(upper.tri(noisy_distances), arr.ind = TRUE)
Create sampling weights: higher probability for within-cluster pairs
samplingweights <- numeric(nrow(uppertriindices)) for(k in 1:nrow(uppertriindices)) { i <- uppertriindices[k, 1] j <- uppertriindices[k, 2] if(clusterassignments[i] == clusterassignments[j]) { samplingweights[k] <- 0.3 # Lower chance of being missing (within cluster) } else { sampling_weights[k] <- 1.0 # Higher chance of being missing (between clusters) } }
Sample pairs to remove
missingpairindices <- sample( nrow(uppertriindices), targetmissingpairs, prob = sampling_weights )
Create sparse matrix
sparsematrix <- noisydistances sparsematrix[uppertriindices[missingpairindices, ]] <- NA sparsematrix[uppertriindices[missingpairindices, c(2,1)]] <- NA
rownames(sparsematrix) <- colnames(sparsematrix) <- object_names
Calculate actual sparsity
actualsparsity <- sum(is.na(sparsematrix)) / (nobjects * (nobjects-1)) * 100
cat("=== SPARSE DATA EXAMPLE ===\n") cat("Generated sparse dissimilarity matrix:\n") cat("- Matrix size:", nobjects, "x", nobjects, "objects\n") cat("- Actual sparsity:", round(actualsparsity, 1), "% missing data\n") cat("- Clustering structure: 5 clusters with", table(clusterassignments), "objects each\n") cat("- Noise level: 5% coefficient of variation\n") cat("- Within-cluster connectivity preserved for realism\n")
cat("=== Check the connectivity of the data graph ===\n")
Network structure analysis to make sure there are no separate islands in the data
networkanalysis <- analyzenetworkstructure(sparsematrix) networkplot <- plotnetworkstructure(networkanalysis) print(network_plot)
Demonstrate Topolow's superior sparse data handling
cat("\n=== EMBEDDING SPARSE DATA ===\n")
Topolow embedding with automatic optimization
sparseresult <- Euclidify( dissimilaritymatrix = sparsematrix, ndimrange = c(2, 8), outputdir = tempdir(), ninitialsamples = 50, nadaptivesamples = 150, folds = 20, verbose = "standard" ) print(sparseresult$optimal_params)
Evaluate embedding quality by visualizing the results
and coloring by original cluster for validation
plotcolors <- rainbow(5)[clusterassignments]
plot(sparseresult$positions[, 1:2], col = plotcolors, pch = 19, cex = 1.2, main = paste("Topolow Embedding of Sparse Data\n", round(actual_sparsity, 1), "% Missing Values"), xlab = "Dimension 1", ylab = "Dimension 2")
legend("topleft", legend = paste("Cluster", 1:5), col = rainbow(5), pch = 19, cex = 0.6)
Add text labels for some points
text(sparseresult$positions[1:10, 1:2], labels = objectnames[1:10], pos = 3, cex = 0.6) ```
How Topolow Works
Topolow employs a novel physical model where:
- Objects as particles: Each object becomes a particle in N-dimensional space
- Spring forces: Pairs with known dissimilarities are connected by springs with rest lengths equal to the measured dissimilarity
- Repulsive forces: Pairs without measurements apply repulsive forces, preventing particle collapse
- Mass-weighted motion: Each particle has effective mass proportional to its number of measurements
- Statistical foundation: Minimizes Mean Absolute Error, equivalent to Maximum Likelihood Estimation under Laplace error model
- Gradient-free optimization: Sequential pairwise updates avoid local optima common in gradient-based methods
- Cooling schedule: Force constants gradually decrease, allowing fine-scale adjustments
Key Distinction from MDS: While MDS methods impute missing values and calculate eigenvalues or gradient vectors, Topolow works directly with the structure in the data and uses physics-inspired forces for robust optimization.
Features
Core Algorithm
- Physics-inspired optimization: Spring-mass system for robust positioning
- Gradient-free: Avoids local optima through stochastic pairwise interactions
- Non-metric compatibility: Handles data violating metric axioms
- Sparse data handling: No imputation required for missing values
- Censored data support: Handles threshold indicators (<, >) as constraints
Parameter Optimization
- Automatic dimension selection: Likelihood-based optimal dimensionality
- Adaptive Monte Carlo: Parameter optimization focusing on high-likelihood regions
- Cross-validation: Built-in k-fold validation for robust parameter estimates
Practical Features
- Parallel processing: Multi-core support for large datasets
- Convergence diagnostics: Automatic convergence detection and monitoring
- Flexible input formats: Handles matrices, data frames, similarity/dissimilarity data
- Comprehensive visualization: 2D, 3D, temporal, and cluster-based plotting tools, including antigenic velocity vectors to track evolutionary drift.
Input Data Formats
Topolow accepts data in multiple formats:
1. Matrix Format
```r
Direct dissimilarity matrix
dist_matrix <- matrix(c(0, 1.2, 2.1, 1.2, 0, 1.8, 2.1, 1.8, 0), nrow=3) ```
2. Long Format (List)
```r
Convert long format to matrix
longdata <- data.frame( object = c("A", "B", "C"), reference = c("X", "Y", "Z"), value = c(1.2, 1.8, 2.1) ) matrixdata <- listtomatrix(long_data, "object", "reference", "value") ```
3. Threshold Measurements
```r
Data with detection limits
threshold_matrix <- matrix(c(0, ">64", "<40", ">64", 0, "20", "<40", "20", 0), nrow=3) ```
Performance Advantages
Based on empirical evaluations in the Bioinformatics paper (Arhami and Rohani, 2025 https://doi.org/10.1093/bioinformatics/btaf372):
- 50-1000% improved accuracy over MDS on simulated datasets with varying missingness
- 56% improvement on dengue virus antigenic data
- 41% improvement on HIV neutralization data
- Orders of magnitude better stability across multiple runs
- Superior performance maintained even at 90% data sparsity
- Robust performance across wide parameter ranges
Applications
Immunology and Virology
- Antigenic cartography: Map viral evolution and vaccine effectiveness
- Track evolutionary drift: Use antigenic velocity vectors to identify fast-evolving samples and potential vaccine escape variants
- Immune repertoire analysis: Visualize antibody/TCR similarity
- Vaccine design: Identify antigenic variants and coverage gaps
- Pathogen surveillance: Track emerging variants
- Cross-reactivity analysis: Understand immune cross-protection
General Data Science
- Customer segmentation: Embed behavioral dissimilarity data
- Recommendation systems: Map user-item preference dissimilarities
- Network analysis: Embed graph distances into Euclidean space
- Dimensionality reduction: Robust alternative to PCA for non-Euclidean data
- Anomaly detection: Identify outliers in dissimilarity space
Bioinformatics and Computational Biology
- Protein structure analysis: Embed structural dissimilarity measures
- Phylogenetic analysis: Visualize evolutionary distances
- Gene expression: Map correlation-based dissimilarities
- Drug discovery: Embed molecular dissimilarity for compound analysis
Other Domains
- Psychology: Embed perceptual or cognitive dissimilarity data
- Marketing: Map brand perception and consumer preferences
- Geographic analysis: Handle incomplete distance data
- Social network analysis: Embed relationship dissimilarities
Algorithm Parameters
Key parameters of euclidean_embedding() for manual optimization:
- ndim: Number of dimensions (typically 2-10)
- k0: Initial spring constant (typical range: 0.1-30)
- cooling_rate: Parameter decay rate (typical range: 0.0001-0.05)
- c_repulsion: Repulsion constant (typical range: 0.0001-0.4)
Recommendation: Use Euclidify() for automatic parameter optimization if you are not willing to invest time on manual tuning and investigation.
Comparison with Other Methods
| Method | Non-metric Compatible | Missing Data | Sparse Data | Gradient-free | Stability | |--------|----------------|-------------|--------------|---------------|-----------| | Topolow | ✅ | ✅ | ✅ | ✅ | ✅ | | Classical MDS | ❌ | ❌ (requires imputation) | ❌ | ✅ | ✅ | | Iterative MDS | ❌ | ❌ (requires imputation) | ❌ | ❌ | ❌ | | t-SNE | ❌ | ❌ | ❌ | ❌ | ❌ | | UMAP | ❌ | ❌ | ❌ | ❌ | ⚠️ |
Using on HPC or SLURM Clusters
topolow can be used on a single HPC system and leverage the larger number of cores by increasing max_cores parameters. Distributed processing using SLURM is supported in versions prior to 1.0.0.
Optional Dependencies
For 3D visualization capabilities, install the rgl package:
r
install.packages("rgl")
Note for macOS users: The rgl package requires XQuartz. Download from https://www.xquartz.org/, install, and restart your computer.
Documentation
Full documentation available at: ```r
View documentation for specific functions
?Euclidify ?euclideanembedding ?initialparameter_optimization
Package overview
help(package = "topolow") ```
Citation
If you use this package, please cite either the original introduction of topolow (with applications in the context of viral evolution) :
Omid Arhami, Pejman Rohani, Topolow: a mapping algorithm for antigenic cross-reactivity and binding affinity assays, Bioinformatics, Volume 41, Issue 7, July 2025, btaf372, https://doi.org/10.1093/bioinformatics/btaf372
bibtex
@article{10.1093/bioinformatics/btaf372,
author = {Arhami, Omid and Rohani, Pejman},
title = {Topolow: a mapping algorithm for antigenic cross-reactivity and binding affinity assays},
journal = {Bioinformatics},
volume = {41},
number = {7},
pages = {btaf372},
year = {2025},
month = {06},
abstract = {Understanding antigenic evolution through cross-reactivity assays is crucial for tracking rapidly evolving pathogens requiring regular vaccine updates. However, existing cartography methods, commonly based on multidimensional scaling (MDS), face significant challenges with sparse and complex data, producing incomplete and inconsistent maps. There is an urgent need for robust computational methods that can accurately map antigenic relationships from incomplete experimental data while maintaining biological relevance, especially given that more than 95\% of possible measurements could be missing in large-scale studies.We present Topolow, an algorithm that transforms cross-reactivity and binding affinity measurements into accurate positions in a phenotype space. Using a physics-inspired model, Topolow achieved comparable prediction accuracy to MDS for H3N2 influenza and 56\% and 41\% improved accuracy for dengue and HIV, while maintaining complete positioning of all antigens. The method effectively reduces experimental noise and bias, determines optimal dimensionality through likelihood-based estimation, avoiding distortions due to insufficient dimensions, and demonstrates orders of magnitude better stability across multiple runs. We also introduce antigenic velocity vectors, which measure the rate of antigenic advancement of each isolate per unit of time against its temporal and evolutionary related background, revealing the underlying antigenic relationships and cluster transitions.Topolow is implemented in R and freely available at https://doi.org/10.5281/zenodo.15620983 and https://github.com/omid-arhami/topolow.},
issn = {1367-4811},
doi = {10.1093/bioinformatics/btaf372},
url = {https://doi.org/10.1093/bioinformatics/btaf372},
eprint = {https://academic.oup.com/bioinformatics/article-pdf/41/7/btaf372/63582086/btaf372.pdf},
}
Or, the pre-print explaining mathematical properties of the algorithm, Euclidean embedding, and evaluations:
Omid Arhami, Pejman Rohani, Topolow: Force-Directed Euclidean Embedding of Dissimilarity Data with Robustness Against Non-Metricity and Sparsity, arXiv:2508.01733, https://doi.org/10.48550/arXiv.2508.01733
bibtex
@misc{arhami2025topolowforcedirectedeuclideanembedding,
title={Topolow: Force-Directed Euclidean Embedding of Dissimilarity Data with Robustness Against Non-Metricity and Sparsity},
author={Omid Arhami and Pejman Rohani},
year={2025},
eprint={2508.01733},
archivePrefix={arXiv},
primaryClass={cs.CG},
doi={10.48550/arXiv.2508.01733},
url={https://arxiv.org/abs/2508.01733},
}
Contributing
Contributions are welcome! Please feel free to submit a Pull Request. For major changes, please open an issue first to discuss what you would like to change.
License
This project is distributed under BSD-3-Clause license YEAR: 2025 COPYRIGHT HOLDER: Omid Arhami
Contact
- Maintainer: Omid Arhami
- Email: omid.arhami@uga.edu
- GitHub: @omid-arhami
- Issues: https://github.com/omid-arhami/topolow/issues
Owner
- Name: Omid Arhami
- Login: omid-arhami
- Kind: user
- Location: Athens, GA
- Company: University of Georgia
- Website: https://www.linkedin.com/in/arhami/
- Repositories: 1
- Profile: https://github.com/omid-arhami
Phd student in Statistics and Data Science. Graduated in business and engineering.
Citation (citation.cff)
cff-version: 1.2.0
message: "If you use this software, please cite paper below."
authors:
- family-names: "Arhami"
given-names: "Omid"
orcid: 0009-0005-2681-6598
- family-names: "Rohani"
given-names: "Pejman"
orcid: 0000-0002-7221-3801
title: "Topolow: A mapping algorithm for antigenic cross-reactivity and binding affinity assays, Bioinformatics, 2025"
version: 2.0.1
doi: https://doi.org/10.1093/bioinformatics/btaf372
date-released: 2025
url: "https://www.biorxiv.org/content/10.1101/2025.02.09.637307v1"
preferred-citation:
type: article
authors:
- family-names: "Arhami"
given-names: "Omid"
- family-names: "Rohani"
given-names: "Pejman"
title: "Topolow: A mapping algorithm for antigenic cross-reactivity and binding affinity assays, Bioinformatics, 2025"
year: 2025
doi: https://doi.org/10.1093/bioinformatics/btaf372
GitHub Events
Total
- Create event: 10
- Issues event: 1
- Release event: 10
- Watch event: 3
- Push event: 163
- Fork event: 1
Last Year
- Create event: 10
- Issues event: 1
- Release event: 10
- Watch event: 3
- Push event: 163
- Fork event: 1
Issues and Pull Requests
Last synced: 6 months ago
Packages
- Total packages: 1
-
Total downloads:
- cran 316 last-month
- Total dependent packages: 0
- Total dependent repositories: 0
- Total versions: 3
- Total maintainers: 1
cran.r-project.org: topolow
Force-Directed Euclidean Embedding of Dissimilarity Data
- Homepage: https://github.com/omid-arhami/topolow
- Documentation: http://cran.r-project.org/web/packages/topolow/topolow.pdf
- License: BSD_3_clause + file LICENSE
-
Latest release: 2.0.1
published 6 months ago
Rankings
Maintainers (1)
Dependencies
- R >= 4.1.0 depends
- MASS * imports
- Racmacs >= 1.1.2 imports
- coda >= 0.19 imports
- colorspace * imports
- data.table >= 1.14.0 imports
- dplyr >= 1.1.0 imports
- ggplot2 >= 3.4.0 imports
- grDevices * imports
- gridExtra * imports
- igraph * imports
- lhs * imports
- parallel >= 4.1.0 imports
- plotly >= 4.10.0 imports
- reshape2 * imports
- rgl >= 1.0.0 imports
- scales * imports
- stats * imports
- umap * imports
- utils * imports
- vegan * imports
- covr * suggests
- knitr * suggests
- rmarkdown * suggests
- testthat >= 3.0.0 suggests