diff --git a/app/code/literatureFetch.py b/app/code/literatureFetch.py index 9b3563d5..305db389 100755 --- a/app/code/literatureFetch.py +++ b/app/code/literatureFetch.py @@ -5,25 +5,27 @@ and retrieve their details. ''' -import requests import time +import requests from jinja2 import Environment, FileSystemLoader -import markdownify import utils # Define the paper search endpoint URL URL = 'https://api.semanticscholar.org/graph/v1/paper/search/bulk' # Define the required query parameter and its value # (in this case, the keyword we want to search for) +FIELDS = 'paperId,url,authors,journal,title,' +FIELDS += 'publicationTypes,publicationDate,citationCount,' +FIELDS += 'publicationVenue' BASE_PARAMS = { # 'limit': 5, 'publicationTypes': 'JournalArticle', # 'year': '2020-', - 'fields': 'paperId,url,journal,title,publicationTypes,publicationDate,citationCount,publicationVenue', + 'fields': FIELDS, # 'sort': 'citationCount:desc', 'token': None } -N = 100 +N = 7 DIC = {} def fetch_articles(search_query, @@ -42,27 +44,15 @@ def fetch_articles(search_query, fetched_data = [] while True: - status_code_429 = 0 while True: # Make the GET request to the paper search endpoint with the URL and query parameters search_response = requests.get(URL, params=query_params, timeout=None) - # WHen the status code is 429, sleep for 5 minutes - # if search_response.status_code == 429: - # status_code_429 += 1 - # if status_code_429 > 10: - # print ('Too many requests!') - # print ('Sleeping for 5 minutes and 10 seconds....') - # time.sleep(310) - # continue # When the status code is 200, break the loop if search_response.status_code != 200: print ('status code', search_response.status_code) print ('Retrying....') - # print ('Sleeping for 3 seconds....') - # time.sleep(3) else: break - search_response_json = search_response.json() fetched_data += search_response_json['data'] # End the loop if we have fetched enough data @@ -73,22 +63,37 @@ def fetch_articles(search_query, # if the token is not None if search_response_json['token'] is not None: query_params['token'] = search_response_json['token'] - # fix the publicationVenue and journal for paper in fetched_data: # print (paper) publication_venue = paper['publicationVenue'] - if publication_venue is None: - paper['publicationVenue'] = 'NA' - elif 'name' in publication_venue: - paper['publicationVenue'] = publication_venue['name'] - else: - paper['publicationVenue'] = '' + # if publication_venue is None: + # paper['publicationVenue'] = 'NotAvbl' + # elif 'name' in publication_venue: + # paper['publicationVenue'] = publication_venue['name'] + # else: + # paper['publicationVenue'] = 'NotAvbl' + paper['publicationVenue'] = publication_venue.get('name', 'NotAvbl')\ + if publication_venue is not None else 'NotAvbl' journal = paper['journal'] - if journal is None: - paper['journal'] = 'NA' - elif 'name' in journal: - paper['journal'] = journal['name'] + paper['journal'] = journal.get('name', 'NotAvbl') if journal is not None else 'NotAvbl' + + # if journal is None: + # paper['journal'] = 'NotAvbl' + # elif 'name' in journal: + # paper['journal'] = journal['name'] + # else: + # paper['journal'] = 'NotAvbl' + # Set journal to publicationVenue if journal is not available + if paper['journal'] == 'NotAvbl': + paper['journal'] = paper['publicationVenue'] + # Set authors to NotAvbl if authors are not available + authors = [] + for author in paper['authors']: + authors.append(author['name']) + if len(authors) == 0: + authors = ['NotAvbl'] + paper['authors'] = ', '.join(authors) return fetched_data def create_template(template_file, category_name, df, dic_all_citations=None) -> str: @@ -118,8 +123,11 @@ def create_template(template_file, category_name, df, dic_all_citations=None) -> continue categories.append(category) num_citations_across_categories.append(num_citations_categories) + # Render the template content = template.render( + # current time + current_time=time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()), most_cited_articles=DIC[category_name]['most_cited_articles'][0:N], most_recent_articles=DIC[category_name]['most_recent_articles'][0:N], category_name=category_name, @@ -150,9 +158,9 @@ def main(): for line in f: if line.split('\t')[0] == 'Title': continue - print (line.split('\t')) title = line.split('\t')[0] query = line.split('\t')[1].rstrip() + print (f'Title: {title}\nQuery: {query}') category_name = title.replace(' ', '_') ################################ ## Fetch the most cited articles @@ -160,7 +168,7 @@ def main(): DIC[category_name] = {'title': title, 'query': query, 'most_cited_articles': data} # plot = utils.metrics_over_time_js(data, category_name, title) # plot.savefig(f'../../docs/assets/{category_name}.png') - df = utils.metrics_over_time_js(data, category_name, title) + df = utils.metrics_over_time_js(data) ################################ ## Fetch the most recent articles data = fetch_articles(query, sort = 'publicationDate:desc') @@ -177,31 +185,32 @@ def main(): ################################ # End of file - title = 'All' + title = 'Overview' query = ' | '.join([category_items['query'] for _, category_items in DIC.items()]) - category_name = 'All' + category_name = 'Overview' ################################ ## Fetch the most cited articles data = fetch_articles(query) + # print (data) DIC[category_name] = {'title': title, 'query': query, 'most_cited_articles': data} # plot = utils.metrics_over_time_js(data, category_name, title) # plot.savefig(f'../../docs/assets/{category_name}.png') - df = utils.metrics_over_time_js(data, category_name, title) + df = utils.metrics_over_time_js(data) ################################ ## Fetch the most recent articles data = fetch_articles(query, sort = 'publicationDate:desc') DIC[category_name]['most_recent_articles'] = data - # print (data[0]) + # print (data[6]) # Make bar plot for the number of citations of top 100 articles # in each category dic_all_citations = utils.all_citations_js(DIC) - markdown_text = create_template("all.txt", category_name, df, dic_all_citations=dic_all_citations) + markdown_text = create_template("overview.txt", category_name, df, dic_all_citations=dic_all_citations) # DIC[category_name]['most_cited_articles'][0:N], # DIC[category_name]['most_recent_articles'][0:N]) # Add the hide navigation markdown_text = "---\nhide:\n - navigation\n---\n" + markdown_text # Write the markdown text to a file - with open(f'../../docs/index.md', 'w', encoding='utf-8') as file: + with open('../../docs/index.md', 'w', encoding='utf-8') as file: file.write(markdown_text) ################################ # Read YAML file @@ -211,14 +220,14 @@ def main(): # Add more stuff to the YAML data data['nav'] = [] for category_name, category_items in DIC.items(): - if category_name == 'All': + if category_name == 'Overview': data['nav'].append({category_items['title']: 'index.md'}) else: data['nav'].append({category_items['title']: category_name + '.md'}) - # reverser the order so that All appears first + # reverser the order so that Overview appears first data['nav'] = data['nav'][::-1] - print (data['nav']) + # print (data['nav']) # Write modified YAML data back to file utils.write_yaml(data, '../../mkdocs.yml') diff --git a/app/code/utils.py b/app/code/utils.py index 9e976f01..1bd0405b 100755 --- a/app/code/utils.py +++ b/app/code/utils.py @@ -8,14 +8,12 @@ import pandas as pd import yaml -def metrics_over_time(data, category_name, title) -> plt: +def metrics_over_time(data) -> plt: """ Return the metrics over time Args: data (list): list of dictionaries - category_name (str): category name - title (str): title of the graph Returns: None @@ -74,11 +72,9 @@ def metrics_over_time(data, category_name, title) -> plt: plt.tight_layout() # Save the graph return plt - - #A26, B1 -def metrics_over_time_js(data, category_name, title) -> plt: +def metrics_over_time_js(data) -> plt: """ Return the metrics over time @@ -136,8 +132,6 @@ def all_citations_js(dic) -> list: Returns: dic_all_citations (dict): dictionary with the number of citations for all categories """ - categories = [] - num_citations = [] dic_all_citations = {} for category_name, category_name_items in dic.items(): sum_citations = 0 @@ -152,11 +146,36 @@ def all_citations_js(dic) -> list: # Function to read YAML file def read_yaml(file_path): - with open(file_path, 'r') as file: + ''' + Function to read YAML file + + Args: + file_path (str): path to the YAML file + + Returns: + dict: data from the YAML file + + Example: + data = read_yaml('data.yaml') + ''' + with open(file_path, 'r', encoding='utf-8') as file: data = yaml.safe_load(file) return data # Function to write YAML file def write_yaml(data, file_path): - with open(file_path, 'w') as file: + ''' + Function to write YAML file + + Args: + data (dict): data to write to the YAML file + file_path (str): path to the YAML file + + Returns: + None + + Example: + write_yaml(data, 'data.yaml') + ''' + with open(file_path, 'w', encoding='utf-8') as file: yaml.dump(data, file, default_flow_style=False) diff --git a/docs/Koopman_Theory.md b/docs/Koopman_Theory.md index 93a15117..e1cea6e6 100644 --- a/docs/Koopman_Theory.md +++ b/docs/Koopman_Theory.md @@ -9,13 +9,16 @@ hide: +

+ This page was last updated on 2024-03-10 11:36:41 CET/CEST +

Table of Contents

-
  • 1. Search Query
  • -
  • 2. Koopman Theory articles and citations over time
  • -
  • 3. Most cited articles on Koopman Theory
  • -
  • 4. Latest articles on Koopman Theory
  • + 1. Search Query
    + 2. Koopman Theory articles and citations over time
    + 3. Most cited articles on Koopman Theory
    + 4. Latest articles on Koopman Theory

    @@ -36,1630 +39,163 @@ hide: Title - PublicationDate - #Citations + Authors + Publication Date Journal/Conference - publicationVenue + Citation count + Hamiltonian Systems and Transformation in Hilbert Space. + B. O. Koopman 1931-05-01 - 1558 - Proceedings of the National Academy of Sciences of the United States of America Proceedings of the National Academy of Sciences of the United States of America + 1562 + A Data–Driven Approximation of the Koopman Operator: Extending Dynamic Mode Decomposition + Matthew O. Williams, I. Kevrekidis, C. Rowley 2014-08-19 - 1323 Journal of Nonlinear Science - Journal of nonlinear science + 1328 + Deep learning for universal linear embeddings of nonlinear dynamics + Bethany Lusch, J. Kutz, S. Brunton 2017-12-27 - 900 - Nature Communications Nature Communications + 901 + Entanglement renormalization. + G. Vidal 2005-12-08 - 784 Physical review letters - Physical Review Letters + 785 + Applied Koopmanism. + M. Budišić, Ryan Mohr, I. Mezić 2012-06-14 - 694 - Chaos Chaos + 696 + CT Imaging of the 2019 Novel Coronavirus (2019-nCoV) Pneumonia + J. Lei, Junfeng Li, Xun Li, X. Qi 2020-01-31 - 658 - Radiology Radiology + 658 + Variants of Dynamic Mode Decomposition: Boundary Condition, Koopman, and Fourier Analyses + Kevin K. Chen, Jonathan H. Tu, C. Rowley 2012-04-27 - 643 - Journal of Nonlinear Science - Journal of nonlinear science - - - - Linear predictors for nonlinear dynamical systems: Koopman operator meets model predictive control - 2016-11-10 - 635 - Autom. - NA - - - - Algorithms for the Split Variational Inequality Problem - 2010-09-20 - 595 - Numerical Algorithms - Numerical Algorithms - - - - Quantum singular value transformation and beyond: exponential improvements for quantum matrix arithmetics - 2018-06-05 - 472 - Proceedings of the 51st Annual ACM SIGACT Symposium on Theory of Computing - Symposium on the Theory of Computing - - - - Surface Matching via Currents - 2005-07-10 - 455 - Information processing in medical imaging : proceedings of the ... conference - Information Processing in Medical Imaging - - - - Koopman Invariant Subspaces and Finite Linear Representations of Nonlinear Dynamical Systems for Control - 2015-10-11 - 430 - PLoS ONE - PLoS ONE - - - - Robust Feature Matching for Remote Sensing Image Registration via Locally Linear Transforming - 2015-06-19 - 419 - IEEE Transactions on Geoscience and Remote Sensing - IEEE Transactions on Geoscience and Remote Sensing - - - - Adiabatic density-functional perturbation theory. - 1995-08-01 - 418 - Physical review. A, Atomic, molecular, and optical physics - Physical Review A. Atomic, Molecular, and Optical Physics - - - - Chaos as an intermittently forced linear system - 2016-08-18 - 414 - Nature Communications - Nature Communications - - - - The digital all-pass filter: a versatile signal processing building block - None - 404 - Proc. IEEE - Proceedings of the IEEE - - - - Mammalian sex determination: a molecular drama. - 1999-04-01 - 362 - Genes & development - Genes & Development - - - - On Koopmans' theorem in density functional theory. - 2010-11-01 - 345 - The Journal of chemical physics - Journal of Chemical Physics - - - - Proof of the Quasi-Ergodic Hypothesis. - None - 339 - Proceedings of the National Academy of Sciences of the United States of America - Proceedings of the National Academy of Sciences of the United States of America - - - - Ergodic Theory, Dynamic Mode Decomposition, and Computation of Spectral Properties of the Koopman Operator - 2016-11-21 - 337 - SIAM J. Appl. Dyn. Syst. - SIAM Journal on Applied Dynamical Systems - - - - Characterizing possible failure modes in physics-informed neural networks - 2021-09-02 - 331 - {'pages': '26548-26560'} - Neural Information Processing Systems - - - - The Kohn-Sham gap, the fundamental gap and the optical gap: the physical meaning of occupied and virtual Kohn-Sham orbital energies. - 2013-09-17 - 324 - Physical chemistry chemical physics : PCCP - Physical Chemistry, Chemical Physics - PCCP - - - - Blind Evaluation of Nearest Neighbor Queries Using Space Transformation to Preserve Location Privacy - 2007-07-16 - 324 - {'pages': '239-257'} - International Symposium on Spatial and Temporal Databases - - - - Building the mammalian testis: origins, differentiation, and assembly of the component cell populations - 2013-11-15 - 323 - Genes & Development - Genes & Development - - - - Extended dynamic mode decomposition with dictionary learning: A data-driven adaptive spectral decomposition of the Koopman operator. - 2017-07-02 - 318 - Chaos - Chaos - - - - Fundamental gaps in finite systems from eigenvalues of a generalized Kohn-Sham method. - 2010-06-28 - 313 - Physical review letters - Physical Review Letters - - - - Learning Koopman Invariant Subspaces for Dynamic Mode Decomposition - 2017-10-12 - 312 - ArXiv - Neural Information Processing Systems - - - - Charge transport properties of tris(8-hydroxyquinolinato)aluminum(III): why it is an electron transporter. - 2005-01-12 - 312 - Journal of the American Chemical Society - Journal of the American Chemical Society - - - - Learning Deep Neural Network Representations for Koopman Operators of Nonlinear Dynamical Systems - 2017-08-22 - 300 - 2019 American Control Conference (ACC) - American Control Conference - - - - Non-Rigid Point Set Registration by Preserving Global and Local Structures - None - 296 - IEEE Transactions on Image Processing - IEEE Transactions on Image Processing - - - - Experimental realization of universal geometric quantum gates with solid-state spins - 2014-10-01 - 296 - Nature - Nature - - - - A Kernel Between Sets of Vectors - 2003-08-21 - 293 - {'pages': '361-368'} - International Conference on Machine Learning - - - - On Convergence of Extended Dynamic Mode Decomposition to the Koopman Operator - 2017-03-14 - 286 - Journal of Nonlinear Science - Journal of nonlinear science - - - - Experimental realization of non-Abelian non-adiabatic geometric gates - 2013-04-17 - 268 - Nature - Nature - - - - A Monotone+Skew Splitting Model for Composite Monotone Inclusions in Duality - 2010-11-24 - 263 - SIAM J. Optim. - SIAM Journal on Optimization - - - - Understanding and mitigating gradient pathologies in physics-informed neural networks - 2020-01-13 - 257 - ArXiv - arXiv.org - - - - Linearly-Recurrent Autoencoder Networks for Learning Dynamics - 2017-12-04 - 251 - SIAM J. Appl. Dyn. Syst. - SIAM Journal on Applied Dynamical Systems - - - - Quantum computing by an optimal control algorithm for unitary transformations. - 2002-04-18 - 251 - Physical review letters - Physical Review Letters - - - - Data-driven discovery of Koopman eigenfunctions for control - 2017-07-04 - 250 - Machine Learning: Science and Technology - NA - - - - Electronic structure and orbital ordering in perovskite-type 3d transition-metal oxides studied by Hartree-Fock band-structure calculations. - 1996-08-15 - 250 - Physical review. B, Condensed matter - NA - - - - Modern Koopman Theory for Dynamical Systems - 2021-02-24 - 227 - SIAM Rev. - SIAM Review - - - - Generalizing Koopman Theory to Allow for Inputs and Control - 2016-02-24 - 224 - SIAM J. Appl. Dyn. Syst. - SIAM Journal on Applied Dynamical Systems - - - - Large Deformation Diffeomorphic Metric Curve Mapping - 2008-12-01 - 218 - International Journal of Computer Vision - International Journal of Computer Vision - - - - Asymptotic behavior of atomic and molecular wave functions. - 1980-08-01 - 215 - Proceedings of the National Academy of Sciences of the United States of America - Proceedings of the National Academy of Sciences of the United States of America - - - - Charge-Transfer-Like π→π* Excitations in Time-Dependent Density Functional Theory: A Conundrum and Its Solution. - 2011-07-13 - 211 - Journal of chemical theory and computation - Journal of Chemical Theory and Computation - - - - Global Stability Analysis Using the Eigenfunctions of the Koopman Operator - 2014-08-06 - 208 - IEEE Transactions on Automatic Control - IEEE Transactions on Automatic Control - - - - LSDT: Latent Sparse Domain Transfer Learning for Visual Adaptation - 2016-01-12 - 207 - IEEE Transactions on Image Processing - IEEE Transactions on Image Processing - - - - Variational Approach for Learning Markov Processes from Time Series Data - 2017-07-14 - 197 - Journal of Nonlinear Science - Journal of nonlinear science - - - - Numerical Recipes In Fortran 90: The Art Of Parallel Scientific Computing - 1998-10-01 - 196 - IEEE Concurrency - IEEE Concurrency - - - - One Health: A new definition for a sustainable and healthy future - 2022-06-01 - 189 - PLoS Pathogens - PLoS Pathogens - - - - Linear Transformations in Hilbert Space: III. Operational Methods and Group Theory. - 1930-02-01 - 187 - Proceedings of the National Academy of Sciences of the United States of America - Proceedings of the National Academy of Sciences of the United States of America - - - - Approximate interval estimation of the ratio of binomial parameters: a review and corrections for skewness. - 1988-06-01 - 180 - Biometrics - Biometrics - - - - Entropy Generation and Consequences of Binary Chemical Reaction on MHD Darcy–Forchheimer Williamson Nanofluid Flow Over Non-Linearly Stretching Surface - 2019-12-22 - 180 - Entropy - Entropy - - - - Ab initio calculations of the O1s XPS spectra of ZnO and Zn oxo compounds. - 2006-03-24 - 172 - Physical chemistry chemical physics : PCCP - Physical Chemistry, Chemical Physics - PCCP - - - - Computation of the hardness and the problem of negative electron affinities in density functional theory. - 2005-09-14 - 171 - The journal of physical chemistry. A - Journal of Physical Chemistry A - - - - Koopmans' springs to life. - 2009-12-16 - 170 - The Journal of chemical physics - Journal of Chemical Physics - - - - Robust Estimation of Nonrigid Transformation for Point Set Registration - 2013-06-23 - 170 - 2013 IEEE Conference on Computer Vision and Pattern Recognition - NA - - - - Recurrent and chronic relapsing Guillain-Barré polyneuritis. - 1969-03-01 - 166 - Brain : a journal of neurology - NA - - - - Universal Approximations of Invariant Maps by Neural Networks - 2018-04-26 - 165 - Constructive Approximation - Constructive approximation - - - - Fixed-point quantum search. - 2005-03-28 - 163 - Physical review letters - Physical Review Letters - - - - A rise in plasma creatinine that is not a sign of renal failure: which drugs can be responsible? - 1999-09-01 - 162 - Journal of Internal Medicine - Journal of Internal Medicine - - - - Ilial Transposition and Enteroglucagon/GLP-1 in Obesity (and Diabetic?) Surgery - 1999-06-01 - 157 - Obesity Surgery - Obesity Surgery - - - - Koopman operator-based model reduction for switched-system control of PDEs - 2017-10-18 - 148 - Autom. - NA - - - - Deep Dynamical Modeling and Control of Unsteady Fluid Flows - 2018-05-18 - 133 - ArXiv - Neural Information Processing Systems - - - - Peritonitis as a complication of peritoneal dialysis. - 1998-10-01 - 129 - Journal of the American Society of Nephrology : JASN - Journal of the American Society of Nephrology - - - - CHARACTER DISPLACEMENT FOR SEXUAL ISOLATION BETWEEN DROSOPHILA MOJAVENSIS AND DROSOPHILA ARIZONENSIS - 1977-12-01 - 127 - Evolution - NA - - - - Spectrum of the Koopman Operator, Spectral Expansions in Functional Spaces, and State-Space Geometry - 2017-02-22 - 126 Journal of Nonlinear Science - Journal of nonlinear science - - - - Nonrigid Point Set Registration With Robust Transformation Learning Under Manifold Regularization - 2019-12-01 - 123 - IEEE Transactions on Neural Networks and Learning Systems - IEEE Transactions on Neural Networks and Learning Systems - - - - Antibody‐directed myostatin inhibition in 21‐mo‐old mice reveals novel roles for myostatin signaling in skeletal muscle structure and function - 2010-11-01 - 123 - The FASEB Journal - The FASEB Journal - - - - Koopmans' theorem for large molecular systems within density functional theory. - 2006-10-10 - 117 - The journal of physical chemistry. A - Journal of Physical Chemistry A + 643 - - Modeling and Control of Soft Robots Using the Koopman Operator and Model Predictive Control - 2019-02-07 - 114 - ArXiv - NA - + + +

    + +

    +

    4. Latest articles on Koopman Theory

    + + + + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitleAuthorsPublication DateJournal/ConferenceCitation count
    Explicit Local Integrals of Motion for the Many-Body Localized State.2015-07-27114Physical review lettersPhysical Review LettersA Data-Driven Koopman Approach for Power System Nonlinear Dynamic Observability AnalysisYijun Xu, Qinling Wang, L. Mili, Zongsheng Zheng, W. Gu, Shuai Lu, Zhi Wu2024-03-01IEEE Transactions on Power Systems0
    Simultaneous solutions for first order and second order slips on micropolar fluid flow across a convective surface in the presence of Lorentz force and variable heat source/sink2019-10-11113Scientific ReportsScientific ReportsA Monte Carlo Approach to Koopman Direct Encoding and Its Application to the Learning of Neural-Network ObservablesItta Nozawa, Emily Kamienski, Cormac O’Neill, H. H. Asada2024-03-01IEEE Robotics and Automation Letters0
    Physics-Informed Probabilistic Learning of Linear Embeddings of Nonlinear Dynamics with Guaranteed Stability2019-06-09112SIAM J. Appl. Dyn. Syst.SIAM Journal on Applied Dynamical SystemsRobust Learning and Control of Time-Delay Nonlinear Systems With Deep Recurrent Koopman OperatorsMinghao Han, Zhaojian Li, Xiang Yin, Xunyuan Yin2024-03-01IEEE Transactions on Industrial Informatics1
    Active Learning of Dynamics for Data-Driven Control Using Koopman Operators2019-06-12109IEEE Transactions on RoboticsIEEE Transactions on roboticsImproving potential energy surfaces using measured Feshbach resonance statesKarl P. Horn, Luis Itza Vazquez-Salazar, Christiane P. Koch, Markus Meuwly2024-03-01Science Advances0
    On the use of Fourier averages to compute the global isochrons of (quasi)periodic dynamics.2012-07-18108ChaosChaosRobust Three-Stage Dynamic Mode Decomposition for Analysis of Power System OscillationsR. D. Rodriguez-Soto, E. Barocio, F. Gonzalez-Longatt, F. R. Segundo Sevilla, P. Korba2024-03-01IEEE Transactions on Power Systems0
    Infinite Dimensional Backstepping-Style Feedback Transformations for a Heat Equation with an Arbitrary Level of InstabilityNone103Eur. J. ControlEuropean Journal of Control
    Data-Driven Control of Soft Robots Using Koopman Operator Theory2021-06-01102IEEE Transactions on RoboticsIEEE Transactions on robotics
    Variational Koopman models: Slow collective variables and molecular kinetics from short off-equilibrium simulations.2016-10-20102The Journal of chemical physicsJournal of Chemical Physics
    Koopman operator based observer synthesis for control-affine nonlinear systems2016-12-011002016 IEEE 55th Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    Eigendecompositions of Transfer Operators in Reproducing Kernel Hilbert Spaces2017-12-0599Journal of Nonlinear ScienceJournal of nonlinear science
    Probing ultrafast internal conversion through conical intersection via time-energy map of photoelectron angular anisotropy.2009-08-0599Journal of the American Chemical SocietyJournal of the American Chemical Society
    Optimal Construction of Koopman Eigenfunctions for Prediction and Control2018-10-2098IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Hidden BRS invariance in classical mechanics. II.1989-11-1598Physical review. D, Particles and fieldsPhysical Review D, Particles and fields
    Learning Compositional Koopman Operators for Model-Based Control2019-10-1896ArXivInternational Conference on Learning Representations
    Optimum Exchange for Calculation of Excitation Energies and Hyperpolarizabilities of Organic Electro-optic Chromophores.2014-08-2595Journal of chemical theory and computationJournal of Chemical Theory and Computation
    Linear identification of nonlinear systems: A lifting technique based on the Koopman operator2016-05-14952016 IEEE 55th Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    Seniority-based coupled cluster theory.2014-10-2494The Journal of chemical physicsJournal of Chemical Physics
    A hospital facility layout problem finally solved2001-10-0194Journal of Intelligent ManufacturingJournal of Intelligent Manufacturing
    Estimation of electron transfer parameters from AM1 calculations.2001-08-3094The Journal of organic chemistryJournal of Organic Chemistry
    Single-Mixture Audio Source Separation by Subspace Decomposition of Hilbert Spectrum2007-03-0194IEEE Transactions on Audio, Speech, and Language ProcessingIEEE Transactions on Audio, Speech, and Language Processing
    Higher-order equation-of-motion coupled-cluster methods for ionization processes.2006-08-2193The Journal of chemical physicsJournal of Chemical Physics
    One world, one beable2015-10-0192SyntheseSynthese
    Efficient preconditioning scheme for block partitioned matrices with structured sparsity2000-10-0191Numer. Linear Algebra Appl.Numerical Linear Algebra with Applications
    Antagonistic regulation of Cyp26b1 by transcription factors SOX9/SF1 and FOXL2 during gonadal development in mice2011-07-1490The FASEB JournalThe FASEB Journal
    Male sex determination in the spiny rat Tokudaia osimensis (Rodentia: Muridae) is not Sry dependent1998-07-0190Mammalian GenomeMammalian Genome
    Forecasting Sequential Data using Consistent Koopman Autoencoders2020-03-0490ArXivInternational Conference on Machine Learning
    General Method for Solving the Split Common Fixed Point Problem2015-05-0189Journal of Optimization Theory and ApplicationsJournal of Optimization Theory and Applications
    Master equations and the theory of stochastic path integrals2016-09-0988Reports on Progress in PhysicsNA
    Self-consistent solution of the Dyson equation for atoms and molecules within a conserving approximation.2005-04-2287The Journal of chemical physicsJournal of Chemical Physics
    -

    - -

    -

    4. Latest articles on Koopman Theory

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -1671,14 +207,14 @@ hide: + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - - - - - + +
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    A Data-Driven Koopman Approach for Power System Nonlinear Dynamic Observability Analysis2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    A Monte Carlo Approach to Koopman Direct Encoding and Its Application to the Learning of Neural-Network Observables2024-03-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Improving potential energy surfaces using measured Feshbach resonance states2024-03-010Science AdvancesScience Advances
    Robust Three-Stage Dynamic Mode Decomposition for Analysis of Power System Oscillations2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Data-Driven Transient Stability Evaluation of Electric Distribution Networks Dominated by EV Supercharging Stations2024-03-010IEEE Transactions on Smart GridIEEE Transactions on Smart GridData-Driven Transient Stability Evaluation of Electric Distribution Networks Dominated by EV Supercharging StationsJimiao Zhang, Jie Li2024-03-01IEEE Transactions on Smart Grid0
    Approximation of discrete and orbital Koopman operators over subsets and manifoldsAndrew J. Kurdila, S. Paruchuri, Nathan Powell, Jia Guo, Parag Bobade, Boone Estes, Haoran Wang 2024-02-220 Nonlinear DynamicsNonlinear dynamics
    Learning Hamiltonian neural Koopman operator and simultaneously sustaining and discovering conservation laws2024-02-200Physical Review ResearchPhysical Review Research
    Extraction of nonlinearity in neural networks and model compression with Koopman operator2024-02-180ArXivarXiv.org
    Machine Learning based Prediction of Ditching Loads2024-02-160ArXivarXiv.org
    Kolmogorov n-Widths for Multitask Physics-Informed Machine Learning (PIML) Methods: Towards Robust Metrics2024-02-160ArXivarXiv.org
    A243 BONE MINERAL DENSITY AND DIETARY BONE NUTRIENTS DIFFER IN PATIENTS WITH CROHN'S DISEASE STRICTURES2024-02-140Journal of the Canadian Association of GastroenterologyJournal of the Canadian Association of Gastroenterology
    On a modified Hilbert transformation, the discrete inf-sup condition, and error estimates2024-02-131ArXivarXiv.org
    Physics-informed machine learning as a kernel method2024-02-120ArXivarXiv.org
    Generalizing across Temporal Domains with Koopman Operators2024-02-120ArXivarXiv.org
    Artificial neural network of thermal Buoyancy and Fourier flux impact on suction/injection‐based Darcy medium surface filled with hybrid and ternary nanoparticles2024-02-110ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und MechanikNA
    Koopman fault‐tolerant model predictive control2024-02-080IET Control Theory & ApplicationsNA
    Radiative MHD Boundary Layer Flow and Heat Transfer Characteristics of Fe-Casson Base Nanofluid over Stretching/Shrinking Surface2024-02-060Defect and Diffusion ForumDefect and Diffusion Forum
    SafEDMD: A certified learning architecture tailored to data-driven control of nonlinear dynamical systems2024-02-050ArXivarXiv.org
    Glocal Hypergradient Estimation with Koopman Operator2024-02-050ArXivarXiv.org
    Real-Time Constrained Tracking Control of Redundant Manipulators Using a Koopman-Zeroing Neural Network Framework2024-02-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Acoustic metamaterials for realizing a scalable multiple phi-bit unitary transformation2024-02-010AIP AdvancesAIP Advances
    Uco Koopmans, je hebt gewoon een punt!2024-02-010De PsychiaterDe Psychiater
    A Simulation Preorder for Koopman-like Lifted Control Systems2024-01-260ArXivarXiv.org
    Koopman-based model predictive control with morphing surface: Regulating the flutter response of a foil with an active flap2024-01-240Physical Review FluidsPhysical Review Fluids
    Graph Koopman Autoencoder for Predictive Covert Communication Against UAV Surveillance2024-01-230ArXivarXiv.org
    MHD Flow Darcy Forchheimeter of Jeffrey Nanofluid over a Stretching Sheet Considering Melting Heat Transfer and Viscous Dissipation heat transfe2024-01-230CFD LettersCFD Letters
    A multi-modality and multi-dyad approach to measuring flexibility in psychotherapy.2024-01-220Psychotherapy research : journal of the Society for Psychotherapy ResearchPsychotherapy Research
    A LAPACK implementation of the Dynamic Mode Decomposition2024-01-190ACM Transactions on Mathematical SoftwareACM Transactions on Mathematical Software
    Dual-Loop Robust Control of Biased Koopman Operator Model by Noisy Data of Nonlinear Systems2024-01-160ArXivarXiv.org
    Learning Stable Koopman Embeddings for Identification and Control2024-01-160ArXivarXiv.org
    Time-certified Input-constrained NMPC via Koopman Operator2024-01-091ArXivarXiv.org
    Data-Driven Nonlinear Model Reduction Using Koopman Theory: Integrated Control Form and NMPC Case Study2024-01-096IEEE Control Systems LettersIEEE Control Systems Letters
    On the Convergence of Hermitian Dynamic Mode Decomposition2024-01-060ArXivarXiv.org
    Significance of mixed convective double diffusive MHD stagnation point flow of nanofluid over a vertical surface with heat generation2024-01-040Proceedings of the Institution of Mechanical Engineers, Part N: Journal of Nanomaterials, Nanoengineering and NanosystemsProceedings of the Institution of Mechanical Engineers Part N Journal of Nanomaterials Nanoengineering and Nanosystems
    Heisenberg versus the Covariant String2024-01-040International Journal of Theoretical PhysicsInternational Journal of Theoretical Physics
    Achieving Accuracy and Economy for Calculating Vertical Detachment Energies of Molecular Anions: A Model Chemistry Composite Methods.2024-01-020Chemphyschem : a European journal of chemical physics and physical chemistryChemPhysChem
    Adaptive Boundary Observers for Hyperbolic PDEs With Application to Traffic Flow Estimation2024-01-010IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Robust deep Koopman model predictive load frequency control of interconnected power systems2024-01-010Electric Power Systems ResearchElectric power systems research
    Data-driven modelling of brain activity using neural networks, diffusion maps, and the Koopman operator.2024-01-010ChaosChaos
    Koopman-based deep iISS bilinear parity approach for data-driven fault diagnosis: Experimental demonstration using three-tank system2024-01-011Control Engineering PracticeControl Engineering Practice
    Aspects of chemical reaction and mixed convection in ternary hybrid nanofluid with Marangoni convection and heat source2023-12-300Modern Physics Letters BModern physics letters B
    Liberdade de expressão, discurso de ódio e mídia:2023-12-290Revista Thesis JurisRevista Thesis Juris
    Data-Driven Model Predictive Control for Uncalibrated Visual Servoing2023-12-290SymmetrySymmetry
    Estimation and Prediction of the Polymers’ Physical Characteristics Using the Machine Learning Models2023-12-291PolymersPolymers
    A randomized algorithm to solve reduced rank operator regression2023-12-280ArXivarXiv.org
    Properties of Immersions for Systems with Multiple Limit Sets with Implications to Learning Koopman Embeddings2023-12-281ArXivarXiv.org
    A data driven Koopman-Schur decomposition for computational analysis of nonlinear dynamics2023-12-261ArXivarXiv.org
    Uncertainty goes mainstream: Savage, Koopmans and the measurability of uncertainty at the Cowles Commission2023-12-230The European Journal of the History of Economic ThoughtEuropean Journal of the History of Economic Thought
    Engineering Gas Diffusion Electrode Microstructures for the Electrochemical Reduction of CO22023-12-220ECS Meeting AbstractsECS Meeting Abstracts
    MHD Casson Flow over a Non-Linear Convective Inclined Plate with Chemical Reaction and Arrhenius Activation Energy2023-12-210Diffusion Foundations and Materials ApplicationsNA
    Koopmon trajectories in nonadiabatic quantum-classical dynamics2023-12-210ArXivarXiv.org
    Consistent Long-Term Forecasting of Ergodic Dynamical Systems2023-12-200ArXivarXiv.org
    Effect of Forchheimer on Hydromagnetic Flow Inspired by Chemical Reaction Over an Accelerating Surface2023-12-200Journal of Mines, Metals and FuelsJournal of Mines, Metals and Fuels
    Mixed Convection of a Hybrid Nanofluid Flow with Variable Thickness Sheet2023-12-200Journal of Mines, Metals and FuelsJournal of Mines, Metals and Fuels
    On the Ramsey–Cass–Koopmans Problem for Consumer Choice2023-12-190Journal of Mathematical SciencesJournal of Mathematical Sciences
    Data-driven discovery with Limited Data Acquisition for fluid flow across cylinder2023-12-190ArXivarXiv.org
    Robust Learning-Based Control for Uncertain Nonlinear Systems With Validation on a Soft Robot.2023-12-180IEEE transactions on neural networks and learning systemsIEEE Transactions on Neural Networks and Learning Systems
    Data‐driven parallel Koopman subsystem modeling and distributed moving horizon state estimation for large‐scale nonlinear processes2023-12-160AIChE JournalAIChE Journal
    Employee Performance in Aviation Industry Based on Koopman’s Individual Work Performance Questionnaire (IWPQ)2023-12-160INTERNATIONAL JOURNAL OF MULTIDISCIPLINARY RESEARCH AND ANALYSISInternational journal of multidisciplinary research and analysis
    Numerical Investigation of Diffusion Thermo, Hall Current, Activation Energy and Soret of MHD Darcy-Forchheimer Casson Fluid Flow with Inclined Plates2023-12-150Journal of Advanced Research in Fluid Mechanics and Thermal SciencesJournal of Advanced Research in Fluid Mechanics and Thermal Sciences
    Convergent Dynamic Mode Decomposition2023-12-1302023 62nd IEEE Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    A Koopman Operator-Based Finite Impulse Response Filter for Nonlinear Systems2023-12-1302023 62nd IEEE Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    Estimation of Regions of Attraction with Formal Certificates in a Purely Data-Driven Setting2023-12-1302023 62nd IEEE Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    Learning Switched Koopman Models for Control of Entity-Based Systems2023-12-1302023 62nd IEEE Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    Convergence Rates for Approximations of Deterministic Koopman Operators via Inverse Problems2023-12-1302023 62nd IEEE Conference on Decision and Control (CDC)IEEE Conference on Decision and Control
    Dynamics Harmonic Analysis of Robotic Systems: Application in Data-Driven Koopman Modelling2023-12-120ArXivarXiv.org
    Data-Driven Bifurcation Analysis via Learning of Homeomorphism2023-12-110ArXivarXiv.org
    Spectral Koopman Method for Identifying Stability Boundary2023-12-110ArXivIEEE Control Systems Letters
    Randomized Physics-Informed Machine Learning for Uncertainty Quantification in High-Dimensional Inverse Problems2023-12-110ArXivarXiv.org
    Fusion of Ultrasound and Magnetic Resonance Images for Endometriosis Diagnosis: A Non-Parametric Approach2023-12-1002023 IEEE 9th International Workshop on Computational Advances in Multi-Sensor Adaptive Processing (CAMSAP)IEEE International Workshop on Computational Advances in Multi-Sensor Adaptive Processing
    Enhancing interpretability and generalizability of deep learning-based emulator in three-dimensional lake hydrodynamics using Koopman operator and transfer learning: Demonstrated on the example of lake Zurich.2023-12-100Water researchWater Research
    Utrecht bouwt 1945-1975 | Post 65 - Een turbulente tijd | Experimentele woningbouw in Nederland 1968-19802023-12-090Bulletin KNOBBulletin KNOB
    Trajectory Estimation in Unknown Nonlinear Manifold Using Koopman Operator Theory2023-12-090ArXivarXiv.org
    Deep Learning for Koopman-based Dynamic Movement Primitives2023-12-060ArXivarXiv.org
    Koopman model predictive control based load modulation for primary frequency regulation2023-12-060IET Generation, Transmission & DistributionNA
    Dynamic mode decomposition for Koopman spectral analysis of elementary cellular automata.2023-12-040ChaosChaos
    KEEC: Embed to Control on An Equivariant Geometry2023-12-040ArXivarXiv.org
    General Numerical Framework to Derive Structure Preserving Reduced Order Models for Thermodynamically Consistent Reversible-Irreversible PDEs2023-12-040ArXivarXiv.org
    Koopman-based feedback design with stability guarantees2023-12-032ArXivarXiv.org
    Abstract IA004: Preclinical development of DuoBody®-CD3xB7H4, a novel CD3 bispecific antibody for the treatment of solid cancers2023-12-010Molecular Cancer TherapeuticsMolecular Cancer Therapeutics
    Significance of Chemical Reaction Under the Influence of Joule Heating for Walters’ B Fluid Flow towards an Extending Sheet2023-12-010International Journal of Applied and Computational MathematicsInternational Journal of Applied and Computational Mathematics
    Corrigendum to “Stable deep Koopman model predictive control for solar parabolic-trough collector field” [Renew. Energy 198 (October 2022) 492–504]2023-12-010Renewable EnergyRenewable Energy
    Validation of genetic stratification for risk of Alzheimer’s disease using UK Biobank2023-12-010Alzheimer's & DementiaNA
    Machine Learning Study through Physics-Informed Neural Networks: Analysis of the Stable Vortices in Quasi-Integrable Systems2023-12-010Journal of Physics: Conference SeriesNA
    Data-driven identification and fast model predictive control of the ORC waste heat recovery system by using Koopman operator2023-12-010Control Engineering PracticeControl Engineering Practice
    Adaptive Stabilization for ODE–PDE–ODE Cascade Systems With Parameter Uncertainty2023-12-010IEEE Transactions on Systems, Man, and Cybernetics: SystemsNA
    The Multiverse of Dynamic Mode Decomposition Algorithms2023-11-302ArXivarXiv.org
    Stability control for USVs with SINDY-based online dynamic model update2023-11-290ArXivarXiv.org
    El camino de la geopolítica crítica en América del Sur: entre la estructura y el individuo2023-11-290Punto surPunto sur
    State Prediction of Small Signal Synchronous Stability of Converter Interfaced Generation System Based on Koopman Operator and Time Delay Embedding2023-11-2802023 IEEE Sustainable Power and Energy Conference (iSPEC)Information Security Practice and Experience
    Reparameterized multiobjective control of BCG immunotherapy2023-11-270Scientific ReportsScientific Reports
    Decrypting Nonlinearity: Koopman Interpretation and Analysis of Cryptosystems2023-11-211ArXivarXiv.org
    Invariance Proximity: Closed-Form Error Bounds for Finite-Dimensional Koopman-Based Models2023-11-212ArXivarXiv.org
    Control-Oriented Modeling of a Soft Manipulator Using the Learning-Based Koopman Operator2023-11-2102023 29th International Conference on Mechatronics and Machine Vision in Practice (M2VIP)International Conference on Mechatronics and Machine Vision in Practice
    Koopman Learning with Episodic Memory2023-11-210ArXivarXiv.org
    Closed-Form Information-Theoretic Roughness Measures for Mixture Densities2023-11-160ArXivarXiv.org
    K-BMPC: Derivative-based Koopman Bilinear Model Predictive Control For Tractor-trailer Trajectory Tracking With Unknown Parameters2023-11-150ArXivarXiv.org
    Data-Driven Modeling for Pneumatic Muscle Using Koopman-Based Kalman Filter2023-11-0902023 IEEE International Conference on Development and Learning (ICDL)International Conference on Development and Learning
    Basis functions nonlinear data-enabled predictive control: Consistent and computationally efficient formulations2023-11-090ArXivarXiv.org
    Koopmans' theorem for acidic protons.2023-11-03 0Chemical communicationsChemical Communications
    Denoising Diffusion Implicit ModelsJiaming Song, Chenlin Meng, Stefano Ermon 2020-10-062519 ArXivInternational Conference on Learning Representations2555
    GTM: The Generative Topographic MappingCharles M. Bishop, M. Svensén, Christopher K. I. Williams None1496Neural Computation Neural Computation1498
    A Data–Driven Approximation of the Koopman Operator: Extending Dynamic Mode DecompositionMatthew O. Williams, I. Kevrekidis, C. Rowley 2014-08-191323 Journal of Nonlinear ScienceJournal of nonlinear science1328
    Deep Autoencoding Gaussian Mixture Model for Unsupervised Anomaly DetectionBo Zong, Qi Song, Martin Renqiang Min, Wei Cheng, C. Lumezanu, Dae-ki Cho, Haifeng Chen 2018-02-151237 International Conference on Learning Representations1245
    Botulinum neurotoxin A selectively cleaves the synaptic protein SNAP-25J. Blasi, E. Chapman, E. Link, T. Binz, S. Yamasaki, P. Camilli, T. Südhof, H. Niemann, R. Jahn 1993-09-091165Nature Nature1165
    Poincaré Embeddings for Learning Hierarchical RepresentationsMaximilian Nickel, Douwe Kiela 2017-05-221032 ArXivNeural Information Processing Systems1035
    Validation of information recorded on general practitioner based computerised data resource in the United Kingdom.H. Jick, S. Jick, L. Derby 1991-03-30877 British Medical JournalBritish medical journal
    Cross-domain sentiment classification via spectral feature alignment2010-04-26792{'pages': '751-760'}The Web Conference
    Synaptic vesicle membrane fusion complex: action of clostridial neurotoxins on assembly.1994-11-01783The EMBO JournalEMBO Journal
    VBF: Vector-Based Forwarding Protocol for Underwater Sensor Networks2006-05-15732{'pages': '1216-1221'}NA
    Towards K-means-friendly Spaces: Simultaneous Deep Learning and Clustering2016-10-15731{'pages': '3861-3870'}International Conference on Machine Learning
    HAQ: Hardware-Aware Automated Quantization With Mixed Precision2018-11-216872019 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR)Computer Vision and Pattern Recognition
    Sim-to-Real: Learning Agile Locomotion For Quadruped Robots2018-04-27651ArXivNA
    SNARE Function Analyzed in Synaptobrevin/VAMP Knockout Mice2001-11-02643ScienceScience
    Variants of Dynamic Mode Decomposition: Boundary Condition, Koopman, and Fourier Analyses2012-04-27643Journal of Nonlinear ScienceJournal of nonlinear science
    Cholesterol sensor ORP1L contacts the ER protein VAP to control Rab7–RILP–p150Glued and late endosome positioning2009-06-29620The Journal of Cell BiologyJournal of Cell Biology
    Assembly of presynaptic active zones from cytoplasmic transport packets2000-05-01601Nature NeuroscienceNature Neuroscience
    Proxy prefix caching for multimedia streams1999-03-21597IEEE INFOCOM '99. Conference on Computer Communications. Proceedings. Eighteenth Annual Joint Conference of the IEEE Computer and Communications Societies. The Future is Now (Cat. No.99CH36320)NA
    Causal Effect Inference with Deep Latent-Variable Models2017-05-24572{'pages': '6446-6456'}Neural Information Processing Systems
    A conserved ER targeting motif in three families of lipid binding proteins and in Opi1p binds VAP2003-05-01553The EMBO JournalEMBO Journal
    VAMP-1: a synaptic vesicle-associated integral membrane protein.1988-06-01546Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Systematic analysis of SNARE molecules in Arabidopsis: dissection of the post-Golgi network in plant cells.2004-04-01541Cell structure and functionCell Structure and Function
    Latent Class Models for Collaborative Filtering1999-07-31540{'pages': '688-693'}International Joint Conference on Artificial Intelligence
    Cellubrevin is a ubiquitous tetanus-toxin substrate homologous to a putative synaptic vesicle fusion protein1993-07-22493NatureNature
    Impairments in High-Frequency Transmission, Synaptic Vesicle Docking, and Synaptic Protein Distribution in the Hippocampus of BDNF Knockout Mice1999-06-15488The Journal of NeuroscienceJournal of Neuroscience
    Network-Aware Operator Placement for Stream-Processing Systems2006-04-0348022nd International Conference on Data Engineering (ICDE'06)IEEE International Conference on Data Engineering
    Boltzmann generators: Sampling equilibrium states of many-body systems with deep learning2019-09-05465ScienceScience
    Synaptobrevin binding to synaptophysin: a potential mechanism for controlling the exocytotic fusion machine.1995-01-01462The EMBO JournalEMBO Journal
    TI-VAMP/VAMP7 and VAMP3/cellubrevin: two v-SNARE proteins involved in specific steps of the autophagy/multivesicular body pathways.2009-12-01459Biochimica et biophysica actaBiochimica et Biophysica Acta
    Structure and function of tetanus and botulinum neurotoxins1995-11-01442Quarterly Reviews of BiophysicsNA
    VAMPnets for deep learning of molecular kinetics2017-10-16437Nature CommunicationsNature Communications
    Koopman Invariant Subspaces and Finite Linear Representations of Nonlinear Dynamical Systems for Control2015-10-11430PLoS ONEPLoS ONE
    Co-option of a default secretory pathway for plant immune responses2008-02-14429NatureNature
    Learning effective human pose estimation from inaccurate annotation2011-06-20424CVPR 2011Computer Vision and Pattern Recognition
    SNARE proteins are highly enriched in lipid rafts in PC12 cells: Implications for the spatial control of exocytosis2001-05-01416Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Triple Generative Adversarial Nets2017-03-07412ArXivNeural Information Processing Systems
    Real-time measurements of vesicle-SNARE recycling in synapses of the central nervous system2000-04-01403Nature Cell BiologyNature Cell Biology
    Identification of the nerve terminal targets of botulinum neurotoxin serotypes A, D, and E.1993-11-15396The Journal of biological chemistryJournal of Biological Chemistry
    The membrane fusion enigma: SNAREs, Sec1/Munc18 proteins, and their accomplices--guilty as charged?2012-10-11389Annual review of cell and developmental biologyAnnual Review of Cell and Developmental Biology
    Protein-protein interactions contributing to the specificity of intracellular vesicular trafficking.1994-02-25388ScienceScience
    Estimating a State-Space Model from Point Process Observations2003-05-01377Neural ComputationNeural Computation
    Endothelial Caveolae Have the Molecular Transport Machinery for Vesicle Budding, Docking, and Fusion Including VAMP, NSF, SNAP, Annexins, and GTPases (*)1995-06-16368The Journal of Biological ChemistryJournal of Biological Chemistry
    Calcium-dependent interaction of N-type calcium channels with the synaptic core complex1996-02-01360NatureNature
    Identification of a Novel Syntaxin- and Synaptobrevin/VAMP-binding Protein, SNAP-23, Expressed in Non-neuronal Tissues*1996-06-07353The Journal of Biological ChemistryJournal of Biological Chemistry
    Mechanism of action of tetanus and botulinum neurotoxins1994-07-01352Molecular MicrobiologyMolecular Microbiology
    Complexin Controls the Force Transfer from SNARE Complexes to Membranes in Fusion2009-01-23341ScienceScience
    Ergodic Theory, Dynamic Mode Decomposition, and Computation of Spectral Properties of the Koopman Operator2016-11-21337SIAM J. Appl. Dyn. Syst.SIAM Journal on Applied Dynamical Systems
    Robust Structured Subspace Learning for Data Representation2015-10-01336IEEE Transactions on Pattern Analysis and Machine IntelligenceIEEE Transactions on Pattern Analysis and Machine Intelligence
    Deep Fluids: A Generative Network for Parameterized Fluid Simulations2018-06-06332Computer Graphics ForumNA
    Assessment: Botulinum neurotoxin for the treatment of spasticity (an evidence-based review): Report of the Therapeutics and Technology Assessment Subcommittee of the American Academy of NeurologySYMBOL2008-05-06332NeurologyNeurology
    Electrical stimulation of mammalian retinal ganglion cells with multielectrode arrays.2006-06-01325Journal of neurophysiologyJournal of Neurophysiology
    AMP-Inspired Deep Networks for Sparse Linear Inverse Problems2016-12-04325IEEE Transactions on Signal ProcessingIEEE Transactions on Signal Processing
    Predicting Short-Term Traffic Flow by Long Short-Term Memory Recurrent Neural Network2015-12-013222015 IEEE International Conference on Smart City/SocialCom/SustainCom (SmartCity)International Conference on Smart Cities
    Mixed and Non-cognate SNARE Complexes1999-05-28319The Journal of Biological ChemistryJournal of Biological Chemistry
    Homologs of the synaptobrevin/VAMP family of synaptic vesicle proteins function on the late secretory pathway in S. cerevisiae1993-09-10319CellCell
    Dynamics-Aware Unsupervised Discovery of Skills2019-07-02318ArXivInternational Conference on Learning Representations
    Extended dynamic mode decomposition with dictionary learning: A data-driven adaptive spectral decomposition of the Koopman operator.2017-07-02318ChaosChaos
    Time-lagged autoencoders: Deep learning of slow collective variables for molecular kinetics2017-10-30314The Journal of chemical physicsJournal of Chemical Physics
    Identification of SNAREs Involved in Synaptotagmin VII-regulated Lysosomal Exocytosis*2004-05-07314Journal of Biological ChemistryJournal of Biological Chemistry
    Binding of the synaptic vesicle v-SNARE, synaptotagmin, to the plasma membrane t-SNARE, SNAP-25, can explain docked vesicles at neurotoxin-treated synapses.1997-02-04314Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Learning Koopman Invariant Subspaces for Dynamic Mode Decomposition2017-10-12312ArXivNeural Information Processing Systems
    A novel tetanus neurotoxin-insensitive vesicle-associated membrane protein in SNARE complexes of the apical plasma membrane of epithelial cells.1998-06-01311Molecular biology of the cellMolecular Biology of the Cell
    Botulinum neurotoxin serotype F is a zinc endopeptidase specific for VAMP/synaptobrevin.1993-06-05311The Journal of biological chemistryJournal of Biological Chemistry
    Adaptive cache compression for high-performance processors2004-06-19310Proceedings. 31st Annual International Symposium on Computer Architecture, 2004.NA
    Virtual network functions placement and routing optimization2015-10-053092015 IEEE 4th International Conference on Cloud Networking (CloudNet)NA
    Priors for people tracking from small training sets2005-10-17304Tenth IEEE International Conference on Computer Vision (ICCV'05) Volume 1NA
    PYIN: A fundamental frequency estimator using probabilistic threshold distributions2014-05-043022014 IEEE International Conference on Acoustics, Speech and Signal Processing (ICASSP)IEEE International Conference on Acoustics, Speech, and Signal Processing
    Beyond 5G With UAVs: Foundations of a 3D Wireless Cellular Network2018-05-16302IEEE Transactions on Wireless CommunicationsIEEE Transactions on Wireless Communications
    3-D Human Action Recognition by Shape Analysis of Motion Trajectories on Riemannian Manifold2015-07-01301IEEE Transactions on CyberneticsIEEE Transactions on Cybernetics
    Learning Deep Neural Network Representations for Koopman Operators of Nonlinear Dynamical Systems2017-08-223002019 American Control Conference (ACC)American Control Conference
    ACM Journal on Emerging Technologies in Computing SystemsNone300ACM Trans. Design Autom. Electr. Syst.NA
    Meta-Reinforcement Learning of Structured Exploration Strategies2018-02-20297{'pages': '5307-5316'}Neural Information Processing Systems
    Integrated transcriptional and competitive endogenous RNA networks are cross-regulated in permissive molecular environments2013-03-27297Proceedings of the National Academy of SciencesProceedings of the National Academy of Sciences of the United States of America877
    Crystal structure of the endosomal SNARE complex reveals common structural principles of all SNAREs2002-02-01295Nature Structural BiologyNA
    +

    + +

    +

    4. Latest articles on Latent Space Simulator

    + + + + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitleAuthorsPublication DateJournal/ConferenceCitation count
    Calcium accelerates endocytosis of vSNAREs at hippocampal synapses2001-02-01291Nature NeuroscienceNature NeuroscienceAccess authentication via blockchain in space information networkMuhammad Arshad, Jianwei Liu, Muhammad Khalid, Waqar Khalid, Yue Cao, Fakhri Alam Khan2024-03-07PLOS ONE0
    Minireview: recent developments in the regulation of glucose transporter-4 traffic: new signals, locations, and partners.2005-12-01289EndocrinologyEndocrinologySmall molecule autoencoders: architecture engineering to optimize latent space utility and sustainabilityMarie Oestreich, Iva Ewert, Matthias Becker2024-03-05Journal of Cheminformatics0
    CQoS: a framework for enabling QoS in shared caches of CMP platforms2004-06-26287{'pages': '257-266'}International Conference on SupercomputingA GAN-based anomaly detector using multi-feature fusion and selection.Huafeng Dai, Jyunrong Wang, Quan Zhong, Tao Chen, Hao Liu, Xuegang Zhang, Rongsheng Lu2024-03-04Scientific reports0
    Antidepressants and suicide1995-01-28287BMJBritish medical journalTopic Modeling on Document Networks With Dirichlet Optimal Transport BarycenterDelvin Ce Zhang, Hady W. Lauw2024-03-01IEEE Transactions on Knowledge and Data Engineering0
    On Convergence of Extended Dynamic Mode Decomposition to the Koopman Operator2017-03-14286Journal of Nonlinear ScienceJournal of nonlinear scienceMulticlass and Multilabel Classifications by Consensus and Complementarity-Based Multiview Latent Space ProjectionJianghong Ma, Weixuan Kou, Mingquan Lin, Carmen C. M. Cho, Bernard Chiu2024-03-01IEEE Transactions on Systems, Man, and Cybernetics: Systems0
    Efficient Trafficking of Ceramide from the Endoplasmic Reticulum to the Golgi Apparatus Requires a VAMP-associated Protein-interacting FFAT Motif of CERT*2006-10-06280Journal of Biological ChemistryJournal of Biological Chemistry
    Syntaxin 13 Mediates Cycling of Plasma Membrane Proteins via Tubulovesicular Recycling Endosomes1998-11-16278The Journal of Cell BiologyJournal of Cell Biology
    A SNARE complex mediating fusion of late endosomes defines conserved properties of SNARE structure and function2000-12-01276The EMBO JournalEMBO Journal
    Tetanus and botulinum neurotoxins: mechanism of action and therapeutic uses.1999-02-28276Philosophical transactions of the Royal Society of London. Series B, Biological sciencesPhilosophical transactions of the Royal Society of London. Series B, Biological sciences
    Align Your Latents: High-Resolution Video Synthesis with Latent Diffusion Models2023-04-182742023 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR)Computer Vision and Pattern Recognition
    rbSec1A and B colocalize with syntaxin 1 and SNAP-25 throughout the axon, but are not in a stable complex with syntaxin1995-04-01274The Journal of Cell BiologyJournal of Cell Biology
    Phosphorylation of Munc-18/n-Sec1/rbSec1 by Protein Kinase C1996-03-29273The Journal of Biological ChemistryJournal of Biological Chemistry
    T-Lohi: A New Class of MAC Protocols for Underwater Acoustic Sensor Networks2008-04-13273IEEE INFOCOM 2008 - The 27th Conference on Computer CommunicationsNA
    Molecular generative model based on conditional variational autoencoder for de novo molecular design2018-06-15271Journal of CheminformaticsJournal of Cheminformatics
    Multiplex Assessment of Protein Variant Abundance by Massively Parallel Sequencing2018-01-16271Nature geneticsNature Genetics
    Clinical information for research; the use of general practice databases.1999-09-01269Journal of public health medicineJournal of Public Health Medicine
    Deep Collaborative Embedding for Social Image Understanding2019-09-01269IEEE Transactions on Pattern Analysis and Machine IntelligenceIEEE Transactions on Pattern Analysis and Machine Intelligence
    Seven Novel Mammalian SNARE Proteins Localize to Distinct Membrane Compartments*1998-04-24266The Journal of Biological ChemistryJournal of Biological Chemistry
    Stepping-like movements in humans with complete spinal cord injury induced by epidural stimulation of the lumbar cord: electromyographic study of compound muscle action potentials2004-07-01264Spinal CordSpinal Cord
    The spread of attention across modalities and space in a multisensory object.2005-12-20260Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Application of Unidimensional Item Response Theory Models to Multidimensional Data1983-04-01260Applied Psychological MeasurementNA
    The Vesiculo–Vacuolar Organelle (VVO): A New Endothelial Cell Permeability Organelle2001-04-01259Journal of Histochemistry & CytochemistryJournal of Histochemistry and Cytochemistry
    Cleavage of members of the synaptobrevin/VAMP family by types D and F botulinal neurotoxins and tetanus toxin.1994-04-29259The Journal of biological chemistryJournal of Biological Chemistry
    Synaptophysin, a major synaptic vesicle protein, is not essential for neurotransmitter release.1996-05-14258Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Dynamic service migration in mobile edge-clouds2015-05-202562015 IFIP Networking Conference (IFIP Networking)NA
    A Disentangled Recognition and Nonlinear Dynamics Model for Unsupervised Learning2017-10-16254ArXivNeural Information Processing Systems
    -

    - -

    -

    4. Latest articles on Latent Space Simulator

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -1671,14 +207,14 @@ hide: + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - - - - - + +
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    A GAN-based anomaly detector using multi-feature fusion and selection.2024-03-040Scientific reportsScientific Reports
    Topic Modeling on Document Networks With Dirichlet Optimal Transport Barycenter2024-03-010IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    Multiclass and Multilabel Classifications by Consensus and Complementarity-Based Multiview Latent Space Projection2024-03-010IEEE Transactions on Systems, Man, and Cybernetics: SystemsNA
    Learning-Based Edge-Device Collaborative DNN Inference in IoVT Networks2024-03-010IEEE Internet of Things JournalIEEE Internet of Things JournalLearning-Based Edge-Device Collaborative DNN Inference in IoVT NetworksXiaodong Xu, Kaiwen Yan, Shujun Han, Bizhu Wang, Xiaofeng Tao, Ping Zhang2024-03-01IEEE Internet of Things Journal0
    NeuralFloors: Conditional Street-Level Scene Generation From BEV Semantic Maps via Neural FieldsValentina Muşat, Daniele De Martini, Matthew Gadd, Paul Newman 2024-03-010IEEE Robotics and Automation Letters IEEE Robotics and Automation Letters
    Robust Three-Stage Dynamic Mode Decomposition for Analysis of Power System Oscillations2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Vibration-based structural damage localization through a discriminant analysis strategy with cepstral coefficients2024-02-280Structural Health MonitoringStructural Health Monitoring
    Spectral Time-Varying Pattern Causality and Its Application.2024-02-280IEEE journal of biomedical and health informaticsIEEE journal of biomedical and health informatics
    Big topic modeling based on a two-level hierarchical latent Beta-Liouville allocation for large-scale data and parameter streaming2024-02-280Pattern Analysis and ApplicationsPattern Analysis and Applications
    Sensor based Dance Coherent Action Generation Model using Deep Learning Framework2024-02-240Scalable Computing: Practice and ExperienceNA
    Monstrous Mushrooms, Toxic Love and Queer Utopias in Jenny Hval's Paradise Rot2024-02-210Junctions: Graduate Journal of the HumanitiesJunctions: Graduate Journal of the Humanities
    Amperometry and Electron Microscopy show Stress Granules Induce Homotypic Fusion of Catecholamine Vesicles.2024-02-210Angewandte ChemieNA
    A test of pre-exposure spacing and multiple context pre-exposure on the mechanisms of latent inhibition of dental fear: A study protocol2024-02-210BMC PsychologyBMC Psychology
    Women’s sexual health improvement: sexual quality of life and pelvic floor muscle assessment in asymptomatic women2024-02-210Frontiers in MedicineFrontiers in Medicine
    Extraction of nonlinearity in neural networks and model compression with Koopman operator2024-02-180ArXivarXiv.org
    GenAD: Generative End-to-End Autonomous Driving2024-02-180ArXivarXiv.org
    Wasserstein GAN-based architecture to generate collaborative filtering synthetic datasets2024-02-170Applied IntelligenceNA
    Conditional Neural Expert Processes for Learning from Demonstration2024-02-130ArXivarXiv.org
    DeformNet: Latent Space Modeling and Dynamics Prediction for Deformable Object Manipulation2024-02-120ArXivarXiv.org
    Modeling and Simulating an Epidemic in Two Dimensions with an Application Regarding COVID-192024-02-120ComputationComputation
    Large Language Model Meets Graph Neural Network in Knowledge Distillation2024-02-080ArXivarXiv.org
    Language uncovers visuospatial dysfunction in posterior cortical atrophy: a natural language processing approach2024-02-060Frontiers in NeuroscienceFrontiers in Neuroscience
    Modeling Spatio-temporal Dynamical Systems with Neural Discrete Learning and Levels-of-Experts2024-02-061ArXivIEEE Transactions on Knowledge and Data Engineering
    Vector Approximate Message Passing With Arbitrary I.I.D. Noise Priors2024-02-060ArXivarXiv.org
    Reinforcement Learning for Collision-free Flight Exploiting Deep Collision Encoding2024-02-060ArXivarXiv.org
    Bird's Nest-Shaped Sb2 WO6 /D-Fru Composite for Multi-Stage Evaporator and Tandem Solar Light-Heat-Electricity Generators.2024-02-061SmallSmall
    Variational Shapley Network: A Probabilistic Approach to Self-Explaining Shapley values with Uncertainty Quantification2024-02-060ArXivarXiv.org
    SafEDMD: A certified learning architecture tailored to data-driven control of nonlinear dynamical systems2024-02-050ArXivarXiv.org
    Latent Graph Diffusion: A Unified Framework for Generation and Prediction on Graphs2024-02-040ArXivarXiv.org
    An integrated population model reveals source-sink dynamics for competitively subordinate African wild dogs linked to anthropogenic prey depletion.2024-02-040The Journal of animal ecologyJournal of Animal Ecology
    Multi-modal Causal Structure Learning and Root Cause Analysis2024-02-040ArXivarXiv.org
    A hybrid twin based on machine learning enhanced reduced order model for real-time simulation of magnetic bearings2024-02-030Adv. Model. Simul. Eng. Sci.Advanced Modeling and Simulation in Engineering Sciences
    Multimodal Co-orchestration for Exploring Structure-Property Relationships in Combinatorial Libraries via Multi-Task Bayesian Optimization2024-02-030ArXivarXiv.org
    Discovering optimal features for neuron-type identification from extracellular recordings2024-02-020Frontiers in NeuroinformaticsFrontiers in Neuroinformatics
    Differences in Supervision on Peer Learning Wards: A Pilot Survey of the Supervisor’s Perspective2024-02-010Advances in Medical Education and PracticeAdvances in Medical Education and Practice
    Utility of a time-lagged autoencoder for calculating free energy by generating a large number of synthetic trajectories based on molecular dynamics2024-02-010Biophysical JournalBiophysical Journal
    Time domain turbo equalization based on vector approximate message passing for multiple-input multiple-output underwater acoustic communications.2024-02-010The Journal of the Acoustical Society of AmericaJournal of the Acoustical Society of America
    A deep clustering-based state-space model for improved disease risk prediction in personalized healthcare2024-02-010Annals of Operations ResearchAnnals of Operations Research
    On the Fine-Grained Distributed Routing and Data Scheduling for Interplanetary Data Transfers2024-02-010IEEE Transactions on Network and Service ManagementIEEE Transactions on Network and Service Management
    A Channel Perceiving-Based Handover Management in Space–Ground Integrated Information Network2024-02-010IEEE Transactions on Network and Service ManagementIEEE Transactions on Network and Service Management
    Joint Optimization of Server and Service Selection in Satellite-Terrestrial Integrated Edge Computing Networks2024-02-010IEEE Transactions on Vehicular TechnologyIEEE Transactions on Vehicular Technology
    Mechanism Design for Semantic Communication in UAV-Assisted Metaverse: A Combinatorial Auction Approach2024-02-010IEEE Transactions on Vehicular TechnologyIEEE Transactions on Vehicular Technology
    BlackMamba: Mixture of Experts for State-Space Models2024-02-010ArXivarXiv.org
    Discriminative Action Snippet Propagation Network for Weakly Supervised Temporal Action Localization2024-01-310ACM Transactions on Multimedia Computing, Communications, and ApplicationsACM Transactions on Multimedia Computing, Communications, and Applications (TOMCCAP)
    Polynomial Chaos Expansions on Principal Geodesic Grassmannian Submanifolds for Surrogate Modeling and Uncertainty Quantification2024-01-300ArXivarXiv.org
    Dynamical Survival Analysis with Controlled Latent States2024-01-300ArXivarXiv.org
    PICL: Physics Informed Contrastive Learning for Partial Differential Equations2024-01-290ArXivarXiv.org
    Routing of Kv7.1 to endoplasmic reticulum plasma membrane junctions.2024-01-290Acta physiologicaActa Physiologica
    Ricci flow-guided autoencoders in learning time-dependent dynamics2024-01-260ArXivarXiv.org
    DRL-based Task and Computational Offloading for Internet of Vehicles in Decentralized Computing2024-01-250Journal of Grid ComputingJournal of Grid Computing
    Domain-Based Address Configuration for Vehicular Networks2024-01-250Wireless Personal CommunicationsWireless personal communications
    Multicasting Optical Reconfigurable Switch2024-01-250ArXivarXiv.org
    Deep Variational Learning for 360° Adaptive Streaming2024-01-250ACM Transactions on Multimedia Computing, Communications, and ApplicationsACM Transactions on Multimedia Computing, Communications, and Applications (TOMCCAP)
    Manifold fitting with CycleGAN.2024-01-240Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Motion of VAPB molecules reveals ER–mitochondria contact site subdomains2024-01-242NatureNature
    Language Models as Hierarchy Encoders2024-01-210ArXivarXiv.org
    Research on Mushroom Image Classification Algorithm Based on Deep Sparse Dictionary Learning2024-01-200Academic Journal of Science and TechnologyAcademic Journal of Science and Technology
    A LAPACK implementation of the Dynamic Mode Decomposition2024-01-190ACM Transactions on Mathematical SoftwareACM Transactions on Mathematical Software
    Automated detection of edge clusters via an overfitted mixture prior2024-01-190Netw. Sci.Network Science
    Space Networking Kit: A Novel Simulation Platform for Emerging LEO Mega-constellations2024-01-150ArXivarXiv.org
    Quantized RIS-aided mmWave Massive MIMO Channel Estimation with Uniform Planar Arrays2024-01-150ArXivIEEE Wireless Communications Letters
    Modality-Aware Representation Learning for Zero-shot Sketch-based Image Retrieval2024-01-100ArXivarXiv.org
    Maximum likelihood estimation for discrete latent variable models via evolutionary algorithms2024-01-100Stat. Comput.Statistics and computing
    Analyzing Molecular Dynamics Trajectories Thermodynamically through Artificial Intelligence.2024-01-092Journal of chemical theory and computationJournal of Chemical Theory and Computation
    Disentangled Neural Relational Inference for Interpretable Motion Prediction2024-01-070IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    On the Convergence of Hermitian Dynamic Mode Decomposition2024-01-060ArXivarXiv.org
    Starling: An I/O-Efficient Disk-Resident Graph Index Framework for High-Dimensional Vector Similarity Search on Data Segment2024-01-040ArXivarXiv.org
    Generating diverse clothed 3D human animations via a generative model2024-01-030Computational Visual MediaComputational Visual Media
    Bi-directional regulation of AIMP2 and its splice variant on PARP-1-dependent neuronal cell death; Therapeutic implication for Parkinson's disease2024-01-030Acta Neuropathologica CommunicationsActa Neuropathologica Communications
    Inferring single-cell copy number profiles through cross-cell segmentation of read counts2024-01-020BMC GenomicsBMC Genomics
    Effect of Pigment-Acrylic Binder Ratio on the Surface and Physical Properties of Resin Finished Leather2024-01-020Journal of the American Leather Chemists AssociationThe Journal of the American Leather Chemists Association
    Joint Offloading and Resource Allocation for Hybrid Cloud and Edge Computing in SAGINs: A Decision Assisted Hybrid Action Space Deep Reinforcement Learning Approach2024-01-020ArXivIEEE Journal on Selected Areas in Communications
    Markov State Models: To Optimize or Not to Optimize2024-01-010Journal of Chemical Theory and ComputationJournal of Chemical Theory and Computation
    Secure STBC-Aided NOMA in Cognitive IIoT Networks2024-01-011IEEE Internet of Things JournalIEEE Internet of Things Journal
    VME-Transformer: Enhancing Visual Memory Encoding for Navigation in Interactive Environments2024-01-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Collaborative Computing Services at Ground, Air, and Space: An Optimization Approach2024-01-011IEEE Transactions on Vehicular TechnologyIEEE Transactions on Vehicular Technology
    DeepEar: Sound Localization With Binaural Microphones2024-01-015IEEE Transactions on Mobile ComputingIEEE Transactions on Mobile Computing
    The Role of Space in Achieving Virtual Movement as an Input to Enrich the Aesthetics of Digital Decorative Panel2024-01-010International Design JournalNA
    Joint Adversarial Domain Adaptation With Structural Graph Alignment2024-01-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Uncorrelated Sparse Autoencoder With Long Short-Term Memory for State-of-Charge Estimations in Lithium-Ion Battery Cells2024-01-014IEEE Transactions on Automation Science and EngineeringIEEE Transactions on Automation Science and Engineering
    VLEO Satellite Constellation Design for Regional Aviation and Marine Coverage2024-01-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    TORR: A Lightweight Blockchain for Decentralized Federated Learning2024-01-011IEEE Internet of Things JournalIEEE Internet of Things Journal
    Enabling In-Network Caching in Traditional IP Networks: Selective Router Upgrades and Cooperative Cache Strategies2024-01-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    SystemC framework for architecture modelling of electronic systems in future particle detectors2024-01-010Journal of InstrumentationJournal of Instrumentation
    An efficient task offloading method for drip irrigation and fertilization at edge nodes based on quantum chaotic genetic algorithm2024-01-010AIP AdvancesAIP Advances
    QFS-RPL: mobility and energy aware multi path routing protocol for the internet of mobile things data transfer infrastructures2023-12-310Telecommunication SystemsTelecommunications Systems
    Creación de narrativas digitales sobre los peligros y amenazas en red usando herramientas de inteligencia artificial2023-12-300REVISTA CIENTÍFICA ECOCIENCIARevista Científica Ecociencia
    Advances in phase change materials and nanomaterials for applications in thermal energy storage.2023-12-290Environmental science and pollution research internationalEnvironmental science and pollution research international
    Visual Point Cloud Forecasting enables Scalable Autonomous Driving2023-12-291ArXivarXiv.org
    Fake in the Context of Worldview Determinants of Modern Society2023-12-290Humanitarian: actual problems of the humanities and educationHumanitarian actual problems of the humanities and education
    InsActor: Instruction-driven Physics-based Characters2023-12-280ArXivNeural Information Processing Systems
    SuperServe: Fine-Grained Inference Serving for Unpredictable Workloads2023-12-270ArXivarXiv.org
    Bezier-based Regression Feature Descriptor for Deformable Linear Objects2023-12-270ArXivarXiv.org
    Exploiting the capacity of deep networks only at training stage for nonlinear black-box system identification2023-12-260ArXivarXiv.org
    A data driven Koopman-Schur decomposition for computational analysis of nonlinear dynamics2023-12-261ArXivarXiv.org
    DEAP: Design Space Exploration for DNN Accelerator Parallelism2023-12-240ArXivarXiv.org
    Research on textile-vamp punching based on punching point gradient phase and edge significance2023-12-230Textile Research JournalTextile research journal
    Research on Aging Adaptation of Urban Residential Environment Design in the Era of Artificial Intelligence2023-12-230Applied Mathematics and Nonlinear SciencesApplied Mathematics and Nonlinear Sciences
    Towards Loose-Fitting Garment Animation via Generative Model of Deformation Decomposition2023-12-220ArXivarXiv.org
    A Dual-Agent Approach for Coordinated Task Offloading and Resource Allocation in MEC2023-12-21 0J. Electr. Comput. Eng.Journal of Electrical and Computer Engineering
    Neural Ordinary Differential EquationsT. Chen, Yulia Rubanova, J. Bettencourt, D. Duvenaud 2018-06-193518{'pages': '6572-6583'} Neural Information Processing Systems3532
    Score-Based Generative Modeling through Stochastic Differential EquationsYang Song, Jascha Narain Sohl-Dickstein, Diederik P. Kingma, Abhishek Kumar, Stefano Ermon, Ben Poole 2020-11-262600 ArXivInternational Conference on Learning Representations2634
    Diffusion Convolutional Recurrent Neural Network: Data-Driven Traffic ForecastingYaguang Li, Rose Yu, C. Shahabi, Yan Liu 2017-07-062120 arXiv: LearningInternational Conference on Learning Representations2134
    Artificial neural networks for solving ordinary and partial differential equationsI. Lagaris, A. Likas, D. Fotiadis 1997-05-191721 IEEE transactions on neural networksNA1723
    Diffusion-Convolutional Neural NetworksJames Atwood, D. Towsley 2015-11-061084{'pages': '1993-2001'} Neural Information Processing Systems1089
    Dynamic Edge-Conditioned Filters in Convolutional Neural Networks on GraphsM. Simonovsky, N. Komodakis 2017-04-101071 2017 IEEE Conference on Computer Vision and Pattern Recognition (CVPR)Computer Vision and Pattern Recognition1074
    FFJORD: Free-form Continuous Dynamics for Scalable Reversible Generative ModelsWill Grathwohl, Ricky T. Q. Chen, J. Bettencourt, I. Sutskever, D. Duvenaud 2018-09-27688ArXivInternational Conference on Learning Representations
    Stable architectures for deep neural networks2017-05-09591Inverse ProblemsarXiv.org
    Brian: A Simulator for Spiking Neural Networks in Python2008-07-11526Frontiers in NeuroinformaticsBMC Neuroscience
    DPM-Solver: A Fast ODE Solver for Diffusion Probabilistic Model Sampling in Around 10 Steps2022-06-02494ArXivNeural Information Processing Systems
    Augmented Neural ODEs2019-04-02492ArXivNeural Information Processing Systems
    Diffusion Improves Graph Learning2019-10-28486{'pages': '13333-13345'}Neural Information Processing Systems
    Geometric Matrix Completion with Recurrent Multi-Graph Neural Networks2017-04-01465{'pages': '3697-3707'}Neural Information Processing Systems
    Neural Operator: Graph Kernel Network for Partial Differential Equations2020-02-26443ArXivInternational Conference on Learning Representations
    Simulation of chaotic EEG patterns with a dynamic model of the olfactory system1987-05-01439Biological CyberneticsBiological cybernetics
    Beyond Finite Layer Neural Networks: Bridging Deep Architectures and Numerical Differential Equations2017-10-27429ArXivInternational Conference on Machine Learning
    Latent Ordinary Differential Equations for Irregularly-Sampled Time SeriesNone409{'pages': '5321-5331'}Neural Information Processing Systems
    Adaptive NN Backstepping Output-Feedback Control for Stochastic Nonlinear Strict-Feedback Systems With Time-Varying Delays2010-06-01403IEEE Transactions on Systems, Man, and Cybernetics, Part B (Cybernetics)NA
    Rumor Detection on Social Media with Bi-Directional Graph Convolutional Networks2020-01-17379{'pages': '549-556'}AAAI Conference on Artificial Intelligence
    A Deep Collocation Method for the Bending Analysis of Kirchhoff Plate2021-02-04365ArXivComputers Materials & Continua
    Decoupling dynamical systems for pathway identification from metabolic profiles2004-07-22317BioinformaticsNA
    Neural Operator: Learning Maps Between Function Spaces2021-08-19317ArXivarXiv.org
    Neural Controlled Differential Equations for Irregular Time Series2020-05-18302ArXivNeural Information Processing Systems
    SIGN: Scalable Inception Graph Neural Networks2020-04-23286ArXivarXiv.org
    Scaling Graph Neural Networks with Approximate PageRank2020-07-03269Proceedings of the 26th ACM SIGKDD International Conference on Knowledge Discovery & Data MiningKnowledge Discovery and Data Mining
    Multipole Graph Neural Operator for Parametric Partial Differential Equations2020-06-16248ArXivNeural Information Processing Systems
    Scalable Gradients for Stochastic Differential Equations2020-01-05235ArXivInternational Conference on Artificial Intelligence and Statistics
    Reversible Architectures for Arbitrarily Deep Residual Neural Networks2017-09-12234{'pages': '2811-2818'}AAAI Conference on Artificial Intelligence
    Spina bifida2018-07-09223Der RadiologeNA
    GRU-ODE-Bayes: Continuous modeling of sporadically-observed time series2019-05-29222{'pages': '7377-7388'}Neural Information Processing Systems
    Latent ODEs for Irregularly-Sampled Time Series2019-07-08219ArXivarXiv.org
    How to train your neural ODE2020-02-07218{'pages': '3154-3164'}International Conference on Machine Learning
    Relational Pooling for Graph Representations2019-03-06213ArXivInternational Conference on Machine Learning
    Models of the saccadic eye movement control system1973-12-31202KybernetikKybernetik
    Neural Jump Stochastic Differential Equations2019-05-24177ArXivNeural Information Processing Systems
    ODE-Inspired Network Design for Single Image Super-Resolution2019-06-011722019 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR)Computer Vision and Pattern Recognition
    AntisymmetricRNN: A Dynamical System View on Recurrent Neural Networks2019-02-26169ArXivInternational Conference on Learning Representations
    DiffNet++: A Neural Influence and Interest Diffusion Network for Social Recommendation2020-01-15168IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    Systems biology informed deep learning for inferring parameters and hidden dynamics2019-12-04168PLoS Computational BiologybioRxiv
    Error estimates for DeepOnets: A deep learning framework in infinite dimensions2021-02-18168ArXivTransactions of Mathematics and Its Applications
    Hibernation: neural aspects.None166Annual review of physiologyAnnual Review of Physiology
    Annual Research Review: Growth connectomics – the organization and reorganization of brain networks during normal and abnormal development2014-12-01165Journal of Child Psychology and Psychiatry, and Allied DisciplinesJournal of Child Psychology and Psychiatry and Allied Disciplines
    GRAND: Graph Neural Diffusion2021-06-21160ArXivInternational Conference on Machine Learning
    Computer-Aided Detection and Diagnosis in Medical Imaging2013-09-01156Computational and Mathematical Methods in MedicineNA
    Spectral-approximation-based intelligent modeling for distributed thermal processes2005-08-29153IEEE Transactions on Control Systems TechnologyIEEE Transactions on Control Systems Technology
    Combining Differentiable PDE Solvers and Graph Neural Networks for Fluid Flow Prediction2020-07-08153{'pages': '2402-2411'}International Conference on Machine Learning
    Message Passing Neural PDE Solvers2022-02-07152ArXivInternational Conference on Learning Representations
    Flow Straight and Fast: Learning to Generate and Transfer Data with Rectified Flow2022-09-07152ArXivInternational Conference on Learning Representations
    Dissecting Neural ODEs2020-02-19151ArXivNeural Information Processing Systems
    Convergence of learning algorithms with constant learning rates1991-09-01149IEEE transactions on neural networksNA
    Altered structural networks and executive deficits in traumatic brain injury patients2012-12-12148Brain Structure and FunctionBrain Structure and Function
    ANODE: Unconditionally Accurate Memory-Efficient Gradients for Neural ODEs2019-02-27144ArXivInternational Joint Conference on Artificial Intelligence
    HiPPO: Recurrent Memory with Optimal Polynomial Projections2020-08-17143ArXivNeural Information Processing Systems
    The development of the human brain, the closure of the caudal neuropore, and the beginning of secondary neurulation at stage 12None140Anatomy and EmbryologyAnatomy and Embryology
    Dynamics of Deep Neural Networks and Neural Tangent Hierarchy2019-09-18133ArXivInternational Conference on Machine Learning
    The MCA EXIN neuron for the minor component analysisNone132IEEE transactions on neural networksNA
    Diffusion probabilistic modeling of protein backbones in 3D for the motif-scaffolding problem2022-06-08130ArXivInternational Conference on Learning Representations
    Analysis and synthesis of a class of discrete-time neural networks described on hypercubes1990-05-01130IEEE International Symposium on Circuits and SystemsNA
    Topological Recurrent Neural Network for Diffusion Prediction2017-11-011292017 IEEE International Conference on Data Mining (ICDM)Industrial Conference on Data Mining
    Parietofrontal integrity determines neural modulation associated with grasping imagery after stroke.2012-01-09128Brain : a journal of neurologyNA
    On Neural Differential Equations2022-02-04124 ArXivarXiv.org
    Legendre Memory Units: Continuous-Time Representation in Recurrent Neural Networks2019-09-06123{'pages': '15544-15553'}Neural Information Processing Systems
    Runge-Kutta neural network for identification of dynamical systems in high accuracy1998-03-01121IEEE transactions on neural networksNA
    Adaptive Optimal Control of Highly Dissipative Nonlinear Spatially Distributed Processes With Neuro-Dynamic Programming2015-04-01119IEEE Transactions on Neural Networks and Learning SystemsIEEE Transactions on Neural Networks and Learning Systems689
    Graph Neural Controlled Differential Equations for Traffic Forecasting2021-12-07119ArXivAAAI Conference on Artificial Intelligence
    +

    + +

    +

    4. Latest articles on Neural ODEs

    + + + + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitleAuthorsPublication DateJournal/ConferenceCitation count
    Traffic Flow Forecasting with Spatial-Temporal Graph Diffusion Network2021-05-18114{'pages': '15008-15015'}AAAI Conference on Artificial IntelligenceContinuous Image Outpainting with Neural ODEPenglei Gao, Xi Yang, Rui Zhang, Kaizhu Huang2024-03-02SSRN Electronic Journal0
    On Robustness of Neural Ordinary Differential Equations2019-10-12113ArXivInternational Conference on Learning RepresentationsGraph Convolutional Neural Networks for Automated Echocardiography View Recognition: A Holistic ApproachSarina Thomas, Cristiana Tiago, Børge Solli Andreassen, S. Aase, Jurica Šprem, Erik Normann Steen, Anne H. Schistad Solberg, Guy Ben-Yosef2024-02-29NotAvbl0
    Stiff-PINN: Physics-Informed Neural Network for Stiff Chemical Kinetics2020-11-09112The journal of physical chemistry. ANAModelling and Distribution of Electricity Load Forecasting in Nigeria Power System (Olu-Ode Community)Ogunwuyi, Ogunmakinde Jimoh, Lawal Akeem Olaide, Omotayo Mayowa Emmanuel2024-02-28International Journal of Advanced Engineering and Nano Technology0
    Neural Signatures of Autism Spectrum Disorders: Insights into Brain Network DynamicsNone112NeuropsychopharmacologyNeuropsychopharmacologyChanges in Structural Neural Networks in the Recovery Process of Motor Paralysis after StrokeI. Kimura, Atsushi Senoo, M. Abo2024-02-21Brain Sciences0
    A Comparison of Automatic Differentiation and Continuous Sensitivity Analysis for Derivatives of Differential Equation Solutions2018-12-051112021 IEEE High Performance Extreme Computing Conference (HPEC)IEEE Conference on High Performance Extreme ComputingZhang neural networks: an introduction to predictive computations for discretized time-varying matrix problemsFrank Uhlig2024-02-19Numerische Mathematik0
    Novel applications of intelligent computing paradigms for the analysis of nonlinear reactive transport model of the fluid in soft tissues and microvessels2019-12-01107Neural Computing and ApplicationsNAEmulating the interstellar medium chemistry with neural operatorsLorenzo Branca, Andrea Pallottini2024-02-19Astronomy & Astrophysics0
    Neural SDE: Stabilizing Neural ODE Networks with Stochastic Noise2019-06-05106Temporal Disentangled Contrastive Diffusion Model for Spatiotemporal ImputationYakun Chen, Kaize Shi, Zhangkai Wu, Juan Chen, Xianzhi Wang, Julian McAuley, Guandong Xu, Shui Yu2024-02-18 ArXivarXiv.org
    E(n) Equivariant Normalizing Flows2021-05-19106{'pages': '4181-4192'}Neural Information Processing Systems
    Bifurcation analysis of a neural network model1992-02-01105Biological CyberneticsBiological cybernetics
    OT-Flow: Fast and Accurate Continuous Normalizing Flows via Optimal Transport2020-05-29105{'pages': '9223-9232'}AAAI Conference on Artificial Intelligence
    A Neural Network-Based Optimization Algorithm for the Static Weapon-Target Assignment Problem1989-11-01104INFORMS J. Comput.INFORMS journal on computing
    Continuous Graph Neural Networks2019-12-02104{'pages': '10432-10441'}International Conference on Machine Learning
    Low-Shot Learning with Large-Scale Diffusion2017-06-071042018 IEEE/CVF Conference on Computer Vision and Pattern RecognitionNA
    DiffEqFlux.jl - A Julia Library for Neural Differential Equations2019-02-06103ArXivarXiv.org
    Noise-Induced Behaviors in Neural Mean Field Dynamics2011-04-28103SIAM J. Appl. Dyn. Syst.SIAM Journal on Applied Dynamical Systems
    SocialGCN: An Efficient Graph Convolutional Network based Model for Social Recommendation2018-11-07101ArXivarXiv.org
    Monotone operator equilibrium networks2020-06-15101ArXivNeural Information Processing Systems
    Exploiting spatiotemporal patterns for accurate air quality forecasting using deep learning2018-11-06101Proceedings of the 26th ACM SIGSPATIAL International Conference on Advances in Geographic Information SystemsNA
    Neural Mass Activity, Bifurcations, and Epilepsy2011-12-01100Neural ComputationNeural Computation
    Graph Neural Ordinary Differential Equations2019-11-18100ArXivarXiv.org
    Size and distortion invariant object recognition by hierarchical graph matching1990-06-171001990 IJCNN International Joint Conference on Neural NetworksNA
    ODE$^2$VAE: Deep generative second order ODEs with Bayesian neural networks2019-05-2799ArXivNeural Information Processing Systems
    Support Vector Machine Classification of Major Depressive Disorder Using Diffusion-Weighted Neuroimaging and Graph Theory2015-02-1899Frontiers in PsychiatryFrontiers in Psychiatry
    FOCNet: A Fractional Optimal Control Network for Image Denoising2019-06-01992019 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR)Computer Vision and Pattern Recognition
    Simple Neural Networks that Optimize DecisionsNone98Int. J. Bifurc. ChaosInternational Journal of Bifurcation and Chaos in Applied Sciences and Engineering
    Transfer Graph Neural Networks for Pandemic Forecasting2020-09-1095{'pages': '4838-4845'}AAAI Conference on Artificial Intelligence
    Popularity Prediction on Social Platforms with Coupled Graph Neural Networks2019-06-2195Proceedings of the 13th International Conference on Web Search and Data MiningWeb Search and Data Mining
    Liquid Time-constant Networks2020-06-0895{'pages': '7657-7666'}AAAI Conference on Artificial Intelligence
    Learning Neural Event Functions for Ordinary Differential Equations2020-11-0893ArXivInternational Conference on Learning Representations
    Learning Long-Term Dependencies in Irregularly-Sampled Time Series2020-06-0192ArXivNeural Information Processing Systems
    Intelligent computing with Levenberg–Marquardt artificial neural networks for nonlinear system of COVID-19 epidemic model for future generation disease control2020-11-0191European Physical Journal plusThe European Physical Journal Plus
    Adaptive Checkpoint Adjoint Method for Gradient Estimation in Neural ODE2020-06-0390Proceedings of machine learning researchInternational Conference on Machine Learning
    Stiff Neural Ordinary Differential Equations2021-03-2988ChaosChaos
    Critical Analysis of Dimension Reduction by a Moment Closure Method in a Population Density Approach to Neural Network Modeling2007-08-0187Neural ComputationNeural Computation
    Extreme theory of functional connections: A fast physics-informed neural network method for solving ordinary and partial differential equations2021-06-0885NeurocomputingNeurocomputing
    -

    - -

    -

    4. Latest articles on Neural ODEs

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -1671,14 +207,14 @@ hide: + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - - - - - + +
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    Continuous Image Outpainting with Neural ODE2024-03-020SSRN Electronic JournalSocial Science Research Network
    Graph Convolutional Neural Networks for Automated Echocardiography View Recognition: A Holistic Approach2024-02-290{'pages': '44-54'}NA
    Modelling and Distribution of Electricity Load Forecasting in Nigeria Power System (Olu-Ode Community)2024-02-280International Journal of Advanced Engineering and Nano TechnologyInternational Journal of Advanced Engineering and Nano Technology
    Changes in Structural Neural Networks in the Recovery Process of Motor Paralysis after Stroke2024-02-210Brain SciencesBrain Science
    Zhang neural networks: an introduction to predictive computations for discretized time-varying matrix problems2024-02-190Numerische MathematikNumerische Mathematik
    Emulating the interstellar medium chemistry with neural operators2024-02-190Astronomy & AstrophysicsNA
    Temporal Disentangled Contrastive Diffusion Model for Spatiotemporal Imputation2024-02-180ArXivarXiv.org
    Uncertainty Quantification of Graph Convolution Neural Network Models of Evolving Processes2024-02-170ArXivarXiv.org
    ContiFormer: Continuous-Time Transformer for Irregular Time Series Modeling2024-02-161ArXivNeural Information Processing Systems
    Beyond Kalman Filters: Deep Learning-Based Filters for Improved Object Tracking2024-02-150ArXivarXiv.org
    Multiscale graph neural networks with adaptive mesh refinement for accelerating mesh-based simulations2024-02-140ArXivarXiv.org
    A generative artificial intelligence framework based on a molecular diffusion model for the design of metal-organic frameworks for carbon capture.2024-02-140Communications chemistryCommunications Chemistry
    Learning time-dependent PDE via graph neural networks and deep operator network for robust accuracy on irregular grids2024-02-130ArXivarXiv.org
    Score-Based Physics-Informed Neural Networks for High-Dimensional Fokker-Planck Equations2024-02-120ArXivarXiv.org
    Foundational Inference Models for Dynamical Systems2024-02-120ArXivarXiv.org
    Conditional Generative Models are Sufficient to Sample from Any Causal Effect Estimand2024-02-120ArXivarXiv.org
    Nearest Neighbour Score Estimators for Diffusion Generative Models2024-02-120ArXivarXiv.org
    ANN model for magnetised Casson fluid flow under the influence of thermal radiation and temperature stratification: Comparative analysis2024-02-110ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und MechanikNA
    Artificial neural network of thermal Buoyancy and Fourier flux impact on suction/injection‐based Darcy medium surface filled with hybrid and ternary nanoparticles2024-02-110ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und MechanikNA
    Inference of Gene Regulatory Networks Based on Multi-view Hierarchical Hypergraphs.2024-02-110Interdisciplinary sciences, computational life sciencesInterdisciplinary Sciences Computational Life Sciences
    Integrated intelligence of inverse multiquadric radial base neuro‐evolution for radiative MHD Prandtl–Eyring fluid flow model with convective heating2024-02-080ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und MechanikNA
    PAC-Bayesian Adversarially Robust Generalization Bounds for Graph Neural Network2024-02-061ArXivarXiv.org
    AirPhyNet: Harnessing Physics-Guided Neural Networks for Air Quality Prediction2024-02-060ArXivarXiv.org
    Path Signatures and Graph Neural Networks for Slow Earthquake Analysis: Better Together?2024-02-050ArXivarXiv.org
    HAMLET: Graph Transformer Neural Operator for Partial Differential Equations2024-02-051ArXivarXiv.org
    Unification of Symmetries Inside Neural Networks: Transformer, Feedforward and Neural ODE2024-02-040ArXivarXiv.org
    Unveiling Delay Effects in Traffic Forecasting: A Perspective from Spatial-Temporal Delay Differential Equations2024-02-020ArXivarXiv.org
    Deep Conditional Generative Learning: Model and Error Analysis2024-02-020ArXivarXiv.org
    Deep Continuous Networks2024-02-0211{'pages': '10324-10335'}International Conference on Machine Learning
    Solving spatiotemporal partial differential equations with Physics-informed Graph Neural Network2024-02-010Applied Soft ComputingApplied Soft Computing
    Learning systems of ordinary differential equations with Physics-Informed Neural Networks: the case study of enzyme kinetics2024-02-010Journal of Physics: Conference SeriesNA
    Vertical Symbolic Regression via Deep Policy Gradient2024-02-010ArXivarXiv.org
    On the feed-forward neural network for analyzing pantograph equations2024-02-010AIP AdvancesAIP Advances
    An effective wavelet neural network approach for solving first and second order ordinary differential equations2024-02-010Applied Soft ComputingApplied Soft Computing
    Neural Multivariate Grey Model and Its Applications2024-01-310Applied SciencesApplied Sciences
    Rademacher Complexity of Neural ODEs via Chen-Fliess Series2024-01-300ArXivarXiv.org
    Continuously Evolving Graph Neural Controlled Differential Equations for Traffic Forecasting2024-01-260ArXivarXiv.org
    Manifold GCN: Diffusion-based Convolutional Neural Network for Manifold-valued Graphs2024-01-250ArXivarXiv.org
    Optimal Potential Shaping on SE(3) via Neural ODEs on Lie Groups2024-01-250ArXivarXiv.org
    Estimation of partially known Gaussian graphical models with score-based structural priors2024-01-250ArXivarXiv.org
    Equivariant Manifold Neural ODEs and Differential Invariants2024-01-250ArXivarXiv.org
    NLBAC: A Neural Ordinary Differential Equations-based Framework for Stable and Safe Reinforcement Learning2024-01-230ArXivarXiv.org
    Parallel Solution of Nonlinear Projection Equations in a Multitask Learning Framework.2024-01-230IEEE transactions on neural networks and learning systemsIEEE Transactions on Neural Networks and Learning Systems
    Learning to Approximate Adaptive Kernel Convolution on Graphs2024-01-220ArXivarXiv.org
    On The Temporal Domain of Differential Equation Inspired Graph Neural Networks2024-01-200ArXivarXiv.org
    Remarks on the Mathematical Modeling of Gene and Neuronal Networks by Ordinary Differential Equations2024-01-190AxiomsAxioms
    Algebraic Dynamical Systems in Machine Learning2024-01-180Appl. Categorical Struct.Applied Categorical Structures
    Interplay between depth and width for interpolation in neural ODEs2024-01-180ArXivarXiv.org
    Approximation of Solution Operators for High-dimensional PDEs2024-01-180ArXivarXiv.org
    Port-Hamiltonian Neural ODE Networks on Lie Groups For Robot Dynamics Learning and Control2024-01-170ArXivarXiv.org
    BENO: Boundary-embedded Neural Operators for Elliptic PDEs2024-01-170ArXivarXiv.org
    Enhancing Dynamical System Modeling through Interpretable Machine Learning Augmentations: A Case Study in Cathodic Electrophoretic Deposition2024-01-160ArXivarXiv.org
    Rapid Estimation of Left Ventricular Contractility with a Physics-Informed Neural Network Inverse Modeling Approach2024-01-140ArXivarXiv.org
    A Neural ODE and Transformer-based Model for Temporal Understanding and Dense Video Captioning2024-01-110Multimedia Tools and ApplicationsMultimedia tools and applications
    TO‐NODE: Topology optimization with neural ordinary differential equation2024-01-100International Journal for Numerical Methods in EngineeringInternational Journal for Numerical Methods in Engineering
    Coupling Graph Neural Networks with Fractional Order Continuous Dynamics: A Robustness Study2024-01-090ArXivarXiv.org
    GrainGNN: A dynamic graph neural network for predicting 3D grain microstructure2024-01-080ArXivarXiv.org
    Addiction-related brain networks identification via Graph Diffusion Reconstruction Network2024-01-080Brain informaticsBrain Informatics
    Differential Equations for Continuous-Time Deep Learning2024-01-081ArXivarXiv.org
    Generalized Lagrangian Neural Networks2024-01-080ArXivarXiv.org
    Inverse Nonlinearity Compensation of Hyperelastic Deformation in Dielectric Elastomer for Acoustic Actuation2024-01-080ArXivarXiv.org
    PosDiffNet: Positional Neural Diffusion for Point Cloud Registration in a Large Field of View with Perturbations2024-01-060ArXivarXiv.org
    A Bidirectional Feedforward Neural Network Architecture Using the Discretized Neural Memory Ordinary Differential Equation.2024-01-050International journal of neural systemsInternational Journal of Neural Systems
    Geometric-Facilitated Denoising Diffusion Model for 3D Molecule Generation2024-01-051ArXivarXiv.org
    Multi-relational Graph Diffusion Neural Network with Parallel Retention for Stock Trends Classification2024-01-050ArXivarXiv.org
    A Cost-Efficient FPGA Implementation of Tiny Transformer Model using Neural ODE2024-01-051ArXivarXiv.org
    Physics-Informed Neural Networks for High-Frequency and Multi-Scale Problems using Transfer Learning2024-01-050ArXivarXiv.org
    Neural ordinary differential grey algorithm to forecasting MEVW systems2024-01-040INTERNATIONAL JOURNAL OF COMPUTERS COMMUNICATIONS & CONTROLNA
    Information Cascade Prediction of complex networks based on Physics-informed Graph Convolutional Network2024-01-040New Journal of PhysicsNew Journal of Physics
    Gain Scheduling with a Neural Operator for a Transport PDE with Nonlinear Recirculation2024-01-041ArXivarXiv.org
    DGDNN: Decoupled Graph Diffusion Neural Network for Stock Movement Prediction2024-01-031ArXivNA
    Dynamics of a random Hopfield neural lattice model with adaptive synapses and delayed Hebbian learning2024-01-020Ukrains’kyi Matematychnyi ZhurnalUkrains'kyi Matematychnyi Zhurnal
    Solving multiscale dynamical systems by deep learning2024-01-021ArXivarXiv.org
    nmODE-Unet: A Novel Network for Semantic Segmentation of Medical Images2024-01-020Applied SciencesApplied Sciences
    ML-Based Spectral Power Profiles Prediction in Presence of ISRS for Ultra-Wideband Transmission2024-01-010Journal of Lightwave TechnologyJournal of Lightwave Technology
    Numerical analysis of thermophoretic particle deposition on 3D Casson nanofluid: Artificial neural networks-based Levenberg–Marquardt algorithm2024-01-010Open PhysicsOpen Physics
    Physics-Informed Neural Networks for 2nd order ODEs with sharp gradients2024-01-015J. Comput. Appl. Math.Journal of Computational and Applied Mathematics
    Variational Bayesian Learning With Reliable Likelihood Approximation for Accurate Process Quality Evaluation2024-01-010IEEE Transactions on Industrial InformaticsIEEE Transactions on Industrial Informatics
    Data Augmentation for Supervised Graph Outlier Detection with Latent Diffusion Models2023-12-290ArXivarXiv.org
    Math‐based reinforcement learning for the adaptive budgeted influence maximization problem2023-12-260NetworksNetworks
    MAGCDA: A Multi-hop Attention Graph Neural Networks Method for CircRNA-disease Association Prediction.2023-12-251IEEE journal of biomedical and health informaticsIEEE journal of biomedical and health informatics
    NEURAL ORDINARY DIFFERENTIAL EQUATIONS FOR TIME SERIES RECONSTRUCTION2023-12-240Radio Electronics, Computer Science, ControlRadio Electronics, Computer Science, Control
    Development and Implementation of Physics-informed Neural ODE to Dynamics Modeling of a Fixed-wing Aircraft under Icing/Fault2023-12-220Guidance, Navigation and ControlNA
    Optimized classification with neural ODEs via separability2023-12-211ArXivarXiv.org
    Improving the Expressive Power of Deep Neural Networks through Integral Activation Transform2023-12-190ArXivarXiv.org
    Implementation of Physics Informed Neural Networks on Edge Device2023-12-1802023 IEEE 16th International Symposium on Embedded Multicore/Many-core Systems-on-Chip (MCSoC)International Symposium on Embedded Multicore/Many-core Systems-on-Chip
    Signed Graph Neural Ordinary Differential Equation for Modeling Continuous-time Dynamics2023-12-180ArXivarXiv.org
    Robust Node Representation Learning via Graph Variational Diffusion Networks2023-12-180ArXivarXiv.org
    Monitoring robot machine tool sate via neural ODE and BP-GA2023-12-170Measurement Science and TechnologyMeasurement science and technology
    Neural network design for cubic autocatalysis chemical processes, the flow of a Darcy‐Forchheimer viscous fluid is optimized for entropy2023-12-170ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und MechanikNA
    A charge-preserving method for solving graph neural diffusion networks2023-12-160ArXivarXiv.org
    Neuro-Heuristic Computational Intelligence Approach for Optimization of Electro-Magneto-Hydrodynamic Influence on a Nano Viscous Fluid Flow2023-12-161International Journal of Intelligent SystemsInternational Journal of Intelligent Systems
    Operator-learning-inspired Modeling of Neural Ordinary Differential Equations2023-12-160ArXivarXiv.org
    A neural network kernel decomposition for learning multiple steady states in parameterized dynamical systems2023-12-160ArXivarXiv.org
    Intelligent computing technique to study heat and mass transport of Casson nanofluidic flow model on a nonlinear slanted extending sheet2023-12-150ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und MechanikNA
    Data-driven Closures & Assimilation for Stiff Multiscale Random Dynamics2023-12-150ArXivarXiv.org
    Building symmetries into data-driven manifold dynamics models for complex flows2023-12-150ArXivarXiv.org
    Ordinary Differential Equation and Its Application2023-12-15 0Highlights in Science, Engineering and TechnologyHighlights in Science Engineering and Technology
    A Generalized Neural Diffusion Framework on Graphs2023-12-144ArXivarXiv.org
    Multivariate investigation of aging in mouse models expressing the Alzheimer’s protective APOE2 allele: integrating cognitive metrics, brain imaging, and blood transcriptomics2023-12-131Brain Structure and FunctionBrain Structure and Function
    Physics-informed learning of governing equations from scarce dataZhao Chen, Yang Liu, Hao Sun 2020-05-05177Nature Communications Nature Communications177
    Learning in Modal Space: Solving Time-Dependent Stochastic PDEs Using Physics-Informed Neural NetworksDongkun Zhang, Ling Guo, G. Karniadakis 2019-05-03160 ArXivSIAM Journal on Scientific Computing160
    Efficient training of physics‐informed neural networks via importance samplingM. A. Nabian, R. J. Gladstone, H. Meidani 2021-04-26113 Computer‐Aided Civil and Infrastructure EngineeringNA113
    The Old and the New: Can Physics-Informed Deep-Learning Replace Traditional Linear Solvers?S. Markidis 2021-03-12109Frontiers in Big Data Frontiers in Big Data109
    ClimaX: A foundation model for weather and climateTung Nguyen, Johannes Brandstetter, Ashish Kapoor, Jayesh K. Gupta, Aditya Grover 2023-01-2487{'pages': '25904-25938'} International Conference on Machine Learning88
    A Physics-Informed Neural Network for Quantifying the Microstructural Properties of Polycrystalline Nickel Using Ultrasound Data: A promising approach for solving inverse problemsK. Shukla, Ameya Dilip Jagtap, J. Blackshire, D. Sparkman, G. Karniadakis 2021-03-2552IEEE Signal Processing Magazine IEEE Signal Processing Magazine52
    NeuralPDE: Automating Physics-Informed Neural Networks (PINNs) with Error ApproximationsK. Zubov, Zoe McCarthy, Yingbo Ma, Francesco Calisto, Valerio Pagliarino, Simone Azeglio, L. Bottero, Emmanuel Luj'an, V. Sulzer, Ashutosh Bharambe, Nand Vinchhi, K. Balakrishnan, D. Upadhyay, Chris Rackauckas 2021-07-1944ArXivarXiv.org
    A comparative study of physics-informed neural network models for learning unknown dynamics and constitutive relations2019-04-0233ArXivarXiv.org
    A novel meta-learning initialization method for physics-informed neural networks2021-07-2332Neural Computing and ApplicationsNA
    Identification and prediction of time-varying parameters of COVID-19 model: a data-driven deep learning approach2021-03-1731International Journal of Computer MathematicsInternational Journal of Computational Mathematics
    Physics-informed Deep Learning for Dual-Energy Computed Tomography Image Processing2019-11-1230Scientific ReportsScientific Reports
    Physics‐Informed Neural Network for Nonlinear Dynamics in Fiber Optics2021-09-0130Laser & Photonics ReviewsNA
    Universal Battery Performance and Degradation Model for Electric Aircraft2020-07-0626ArXivarXiv.org
    NeuralUQ: A comprehensive library for uncertainty quantification in neural differential equations and operators2022-08-2524ArXivarXiv.org
    Dual-energy CT based mass density and relative stopping power estimation for proton therapy using physics-informed deep learning2022-05-1123Physics in Medicine & BiologyPhysics in Medicine and Biology
    Physics-Guided, Physics-Informed, and Physics-Encoded Neural Networks in Scientific Computing2022-11-1423ArXivarXiv.org
    Generalized Physics-Informed Learning through Language-Wide Differentiable ProgrammingNone22NA
    Large-scale Neural Solvers for Partial Differential Equations2020-09-0821{'pages': '20-34'}IEEE International Conference on Systems, Man and Cybernetics
    Deep learning of physical laws from scarce data2020-05-0519ArXivarXiv.org
    Variational Physics Informed Neural Networks: the Role of Quadratures and Test Functions2021-09-0519Journal of Scientific ComputingJournal of Scientific Computing
    SciANN: A Keras wrapper for scientific computations and physics-informed deep learning using artificial neural networks2020-05-1118ArXivarXiv.org
    Data-Driven Detection and Identification of IoT-Enabled Load-Altering Attacks in Power Grids2021-10-0117ArXivIET Smart Grid
    Physics Informed Deep Learning for Transport in Porous Media. Buckley Leverett Problem2020-01-1517ArXivarXiv.org
    Applications of Physics-Informed Neural Network for Optical Fiber Communications2022-09-0116IEEE Communications MagazineIEEE Communications Magazine
    Accelerated Training of Physics Informed Neural Networks (PINNs) using Meshless Discretizations2022-05-1914ArXivNeural Information Processing Systems
    Regularization, Bayesian Inference, and Machine Learning Methods for Inverse Problems2021-11-0313EntropyEntropy
    Improved Training of Physics-Informed Neural Networks with Model Ensembles2022-04-11122023 International Joint Conference on Neural Networks (IJCNN)IEEE International Joint Conference on Neural Network
    Physics-informed neural networks approach for 1D and 2D Gray-Scott systems2022-05-2512Advanced Modeling and Simulation in Engineering SciencesAdvanced Modeling and Simulation in Engineering Sciences
    IDRLnet: A Physics-Informed Neural Network Library2021-07-0911ArXivarXiv.org
    Solving inverse problems in physics by optimizing a discrete loss: Fast and accurate learning without neural networks2022-05-109PNAS NexusPNAS Nexus
    Estimating permeability of 3D micro-CT images by physics-informed CNNs based on DNS2021-09-049Computational GeosciencesComputational Geosciences
    Discontinuity Computing Using Physics-Informed Neural Networks2022-06-058Journal of Scientific ComputingJournal of Scientific Computing
    Physics-Informed Implicit Representations of Equilibrium Network FlowsNone7NANeural Information Processing Systems
    Deep Neural Network Model for Approximating Eigenmodes Localized by a Confining Potential2021-01-017EntropyEntropy
    Self-scalable Tanh (Stan): Faster Convergence and Better Generalization in Physics-informed Neural Networks2022-04-267ArXivarXiv.org
    Physics-informed neural networks for solving forward and inverse problems in complex beam systems2023-03-027IEEE transactions on neural networks and learning systemsIEEE Transactions on Neural Networks and Learning Systems
    On physics-informed neural networks for quantum computers2022-09-286{'volume': '8'}Frontiers in Applied Mathematics and Statistics
    RAMP-Net: A Robust Adaptive MPC for Quadrotors via Physics-informed Neural Network2022-09-1962023 IEEE International Conference on Robotics and Automation (ICRA)IEEE International Conference on Robotics and Automation
    Fourier Continuation for Exact Derivative Computation in Physics-Informed Neural Operators2022-11-296ArXivarXiv.org
    Physics Informed Neural Network using Finite Difference Method2022-10-0962022 IEEE International Conference on Systems, Man, and Cybernetics (SMC)IEEE International Conference on Systems, Man and Cybernetics
    A Normal Equation-Based Extreme Learning Machine for Solving Linear Partial Differential EquationsNone6J. Comput. Inf. Sci. Eng.Journal of Computing and Information Science in Engineering
    Applying physics-based loss functions to neural networks for improved generalizability in mechanics problems2021-04-306ArXivarXiv.org
    The line rogue wave solutions of the nonlocal Davey-Stewartson I equation with PT symmetry based on the improved physics-informed neural network.2023-01-016ChaosChaos
    FO-PINNs: A First-Order formulation for Physics Informed Neural NetworksNone6 ArXivarXiv.org
    A Space–Time Neural Network for Analysis of Stress Evolution Under DC Current Stressing2022-03-296IEEE Transactions on Computer-Aided Design of Integrated Circuits and SystemsIEEE Transactions on Computer-Aided Design of Integrated Circuits and Systems
    Variational multiscale super‐resolution: A data‐driven approach for reconstruction and predictive modeling of unresolved physics2021-01-255International Journal for Numerical Methods in EngineeringSocial Science Research Network
    Enhancing PINNs for solving PDEs via adaptive collocation point movement and adaptive loss weighting2023-07-045Nonlinear DynamicsNonlinear dynamics
    Numerical modeling of the propagation process of landslide surge using physics-informed deep learning2022-07-125Advanced Modeling and Simulation in Engineering SciencesAdvanced Modeling and Simulation in Engineering Sciences44
    Weather forecasting based on data-driven and physics-informed reservoir computing models2021-09-205Environmental Science and Pollution ResearchEnvironmental science and pollution research international
    +

    + +

    +

    4. Latest articles on PINNs

    + + + + + + + + + + + - - - - - + + + + + - - - + + + - - - - - - - - - + - - - + + + - - - - - - - - - + - - - + + + - + - - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - + + + - - - - - - - - - + - - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitleAuthorsPublication DateJournal/ConferenceCitation count
    Physical Activation Functions (PAFs): An Approach for More Efficient Induction of Physics into Physics-Informed Neural Networks (PINNs)2022-05-295ArXivarXiv.orgNew insights into experimental stratified flows obtained through physics-informed neural networksLu Zhu, Xianyang Jiang, A. Lefauve, R. Kerswell, P. Linden2024-02-23Journal of Fluid Mechanics0
    Magnetohydrodynamics with physics informed neural operators2023-02-135Regression Transients Modeling of Solid Rocket Motor Burning Surfaces with Physics-guided Neural NetworkXueqin Sun, Yu Li, Yihong Li, SuKai Wang, Xuan Li, Ming Lu, Ping Chen2024-02-14 Machine Learning: Science and TechnologyNA
    Parsimonious physics-informed random projection neural networks for initial value problems of ODEs and index-1 DAEs.2022-03-105ChaosChaos0
    Transfer learning based physics-informed neural networks for solving inverse problems in tunnelingNone5Energy-based PINNs for solving coupled field problems: concepts and application to the optimal design of an induction heaterMarco Baldan, Paolo Di Barba2024-02-09 ArXivarXiv.org
    The stochastic aeroelastic response analysis of helicopter rotors using deep and shallow machine learning2021-07-175Neural Computing and ApplicationsNA0
    Neural Networks with Inputs Based on Domain of Dependence and A Converging Sequence for Solving Conservation Laws, Part I: 1D Riemann Problems2021-09-204Enriched Physics-informed Neural Networks for Dynamic Poisson-Nernst-Planck SystemsXujia Huang, Fajie Wang, Benrong Zhang, Hanqing Liu2024-02-01 ArXivarXiv.org0
    Removing the performance bottleneck of pressure–temperature flash calculations during both the online and offline stages by using physics-informed neural networks2023-04-014Physics-informed neural networks with domain decomposition for the incompressible Navier–Stokes equationsLinyan Gu, Shanlin Qin, Lei Xu, Rongliang Chen2024-02-01 Physics of FluidsThe Physics of Fluids
    Learning Interpretable Dynamics from Images of a Freely Rotating 3D Rigid Body2022-09-234ArXivarXiv.org
    TT-PINN: A Tensor-Compressed Neural PDE Solver for Edge Computing2022-07-044ArXivarXiv.org
    Tensor-Compressed Back-Propagation-Free Training for (Physics-Informed) Neural Networks2023-08-184ArXivarXiv.org
    Physics-Guided, Physics-Informed, and Physics-Encoded Neural Networks and Operators in Scientific Computing: Fluid and Solid Mechanics2024-01-084Journal of Computing and Information Science in EngineeringJournal of Computing and Information Science in Engineering
    Physics-Informed Model-Based Reinforcement Learning2022-12-054{'pages': '26-37'}Conference on Learning for Dynamics & Control
    Physics-Informed Deep-Learning for Scientific ComputingNone4ArXivarXiv.org
    Physics-informed reservoir computing with autonomously switching readouts: a case study in pneumatic artificial muscles2021-12-0542021 International Symposium on Micro-NanoMehatronics and Human Science (MHS)Micro-NanoMechatronics and Human Science
    Distributional Offline Continuous-Time Reinforcement Learning with Neural Physics-Informed PDEs (SciPhy RL for DOCTR-L)2021-04-023Neural Comput. Appl.NA
    Adaptive Physics-Informed Neural Networks for Markov-Chain Monte Carlo2020-08-033ArXivarXiv.org
    Bridging Physics-Informed Neural Networks with Reinforcement Learning: Hamilton-Jacobi-Bellman Proximal Policy Optimization (HJBPPO)2023-02-013ArXivarXiv.org
    Separable Physics-Informed Neural Networks2023-06-283ArXivNeural Information Processing Systems
    Data-driven method to learn the most probable transition pathway and stochastic differential equations2021-11-173ArXivarXiv.org
    Learned Full Waveform Inversion Incorporating Task Information for Ultrasound Computed Tomography2023-08-303ArXivIEEE Transactions on Computational Imaging
    Modeling the Wave Equation Using Physics-Informed Neural Networks Enhanced With Attention to Loss Weights2023-06-043ICASSP 2023 - 2023 IEEE International Conference on Acoustics, Speech and Signal Processing (ICASSP)IEEE International Conference on Acoustics, Speech, and Signal Processing0
    NeurOLight: A Physics-Agnostic Neural Operator Enabling Parametric Photonic Device Simulation2022-09-193Adaptive Deep Fourier Residual method via overlapping domain decompositionJamie M. Taylor, Manuela Bastidas, V. Calo, David Pardo2024-01-09 ArXivNeural Information Processing Systems
    A data-driven approach for discovering the most probable transition pathway for a stochastic carbon cycle system.2022-07-153ChaosChaos0
    Multi-level Neural Networks for Accurate Solutions of Boundary-Value Problems2023-08-223Computing the Gerber-Shiu function with interest and a constant dividend barrier by physics-informed neural networksZan Yu, Lianzeng Zhang2024-01-09 ArXivComputer Methods in Applied Mechanics and Engineering
    An efficient framework for solving forward and inverse problems of nonlinear partial differential equations via enhanced physics-informed neural network based on adaptive learning2023-10-013Physics of FluidsThe Physics of Fluids
    Integral Transforms in a Physics-Informed (Quantum) Neural Network setting: Applications & Use-Cases2022-06-283ArXivarXiv.org
    Solving nonlinear soliton equations using improved physics-informed neural networks with adaptive mechanisms2023-04-103Communications in Theoretical PhysicsCommunications in Theoretical Physics
    Hutchinson Trace Estimation for High-Dimensional and High-Order Physics-Informed Neural Networks2023-12-223ArXivComputer Methods in Applied Mechanics and Engineering
    Putting Chemical Knowledge to Work in Machine Learning for Reactivity.2023-02-222ChimiaChimia (Basel)
    MR-Based Electrical Property Reconstruction Using Physics-Informed Neural Networks2022-10-232ArXivarXiv.org
    Gauss Newton method for solving variational problems of PDEs with neural network discretizaitons2023-06-142ArXivarXiv.org
    Optimal Transport Based Refinement of Physics-Informed Neural Networks2021-05-262ArXivarXiv.org
    A Self-Supervised Approach to Reconstruction in Sparse X-Ray Computed Tomography2022-10-302ArXivarXiv.org
    Data-driven solitons and parameter discovery to the (2+1)-dimensional NLSE in optical fiber communications2023-12-082Nonlinear DynamicsNonlinear dynamics
    Reconstruction of the S-wave velocity via mixture density networks with a new Rayleigh wave dispersion functionNone2IEEE Transactions on Geoscience and Remote SensingIEEE Transactions on Geoscience and Remote Sensing
    Bias-Variance Trade-off in Physics-Informed Neural Networks with Randomized Smoothing for High-Dimensional PDEs2023-11-262ArXivarXiv.org
    CS4ML: A general framework for active learning with arbitrary data based on Christoffel functions2023-06-012ArXivNeural Information Processing Systems
    PINNslope: seismic data interpolation and local slope estimation with physics informed neural networks2023-05-252ArXivarXiv.org
    Hypernetwork-based Meta-Learning for Low-Rank Physics-Informed Neural Networks2023-10-142ArXivNeural Information Processing Systems
    Discontinuity Computing with Physics-Informed Neural NetworkNone2ArXivarXiv.org
    Parareal with a physics-informed neural network as coarse propagator2023-03-072{'pages': '649-663'}European Conference on Parallel Processing
    GPT-PINN: Generative Pre-Trained Physics-Informed Neural Networks toward non-intrusive Meta-learning of parametric PDEs2023-03-272ArXivFinite elements in analysis and design
    Unsupervised Learning of the Total Variation Flow2022-06-092ArXivarXiv.org
    Physics-guided training of GAN to improve accuracy in airfoil design synthesis2023-08-192ArXivComputer Methods in Applied Mechanics and Engineering
    Splines Parameterization of Planar Domains by Physics-Informed Neural Networks2023-05-222MathematicsMathematics
    Fatigue reliability analysis of aeroengine blade-disc systems using physics-informed ensemble learning2023-09-252Philosophical Transactions of the Royal Society ANA
    Physics-informed graph neural networks enhance scalability of variational nonequilibrium optimal control.2022-04-122The Journal of chemical physicsJournal of Chemical Physics
    Learning solutions of thermodynamics-based nonlinear constitutive material models using physics-informed neural networks2023-04-101Computational MechanicsComputational Mechanics
    Learning Partial Differential Equations by Spectral Approximates of General Sobolev Spaces2023-01-121ArXivarXiv.org
    Approximately well-balanced Discontinuous Galerkin methods using bases enriched with Physics-Informed Neural Networks2023-10-231ArXivarXiv.org
    Harmonizing CT images via physics-based deep neural networks2023-02-011{'pages': '124631Q - 124631Q-8', 'volume': '12463'}NA
    -

    - -

    -

    4. Latest articles on PINNs

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -1671,14 +207,14 @@ hide: + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - - - - - - - - - - - - - - - - - - - - - + +
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    New insights into experimental stratified flows obtained through physics-informed neural networks2024-02-230Journal of Fluid MechanicsJournal of Fluid Mechanics
    Regression Transients Modeling of Solid Rocket Motor Burning Surfaces with Physics-guided Neural Network2024-02-140Machine Learning: Science and TechnologyNA
    Energy-based PINNs for solving coupled field problems: concepts and application to the optimal design of an induction heater2024-02-090ArXivarXiv.org
    Enriched Physics-informed Neural Networks for Dynamic Poisson-Nernst-Planck Systems2024-02-010ArXivarXiv.org
    Physics-informed neural networks with domain decomposition for the incompressible Navier–Stokes equations2024-02-010Physics of FluidsThe Physics of Fluids
    Adaptive Deep Fourier Residual method via overlapping domain decomposition2024-01-090ArXivarXiv.org
    Computing the Gerber-Shiu function with interest and a constant dividend barrier by physics-informed neural networks2024-01-090ArXivarXiv.org
    Modeling multisource multifrequency acoustic wavefields by a multiscale Fourier feature physics-informed neural network with adaptive activation functions2024-01-090GEOPHYSICSGeophysics
    Physics-Guided, Physics-Informed, and Physics-Encoded Neural Networks and Operators in Scientific Computing: Fluid and Solid Mechanics2024-01-084Journal of Computing and Information Science in EngineeringJournal of Computing and Information Science in Engineering
    Solving real-world optimization tasks using physics-informed neural computing2024-01-081Scientific ReportsScientific Reports
    Physics-informed Neural Networks for Encoding Dynamics in Real Physical Systems2024-01-070ArXivarXiv.org
    Robust Physics Informed Neural Networks2024-01-040ArXivarXiv.org
    Real-Time FJ/MAC PDE Solvers via Tensorized, Back-Propagation-Free Optical PINN Training2023-12-310ArXivarXiv.org
    A Machine Learning Accelerated Hierarchical 3D+1D Model for Proton Exchange Membrane Fuel Cells2023-12-220ECS Meeting AbstractsECS Meeting Abstracts
    Hutchinson Trace Estimation for High-Dimensional and High-Order Physics-Informed Neural Networks2023-12-223ArXivComputer Methods in Applied Mechanics and Engineering
    Unsupervised Random Quantum Networks for PDEs2023-12-210ArXivarXiv.org
    Implementation of Physics Informed Neural Networks on Edge Device2023-12-1802023 IEEE 16th International Symposium on Embedded Multicore/Many-core Systems-on-Chip (MCSoC)International Symposium on Embedded Multicore/Many-core Systems-on-Chip
    Physics Informed Neural Networks for an Inverse Problem in Peridynamic Models2023-12-181ArXivarXiv.org
    Physics-Informed Neural Network Lyapunov Functions: PDE Characterization, Learning, and Verification2023-12-141ArXivarXiv.org
    A Meshless Solver for Blood Flow Simulations in Elastic Vessels Using Physics-Informed Neural Network2023-12-090ArXivarXiv.org
    Data-driven solitons and parameter discovery to the (2+1)-dimensional NLSE in optical fiber communications2023-12-082Nonlinear DynamicsNonlinear dynamics
    Bias-Variance Trade-off in Physics-Informed Neural Networks with Randomized Smoothing for High-Dimensional PDEs2023-11-262ArXivarXiv.org
    Neuro‐PINN: A hybrid framework for efficient nonlinear projection equation solutions2023-11-230International Journal for Numerical Methods in EngineeringInternational Journal for Numerical Methods in Engineering
    Accurate and Fast Fischer-Tropsch Reaction Microkinetics using PINNs2023-11-170ArXivarXiv.org
    Solving High Frequency and Multi-Scale PDEs with Gaussian Processes2023-11-080ArXivarXiv.org
    Modelling solar coronal magnetic fields with physics-informed neural networks2023-10-270Monthly Notices of the Royal Astronomical SocietyMonthly notices of the Royal Astronomical Society
    Approximately well-balanced Discontinuous Galerkin methods using bases enriched with Physics-Informed Neural Networks2023-10-231ArXivarXiv.org
    Patient Privacy Protecting Physics Informed Neural Network for Cardiovascular Monitoring2023-10-1902023 IEEE Biomedical Circuits and Systems Conference (BioCAS)Biomedical Circuits and Systems Conference
    PINNProv: Provenance for Physics-Informed Neural Networks2023-10-1702023 International Symposium on Computer Architecture and High Performance Computing Workshops (SBAC-PADW)NA
    Physics-informed neural wavefields with Gabor basis functions2023-10-161ArXivarXiv.org
    Hypernetwork-based Meta-Learning for Low-Rank Physics-Informed Neural Networks2023-10-142ArXivNeural Information Processing Systems
    Overview of Physics-Informed Machine Learning Inversion of Geophysical Data2023-10-120ArXivarXiv.org
    Investigating the Ability of PINNs To Solve Burgers' PDE Near Finite-Time BlowUp2023-10-080ArXivarXiv.org
    Physics-informed learning for modeling infrasound propagation in extreme weather conditions2023-10-010The Journal of the Acoustical Society of AmericaJournal of the Acoustical Society of America
    An efficient framework for solving forward and inverse problems of nonlinear partial differential equations via enhanced physics-informed neural network based on adaptive learning2023-10-013Physics of FluidsThe Physics of Fluids
    Fatigue reliability analysis of aeroengine blade-disc systems using physics-informed ensemble learning2023-09-252Philosophical Transactions of the Royal Society ANA
    A time variant uncertainty propagation method for high-dimensional dynamic structural system via K–L expansion and Bayesian deep neural network2023-09-250Philosophical Transactions of the Royal Society ANA
    Physics-Informed neural networks based low thrust orbit transfer design for spacecraft2023-09-2202023 CAA Symposium on Fault Detection, Supervision and Safety for Technical Processes (SAFEPROCESS)NA
    Content-based image retrieval for industrial material images with deep learning and encoded physical properties2023-09-210Data-Centric EngineeringData-Centric Engineering
    Approximating High-Dimensional Minimal Surfaces with Physics-Informed Neural Networks2023-09-050ArXivarXiv.org
    Learned Full Waveform Inversion Incorporating Task Information for Ultrasound Computed Tomography2023-08-303ArXivIEEE Transactions on Computational Imaging
    Time-Series Machine Learning Techniques for Modeling and Identification of Mechatronic Systems with Friction: A Review and Real Application2023-08-300ElectronicsElectronics
    Old Dog, New Trick: Reservoir Computing Advances Machine Learning for Climate Modeling2023-08-300Geophysical Research LettersGeophysical Research Letters
    Bayesian Reasoning for Physics Informed Neural Networks2023-08-250ArXivarXiv.org
    Hydrogen jet diffusion modeling by using physics-informed graph neural network and sparsely-distributed sensor data2023-08-240ArXivarXiv.org
    Physics-Informed Neural Networks and Functional Interpolation for Solving the Matrix Differential Riccati Equation2023-08-230MathematicsMathematics
    Multi-level Neural Networks for Accurate Solutions of Boundary-Value Problems2023-08-223ArXivComputer Methods in Applied Mechanics and Engineering
    Adaptive Uncertainty-Penalized Model Selection for Data-Driven PDE Discovery2023-08-200IEEE AccessIEEE Access
    Physics-guided training of GAN to improve accuracy in airfoil design synthesis2023-08-192ArXivComputer Methods in Applied Mechanics and Engineering
    Tensor-Compressed Back-Propagation-Free Training for (Physics-Informed) Neural Networks2023-08-184ArXivarXiv.org
    Evaluating magnetic fields using deep learning2023-08-110COMPEL - The international journal for computation and mathematics in electrical and electronic engineeringCompel
    Continuous probabilistic solution to the transient self-oscillation under stochastic forcing: a PINN approach2023-08-011Journal of Mechanical Science and TechnologyJournal of Mechanical Science and Technology
    Hard enforcement of physics-informed neural network solutions of acoustic wave propagation2023-07-231Computational GeosciencesComputational Geosciences
    Enhancing PINNs for solving PDEs via adaptive collocation point movement and adaptive loss weighting2023-07-045Nonlinear DynamicsNonlinear dynamics
    Learning Generic Solutions for Multiphase Transport in Porous Media via the Flux Functions Operator2023-07-031ArXivAdvances in Water Resources
    Predicting the Early-Age Time-Dependent Behaviors of a Prestressed Concrete Beam by Using Physics-Informed Neural Network2023-07-010Sensors (Basel, Switzerland)Italian National Conference on Sensors
    Separable Physics-Informed Neural Networks2023-06-283ArXivNeural Information Processing Systems
    A PINN approach for traffic state estimation and model calibration based on loop detector flow data2023-06-1402023 8th International Conference on Models and Technologies for Intelligent Transportation Systems (MT-ITS)International Conference on Models and Technologies for Intelligent Transportation Systems
    Gauss Newton method for solving variational problems of PDEs with neural network discretizaitons2023-06-142ArXivarXiv.org
    Boussinesq equation solved by the physics-informed neural networks2023-06-080Nonlinear DynamicsNonlinear dynamics
    Modeling the Wave Equation Using Physics-Informed Neural Networks Enhanced With Attention to Loss Weights2023-06-043ICASSP 2023 - 2023 IEEE International Conference on Acoustics, Speech and Signal Processing (ICASSP)IEEE International Conference on Acoustics, Speech, and Signal Processing
    Special issue: Machine learning methods in plasma physics2023-06-010Contributions to Plasma PhysicsContributions to Plasma Physics
    CS4ML: A general framework for active learning with arbitrary data based on Christoffel functions2023-06-012ArXivNeural Information Processing Systems
    The prediction of external flow field and hydrodynamic force with limited data using deep neural network2023-06-010Journal of HydrodynamicsJournal of Hydrodynamics
    I-FENN for thermoelasticity based on physics-informed temporal convolutional network (PI-TCN)2023-05-281ArXivarXiv.org
    PINNslope: seismic data interpolation and local slope estimation with physics informed neural networks2023-05-252ArXivarXiv.org
    Splines Parameterization of Planar Domains by Physics-Informed Neural Networks2023-05-222MathematicsMathematics
    A Generalizable Physics-informed Learning Framework for Risk Probability Estimation2023-05-101ArXivConference on Learning for Dynamics & Control
    Deep neural network method for solving the fractional Burgers-type equations with conformable derivative2023-05-051Physica ScriptaPhysica Scripta
    Physics-Informed Neural Network for Flow Prediction Based on Flow Visualization in Bridge Engineering2023-04-210AtmosphereAtmosphere
    Multi-Viscosity Physics-Informed Neural Networks for Generating Ultra High Resolution Flow Field Data2023-04-210International Journal of Computational Fluid DynamicsNA
    Full Wave Inversion For Ultrasound Tomography Using Physics Based Deep Neural Network2023-04-1802023 IEEE 20th International Symposium on Biomedical Imaging (ISBI)IEEE International Symposium on Biomedical Imaging
    Deep Learning Nonhomogeneous Elliptic Interface Problems by Soft Constraint Physics-Informed Neural Networks2023-04-131MathematicsMathematics
    Learning solutions of thermodynamics-based nonlinear constitutive material models using physics-informed neural networks2023-04-101Computational MechanicsComputational Mechanics
    Solving nonlinear soliton equations using improved physics-informed neural networks with adaptive mechanisms2023-04-103Communications in Theoretical PhysicsCommunications in Theoretical Physics
    Removing the performance bottleneck of pressure–temperature flash calculations during both the online and offline stages by using physics-informed neural networks2023-04-014Physics of FluidsThe Physics of Fluids
    GPT-PINN: Generative Pre-Trained Physics-Informed Neural Networks toward non-intrusive Meta-learning of parametric PDEs2023-03-272ArXivFinite elements in analysis and design
    Bi-orthogonal fPINN: A physics-informed neural network method for solving time-dependent stochastic fractional PDEs2023-03-200ArXivCommunications in Computational Physics
    Parareal with a physics-informed neural network as coarse propagator2023-03-072{'pages': '649-663'}European Conference on Parallel Processing
    Physics-informed neural networks for solving forward and inverse problems in complex beam systems2023-03-027IEEE transactions on neural networks and learning systemsIEEE Transactions on Neural Networks and Learning Systems
    Modelling the COVID-19 infection rate through a Physics-Informed learning approach2023-03-0102023 31st Euromicro International Conference on Parallel, Distributed and Network-Based Processing (PDP)International Euromicro Conference on Parallel, Distributed and Network-Based Processing
    Physics Informed Deep Learning: Applications in Transportation2023-02-231ArXivarXiv.org
    Putting Chemical Knowledge to Work in Machine Learning for Reactivity.2023-02-222ChimiaChimia (Basel)
    Physics-informed neural networks for predicting liquid dairy manure temperature during storage2023-02-130Neural Computing and ApplicationsNA
    Magnetohydrodynamics with physics informed neural operators2023-02-135Machine Learning: Science and TechnologyNA
    An Application of Pontryagin Neural Networks to Solve Optimal Quantum Control Problems2023-02-0102023 9th International Conference on Control, Decision and Information Technologies (CoDIT)International Conference on Control, Decision and Information Technologies
    Harmonizing CT images via physics-based deep neural networks2023-02-011{'pages': '124631Q - 124631Q-8', 'volume': '12463'}NA
    Bridging Physics-Informed Neural Networks with Reinforcement Learning: Hamilton-Jacobi-Bellman Proximal Policy Optimization (HJBPPO)2023-02-013ArXivarXiv.org
    ClimaX: A foundation model for weather and climate2023-01-2487{'pages': '25904-25938'}International Conference on Machine Learning
    Learning Partial Differential Equations by Spectral Approximates of General Sobolev Spaces2023-01-121ArXivarXiv.org
    PINN for Dynamical Partial Differential Equations is Not Training Deeper Networks Rather Learning Advection and Time Variance2023-01-120ArXivarXiv.org
    The line rogue wave solutions of the nonlocal Davey-Stewartson I equation with PT symmetry based on the improved physics-informed neural network.2023-01-016ChaosChaos
    Physics informed neural networks for elliptic equations with oscillatory differential operators2022-12-271ArXivarXiv.org
    HL-Nets: Physics-Informed Neural Networks for Hydrodynamic Lubrication with Cavitation2022-12-181SSRN Electronic JournalSocial Science Research Network
    A certified wavelet-based physics-informed neural network for the solution of parameterized partial differential equations2022-12-160ArXivarXiv.org
    Physics-Informed Model-Based Reinforcement Learning2022-12-054{'pages': '26-37'}Conference on Learning for Dynamics & Control
    Physics-informed Deep Learning for Flow Modelling and Aerodynamic Optimization2022-12-04 02022 IEEE Symposium Series on Computational Intelligence (SSCI)IEEE Symposium Series on Computational Intelligence
    Fourier Continuation for Exact Derivative Computation in Physics-Informed Neural Operators2022-11-296ArXivarXiv.org
    Physics-Guided, Physics-Informed, and Physics-Encoded Neural Networks in Scientific Computing2022-11-1423ArXivarXiv.org
    Physics Informed Machine Learning for Chemistry Tabulation2022-11-061J. Comput. Sci.Journal of Computer Science
    Gradient-based learning applied to document recognitionYann LeCun, L. Bottou, Yoshua Bengio, P. Haffner None46018 Proc. IEEEProceedings of the IEEE46107
    Collective dynamics of ‘small-world’ networksD. Watts, S. Strogatz 1998-06-0438499Nature Nature38536
    Semi-Supervised Classification with Graph Convolutional NetworksThomas Kipf, M. Welling 2016-09-0922128 ArXivInternational Conference on Learning Representations22197
    Statistical mechanics of complex networksR. Albert, A. Barabási 2001-06-0618824 ArXivarXiv.org18835
    The Structure and Function of Complex NetworksM. Newman 2003-03-2516786 SIAM Rev.SIAM Review16802
    TensorFlow: A system for large-scale machine learningMartín Abadi, P. Barham, Jianmin Chen, Z. Chen, Andy Davis, J. Dean, M. Devin, Sanjay Ghemawat, G. Irving, M. Isard, M. Kudlur, J. Levenberg, R. Monga, Sherry Moore, D. Murray, Benoit Steiner, P. Tucker, Vijay Vasudevan, P. Warden, M. Wicke, Yuan Yu, Xiaoqiang Zhang 2016-05-2716720{'pages': '265-283'} USENIX Symposium on Operating Systems Design and Implementation16788
    Community structure in social and biological networksM. Girvan, M. Newman 2001-12-0714283Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Graph Attention Networks2017-10-3014001ArXivInternational Conference on Learning Representations
    PRISMA Extension for Scoping Reviews (PRISMA-ScR): Checklist and Explanation2018-10-0212798Annals of Internal MedicineAnnals of Internal Medicine
    Consensus problems in networks of agents with switching topology and time-delays2004-09-1311251IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Authoritative sources in a hyperlinked environment1999-09-0110820{'pages': '668-677'}ACM-SIAM Symposium on Discrete Algorithms
    Complex brain networks: graph theoretical analysis of structural and functional systems2009-03-019835Nature Reviews NeuroscienceNature Reviews Neuroscience
    Consensus and Cooperation in Networked Multi-Agent Systems2007-03-059266Proceedings of the IEEEProceedings of the IEEE
    Gephi: An Open Source Software for Exploring and Manipulating Networks2009-03-198728Proceedings of the International AAAI Conference on Web and Social MediaInternational Conference on Web and Social Media
    DeepWalk: online learning of social representations2014-03-268217Proceedings of the 20th ACM SIGKDD international conference on Knowledge discovery and data miningKnowledge Discovery and Data Mining
    Convolutional Neural Networks on Graphs with Fast Localized Spectral Filtering2016-06-306411{'pages': '3837-3845'}Neural Information Processing Systems
    A Comprehensive Survey on Graph Neural NetworksNone5936IEEE Transactions on Neural Networks and Learning SystemsIEEE Transactions on Neural Networks and Learning Systems
    Neural Message Passing for Quantum Chemistry2017-04-045744{'pages': '1263-1272'}International Conference on Machine Learning
    The Graph Neural Network ModelNone5619IEEE Transactions on Neural NetworksIEEE Transactions on Neural Networks
    How Powerful are Graph Neural Networks?2018-10-015319ArXivInternational Conference on Learning Representations
    Factor graphs and the sum-product algorithm2001-02-015261IEEE Trans. Inf. TheoryIEEE Transactions on Information Theory
    Uncovering the overlapping community structure of complex networks in nature and society2005-06-095069NatureNature
    LINE: Large-scale Information Network Embedding2015-03-114740Proceedings of the 24th International Conference on World Wide WebThe Web Conference
    Tabu Search - Part INone4676INFORMS J. Comput.INFORMS journal on computing
    An automated method for finding molecular complexes in large protein interaction networks2003-01-134660BMC BioinformaticsBMC Bioinformatics
    Information flow and cooperative control of vehicle formations2004-09-134545IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Finding community structure in networks using the eigenvectors of matrices.2006-05-104344Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Dynamic Graph CNN for Learning on Point Clouds2018-01-244327ACM Transactions on Graphics (TOG)ACM Transactions on Graphics
    The KEGG resource for deciphering the genomeNone4283Nucleic acids researchNA
    The PRISMA Extension Statement for Reporting of Systematic Reviews Incorporating Network Meta-analyses of Health Care Interventions: Checklist and Explanations2015-06-024251Annals of Internal MedicineAnnals of Internal Medicine
    Spectral Networks and Locally Connected Networks on Graphs2013-12-204225CoRRInternational Conference on Learning Representations
    Pregel: a system for large-scale graph processing2010-06-063877Proceedings of the 2010 ACM SIGMOD International Conference on Management of dataNA
    Graph Neural Networks: A Review of Methods and Applications2018-12-203733ArXivAI Open
    BioGRID: a general repository for interaction datasets2005-12-283714Nucleic Acids ResearchNA
    Modeling Relational Data with Graph Convolutional Networks2017-03-173648{'pages': '593-607'}Extended Semantic Web Conference
    Hierarchical Information Clustering by Means of Topologically Embedded Graphs2011-10-203628PLoS ONEPLoS ONE
    Using Bayesian networks to analyze expression data2000-04-083560{'pages': '127-135'}Annual International Conference on Research in Computational Molecular Biology
    The university of Florida sparse matrix collection2011-11-013524ACM Trans. Math. Softw.NA
    The architecture of complex weighted networks.2003-11-183522Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    The emerging field of signal processing on graphs: Extending high-dimensional data analysis to networks and other irregular domains2012-10-313495IEEE Signal Processing MagazineIEEE Signal Processing Magazine
    Conn: A Functional Connectivity Toolbox for Correlated and Anticorrelated Brain Networks2012-08-063483Brain connectivityBrain Connectivity
    Random graphs with arbitrary degree distributions and their applications.2000-07-133409Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    A Convolutional Neural Network for Modelling Sentences2014-04-083401{'pages': '655-665'}Annual Meeting of the Association for Computational Linguistics
    Measurement and analysis of online social networks2007-10-243252{'pages': '29-42'}ACM/SIGCOMM Internet Measurement Conference
    Small worlds: the dynamics of networks between order and randomness2000-11-013237SIGMOD Rec.NA
    BrainNet Viewer: A Network Visualization Tool for Human Brain Connectomics2013-07-043059PLoS ONEPLoS ONE
    Fibonacci heaps and their uses in improved network optimization algorithms1984-10-243036{'pages': '338-346'}NA
    The human disease network2007-05-223030Proceedings of the National Academy of SciencesProceedings of the National Academy of Sciences of the United States of America
    Convolutional Networks on Graphs for Learning Molecular Fingerprints2015-09-302990ArXivNeural Information Processing Systems
    Spatial Temporal Graph Convolutional Networks for Skeleton-Based Action Recognition2018-01-232989{'pages': '7444-7452'}AAAI Conference on Artificial Intelligence
    Computing Communities in Large Networks Using Random Walks2004-12-142979{'pages': '284-293'}NA
    Gated Graph Sequence Neural Networks2015-11-172855arXiv: LearningInternational Conference on Learning Representations
    Mixing patterns in networks.2002-09-192741Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Modeling and Simulation of Genetic Regulatory Systems: A Literature ReviewNone2737J. Comput. Biol.NA
    Fast linear iterations for distributed averaging2003-12-09271742nd IEEE International Conference on Decision and Control (IEEE Cat. No.03CH37475)NA
    Graph Convolutional Neural Networks for Web-Scale Recommender Systems2018-06-062704Proceedings of the 24th ACM SIGKDD International Conference on Knowledge Discovery & Data MiningKnowledge Discovery and Data Mining
    Stability of multiagent systems with time-dependent communication links2005-02-142684IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Variational Graph Auto-Encoders2016-11-212651ArXivarXiv.org
    Relational inductive biases, deep learning, and graph networks2018-06-042606ArXivarXiv.org
    Benchmark graphs for testing community detection algorithms.2008-05-302586Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Graph evolution: Densification and shrinking diameters2006-03-272532ACM Trans. Knowl. Discov. DataNA
    Graphs over time: densification laws, shrinking diameters and possible explanations2005-08-212510{'pages': '177-187'}Knowledge Discovery and Data Mining
    Spatio-temporal Graph Convolutional Neural Network: A Deep Learning Framework for Traffic Forecasting2017-09-142501ArXivInternational Joint Conference on Artificial Intelligence
    Efficient Neural Architecture Search via Parameter Sharing2018-02-092416ArXivInternational Conference on Machine Learning
    Estimating or Propagating Gradients Through Stochastic Neurons for Conditional Computation2013-08-152408ArXivarXiv.org
    Randomized gossip algorithms2006-06-012399IEEE Transactions on Information TheoryIEEE Transactions on Information Theory
    Distinct brain networks for adaptive and stable task control in humans2007-06-262398Proceedings of the National Academy of Sciences Proceedings of the National Academy of Sciences of the United States of America14283
    Simplifying Graph Convolutional Networks2019-02-192306{'pages': '6861-6871'}International Conference on Machine Learning
    Small-World Brain Networks2006-12-012291The NeuroscientistThe Neuroscientist
    A Resilient, Low-Frequency, Small-World Human Brain Functional Network with Highly Connected Association Cortical Hubs2006-01-042290The Journal of NeuroscienceJournal of Neuroscience
    +

    + +

    +

    4. Latest articles on Physics-informed GNNs

    + + + + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitleAuthorsPublication DateJournal/ConferenceCitation count
    Defining and identifying communities in networks.2003-09-212281Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of AmericaHierarchical spatio-temporal graph convolutional neural networks for traffic data imputationDongwei Xu, Hang Peng, Yufu Tang, Haifeng Guo2024-06-01Information Fusion0
    Analysis of weighted networks.2004-07-202272Physical review. E, Statistical, nonlinear, and soft matter physicsNAReagent dosage inference based on graph convolutional memory perception network for zinc roughing flotationCan Tian, Zhaohui Tang, Hu Zhang, Yongfang Xie, Zhien Dai2024-05-01Control Engineering Practice0
    Deadlock-Free Message Routing in Multiprocessor Interconnection Networks1987-05-012268IEEE Transactions on ComputersIEEE transactions on computersMACNS: A generic graph neural network integrated deep reinforcement learning based multi-agent collaborative navigation system for dynamic trajectory planningZiren Xiao, Peisong Li, Chang Liu, Honghao Gao, Xinheng Wang2024-05-01Inf. Fusion0
    Fusion, Propagation, and Structuring in Belief Networks1986-09-012236Probabilistic and Causal InferenceArtificial IntelligenceDawnGNN: Documentation augmented windows malware detection using graph neural networkPengbin Feng, Le Gai, Li Yang, Qin Wang, Teng Li, Ning Xi, Jianfeng Ma2024-05-01Computers & Security0
    Efficiency and Cost of Economical Brain Functional Networks2007-02-012184PLoS Computational BiologyNAMulti-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecastingLe Sun, Wenzhang Dai, Muhammad Ghulam2024-05-01Inf. Fusion0
    The Click modular router1999-12-122160Proceedings of the seventeenth ACM symposium on Operating systems principlesSymposium on Operating Systems Principles
    The human factor: the critical importance of effective teamwork and communication in providing safe care2004-10-012155Quality and Safety in Health CareBMJ Quality & Safety
    The Concrete Distribution: A Continuous Relaxation of Discrete Random Variables2016-11-022151ArXivInternational Conference on Learning Representations
    ForceAtlas2, a Continuous Graph Layout Algorithm for Handy Network Visualization Designed for the Gephi Software2014-06-102146PLoS ONEPLoS ONE
    Deeper Insights into Graph Convolutional Networks for Semi-Supervised Learning2018-01-222142ArXivAAAI Conference on Artificial Intelligence
    Network robustness and fragility: percolation on random graphs.2000-07-182141Physical review lettersPhysical Review Letters
    Diffusion Convolutional Recurrent Neural Network: Data-Driven Traffic Forecasting2017-07-062120arXiv: LearningInternational Conference on Learning Representations
    Distortion Invariant Object Recognition in the Dynamic Link Architecture1993-03-012089IEEE Trans. ComputersNA
    Community detection algorithms: a comparative analysis: invited presentation, extended abstract2009-08-072086Physical review. E, Statistical, nonlinear, and soft matter physicsValueTools
    Efficient influence maximization in social networks2009-06-282084{'pages': '199-208'}Knowledge Discovery and Data Mining
    Graph theoretical analysis of magnetoencephalographic functional connectivity in Alzheimer's disease.None2077Brain : a journal of neurologyNA
    Search and replication in unstructured peer-to-peer networks2002-06-012057{'pages': '84-95'}International Conference on Supercomputing
    Modelling disease outbreaks in realistic urban social networks2004-05-132022NatureNature
    Poppr: an R package for genetic analysis of populations with clonal, partially clonal, and/or sexual reproduction2014-03-042018PeerJPeerJ
    LightGCN: Simplifying and Powering Graph Convolution Network for Recommendation2020-02-062016Proceedings of the 43rd International ACM SIGIR Conference on Research and Development in Information RetrievalAnnual International ACM SIGIR Conference on Research and Development in Information Retrieval
    Routing with Guaranteed Delivery in Ad Hoc Wireless Networks1999-08-012000Wireless NetworksNA
    Neural Graph Collaborative Filtering2019-05-201950Proceedings of the 42nd International ACM SIGIR Conference on Research and Development in Information RetrievalAnnual International ACM SIGIR Conference on Research and Development in Information Retrieval
    Learning Convolutional Neural Networks for Graphs2016-05-171928{'pages': '2014-2023'}International Conference on Machine Learning
    Impact of Interference on Multi-Hop Wireless Network Performance2003-09-141919Wireless NetworksACM/IEEE International Conference on Mobile Computing and Networking
    Convolutional 2D Knowledge Graph Embeddings2017-07-051909{'pages': '1811-1818'}AAAI Conference on Artificial Intelligence
    Image-Based Recommendations on Styles and Substitutes2015-06-151908Proceedings of the 38th International ACM SIGIR Conference on Research and Development in Information RetrievalAnnual International ACM SIGIR Conference on Research and Development in Information Retrieval
    Graph-set analysis of hydrogen-bond patterns in organic crystals.1990-04-011904Acta crystallographica. Section B, Structural scienceActa Crystallographica Section B Structural Science
    An introduction to exponential random graph (p*) models for social networks2007-05-011874Soc. NetworksNA
    The Network Data Repository with Interactive Graph Analytics and Visualization2015-01-251869{'pages': '4292-4293'}AAAI Conference on Artificial Intelligence
    Coverage problems in wireless ad-hoc sensor networks2001-04-221865Proceedings IEEE INFOCOM 2001. Conference on Computer Communications. Twentieth Annual Joint Conference of the IEEE Computer and Communications Society (Cat. No.01CH37213)NA
    -

    - -

    -

    4. Latest articles on Physics-informed GNNs

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -1671,14 +207,14 @@ hide: + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - - - - - + +
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    Hierarchical spatio-temporal graph convolutional neural networks for traffic data imputation2024-06-010Information FusionInformation Fusion
    Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation2024-05-010Control Engineering PracticeControl Engineering Practice
    MACNS: A generic graph neural network integrated deep reinforcement learning based multi-agent collaborative navigation system for dynamic trajectory planning2024-05-010Inf. FusionInformation Fusion
    DawnGNN: Documentation augmented windows malware detection using graph neural network2024-05-010Computers & SecurityNA
    Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting2024-05-010Inf. FusionInformation Fusion
    FairCare: Adversarial training of a heterogeneous graph neural network with attention mechanism to learn fair representations of electronic health records2024-05-010Information Processing & ManagementNAFairCare: Adversarial training of a heterogeneous graph neural network with attention mechanism to learn fair representations of electronic health recordsYan Wang, Ruochi Zhang, Qian Yang, Qiong Zhou, Shengde Zhang, Yusi Fan, Lan Huang, Kewei Li, Fengfeng Zhou2024-05-01Information Processing & Management0
    Multi-criteria group decision making based on graph neural networks in Pythagorean fuzzy environmentZhenhua Meng, Rongheng Lin, Budan Wu 2024-05-011 Expert Systems with ApplicationsExpert systems with applications
    POI recommendation for random groups based on cooperative graph neural networks2024-05-010Information Processing & ManagementNA
    Attention based multi-task interpretable graph convolutional network for Alzheimer’s disease analysis2024-04-010Pattern Recognition LettersPattern Recognition Letters
    A coarse-to-fine adaptive spatial–temporal graph convolution network with residuals for motor imagery decoding from the same limb2024-04-010Biomedical Signal Processing and ControlBiomedical Signal Processing and Control
    A new programmed method for retrofitting heat exchanger networks using graph machine learning2024-04-010Applied Thermal EngineeringApplied Thermal Engineering
    AAGNet: A graph neural network towards multi-task machining feature recognition2024-04-011Robotics Comput. Integr. Manuf.NA
    AKGNN-PC: An assembly knowledge graph neural network model with predictive value calibration module for refrigeration compressor performance prediction with assembly error propagation and data imbalance scenarios2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Vessel trajectory prediction based on spatio-temporal graph convolutional network for complex and crowded sea areas2024-04-010Ocean EngineeringOcean Engineering
    GCNGAT: Drug–disease association prediction based on graph convolution neural network and graph attention network2024-04-010Artificial Intelligence in MedicineArtificial Intelligence in Medicine
    KAGNN: Graph neural network with kernel alignment for heterogeneous graph learning2024-04-010Knowledge-Based SystemsKnowledge-Based Systems
    ASSL-HGAT: Active semi-supervised learning empowered heterogeneous graph attention network2024-04-010Knowledge-Based SystemsKnowledge-Based Systems
    Multi-hop graph pooling adversarial network for cross-domain remaining useful life prediction: A distributed federated learning perspective2024-04-012Reliability Engineering & System SafetyNA
    Agriculture crop yield prediction using inertia based cat swarm optimization2024-04-010International Journal of Electrical and Computer Engineering (IJECE)International Journal of Electrical and Computer Engineering (IJECE)
    Graph attention Network-Based model for multiple fault detection and identification of sensors in nuclear power plant2024-04-010Nuclear Engineering and DesignNuclear Engineering and Design
    A pruned-optimized weighted graph convolutional network for axial flow pump fault diagnosis with hydrophone signals2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Explainable train delay propagation: A graph attention network approach2024-04-010Transportation Research Part E: Logistics and Transportation ReviewNA
    Graph neural networks based framework to analyze social media platforms for malicious user detection2024-04-010Applied Soft ComputingApplied Soft Computing
    Digital twin modeling for stress prediction of single-crystal turbine blades based on graph convolutional network2024-04-010Journal of Manufacturing ProcessesJournal of Manufacturing Processes
    Design information-assisted graph neural network for modeling central air conditioning systems2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Unveiling community structures in static networks through graph variational Bayes with evolution information2024-04-010NeurocomputingNeurocomputing
    Control Laws for Partially Observable Min-Plus Systems Networks With Disturbances and Under Mutual Exclusion Constraints2024-04-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Multi-satellite cooperative scheduling method for large-scale tasks based on hybrid graph neural network and metaheuristic algorithm2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Identification of chronic obstructive pulmonary disease using graph convolutional network in electronic nose2024-04-010Indonesian Journal of Electrical Engineering and Computer ScienceIndonesian Journal of Electrical Engineering and Computer Science
    Network traffic prediction with Attention-based Spatial–Temporal Graph Network2024-04-010Computer NetworksComputer Networks
    DRGCL: Drug Repositioning via Semantic-enriched Graph Contrastive Learning.2024-03-050IEEE journal of biomedical and health informaticsIEEE journal of biomedical and health informatics
    Embedding-Alignment Fusion-Based Graph Convolution Network With Mixed Learning Strategy for 4D Medical Image Reconstruction.2024-03-050IEEE journal of biomedical and health informaticsIEEE journal of biomedical and health informatics
    Enhancing Generalizability in Protein-Ligand Binding Affinity Prediction with Multimodal Contrastive Learning.2024-03-050Journal of chemical information and modelingJournal of Chemical Information and Modeling
    Graph Neural Network-Accelerated Multitasking Genetic Algorithm for Optimizing PdxTi1-xHy Surfaces under Various CO2 Reduction Reaction Conditions.2024-03-040ACS applied materials & interfacesACS Applied Materials and Interfaces
    Empowering Persons with Autism through Cross-Reality and Conversational Agents.2024-03-040IEEE transactions on visualization and computer graphicsIEEE Transactions on Visualization and Computer Graphics
    Bearing fault detection by using graph autoencoder and ensemble learning2024-03-030Scientific ReportsScientific Reports
    Successful Implementation of the AIUM Standardized 4-Year Residency Ultrasound Curriculum in Obstetrics and Gynecology: Lessons Learned and Way Forward.2024-03-030Journal of ultrasound in medicine : official journal of the American Institute of Ultrasound in MedicineJournal of ultrasound in medicine
    Prediction of lncRNA and disease associations based on residual graph convolutional networks with attention mechanism.2024-03-020Scientific reportsScientific Reports
    Deep Attentional Implanted Graph Clustering Algorithm for the Visualization and Analysis of Social Networks2024-03-020Journal of Internet Services and Information SecurityJournal of Internet Services and Information Security
    Electrical facies of the Asmari Formation in the Mansouri oilfield, an application of multi-resolution graph-based and artificial neural network clustering methods.2024-03-020Scientific reportsScientific Reports
    Information-incorporated gene network construction with FDR control.2024-03-020BioinformaticsBioinformatics
    Attention-Based Learning for Predicting Drug-Drug Interactions in Knowledge Graph Embedding Based on Multisource Fusion Information2024-03-020International Journal of Intelligent SystemsInternational Journal of Intelligent Systems
    Walk in Views: Multi-view Path Aggregation Graph Network for 3D Shape Analysis2024-03-010Inf. FusionInformation Fusion
    Topic Modeling on Document Networks With Dirichlet Optimal Transport Barycenter2024-03-010IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    MCGCN: Multi-Correlation Graph Convolutional Network for Pedestrian Attribute Recognition2024-03-010IEICE Transactions on Information and SystemsNA
    Postdisaster Routing of Movable Energy Resources for Enhanced Distribution System Resilience: A Deep Reinforcement Learning-Based Approach2024-03-010IEEE Industry Applications MagazineIEEE Industry Applications Magazine
    Towards explaining graph neural networks via preserving prediction ranking and structural dependency2024-03-010Inf. Process. Manag.Information Processing & Management
    Who is Who on Ethereum? Account Labeling Using Heterophilic Graph Convolutional Network2024-03-012IEEE Transactions on Systems, Man, and Cybernetics: SystemsNA
    An EV Charging Station Load Prediction Method Considering Distribution Network Upgrade2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Event-Based Bipartite Containment Control for Multi-Agent Networks Subject to Communication Delay2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Efficient Throughput Maximization in Dynamic Rechargeable Networks2024-03-010IEEE Transactions on Mobile ComputingIEEE Transactions on Mobile Computing
    Real-Time Joint Regulations of Frequency and Voltage for TSO-DSO Coordination: A Deep Reinforcement Learning-Based Approach2024-03-012IEEE Transactions on Smart GridIEEE Transactions on Smart Grid
    Relation-aware graph convolutional network for waste battery inspection based on X-ray images2024-03-010Sustainable Energy Technologies and AssessmentsSustainable Energy Technologies and Assessments
    Query-Aware Explainable Product Search With Reinforcement Knowledge Graph Reasoning2024-03-010IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    Improving chemical reaction yield prediction using pre-trained graph neural networks2024-03-010Journal of CheminformaticsJournal of Cheminformatics
    Enhancing the Tolerance of Voltage Regulation to Cyber Contingencies via Graph-Based Deep Reinforcement Learning2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Estimating the connectional brain template based on multi-view networks with bi-channel graph neural network2024-03-010Biomedical Signal Processing and ControlBiomedical Signal Processing and Control
    Stochastic Hybrid Networks for Global Almost Sure Unanimous Decision Making2024-03-010IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Indoor functional subspace division from point clouds based on graph neural network2024-03-010International Journal of Applied Earth Observation and GeoinformationInternational Journal of Applied Earth Observation and Geoinformation
    Minimum collisions assignment in interdependent networked systems via defective colorings2024-03-010ITU Journal on Future and Evolving TechnologiesNA
    A simplified simulation strategy for barge-bridge collision learned from collapse of Taiyangbu Bridge2024-03-010Engineering StructuresEngineering structures
    How Much Do Urban Terminal Delivery Paths Depend on Urban Roads – A Research Based on Bipartite Graph Network2024-03-010Promet - Traffic&TransportationNA
    HKFGCN: A novel multiple kernel fusion framework on graph convolutional network to predict microbe-drug associations2024-03-010Computational Biology and ChemistryComputational biology and chemistry
    Dual Preference Perception Network for Fashion Recommendation in Social Internet of Things2024-03-010IEEE Internet of Things JournalIEEE Internet of Things Journal
    Ego-Aware Graph Neural Network2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Energy-Efficient Graph Reinforced vNFC Deployment in Elastic Optical Inter-DC Networks2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    RWE: A Random Walk Based Graph Entropy for the Structural Complexity of Directed Networks2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    PaSTG: A Parallel Spatio-Temporal GCN Framework for Traffic Forecasting in Smart City2024-03-010ACM Transactions on Sensor NetworksACM transactions on sensor networks
    Human-Robot Collaboration Through a Multi-Scale Graph Convolution Neural Network With Temporal Attention2024-03-011IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    QoS Prediction and Adversarial Attack Protection for Distributed Services Under DLaaS2024-03-0113IEEE Transactions on ComputersIEEE transactions on computers
    Which Link Matters? Maintaining Connectivity of Uncertain Networks Under Adversarial Attack2024-03-010IEEE Transactions on Mobile ComputingIEEE Transactions on Mobile Computing
    Dynamical Bifurcations of a Fractional-Order BAM Neural Network: Nonidentical Neutral Delays2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    STAGP: Spatio-Temporal Adaptive Graph Pooling Network for Pedestrian Trajectory Prediction2024-03-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    GCN-Based Risk Prediction for Necrosis Slide of Hepatocellular Carcinoma.2024-03-010Studies in health technology and informaticsStudies in Health Technology and Informatics
    User Security-Oriented Information-Centric IoT Nodes Clustering With Graph Convolution Networks2024-03-010IEEE Internet of Things JournalIEEE Internet of Things Journal
    Navigating the Mental Lexicon: Network Structures, Lexical Search and Lexical Retrieval2024-03-010Journal of Psycholinguistic ResearchJournal of Psycholinguistic Research
    Intelligent floor plan design of modular high-rise residential building based on graph-constrained generative adversarial networks2024-03-010Automation in ConstructionAutomation in Construction
    Hierarchical structural graph neural network with local relation enhancement for hyperspectral image classification2024-03-010Digital Signal ProcessingNA
    Car-Studio: Learning Car Radiance Fields From Single-View and Unlimited In-the-Wild Images2024-03-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    A Data-Knowledge-Hybrid-Driven Method for Modeling Reactive Power-Voltage Response Characteristics of Renewable Energy Sources2024-03-011IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    A recommender system-using novel deep network collaborative filtering2024-03-010IAES International Journal of Artificial Intelligence (IJ-AI)IAES International Journal of Artificial Intelligence (IJ-AI)
    Fuzzy Stochastic Configuration Networks for Nonlinear System Modeling2024-03-01 1IEEE Transactions on Fuzzy SystemsIEEE transactions on fuzzy systems
    Hierarchical graph fusion network and a new argumentative dataset for multiparty dialogue discourse parsing2024-03-010Inf. Process. Manag.Information Processing & Management
    Real-Time Offloading for Dependent and Parallel Tasks in Cloud-Edge Environments Using Deep Reinforcement Learning2024-03-010IEEE Transactions on Parallel and Distributed SystemsIEEE Transactions on Parallel and Distributed Systems
    Altered white matter functional pathways in Alzheimer's disease.2024-03-010Cerebral cortexCerebral Cortex
    Neural Network Applications in Hybrid Data-Model Driven Dynamic Frequency Trajectory Prediction for Weak-Damping Power Systems2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Recovering Static and Time-Varying Communities Using Persistent Edges2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Public opinion bunching storage model for dense graph data in social networks12024-03-010Journal of Intelligent & Fuzzy SystemsNA
    Enhancing Demand Prediction: A Multi-Task Learning Approach for Taxis and TNCs2024-03-010SustainabilitySustainability
    A Graph Machine Learning Framework to Compute Zero Forcing Sets in Graphs2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Spatio-temporal multi-graph transformer network for joint prediction of multiple vessel trajectories2024-03-011Engineering Applications of Artificial IntelligenceEngineering applications of artificial intelligence
    Visual Knowledge Graph Construction of Self-directed Learning Ability Driven by Interdisciplinary Projects2024-03-010ICST Transactions on Scalable Information SystemsNA
    Contrastive Hawkes graph neural networks with dynamic sampling for event prediction2024-03-010NeurocomputingNeurocomputing
    Distance Information Improves Heterogeneous Graph Neural Networks2024-03-010IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    IoT Route Planning Based on Spatiotemporal Interactive Attention Neural Network2024-03-010IEEE Internet of Things JournalIEEE Internet of Things Journal
    Collaborative Delivery Optimization With Multiple Drones via Constrained Hybrid Pointer Network2024-03-010IEEE Internet of Things JournalIEEE Internet of Things Journal
    Learn to Optimize the Constrained Shortest Path on Large Dynamic Graphs2024-03-011IEEE Transactions on Mobile ComputingIEEE Transactions on Mobile Computing
    QKD Key Provisioning With Multi-Level Pool Slicing for End-to-End Security Services in Optical Networks2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Boosting Subspace Co-Clustering via Bilateral Graph Convolution2024-03-011IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    Highly reliable and large-scale simulations of promising argyrodite solid-state electrolytes using a machine-learned moment tensor potential2024-03-010Nano EnergyNano Energy
    Symbolic Dynamic Programming for First-Order MDPsCraig Boutilier, R. Reiter, Bob Price 2001-08-04278{'pages': '690-700'} International Joint Conference on Artificial Intelligence278
    On Neural Differential EquationsPatrick Kidger 2022-02-04124 ArXivarXiv.org128
    A Survey And Analysis Of Diversity Measures In Genetic ProgrammingRaymond Burke, Steven M. Gustafson, G. Kendall 2002-07-09104{'pages': '716-723'} Annual Conference on Genetic and Evolutionary Computation104
    Prediction of dynamical systems by symbolic regression.M. Quade, Markus Abel, Kamran Shafi, R. Niven, B. R. Noack 2016-02-1591 Physical review. EPhysical Review E92
    Take Their Word for It: The Symbolic Role of Linguistic Style Matches in User CommunitiesS. Ludwig, K. Ruyter, D. Mahr, Martin Wetzels, E. Brüggen, Tom de Ruyck 2014-12-0169 MIS Q.NA69
    Data Based Prediction of Blood Glucose Concentrations Using Evolutionary MethodsJ. Hidalgo, J. Colmenar, G. Kronberger, Stephan M. Winkler, Oscar Garnica, J. Lanchares 2017-08-0867 Journal of Medical SystemsJournal of medical systems68
    Who Is Responsible for the Gender Gap? The Dynamics of Men’s and Women’s Democratic Macropartisanship, 1950–2012Heather L. Ondercin 2017-07-0361 Political Research QuarterlyNA
    On the closed form computation of the dynamic matrices and their differentiations2013-11-01552013 IEEE/RSJ International Conference on Intelligent Robots and SystemsNA
    Automatic rule identification for agent-based crowd models through gene expression programming2014-05-0549{'pages': '1125-1132'}Adaptive Agents and Multi-Agent Systems
    Rediscovering orbital mechanics with machine learning2022-02-0446Machine Learning: Science and TechnologyNA
    Chaos as an interpretable benchmark for forecasting and data-driven modelling2021-10-1141ArXivNA
    Symbolic dynamics marker of heart rate variability combined with clinical variables enhance obstructive sleep apnea screening.2014-03-2732ChaosChaos
    Mining Time-Resolved Functional Brain Graphs to an EEG-Based Chronnectomic Brain Aged Index (CBAI)2017-09-0731Frontiers in Human NeuroscienceFrontiers in Human Neuroscience
    Self-Adaptive Induction of Regression Trees2011-08-0130IEEE Transactions on Pattern Analysis and Machine IntelligenceIEEE Transactions on Pattern Analysis and Machine Intelligence
    Macro-economic Time Series Modeling and Interaction Networks2011-04-2729{'pages': '101-110'}NA
    User friendly Matlab-toolbox for symbolic robot dynamic modeling used for control design2012-12-01282012 IEEE International Conference on Robotics and Biomimetics (ROBIO)IEEE International Conference on Robotics and Biomimetics
    Online task planning and control for fuel-constrained aerial robots in wind fields2016-04-0126The International Journal of Robotics ResearchNA
    An extension of Gompertzian growth dynamics: Weibull and Frechet models.None25Mathematical biosciences and engineering : MBENA
    Reverse-engineering ecological theory from data2018-05-1622Proceedings of the Royal Society B: Biological SciencesNA
    REVEALING COMPLEX ECOLOGICAL DYNAMICS VIA SYMBOLIC REGRESSION2016-09-1120bioRxivbioRxiv
    Extrapolatable Analytical Functions for Tendon Excursions and Moment Arms From Sparse Datasets2012-03-0517IEEE Transactions on Biomedical EngineeringIEEE Transactions on Biomedical Engineering
    New Insights into Tree Height Distribution Based on Mixed Effects Univariate Diffusion Processes2016-12-2117PLoS ONEPLoS ONE
    Physics-infused Machine Learning for Crowd Simulation2022-08-1416Proceedings of the 28th ACM SIGKDD Conference on Knowledge Discovery and Data MiningKnowledge Discovery and Data Mining
    Synchronization control of oscillator networks using symbolic regression2016-12-1515Nonlinear DynamicsNonlinear dynamics
    Transfer entropy as a variable selection methodology of cryptocurrencies in the framework of a high dimensional predictive model2020-01-0213PLoS ONEPLoS ONE
    The use of hypnosis with eating disorders.None12Psychiatric medicinePsychiatric medicine
    Symbolic regression of multiple-time-scale dynamical systems2012-07-0712{'pages': '735-742'}Annual Conference on Genetic and Evolutionary Computation
    Dynamics of evolutionary robustness2006-07-0811Proceedings of the 8th annual conference on Genetic and evolutionary computationAnnual Conference on Genetic and Evolutionary Computation
    Graph Grammar Encoding and Evolution of Automata NetworksNone11{'pages': '229-238'}Australasian Computer Science Conference
    Strategies of symbolization in cardiovascular time series to test individual gestational development in the fetus2015-02-1310Philosophical Transactions of the Royal Society A: Mathematical, Physical and Engineering SciencesNA
    Sliding Window Symbolic Regression for Detecting Changes of System DynamicsNone10{'pages': '91-107'}Genetic Programming Theory and Practice
    Symbolic analysis of the base parameters for closed-chain robots based on the completion procedure1996-04-2210Proceedings of IEEE International Conference on Robotics and AutomationNA
    Comparing tree depth limits and resource-limited GP2005-12-1292005 IEEE Congress on Evolutionary ComputationIEEE Congress on Evolutionary Computation
    A hybrid evolutionary algorithm for the symbolic modeling of multiple-time-scale dynamical systems2015-01-318Evolutionary IntelligenceEvolutionary Intelligence61
    The effect of principal component analysis in the diagnosis of congestive heart failure via heart rate variability analysis2021-08-078Proceedings of the Institution of Mechanical Engineers, Part H: Journal of Engineering in MedicineProceedings of the Institution of mechanical engineers. Part H, journal of engineering in medicine
    +

    + +

    +

    4. Latest articles on Symbolic regression

    + + + + + + + + + + + - - - - - + + + + + - - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - + + + - - - - - - - - - - - - - - - - - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitleAuthorsPublication DateJournal/ConferenceCitation count
    Data-driven Construction of Symbolic Process Models for Reinforcement Learning2018-05-2182018 IEEE International Conference on Robotics and Automation (ICRA)IEEE International Conference on Robotics and AutomationShared professional logics amongst managers and bureaucrats in Brazilian social security: a street-level mixed-methods studyLuiz Henrique Alonso de Andrade, E. Pekkola2024-02-20International Journal of Public Sector Management0
    Symbolic Regression for Constructing Analytic Models in Reinforcement Learning2019-03-278Excitation Trajectory Optimization for Dynamic Parameter Identification Using Virtual Constraints in Hands-on Robotic SystemHuanyu Tian, Martin Huber, Christopher E. Mower, Zhe Han, Changsheng Li, Xingguang Duan, Christos Bergeles2024-01-29 ArXivarXiv.org
    A computer based decision-making model for poultry inspection.1983-12-157Journal of the American Veterinary Medical AssociationJournal of the American Veterinary Medical Association
    Understanding Physical Effects for Effective Tool-Use2022-06-307IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    A New View on Symbolic Regression2002-04-037{'pages': '113-122'}European Conference on Genetic Programming
    Learning symbolic forward models for robotic motion planning and controlNone6{'pages': '558-563'}European Conference on Artificial Life
    Coevolutionary Dynamics of a Multi-population Genetic Programming System1999-09-136{'pages': '154-158'}European Conference on Artificial Life
    RAMP-Net: A Robust Adaptive MPC for Quadrotors via Physics-informed Neural Network2022-09-1962023 IEEE International Conference on Robotics and Automation (ICRA)IEEE International Conference on Robotics and Automation
    On the relevance of symbolizing heart rate variability by means of a percentile-based coarse graining approach2018-10-246Physiological MeasurementPhysiological Measurement
    Online Task Planning and Control for Aerial Robots with Fuel Constraints in WindsNone6{'pages': '711-727'}Workshop on the Algorithmic Foundations of Robotics
    Symbolic dynamics to enhance diagnostic ability of portable oximetry from the Phone Oximeter in the detection of paediatric sleep apnoea2018-10-116Physiological MeasurementPhysiological Measurement
    Different approaches of symbolic dynamics to quantify heart rate complexity2013-07-0362013 35th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC)Annual International Conference of the IEEE Engineering in Medicine and Biology Society
    Graph composition in a graph grammar-based method for automata network evolution2005-12-1252005 IEEE Congress on Evolutionary ComputationIEEE Congress on Evolutionary Computation
    Similarity-Based Analysis of Population Dynamics in Genetic Programming Performing Symbolic RegressionNone5{'pages': '1-17'}Genetic Programming Theory and Practice
    Understanding Spending Behavior: Recurrent Neural Network Explanation and Interpretation2021-09-2452022 IEEE Symposium on Computational Intelligence for Financial Engineering and Economics (CIFEr)IEEE Conference on Computational Intelligence for Financial Engineering & Economics
    Time series perturbation by genetic programming2001-05-275Proceedings of the 2001 Congress on Evolutionary Computation (IEEE Cat. No.01TH8546)NA
    Fifty shades of black: uncovering physical models from symbolic regressions for scalable building heat dynamics identification2021-11-175Proceedings of the 8th ACM International Conference on Systems for Energy-Efficient Buildings, Cities, and TransportationNA
    On-the-fly simplification of genetic programming models2021-03-224Proceedings of the 36th Annual ACM Symposium on Applied ComputingACM Symposium on Applied Computing0
    Discovering Unmodeled Components in Astrodynamics with Symbolic Regression2020-07-0142020 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary ComputationPopulation Dynamics in Genetic Programming for Dynamic Symbolic RegressionPhilipp Fleck, Bernhard Werth, M. Affenzeller2024-01-10Applied Sciences0
    On the functional form of the radial acceleration relation2023-01-114ArXivMonthly notices of the Royal Astronomical SocietyReassessing the transport properties of fluids: A symbolic regression approach.Dimitrios Angelis, F. Sofos, T. Karakasidis2024-01-01Physical review. E0
    Inferring the Structure of Ordinary Differential Equations2021-07-053ArXivarXiv.org(Invited) Electrochemical Interfaces in Energy Storage: Theory Meets ExperimentT. Vegge2023-12-22ECS Meeting Abstracts0
    On the Effectiveness of Genetic Operations in Symbolic Regression2015-02-083AI-Lorenz: A physics-data-driven framework for black-box and gray-box identification of chaotic systems with symbolic regressionMario De Florio, I. Kevrekidis, G. Karniadakis2023-12-21 ArXivInternational Conference/Workshop on Computer Aided Systems Theory
    Schema Analysis in Tree-Based Genetic ProgrammingNone3{'pages': '17-37'}Genetic Programming Theory and Practice
    Improving Expert Knowledge in Dynamic Process Monitoring by Symbolic Regression2012-08-2532012 Sixth International Conference on Genetic and Evolutionary ComputingNA0
    Machine Learning-Based Approach to Wind Turbine Wake Prediction under Yawed ConditionsM. Gajendran, Ijaz Fazil Syed Ahmed Kabir, S. Vadivelu, E. Ng 2023-11-042Journal of Marine Science and Engineering Journal of Marine Science and Engineering
    Symbolic regression via neural networks.2023-08-012ChaosChaos
    A PINN Approach to Symbolic Differential Operator Discovery with Sparse Data2022-12-092ArXivarXiv.org
    A percentile-based coarse graining approach is helpful in symbolizing heart rate variability during graded head-up tilt2015-11-0522015 37th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC)Annual International Conference of the IEEE Engineering in Medicine and Biology Society
    GP-DMD: a genetic programming variant with dynamic management of diversity2021-03-192Genetic Programming and Evolvable MachinesGenetic Programming and Evolvable Machines
    Evolutionary sparse data-driven discovery of multibody system dynamics2022-10-212Multibody System DynamicsMultibody system dynamics
    Towards Improving Simulations of Flows around Spherical Particles Using Genetic Programming2022-07-1822022 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    Multi-region System Modelling by using Genetic Programming to Extract Rule Consequent Functions in a TSK Fuzzy System2019-07-0122019 IEEE 4th International Conference on Advanced Robotics and Mechatronics (ICARM)International Conference on Advanced Robotics and Mechatronics
    Hebbian Network of Self-Organizing Receptive Field Neurons as Associative Incremental Learner2015-12-232Int. J. Comput. Intell. Appl.International Journal of Computational Intelligence and Applications
    Introducing graphical models to analyze genetic programming dynamics2013-01-162{'pages': '75-86'}NA
    Graphical models and what they reveal about GP when it solves a symbolic regression problem2012-07-071{'pages': '493-494'}Annual Conference on Genetic and Evolutionary Computation
    Symbolic-numeric integration of univariate expressions based on sparse regression2022-01-291ACM Communications in Computer AlgebraACM Communications in Computer Algebra
    Stabilization of Higher Periodic Orbits of the Duffing Map using Meta-evolutionary Approaches: A Preliminary Study2022-07-1812022 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    Boolformer: Symbolic Regression of Logic Functions with Transformers2023-09-211ArXivarXiv.org
    Fluid Properties Extraction in Confined Nanochannels with Molecular Dynamics and Symbolic Regression Methods2023-07-011MicromachinesMicromachines
    A replacement scheme based on dynamic penalization for controlling the diversity of the population in Genetic Programming2022-07-1812022 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    Physics-Informed and Data-Driven Discovery of Governing Equations for Complex Phenomena in Heterogeneous Media2023-04-151ArXivarXiv.org
    Universal Physics-Informed Neural Networks: Symbolic Differential Operator Discovery with Sparse DataNone1{'pages': '27948-27956'}International Conference on Machine Learning
    A Comparative Study on Machine Learning algorithms for Knowledge Discovery2022-12-1112022 17th International Conference on Control, Automation, Robotics and Vision (ICARCV)International Conference on Control, Automation, Robotics and Vision
    Discovering Symbolic Laws Directly from Trajectories with Hamiltonian Graph Neural Networks2023-07-111ArXivarXiv.org
    Deriving Realistic Mathematical Models from Support Vector Machines for Scientific ApplicationsNone1{'pages': '102-113'}International Conference on Knowledge Discovery and Information Retrieval
    The Automated Discovery of Kinetic Rate Models - Methodological Frameworks2023-01-261ArXivarXiv.org
    Identification of Friction Models for MPC-based Control of a PowerCube Serial Robot2022-03-211ArXivarXiv.org
    AI-Lorenz: A physics-data-driven framework for black-box and gray-box identification of chaotic systems with symbolic regression2023-12-210ArXivarXiv.org
    Excitation Trajectory Optimization for Dynamic Parameter Identification Using Virtual Constraints in Hands-on Robotic System2024-01-290ArXivarXiv.org
    Identification of Discrete Non-Linear Dynamics of a Radio-Frequency Power Amplifier Circuit using Symbolic Regression2022-09-0102022 24th International Symposium on Symbolic and Numeric Algorithms for Scientific Computing (SYNASC)Symposium on Symbolic and Numeric Algorithms for Scientific Computing
    The conflicting geographies of social frontiers: Exploring the asymmetric impacts of social frontiers on household mobility in Rotterdam2023-07-190Environment and Planning B: Urban Analytics and City ScienceEnvironment and Planning B Urban Analytics and City Science
    (Invited) Electrochemical Interfaces in Energy Storage: Theory Meets Experiment2023-12-220ECS Meeting AbstractsECS Meeting Abstracts
    Characterization of partial wetting by CMAS droplets using multiphase many-body dissipative particle dynamics and data-driven discovery based on PINNs2023-07-180ArXivarXiv.org
    Understanding Climate-Vegetation Interactions in Global Rainforests Through a GP-Tree Analysis2018-09-080{'pages': '525-536'}Parallel Problem Solving from Nature
    Robust function discovery and feature selection for life sciences and engineering2012-07-070{'pages': '497-498'}Annual Conference on Genetic and Evolutionary Computation
    Symbolic dynamics of sleep heart rate variability is associated with cognitive decline in older men2023-07-0102023 45th Annual International Conference of the IEEE Engineering in Medicine & Biology Society (EMBC)Annual International Conference of the IEEE Engineering in Medicine and Biology Society
    Fuzzy rule-based modeling for interval-valued time series prediction2018-07-0102018 IEEE International Conference on Fuzzy Systems (FUZZ-IEEE)IEEE International Conference on Fuzzy Systems
    GPSINDy: Data-Driven Discovery of Equations of Motion2023-09-200ArXivarXiv.org
    Affect, representation and language. Between the silence and the cry2023-07-040The International Journal of PsychoanalysisInternational Journal of Psychoanalysis
    Reassessing the transport properties of fluids: A symbolic regression approach.2024-01-010Physical review. EPhysical Review E
    How Symbols Influence Social Media Discourse: An Embedding Regression Analysis of Trump’s Return to Twitter2023-01-010Socius: Sociological Research for a Dynamic WorldNA
    Invariants for neural automata2023-02-040Cognitive NeurodynamicsCognitive Neurodynamics
    A Search for the Underlying Equation Governing Similar Systems2019-08-270ArXivarXiv.org
    Shared professional logics amongst managers and bureaucrats in Brazilian social security: a street-level mixed-methods study2024-02-200International Journal of Public Sector ManagementInternational Journal of Public Sector Management
    Population Dynamics in Genetic Programming for Dynamic Symbolic Regression2024-01-100Applied SciencesApplied Sciences
    -

    - -

    -

    4. Latest articles on Symbolic regression

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -1678,7 +214,7 @@ hide: var trace2 = { x: ['1983', '1996', '1999', '2001', '2002', '2005', '2006', '2008', '2011', '2012', '2013', '2014', '2015', '2016', '2017', '2018', '2019', '2020', '2021', '2022', '2023', '2024'], - y: [7, 10, 6, 283, 111, 14, 11, 0, 59, 61, 63, 150, 25, 169, 159, 42, 10, 17, 68, 210, 13, 0], + y: [7, 10, 6, 283, 111, 14, 11, 0, 58, 62, 63, 150, 25, 171, 160, 42, 10, 17, 68, 214, 14, 0], name: 'Num of citations', yaxis: 'y2', type: 'scatter' diff --git a/docs/index.md b/docs/index.md index a9602c58..9ec9c515 100644 --- a/docs/index.md +++ b/docs/index.md @@ -9,1658 +9,180 @@ hide: - -

    -

    Table of Contents

    -
  • 1. Search Query
  • -
  • 2. Number of articles and citations over time
  • -
  • 3. Most cited articles
  • -
  • 4. Latest articles
  • -
  • 5. Comparison metrics
  • -

    -

    -

    1. Search query

    - (neural ordinary differential equation) | (neural ODE) | (graph neural differential equation) | (graph neural diffusion) | (graph neural ODEs) | (graph networks) | (physics constrain) | (learned simulator) | (learned simulation) | ((symbolic regression) + dynamics) | (physics-informed neural computing) | (VAMP) | (latent space simul*) | (decomposition of koopman operator) | (time-lagged autoencoder) | (koopman*) | (transformations in hilbert space) | (linear transformation of PDEs) | (regularization of physics-informed machine learning) + This page was last updated on 2024-03-10 11:36:45 CET/CEST

    - +

    -

    2. Number of articles and citations over time

    -
    - -
    + The Overview tab provides a summary of all + sub-topics covered in the tabs, serving as a convenient starting + point for seeking a general understanding or quick reference + before delving into specific details within individual tabs.

    -

    3. Most cited articles

    -
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    Shared professional logics amongst managers and bureaucrats in Brazilian social security: a street-level mixed-methods study2024-02-200International Journal of Public Sector ManagementInternational Journal of Public Sector Management
    Excitation Trajectory Optimization for Dynamic Parameter Identification Using Virtual Constraints in Hands-on Robotic System2024-01-290ArXivarXiv.org
    Population Dynamics in Genetic Programming for Dynamic Symbolic Regression2024-01-100Applied SciencesApplied Sciences
    Reassessing the transport properties of fluids: A symbolic regression approach.2024-01-010Physical review. EPhysical Review E
    (Invited) Electrochemical Interfaces in Energy Storage: Theory Meets Experiment2023-12-220ECS Meeting AbstractsECS Meeting Abstracts
    AI-Lorenz: A physics-data-driven framework for black-box and gray-box identification of chaotic systems with symbolic regression2023-12-210ArXivarXiv.org
    Machine Learning-Based Approach to Wind Turbine Wake Prediction under Yawed Conditions2023-11-042Journal of Marine Science and EngineeringJournal of Marine Science and Engineering
    Boolformer: Symbolic Regression of Logic Functions with Transformers2023-09-211ArXivarXiv.org
    GPSINDy: Data-Driven Discovery of Equations of Motion2023-09-200ArXivarXiv.org
    Symbolic regression via neural networks.2023-08-012ChaosChaos
    The conflicting geographies of social frontiers: Exploring the asymmetric impacts of social frontiers on household mobility in Rotterdam2023-07-190Environment and Planning B: Urban Analytics and City ScienceEnvironment and Planning B Urban Analytics and City Science
    Characterization of partial wetting by CMAS droplets using multiphase many-body dissipative particle dynamics and data-driven discovery based on PINNs2023-07-180ArXivarXiv.org
    Discovering Symbolic Laws Directly from Trajectories with Hamiltonian Graph Neural Networks2023-07-111ArXivarXiv.org
    Affect, representation and language. Between the silence and the cry2023-07-040The International Journal of PsychoanalysisInternational Journal of Psychoanalysis
    Symbolic dynamics of sleep heart rate variability is associated with cognitive decline in older men2023-07-0102023 45th Annual International Conference of the IEEE Engineering in Medicine & Biology Society (EMBC)Annual International Conference of the IEEE Engineering in Medicine and Biology Society
    Fluid Properties Extraction in Confined Nanochannels with Molecular Dynamics and Symbolic Regression Methods2023-07-011MicromachinesMicromachines
    Physics-Informed and Data-Driven Discovery of Governing Equations for Complex Phenomena in Heterogeneous Media2023-04-151ArXivarXiv.org
    Invariants for neural automata2023-02-040Cognitive NeurodynamicsCognitive Neurodynamics
    The Automated Discovery of Kinetic Rate Models - Methodological Frameworks2023-01-261ArXivarXiv.org
    On the functional form of the radial acceleration relation2023-01-114ArXivMonthly notices of the Royal Astronomical Society
    How Symbols Influence Social Media Discourse: An Embedding Regression Analysis of Trump’s Return to Twitter2023-01-010Socius: Sociological Research for a Dynamic WorldNA
    A Comparative Study on Machine Learning algorithms for Knowledge Discovery2022-12-1112022 17th International Conference on Control, Automation, Robotics and Vision (ICARCV)International Conference on Control, Automation, Robotics and Vision
    A PINN Approach to Symbolic Differential Operator Discovery with Sparse Data2022-12-092ArXivarXiv.org
    Evolutionary sparse data-driven discovery of multibody system dynamics2022-10-212Multibody System DynamicsMultibody system dynamics
    RAMP-Net: A Robust Adaptive MPC for Quadrotors via Physics-informed Neural Network2022-09-1962023 IEEE International Conference on Robotics and Automation (ICRA)IEEE International Conference on Robotics and Automation
    Identification of Discrete Non-Linear Dynamics of a Radio-Frequency Power Amplifier Circuit using Symbolic Regression2022-09-0102022 24th International Symposium on Symbolic and Numeric Algorithms for Scientific Computing (SYNASC)Symposium on Symbolic and Numeric Algorithms for Scientific Computing
    Physics-infused Machine Learning for Crowd Simulation2022-08-1416Proceedings of the 28th ACM SIGKDD Conference on Knowledge Discovery and Data MiningKnowledge Discovery and Data Mining
    Stabilization of Higher Periodic Orbits of the Duffing Map using Meta-evolutionary Approaches: A Preliminary Study2022-07-1812022 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    A replacement scheme based on dynamic penalization for controlling the diversity of the population in Genetic Programming2022-07-1812022 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    Towards Improving Simulations of Flows around Spherical Particles Using Genetic Programming2022-07-1822022 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    Understanding Physical Effects for Effective Tool-Use2022-06-307IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Identification of Friction Models for MPC-based Control of a PowerCube Serial Robot2022-03-211ArXivarXiv.org
    On Neural Differential Equations2022-02-04124ArXivarXiv.org
    Rediscovering orbital mechanics with machine learning2022-02-0446Machine Learning: Science and TechnologyNA
    Symbolic-numeric integration of univariate expressions based on sparse regression2022-01-291ACM Communications in Computer AlgebraACM Communications in Computer Algebra
    Fifty shades of black: uncovering physical models from symbolic regressions for scalable building heat dynamics identification2021-11-175Proceedings of the 8th ACM International Conference on Systems for Energy-Efficient Buildings, Cities, and TransportationNA
    Chaos as an interpretable benchmark for forecasting and data-driven modelling2021-10-1141ArXivNA
    Understanding Spending Behavior: Recurrent Neural Network Explanation and Interpretation2021-09-2452022 IEEE Symposium on Computational Intelligence for Financial Engineering and Economics (CIFEr)IEEE Conference on Computational Intelligence for Financial Engineering & Economics
    The effect of principal component analysis in the diagnosis of congestive heart failure via heart rate variability analysis2021-08-078Proceedings of the Institution of Mechanical Engineers, Part H: Journal of Engineering in MedicineProceedings of the Institution of mechanical engineers. Part H, journal of engineering in medicine
    Inferring the Structure of Ordinary Differential Equations2021-07-053ArXivarXiv.org
    On-the-fly simplification of genetic programming models2021-03-224Proceedings of the 36th Annual ACM Symposium on Applied ComputingACM Symposium on Applied Computing
    GP-DMD: a genetic programming variant with dynamic management of diversity2021-03-192Genetic Programming and Evolvable MachinesGenetic Programming and Evolvable Machines
    Discovering Unmodeled Components in Astrodynamics with Symbolic Regression2020-07-0142020 IEEE Congress on Evolutionary Computation (CEC)IEEE Congress on Evolutionary Computation
    Transfer entropy as a variable selection methodology of cryptocurrencies in the framework of a high dimensional predictive model2020-01-0213PLoS ONEPLoS ONE
    A Search for the Underlying Equation Governing Similar Systems2019-08-270ArXivarXiv.org
    Multi-region System Modelling by using Genetic Programming to Extract Rule Consequent Functions in a TSK Fuzzy System2019-07-0122019 IEEE 4th International Conference on Advanced Robotics and Mechatronics (ICARM)International Conference on Advanced Robotics and Mechatronics
    Symbolic Regression for Constructing Analytic Models in Reinforcement Learning2019-03-278ArXivarXiv.org
    On the relevance of symbolizing heart rate variability by means of a percentile-based coarse graining approach2018-10-246Physiological MeasurementPhysiological Measurement
    Symbolic dynamics to enhance diagnostic ability of portable oximetry from the Phone Oximeter in the detection of paediatric sleep apnoea2018-10-116Physiological MeasurementPhysiological Measurement
    Understanding Climate-Vegetation Interactions in Global Rainforests Through a GP-Tree Analysis2018-09-080{'pages': '525-536'}Parallel Problem Solving from Nature
    Fuzzy rule-based modeling for interval-valued time series prediction2018-07-0102018 IEEE International Conference on Fuzzy Systems (FUZZ-IEEE)IEEE International Conference on Fuzzy Systems
    Data-driven Construction of Symbolic Process Models for Reinforcement Learning2018-05-2182018 IEEE International Conference on Robotics and Automation (ICRA)IEEE International Conference on Robotics and Automation
    Reverse-engineering ecological theory from data2018-05-1622Proceedings of the Royal Society B: Biological SciencesNA
    Mining Time-Resolved Functional Brain Graphs to an EEG-Based Chronnectomic Brain Aged Index (CBAI)2017-09-0731Frontiers in Human NeuroscienceFrontiers in Human Neuroscience
    Data Based Prediction of Blood Glucose Concentrations Using Evolutionary Methods2017-08-0867Journal of Medical SystemsJournal of medical systems
    Who Is Responsible for the Gender Gap? The Dynamics of Men’s and Women’s Democratic Macropartisanship, 1950–20122017-07-0361Political Research QuarterlyNA
    New Insights into Tree Height Distribution Based on Mixed Effects Univariate Diffusion Processes2016-12-2117PLoS ONEPLoS ONE
    Synchronization control of oscillator networks using symbolic regression2016-12-1515Nonlinear DynamicsNonlinear dynamics
    REVEALING COMPLEX ECOLOGICAL DYNAMICS VIA SYMBOLIC REGRESSION2016-09-1120bioRxivbioRxiv
    Online task planning and control for fuel-constrained aerial robots in wind fields2016-04-0126The International Journal of Robotics ResearchNA
    Prediction of dynamical systems by symbolic regression.2016-02-1591Physical review. EPhysical Review E
    Hebbian Network of Self-Organizing Receptive Field Neurons as Associative Incremental Learner2015-12-232Int. J. Comput. Intell. Appl.International Journal of Computational Intelligence and Applications
    A percentile-based coarse graining approach is helpful in symbolizing heart rate variability during graded head-up tilt2015-11-0522015 37th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC)Annual International Conference of the IEEE Engineering in Medicine and Biology Society
    Strategies of symbolization in cardiovascular time series to test individual gestational development in the fetus2015-02-1310Philosophical Transactions of the Royal Society A: Mathematical, Physical and Engineering SciencesNA
    On the Effectiveness of Genetic Operations in Symbolic Regression2015-02-083ArXivInternational Conference/Workshop on Computer Aided Systems Theory
    A hybrid evolutionary algorithm for the symbolic modeling of multiple-time-scale dynamical systems2015-01-318Evolutionary IntelligenceEvolutionary Intelligence
    Take Their Word for It: The Symbolic Role of Linguistic Style Matches in User Communities2014-12-0169MIS Q.NA
    Automatic rule identification for agent-based crowd models through gene expression programming2014-05-0549{'pages': '1125-1132'}Adaptive Agents and Multi-Agent Systems
    Symbolic dynamics marker of heart rate variability combined with clinical variables enhance obstructive sleep apnea screening.2014-03-2732ChaosChaos
    On the closed form computation of the dynamic matrices and their differentiations2013-11-01552013 IEEE/RSJ International Conference on Intelligent Robots and SystemsNA
    Different approaches of symbolic dynamics to quantify heart rate complexity2013-07-0362013 35th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC)Annual International Conference of the IEEE Engineering in Medicine and Biology Society
    Introducing graphical models to analyze genetic programming dynamics2013-01-162{'pages': '75-86'}NA
    User friendly Matlab-toolbox for symbolic robot dynamic modeling used for control design2012-12-01282012 IEEE International Conference on Robotics and Biomimetics (ROBIO)IEEE International Conference on Robotics and Biomimetics
    Improving Expert Knowledge in Dynamic Process Monitoring by Symbolic Regression2012-08-2532012 Sixth International Conference on Genetic and Evolutionary ComputingNA
    Graphical models and what they reveal about GP when it solves a symbolic regression problem2012-07-071{'pages': '493-494'}Annual Conference on Genetic and Evolutionary Computation
    Robust function discovery and feature selection for life sciences and engineering2012-07-070{'pages': '497-498'}Annual Conference on Genetic and Evolutionary Computation
    Symbolic regression of multiple-time-scale dynamical systems2012-07-0712{'pages': '735-742'}Annual Conference on Genetic and Evolutionary Computation
    Extrapolatable Analytical Functions for Tendon Excursions and Moment Arms From Sparse Datasets2012-03-0517IEEE Transactions on Biomedical EngineeringIEEE Transactions on Biomedical Engineering
    Self-Adaptive Induction of Regression Trees2011-08-0130IEEE Transactions on Pattern Analysis and Machine IntelligenceIEEE Transactions on Pattern Analysis and Machine Intelligence
    Macro-economic Time Series Modeling and Interaction Networks2011-04-2729{'pages': '101-110'}NA
    Cars, Compositionality, and Consciousness2008-12-010Frontiers in NeuroscienceFrontiers in Neuroscience
    Dynamics of evolutionary robustness2006-07-0811Proceedings of the 8th annual conference on Genetic and evolutionary computationAnnual Conference on Genetic and Evolutionary Computation
    Graph composition in a graph grammar-based method for automata network evolution2005-12-1252005 IEEE Congress on Evolutionary ComputationIEEE Congress on Evolutionary Computation
    Comparing tree depth limits and resource-limited GP2005-12-1292005 IEEE Congress on Evolutionary ComputationIEEE Congress on Evolutionary Computation
    A Survey And Analysis Of Diversity Measures In Genetic Programming2002-07-09104{'pages': '716-723'}Annual Conference on Genetic and Evolutionary Computation
    A New View on Symbolic Regression2002-04-037{'pages': '113-122'}European Conference on Genetic Programming
    Symbolic Dynamic Programming for First-Order MDPs2001-08-04278{'pages': '690-700'}International Joint Conference on Artificial Intelligence
    Time series perturbation by genetic programming2001-05-275Proceedings of the 2001 Congress on Evolutionary Computation (IEEE Cat. No.01TH8546)NA
    Coevolutionary Dynamics of a Multi-population Genetic Programming System1999-09-136{'pages': '154-158'}European Conference on Artificial Life
    Symbolic analysis of the base parameters for closed-chain robots based on the completion procedure1996-04-2210Proceedings of IEEE International Conference on Robotics and AutomationNA
    A computer based decision-making model for poultry inspection.1983-12-157Journal of the American Veterinary Medical AssociationJournal of the American Veterinary Medical Association
    Universal Physics-Informed Neural Networks: Symbolic Differential Operator Discovery with Sparse DataNone1{'pages': '27948-27956'}International Conference on Machine Learning
    Schema Analysis in Tree-Based Genetic ProgrammingNone 3{'pages': '17-37'}Genetic Programming Theory and Practice
    Deriving Realistic Mathematical Models from Support Vector Machines for Scientific ApplicationsNone1{'pages': '102-113'}International Conference on Knowledge Discovery and Information Retrieval
    Similarity-Based Analysis of Population Dynamics in Genetic Programming Performing Symbolic RegressionNone5{'pages': '1-17'}Genetic Programming Theory and Practice
    Online Task Planning and Control for Aerial Robots with Fuel Constraints in WindsNone6{'pages': '711-727'}Workshop on the Algorithmic Foundations of Robotics
    Sliding Window Symbolic Regression for Detecting Changes of System DynamicsNone10{'pages': '91-107'}Genetic Programming Theory and Practice
    An extension of Gompertzian growth dynamics: Weibull and Frechet models.None25Mathematical biosciences and engineering : MBENA
    Learning symbolic forward models for robotic motion planning and controlNone6{'pages': '558-563'}European Conference on Artificial Life
    Graph Grammar Encoding and Evolution of Automata NetworksNone11{'pages': '229-238'}Australasian Computer Science Conference
    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    Gradient-based learning applied to document recognitionNone46018Proc. IEEEProceedings of the IEEE
    Collective dynamics of ‘small-world’ networks1998-06-0438499NatureNature
    Semi-Supervised Classification with Graph Convolutional Networks2016-09-0922128ArXivInternational Conference on Learning Representations
    Statistical mechanics of complex networks2001-06-0618824ArXivarXiv.org
    The Structure and Function of Complex Networks2003-03-2516786SIAM Rev.SIAM Review
    TensorFlow: A system for large-scale machine learning2016-05-2716720{'pages': '265-283'}USENIX Symposium on Operating Systems Design and Implementation
    Community structure in social and biological networks2001-12-0714283Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Graph Attention Networks2017-10-3014001ArXivInternational Conference on Learning Representations
    PRISMA Extension for Scoping Reviews (PRISMA-ScR): Checklist and Explanation2018-10-0212798Annals of Internal MedicineAnnals of Internal Medicine
    Consensus problems in networks of agents with switching topology and time-delays2004-09-1311251IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Authoritative sources in a hyperlinked environment1999-09-0110820{'pages': '668-677'}ACM-SIAM Symposium on Discrete Algorithms
    Complex brain networks: graph theoretical analysis of structural and functional systems2009-03-019835Nature Reviews NeuroscienceNature Reviews Neuroscience
    Consensus and Cooperation in Networked Multi-Agent Systems2007-03-059266Proceedings of the IEEEProceedings of the IEEE
    Gephi: An Open Source Software for Exploring and Manipulating Networks2009-03-198728Proceedings of the International AAAI Conference on Web and Social MediaInternational Conference on Web and Social Media
    DeepWalk: online learning of social representations2014-03-268217Proceedings of the 20th ACM SIGKDD international conference on Knowledge discovery and data miningKnowledge Discovery and Data Mining
    Convolutional Neural Networks on Graphs with Fast Localized Spectral Filtering2016-06-306411{'pages': '3837-3845'}Neural Information Processing Systems
    A Comprehensive Survey on Graph Neural NetworksNone5936IEEE Transactions on Neural Networks and Learning SystemsIEEE Transactions on Neural Networks and Learning Systems
    Neural Message Passing for Quantum Chemistry2017-04-045744{'pages': '1263-1272'}International Conference on Machine Learning
    The Graph Neural Network ModelNone5619IEEE Transactions on Neural NetworksIEEE Transactions on Neural Networks
    How Powerful are Graph Neural Networks?2018-10-015319ArXivInternational Conference on Learning Representations
    Factor graphs and the sum-product algorithm2001-02-015261IEEE Trans. Inf. TheoryIEEE Transactions on Information Theory
    Uncovering the overlapping community structure of complex networks in nature and society2005-06-095069NatureNature
    LINE: Large-scale Information Network Embedding2015-03-114740Proceedings of the 24th International Conference on World Wide WebThe Web Conference
    Tabu Search - Part INone4676INFORMS J. Comput.INFORMS journal on computing
    An automated method for finding molecular complexes in large protein interaction networks2003-01-134660BMC BioinformaticsBMC Bioinformatics
    Information flow and cooperative control of vehicle formations2004-09-134545IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Finding community structure in networks using the eigenvectors of matrices.2006-05-104344Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Dynamic Graph CNN for Learning on Point Clouds2018-01-244327ACM Transactions on Graphics (TOG)ACM Transactions on Graphics
    The KEGG resource for deciphering the genomeNone4283Nucleic acids researchNA
    The PRISMA Extension Statement for Reporting of Systematic Reviews Incorporating Network Meta-analyses of Health Care Interventions: Checklist and Explanations2015-06-024251Annals of Internal MedicineAnnals of Internal Medicine
    Spectral Networks and Locally Connected Networks on Graphs2013-12-204225CoRRInternational Conference on Learning Representations
    Pregel: a system for large-scale graph processing2010-06-063877Proceedings of the 2010 ACM SIGMOD International Conference on Management of dataNA
    Graph Neural Networks: A Review of Methods and Applications2018-12-203733ArXivAI Open
    BioGRID: a general repository for interaction datasets2005-12-283714Nucleic Acids ResearchNA
    Modeling Relational Data with Graph Convolutional Networks2017-03-173648{'pages': '593-607'}Extended Semantic Web Conference
    Hierarchical Information Clustering by Means of Topologically Embedded Graphs2011-10-203628PLoS ONEPLoS ONE
    Using Bayesian networks to analyze expression data2000-04-083560{'pages': '127-135'}Annual International Conference on Research in Computational Molecular Biology
    The university of Florida sparse matrix collection2011-11-013524ACM Trans. Math. Softw.NA
    The architecture of complex weighted networks.2003-11-183522Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Neural Ordinary Differential Equations2018-06-193518{'pages': '6572-6583'}Neural Information Processing Systems
    The emerging field of signal processing on graphs: Extending high-dimensional data analysis to networks and other irregular domains2012-10-313495IEEE Signal Processing MagazineIEEE Signal Processing Magazine
    Conn: A Functional Connectivity Toolbox for Correlated and Anticorrelated Brain Networks2012-08-063483Brain connectivityBrain Connectivity
    Random graphs with arbitrary degree distributions and their applications.2000-07-133409Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    A Convolutional Neural Network for Modelling Sentences2014-04-083401{'pages': '655-665'}Annual Meeting of the Association for Computational Linguistics
    Measurement and analysis of online social networks2007-10-243252{'pages': '29-42'}ACM/SIGCOMM Internet Measurement Conference
    Small worlds: the dynamics of networks between order and randomness2000-11-013237SIGMOD Rec.NA
    BrainNet Viewer: A Network Visualization Tool for Human Brain Connectomics2013-07-043059PLoS ONEPLoS ONE
    Fibonacci heaps and their uses in improved network optimization algorithms1984-10-243036{'pages': '338-346'}NA
    The human disease network2007-05-223030Proceedings of the National Academy of SciencesProceedings of the National Academy of Sciences of the United States of America
    Convolutional Networks on Graphs for Learning Molecular Fingerprints2015-09-302990ArXivNeural Information Processing Systems
    Spatial Temporal Graph Convolutional Networks for Skeleton-Based Action Recognition2018-01-232989{'pages': '7444-7452'}AAAI Conference on Artificial Intelligence
    Computing Communities in Large Networks Using Random Walks2004-12-142979{'pages': '284-293'}NA
    Gated Graph Sequence Neural Networks2015-11-172855arXiv: LearningInternational Conference on Learning Representations
    Mixing patterns in networks.2002-09-192741Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Modeling and Simulation of Genetic Regulatory Systems: A Literature ReviewNone2737J. Comput. Biol.NA
    Fast linear iterations for distributed averaging2003-12-09271742nd IEEE International Conference on Decision and Control (IEEE Cat. No.03CH37475)NA
    Graph Convolutional Neural Networks for Web-Scale Recommender Systems2018-06-062704Proceedings of the 24th ACM SIGKDD International Conference on Knowledge Discovery & Data MiningKnowledge Discovery and Data Mining
    Stability of multiagent systems with time-dependent communication links2005-02-142684IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Variational Graph Auto-Encoders2016-11-212651ArXivarXiv.org
    Relational inductive biases, deep learning, and graph networks2018-06-042606ArXivarXiv.org
    Score-Based Generative Modeling through Stochastic Differential Equations2020-11-262600ArXivInternational Conference on Learning Representations
    Benchmark graphs for testing community detection algorithms.2008-05-302586Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Graph evolution: Densification and shrinking diameters2006-03-272532ACM Trans. Knowl. Discov. DataNA
    Denoising Diffusion Implicit Models2020-10-062519ArXivInternational Conference on Learning Representations
    Graphs over time: densification laws, shrinking diameters and possible explanations2005-08-212510{'pages': '177-187'}Knowledge Discovery and Data Mining
    Spatio-temporal Graph Convolutional Neural Network: A Deep Learning Framework for Traffic Forecasting2017-09-142501ArXivInternational Joint Conference on Artificial Intelligence
    Efficient Neural Architecture Search via Parameter Sharing2018-02-092416ArXivInternational Conference on Machine Learning
    Estimating or Propagating Gradients Through Stochastic Neurons for Conditional Computation2013-08-152408ArXivarXiv.org
    Randomized gossip algorithms2006-06-012399IEEE Transactions on Information TheoryIEEE Transactions on Information Theory
    Distinct brain networks for adaptive and stable task control in humans2007-06-262398Proceedings of the National Academy of SciencesProceedings of the National Academy of Sciences of the United States of America
    Simplifying Graph Convolutional Networks2019-02-192306{'pages': '6861-6871'}International Conference on Machine Learning
    Small-World Brain Networks2006-12-012291The NeuroscientistThe Neuroscientist
    A Resilient, Low-Frequency, Small-World Human Brain Functional Network with Highly Connected Association Cortical Hubs2006-01-042290The Journal of NeuroscienceJournal of Neuroscience
    Defining and identifying communities in networks.2003-09-212281Proceedings of the National Academy of Sciences of the United States of AmericaProceedings of the National Academy of Sciences of the United States of America
    Analysis of weighted networks.2004-07-202272Physical review. E, Statistical, nonlinear, and soft matter physicsNA
    Deadlock-Free Message Routing in Multiprocessor Interconnection Networks1987-05-012268IEEE Transactions on ComputersIEEE transactions on computers
    Fusion, Propagation, and Structuring in Belief Networks1986-09-012236Probabilistic and Causal InferenceArtificial Intelligence
    Efficiency and Cost of Economical Brain Functional Networks2007-02-012184PLoS Computational BiologyNA
    The Click modular router1999-12-122160Proceedings of the seventeenth ACM symposium on Operating systems principlesSymposium on Operating Systems Principles
    The human factor: the critical importance of effective teamwork and communication in providing safe care2004-10-012155Quality and Safety in Health CareBMJ Quality & Safety
    The Concrete Distribution: A Continuous Relaxation of Discrete Random Variables2016-11-022151ArXivInternational Conference on Learning Representations
    ForceAtlas2, a Continuous Graph Layout Algorithm for Handy Network Visualization Designed for the Gephi Software2014-06-102146PLoS ONEPLoS ONE
    Deeper Insights into Graph Convolutional Networks for Semi-Supervised Learning2018-01-222142ArXivAAAI Conference on Artificial Intelligence
    Network robustness and fragility: percolation on random graphs.2000-07-182141Physical review lettersPhysical Review Letters
    Diffusion Convolutional Recurrent Neural Network: Data-Driven Traffic Forecasting2017-07-062120arXiv: LearningInternational Conference on Learning Representations
    Distortion Invariant Object Recognition in the Dynamic Link Architecture1993-03-012089IEEE Trans. ComputersNA
    Community detection algorithms: a comparative analysis: invited presentation, extended abstract2009-08-072086Physical review. E, Statistical, nonlinear, and soft matter physicsValueTools
    Efficient influence maximization in social networks2009-06-282084{'pages': '199-208'}Knowledge Discovery and Data Mining
    Graph theoretical analysis of magnetoencephalographic functional connectivity in Alzheimer's disease.None2077Brain : a journal of neurologyNA
    Search and replication in unstructured peer-to-peer networks2002-06-012057{'pages': '84-95'}International Conference on Supercomputing
    Modelling disease outbreaks in realistic urban social networks2004-05-132022NatureNature
    Poppr: an R package for genetic analysis of populations with clonal, partially clonal, and/or sexual reproduction2014-03-042018PeerJPeerJ
    LightGCN: Simplifying and Powering Graph Convolution Network for Recommendation2020-02-062016Proceedings of the 43rd International ACM SIGIR Conference on Research and Development in Information RetrievalAnnual International ACM SIGIR Conference on Research and Development in Information Retrieval
    Routing with Guaranteed Delivery in Ad Hoc Wireless Networks1999-08-012000Wireless NetworksNA
    Neural Graph Collaborative Filtering2019-05-201950Proceedings of the 42nd International ACM SIGIR Conference on Research and Development in Information RetrievalAnnual International ACM SIGIR Conference on Research and Development in Information Retrieval
    Learning Convolutional Neural Networks for Graphs2016-05-171928{'pages': '2014-2023'}International Conference on Machine Learning
    Impact of Interference on Multi-Hop Wireless Network Performance2003-09-141919Wireless NetworksACM/IEEE International Conference on Mobile Computing and Networking
    Convolutional 2D Knowledge Graph Embeddings2017-07-051909{'pages': '1811-1818'}AAAI Conference on Artificial Intelligence
    Image-Based Recommendations on Styles and Substitutes2015-06-151908Proceedings of the 38th International ACM SIGIR Conference on Research and Development in Information RetrievalAnnual International ACM SIGIR Conference on Research and Development in Information Retrieval
    Graph-set analysis of hydrogen-bond patterns in organic crystals.1990-04-011904Acta crystallographica. Section B, Structural scienceActa Crystallographica Section B Structural Science
    -

    - -

    -

    4. Latest articles

    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - +

    Table of Contents

    + 1. Search Query
    + 2. Number of articles and citations over time
    + 3. Most cited articles
    + 4. Latest articles
    + 5. Comparison metrics
    +

    + +

    +

    1. Search query

    + (neural ordinary differential equation) | (neural ODE) | (graph neural differential equation) | (graph neural diffusion) | (graph neural ODEs) | (graph networks) | (physics constrain) | (learned simulator) | (learned simulation) | ((symbolic regression) + dynamics) | (physics-informed neural computing) | (VAMP) | (latent space simul*) | (decomposition of koopman operator) | (time-lagged autoencoder) | (koopman*) | (transformations in hilbert space) | (linear transformation of PDEs) | (regularization of physics-informed machine learning) +

    + +

    +

    2. Number of articles and citations over time

    +
    + +
    +

    + +

    +

    3. Most cited articles

    +
    TitlePublicationDate#CitationsJournal/ConferencepublicationVenue
    Hierarchical spatio-temporal graph convolutional neural networks for traffic data imputation2024-06-010Information FusionInformation Fusion
    Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation2024-05-010Control Engineering PracticeControl Engineering Practice
    MACNS: A generic graph neural network integrated deep reinforcement learning based multi-agent collaborative navigation system for dynamic trajectory planning2024-05-010Inf. FusionInformation Fusion
    DawnGNN: Documentation augmented windows malware detection using graph neural network2024-05-010Computers & SecurityNA
    Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting2024-05-010Inf. FusionInformation Fusion
    FairCare: Adversarial training of a heterogeneous graph neural network with attention mechanism to learn fair representations of electronic health records2024-05-010Information Processing & ManagementNA
    Multi-criteria group decision making based on graph neural networks in Pythagorean fuzzy environment2024-05-011Expert Systems with ApplicationsExpert systems with applications
    POI recommendation for random groups based on cooperative graph neural networks2024-05-010Information Processing & ManagementNA
    Attention based multi-task interpretable graph convolutional network for Alzheimer’s disease analysis2024-04-010Pattern Recognition LettersPattern Recognition Letters
    A coarse-to-fine adaptive spatial–temporal graph convolution network with residuals for motor imagery decoding from the same limb2024-04-010Biomedical Signal Processing and ControlBiomedical Signal Processing and Control
    A new programmed method for retrofitting heat exchanger networks using graph machine learning2024-04-010Applied Thermal EngineeringApplied Thermal Engineering
    AAGNet: A graph neural network towards multi-task machining feature recognition2024-04-011Robotics Comput. Integr. Manuf.NA
    AKGNN-PC: An assembly knowledge graph neural network model with predictive value calibration module for refrigeration compressor performance prediction with assembly error propagation and data imbalance scenarios2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Vessel trajectory prediction based on spatio-temporal graph convolutional network for complex and crowded sea areas2024-04-010Ocean EngineeringOcean Engineering
    GCNGAT: Drug–disease association prediction based on graph convolution neural network and graph attention network2024-04-010Artificial Intelligence in MedicineArtificial Intelligence in Medicine
    KAGNN: Graph neural network with kernel alignment for heterogeneous graph learning2024-04-010Knowledge-Based SystemsKnowledge-Based Systems
    ASSL-HGAT: Active semi-supervised learning empowered heterogeneous graph attention network2024-04-010Knowledge-Based SystemsKnowledge-Based Systems
    Multi-hop graph pooling adversarial network for cross-domain remaining useful life prediction: A distributed federated learning perspective2024-04-012Reliability Engineering & System SafetyNA
    Agriculture crop yield prediction using inertia based cat swarm optimization2024-04-010International Journal of Electrical and Computer Engineering (IJECE)International Journal of Electrical and Computer Engineering (IJECE)
    Graph attention Network-Based model for multiple fault detection and identification of sensors in nuclear power plant2024-04-010Nuclear Engineering and DesignNuclear Engineering and Design
    A pruned-optimized weighted graph convolutional network for axial flow pump fault diagnosis with hydrophone signals2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Explainable train delay propagation: A graph attention network approach2024-04-010Transportation Research Part E: Logistics and Transportation ReviewNA
    Graph neural networks based framework to analyze social media platforms for malicious user detection2024-04-010Applied Soft ComputingApplied Soft Computing
    Digital twin modeling for stress prediction of single-crystal turbine blades based on graph convolutional network2024-04-010Journal of Manufacturing ProcessesJournal of Manufacturing Processes
    Design information-assisted graph neural network for modeling central air conditioning systems2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Unveiling community structures in static networks through graph variational Bayes with evolution information2024-04-010NeurocomputingNeurocomputing
    Control Laws for Partially Observable Min-Plus Systems Networks With Disturbances and Under Mutual Exclusion Constraints2024-04-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Multi-satellite cooperative scheduling method for large-scale tasks based on hybrid graph neural network and metaheuristic algorithm2024-04-010Advanced Engineering InformaticsAdvanced Engineering Informatics
    Identification of chronic obstructive pulmonary disease using graph convolutional network in electronic nose2024-04-010Indonesian Journal of Electrical Engineering and Computer ScienceIndonesian Journal of Electrical Engineering and Computer Science
    Network traffic prediction with Attention-based Spatial–Temporal Graph Network2024-04-010Computer NetworksComputer Networks
    DRGCL: Drug Repositioning via Semantic-enriched Graph Contrastive Learning.2024-03-050IEEE journal of biomedical and health informaticsIEEE journal of biomedical and health informatics
    Embedding-Alignment Fusion-Based Graph Convolution Network With Mixed Learning Strategy for 4D Medical Image Reconstruction.2024-03-050IEEE journal of biomedical and health informaticsIEEE journal of biomedical and health informatics
    Enhancing Generalizability in Protein-Ligand Binding Affinity Prediction with Multimodal Contrastive Learning.2024-03-050Journal of chemical information and modelingJournal of Chemical Information and Modeling
    DER-GCN: Dialog and Event Relation-Aware Graph Convolutional Neural Network for Multimodal Dialog Emotion Recognition.2024-03-040IEEE transactions on neural networks and learning systemsIEEE Transactions on Neural Networks and Learning Systems
    Graph Neural Network-Accelerated Multitasking Genetic Algorithm for Optimizing PdxTi1-xHy Surfaces under Various CO2 Reduction Reaction Conditions.2024-03-040ACS applied materials & interfacesACS Applied Materials and Interfaces
    A GAN-based anomaly detector using multi-feature fusion and selection.2024-03-040Scientific reportsScientific Reports
    Empowering Persons with Autism through Cross-Reality and Conversational Agents.2024-03-040IEEE transactions on visualization and computer graphicsIEEE Transactions on Visualization and Computer Graphics
    + + + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - - - + +
    TitleAuthorsPuation DateJournal/ConferenceCitation count
    Bearing fault detection by using graph autoencoder and ensemble learning2024-03-030Scientific ReportsScientific ReportsGradient-based learning applied to document recognition
    Yann LeCun, L. Bottou, Yoshua Bengio, P. HaffnerProc. IEEE46107
    Successful Implementation of the AIUM Standardized 4-Year Residency Ultrasound Curriculum in Obstetrics and Gynecology: Lessons Learned and Way Forward.2024-03-030Journal of ultrasound in medicine : official journal of the American Institute of Ultrasound in MedicineJournal of ultrasound in medicineCollective dynamics of ‘small-world’ networks
    D. Watts, S. StrogatzNature38536
    Prediction of lncRNA and disease associations based on residual graph convolutional networks with attention mechanism.2024-03-020Scientific reportsScientific ReportsSemi-Supervised Classification with Graph Convolutional Networks
    Thomas Kipf, M. WellingArXiv22197
    Deep Attentional Implanted Graph Clustering Algorithm for the Visualization and Analysis of Social Networks2024-03-020Journal of Internet Services and Information SecurityJournal of Internet Services and Information SecurityStatistical mechanics of complex networks
    R. Albert, A. BarabásiArXiv18835
    Electrical facies of the Asmari Formation in the Mansouri oilfield, an application of multi-resolution graph-based and artificial neural network clustering methods.2024-03-020Scientific reportsScientific ReportsThe Structure and Function of Complex Networks
    M. NewmanSIAM Rev.16802
    Information-incorporated gene network construction with FDR control.2024-03-020BioinformaticsBioinformaticsTensorFlow: A system for large-scale machine learning
    Martín Abadi, P. Barham, Jianmin Chen, Z. Chen, Andy Davis, J. Dean, M. Devin, Sanjay Ghemawat, G. Irving, M. Isard, M. Kudlur, J. Levenberg, R. Monga, Sherry Moore, D. Murray, Benoit Steiner, P. Tucker, Vijay Vasudevan, P. Warden, M. Wicke, Yuan Yu, Xiaoqiang ZhangUSENIX Symposium on Operating Systems Design and Implementation16788
    Attention-Based Learning for Predicting Drug-Drug Interactions in Knowledge Graph Embedding Based on Multisource Fusion Information2024-03-020International Journal of Intelligent SystemsInternational Journal of Intelligent SystemsCommunity structure in social and biological networks
    M. Girvan, M. NewmanProceedings of the National Academy of Sciences of the United States of America14283
    Continuous Image Outpainting with Neural ODE2024-03-020SSRN Electronic JournalSocial Science Research Network
    +

    + +

    +

    4. Latest articles

    + + + + + + + + + + + - - - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - - - - - - - @@ -1680,14 +202,14 @@ hide: \ No newline at end of file diff --git a/mkdocs.yml b/mkdocs.yml index 78f34752..826dc159 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -1,5 +1,5 @@ nav: -- All: index.md +- Overview: index.md - Koopman Theory: Koopman_Theory.md - Latent Space Simulator: Latent_Space_Simulator.md - PINNs: PINNs.md diff --git a/overrides/main.html b/overrides/main.html index 3bd0e9c1..23f134cb 100644 --- a/overrides/main.html +++ b/overrides/main.html @@ -5,7 +5,7 @@ {% extends "base.html" %} {% block htmltitle %} -Custom title goes here +Literature Survey (VPE) {% endblock %} {% block libs %} @@ -17,6 +17,14 @@ + + + + + + + + @@ -27,10 +35,28 @@ {{ super() }} diff --git a/templates/category.txt b/templates/category.txt index 19580400..51dd2f83 100644 --- a/templates/category.txt +++ b/templates/category.txt @@ -5,13 +5,16 @@ +

    + This page was last updated on {{current_time}} CET/CEST +

    Table of Contents

    -
  • 1. Search Query
  • -
  • 2. {{title}} articles and citations over time
  • -
  • 3. Most cited articles on {{title}}
  • -
  • 4. Latest articles on {{title}}
  • + 1. Search Query
    + 2. {{title}} articles and citations over time
    + 3. Most cited articles on {{title}}
    + 4. Latest articles on {{title}}

    @@ -32,20 +35,23 @@

    - - + + - + {% for article in most_cited_articles %} + + - - + {% endfor %} @@ -58,20 +64,20 @@ - - + + - + {% for article in most_recent_articles %} + - - + {% endfor %} diff --git a/templates/all.txt b/templates/overview.txt similarity index 58% rename from templates/all.txt rename to templates/overview.txt index f0cae82f..e58e696d 100644 --- a/templates/all.txt +++ b/templates/overview.txt @@ -5,15 +5,25 @@ +

    + This page was last updated on {{current_time}} CET/CEST +

    -

    Table of Contents

    -
  • 1. Search Query
  • -
  • 2. Number of articles and citations over time
  • -
  • 3. Most cited articles
  • -
  • 4. Latest articles
  • -
  • 5. Comparison metrics
  • + The Overview tab provides a summary of all + sub-topics covered in the tabs, serving as a convenient starting + point for seeking a general understanding or quick reference + before delving into specific details within individual tabs. +

    +

    +

    Table of Contents

    + 1. Search Query
    + 2. Number of articles and citations over time
    + 3. Most cited articles
    + 4. Latest articles
    + 5. Comparison metrics
    +

    1. Search query

    @@ -33,20 +43,20 @@ - - + + - + {% for article in most_cited_articles %} - - - + + + - + {% endfor %} @@ -59,20 +69,20 @@ - - + + - + {% for article in most_recent_articles %} - - - + + + - + {% endfor %} @@ -121,13 +131,20 @@ \ No newline at end of file
    TitleAuthorsPuation DateJournal/ConferenceCitation count
    Walk in Views: Multi-view Path Aggregation Graph Network for 3D Shape Analysis2024-03-010Inf. FusionHierarchical spatio-temporal graph convolutional neural networks for traffic data imputation
    Dongwei Xu, Hang Peng, Yufu Tang, Haifeng Guo Information Fusion
    Topic Modeling on Document Networks With Dirichlet Optimal Transport Barycenter2024-03-010IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    MCGCN: Multi-Correlation Graph Convolutional Network for Pedestrian Attribute Recognition2024-03-010IEICE Transactions on Information and SystemsNA
    Postdisaster Routing of Movable Energy Resources for Enhanced Distribution System Resilience: A Deep Reinforcement Learning-Based Approach2024-03-010IEEE Industry Applications MagazineIEEE Industry Applications Magazine
    Towards explaining graph neural networks via preserving prediction ranking and structural dependency2024-03-010Inf. Process. Manag.Information Processing & Management
    Who is Who on Ethereum? Account Labeling Using Heterophilic Graph Convolutional Network2024-03-012IEEE Transactions on Systems, Man, and Cybernetics: SystemsNA
    An EV Charging Station Load Prediction Method Considering Distribution Network Upgrade2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Event-Based Bipartite Containment Control for Multi-Agent Networks Subject to Communication Delay2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Efficient Throughput Maximization in Dynamic Rechargeable Networks2024-03-010IEEE Transactions on Mobile ComputingIEEE Transactions on Mobile Computing
    Real-Time Joint Regulations of Frequency and Voltage for TSO-DSO Coordination: A Deep Reinforcement Learning-Based Approach2024-03-012IEEE Transactions on Smart GridIEEE Transactions on Smart Grid
    Relation-aware graph convolutional network for waste battery inspection based on X-ray images2024-03-010Sustainable Energy Technologies and AssessmentsSustainable Energy Technologies and Assessments
    Query-Aware Explainable Product Search With Reinforcement Knowledge Graph Reasoning2024-03-010IEEE Transactions on Knowledge and Data EngineeringIEEE Transactions on Knowledge and Data Engineering
    Improving chemical reaction yield prediction using pre-trained graph neural networks2024-03-010Journal of CheminformaticsJournal of Cheminformatics
    Enhancing the Tolerance of Voltage Regulation to Cyber Contingencies via Graph-Based Deep Reinforcement Learning2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Estimating the connectional brain template based on multi-view networks with bi-channel graph neural network2024-03-010Biomedical Signal Processing and ControlBiomedical Signal Processing and Control
    Stochastic Hybrid Networks for Global Almost Sure Unanimous Decision Making2024-03-010IEEE Transactions on Automatic ControlIEEE Transactions on Automatic Control
    Indoor functional subspace division from point clouds based on graph neural network2024-03-010International Journal of Applied Earth Observation and GeoinformationInternational Journal of Applied Earth Observation and Geoinformation
    Minimum collisions assignment in interdependent networked systems via defective colorings2024-03-010ITU Journal on Future and Evolving TechnologiesNA
    A Data-Driven Koopman Approach for Power System Nonlinear Dynamic Observability Analysis2024-03-01 0IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    A simplified simulation strategy for barge-bridge collision learned from collapse of Taiyangbu Bridge2024-03-010Engineering StructuresEngineering structures
    How Much Do Urban Terminal Delivery Paths Depend on Urban Roads – A Research Based on Bipartite Graph Network2024-03-010Promet - Traffic&TransportationNA
    A Monte Carlo Approach to Koopman Direct Encoding and Its Application to the Learning of Neural-Network Observables2024-03-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    HKFGCN: A novel multiple kernel fusion framework on graph convolutional network to predict microbe-drug associations2024-03-010Computational Biology and ChemistryComputational biology and chemistry
    Dual Preference Perception Network for Fashion Recommendation in Social Internet of Things2024-03-010IEEE Internet of Things JournalIEEE Internet of Things Journal
    Ego-Aware Graph Neural Network2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Energy-Efficient Graph Reinforced vNFC Deployment in Elastic Optical Inter-DC Networks2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    RWE: A Random Walk Based Graph Entropy for the Structural Complexity of Directed Networks2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    PaSTG: A Parallel Spatio-Temporal GCN Framework for Traffic Forecasting in Smart City2024-03-010ACM Transactions on Sensor NetworksACM transactions on sensor networks
    Human-Robot Collaboration Through a Multi-Scale Graph Convolution Neural Network With Temporal Attention2024-03-011IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    Multiclass and Multilabel Classifications by Consensus and Complementarity-Based Multiview Latent Space Projection2024-03-010IEEE Transactions on Systems, Man, and Cybernetics: SystemsNA
    QoS Prediction and Adversarial Attack Protection for Distributed Services Under DLaaS2024-03-0113IEEE Transactions on ComputersIEEE transactions on computers
    Which Link Matters? Maintaining Connectivity of Uncertain Networks Under Adversarial Attack2024-03-010IEEE Transactions on Mobile ComputingIEEE Transactions on Mobile Computing
    Dynamical Bifurcations of a Fractional-Order BAM Neural Network: Nonidentical Neutral Delays2024-03-010IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Improving potential energy surfaces using measured Feshbach resonance states2024-03-010Science AdvancesScience Advances
    STAGP: Spatio-Temporal Adaptive Graph Pooling Network for Pedestrian Trajectory Prediction2024-03-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    GCN-Based Risk Prediction for Necrosis Slide of Hepatocellular Carcinoma.2024-03-010Studies in health technology and informaticsStudies in Health Technology and Informatics
    User Security-Oriented Information-Centric IoT Nodes Clustering With Graph Convolution Networks2024-03-010IEEE Internet of Things JournalIEEE Internet of Things Journal
    Navigating the Mental Lexicon: Network Structures, Lexical Search and Lexical Retrieval2024-03-010Journal of Psycholinguistic ResearchJournal of Psycholinguistic Research
    Intelligent floor plan design of modular high-rise residential building based on graph-constrained generative adversarial networks2024-03-010Automation in ConstructionAutomation in Construction
    Hierarchical structural graph neural network with local relation enhancement for hyperspectral image classification2024-03-010Digital Signal ProcessingNA
    Car-Studio: Learning Car Radiance Fields From Single-View and Unlimited In-the-Wild Images2024-03-010IEEE Robotics and Automation LettersIEEE Robotics and Automation Letters
    A Data-Knowledge-Hybrid-Driven Method for Modeling Reactive Power-Voltage Response Characteristics of Renewable Energy Sources2024-03-011IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    A recommender system-using novel deep network collaborative filtering2024-03-010IAES International Journal of Artificial Intelligence (IJ-AI)IAES International Journal of Artificial Intelligence (IJ-AI)
    Fuzzy Stochastic Configuration Networks for Nonlinear System Modeling2024-03-011IEEE Transactions on Fuzzy SystemsIEEE transactions on fuzzy systems
    Hierarchical graph fusion network and a new argumentative dataset for multiparty dialogue discourse parsing2024-03-010Inf. Process. Manag.Information Processing & Management
    Real-Time Offloading for Dependent and Parallel Tasks in Cloud-Edge Environments Using Deep Reinforcement Learning2024-03-010IEEE Transactions on Parallel and Distributed SystemsIEEE Transactions on Parallel and Distributed Systems
    Altered white matter functional pathways in Alzheimer's disease.2024-03-010Cerebral cortexCerebral Cortex
    Neural Network Applications in Hybrid Data-Model Driven Dynamic Frequency Trajectory Prediction for Weak-Damping Power Systems2024-03-010IEEE Transactions on Power SystemsIEEE Transactions on Power Systems
    Recovering Static and Time-Varying Communities Using Persistent Edges2024-03-01Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation
    Can Tian, Zhaohui Tang, Hu Zhang, Yongfang Xie, Zhien DaiControl Engineering Practice 0IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Public opinion bunching storage model for dense graph data in social networks12024-03-01MACNS: A generic graph neural network integrated deep reinforcement learning based multi-agent collaborative navigation system for dynamic trajectory planning
    Ziren Xiao, Peisong Li, Chang Liu, Honghao Gao, Xinheng WangInf. Fusion 0Journal of Intelligent & Fuzzy SystemsNA
    Learning-Based Edge-Device Collaborative DNN Inference in IoVT Networks2024-03-01DawnGNN: Documentation augmented windows malware detection using graph neural network
    Pengbin Feng, Le Gai, Li Yang, Qin Wang, Teng Li, Ning Xi, Jianfeng MaComputers & Security 0IEEE Internet of Things JournalIEEE Internet of Things Journal
    Enhancing Demand Prediction: A Multi-Task Learning Approach for Taxis and TNCs2024-03-01Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting
    Le Sun, Wenzhang Dai, Muhammad GhulamInf. Fusion 0SustainabilitySustainability
    A Graph Machine Learning Framework to Compute Zero Forcing Sets in Graphs2024-03-01FairCare: Adversarial training of a heterogeneous graph neural network with attention mechanism to learn fair representations of electronic health records
    Yan Wang, Ruochi Zhang, Qian Yang, Qiong Zhou, Shengde Zhang, Yusi Fan, Lan Huang, Kewei Li, Fengfeng ZhouInformation Processing & Management 0IEEE Transactions on Network Science and EngineeringIEEE Transactions on Network Science and Engineering
    Spatio-temporal multi-graph transformer network for joint prediction of multiple vessel trajectories2024-03-01Multi-criteria group decision making based on graph neural networks in Pythagorean fuzzy environment
    Zhenhua Meng, Rongheng Lin, Budan WuExpert Systems with Applications 1Engineering Applications of Artificial IntelligenceEngineering applications of artificial intelligence
    Visual Knowledge Graph Construction of Self-directed Learning Ability Driven by Interdisciplinary Projects2024-03-010ICST Transactions on Scalable Information SystemsNA
    TitlePublicationDate#CitationsAuthorsPublication Date Journal/ConferencepublicationVenueCitation count
    {{article.title}}{{ article.authors}} {{ article.publicationDate}}{{ article.citationCount}} {{ article.journal}}{{ article.publicationVenue}}{{ article.citationCount}}
    TitlePublicationDate#CitationsAuthorsPublication Date Journal/ConferencepublicationVenueCitation count
    {{article.title}}{{ article.authors}} {{ article.publicationDate}}{{ article.citationCount}} {{ article.journal}}{{ article.publicationVenue}}{{ article.citationCount}}
    TitlePublicationDate#CitationsAuthorsPuation Date Journal/ConferencepublicationVenueCitation count
    {{article.title}}{{ article.publicationDate}}{{ article.citationCount}}{{article.title}}
    {{ article.authors}}{{ article.puationDate}} {{ article.journal}}{{ article.publicationVenue}}{{ article.citationCount}}
    TitlePublicationDate#CitationsAuthorsPuation Date Journal/ConferencepublicationVenueCitation count
    {{article.title}}{{ article.publicationDate}}{{ article.citationCount}}{{article.title}}
    {{ article.authors}}{{ article.puationDate}} {{ article.journal}}{{ article.publicationVenue}}{{ article.citationCount}}