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 +
@@ -36,1630 +39,163 @@ hide:
Title
- PublicationDate
- #Citations
+ Authors
+ Publication Date
Journal/Conference
- publicationVenue
+ Citation count
+
Title | +Authors | +Publication Date | +Journal/Conference | +Citation count | +|||||
---|---|---|---|---|---|---|---|---|---|
Explicit Local Integrals of Motion for the Many-Body Localized State. | -2015-07-27 | -114 | -Physical review letters | -Physical Review Letters | +A Data-Driven Koopman Approach for Power System Nonlinear Dynamic Observability Analysis | +Yijun Xu, Qinling Wang, L. Mili, Zongsheng Zheng, W. Gu, Shuai Lu, Zhi Wu | +2024-03-01 | +IEEE Transactions on Power Systems | +0 |
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/sink | -2019-10-11 | -113 | -Scientific Reports | -Scientific Reports | +A Monte Carlo Approach to Koopman Direct Encoding and Its Application to the Learning of Neural-Network Observables | +Itta Nozawa, Emily Kamienski, Cormac O’Neill, H. H. Asada | +2024-03-01 | +IEEE Robotics and Automation Letters | +0 |
Physics-Informed Probabilistic Learning of Linear Embeddings of Nonlinear Dynamics with Guaranteed Stability | -2019-06-09 | -112 | -SIAM J. Appl. Dyn. Syst. | -SIAM Journal on Applied Dynamical Systems | +Robust Learning and Control of Time-Delay Nonlinear Systems With Deep Recurrent Koopman Operators | +Minghao Han, Zhaojian Li, Xiang Yin, Xunyuan Yin | +2024-03-01 | +IEEE Transactions on Industrial Informatics | +1 |
Active Learning of Dynamics for Data-Driven Control Using Koopman Operators | -2019-06-12 | -109 | -IEEE Transactions on Robotics | -IEEE Transactions on robotics | +Improving potential energy surfaces using measured Feshbach resonance states | +Karl P. Horn, Luis Itza Vazquez-Salazar, Christiane P. Koch, Markus Meuwly | +2024-03-01 | +Science Advances | +0 |
On the use of Fourier averages to compute the global isochrons of (quasi)periodic dynamics. | -2012-07-18 | -108 | -Chaos | -Chaos | +Robust Three-Stage Dynamic Mode Decomposition for Analysis of Power System Oscillations | +R. D. Rodriguez-Soto, E. Barocio, F. Gonzalez-Longatt, F. R. Segundo Sevilla, P. Korba | +2024-03-01 | +IEEE Transactions on Power Systems | +0 |
Infinite Dimensional Backstepping-Style Feedback Transformations for a Heat Equation with an Arbitrary Level of Instability | -None | -103 | -Eur. J. Control | -European Journal of Control | -|||||
Data-Driven Control of Soft Robots Using Koopman Operator Theory | -2021-06-01 | -102 | -IEEE Transactions on Robotics | -IEEE Transactions on robotics | -|||||
Variational Koopman models: Slow collective variables and molecular kinetics from short off-equilibrium simulations. | -2016-10-20 | -102 | -The Journal of chemical physics | -Journal of Chemical Physics | -|||||
Koopman operator based observer synthesis for control-affine nonlinear systems | -2016-12-01 | -100 | -2016 IEEE 55th Conference on Decision and Control (CDC) | -IEEE Conference on Decision and Control | -|||||
Eigendecompositions of Transfer Operators in Reproducing Kernel Hilbert Spaces | -2017-12-05 | -99 | -Journal of Nonlinear Science | -Journal of nonlinear science | -|||||
Probing ultrafast internal conversion through conical intersection via time-energy map of photoelectron angular anisotropy. | -2009-08-05 | -99 | -Journal of the American Chemical Society | -Journal of the American Chemical Society | -|||||
Optimal Construction of Koopman Eigenfunctions for Prediction and Control | -2018-10-20 | -98 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -|||||
Hidden BRS invariance in classical mechanics. II. | -1989-11-15 | -98 | -Physical review. D, Particles and fields | -Physical Review D, Particles and fields | -|||||
Learning Compositional Koopman Operators for Model-Based Control | -2019-10-18 | -96 | -ArXiv | -International Conference on Learning Representations | -|||||
Optimum Exchange for Calculation of Excitation Energies and Hyperpolarizabilities of Organic Electro-optic Chromophores. | -2014-08-25 | -95 | -Journal of chemical theory and computation | -Journal of Chemical Theory and Computation | -|||||
Linear identification of nonlinear systems: A lifting technique based on the Koopman operator | -2016-05-14 | -95 | -2016 IEEE 55th Conference on Decision and Control (CDC) | -IEEE Conference on Decision and Control | -|||||
Seniority-based coupled cluster theory. | -2014-10-24 | -94 | -The Journal of chemical physics | -Journal of Chemical Physics | -|||||
A hospital facility layout problem finally solved | -2001-10-01 | -94 | -Journal of Intelligent Manufacturing | -Journal of Intelligent Manufacturing | -|||||
Estimation of electron transfer parameters from AM1 calculations. | -2001-08-30 | -94 | -The Journal of organic chemistry | -Journal of Organic Chemistry | -|||||
Single-Mixture Audio Source Separation by Subspace Decomposition of Hilbert Spectrum | -2007-03-01 | -94 | -IEEE Transactions on Audio, Speech, and Language Processing | -IEEE Transactions on Audio, Speech, and Language Processing | -|||||
Higher-order equation-of-motion coupled-cluster methods for ionization processes. | -2006-08-21 | -93 | -The Journal of chemical physics | -Journal of Chemical Physics | -|||||
One world, one beable | -2015-10-01 | -92 | -Synthese | -Synthese | -|||||
Efficient preconditioning scheme for block partitioned matrices with structured sparsity | -2000-10-01 | -91 | -Numer. Linear Algebra Appl. | -Numerical Linear Algebra with Applications | -|||||
Antagonistic regulation of Cyp26b1 by transcription factors SOX9/SF1 and FOXL2 during gonadal development in mice | -2011-07-14 | -90 | -The FASEB Journal | -The FASEB Journal | -|||||
Male sex determination in the spiny rat Tokudaia osimensis (Rodentia: Muridae) is not Sry dependent | -1998-07-01 | -90 | -Mammalian Genome | -Mammalian Genome | -|||||
Forecasting Sequential Data using Consistent Koopman Autoencoders | -2020-03-04 | -90 | -ArXiv | -International Conference on Machine Learning | -|||||
General Method for Solving the Split Common Fixed Point Problem | -2015-05-01 | -89 | -Journal of Optimization Theory and Applications | -Journal of Optimization Theory and Applications | -|||||
Master equations and the theory of stochastic path integrals | -2016-09-09 | -88 | -Reports on Progress in Physics | -NA | -|||||
Self-consistent solution of the Dyson equation for atoms and molecules within a conserving approximation. | -2005-04-22 | -87 | -The Journal of chemical physics | -Journal of Chemical Physics | -
-
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -|||||
---|---|---|---|---|---|---|---|---|---|
A Data-Driven Koopman Approach for Power System Nonlinear Dynamic Observability Analysis | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
A Monte Carlo Approach to Koopman Direct Encoding and Its Application to the Learning of Neural-Network Observables | -2024-03-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
Improving potential energy surfaces using measured Feshbach resonance states | -2024-03-01 | -0 | -Science Advances | -Science Advances | -|||||
Robust Three-Stage Dynamic Mode Decomposition for Analysis of Power System Oscillations | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
Data-Driven Transient Stability Evaluation of Electric Distribution Networks Dominated by EV Supercharging Stations | -2024-03-01 | -0 | -IEEE Transactions on Smart Grid | -IEEE Transactions on Smart Grid | +Data-Driven Transient Stability Evaluation of Electric Distribution Networks Dominated by EV Supercharging Stations | +Jimiao Zhang, Jie Li | +2024-03-01 | +IEEE Transactions on Smart Grid | +0 |
Approximation of discrete and orbital Koopman operators over subsets and manifolds | +Andrew J. Kurdila, S. Paruchuri, Nathan Powell, Jia Guo, Parag Bobade, Boone Estes, Haoran Wang | 2024-02-22 | -0 | Nonlinear Dynamics | -Nonlinear dynamics | -||||
Learning Hamiltonian neural Koopman operator and simultaneously sustaining and discovering conservation laws | -2024-02-20 | -0 | -Physical Review Research | -Physical Review Research | -|||||
Extraction of nonlinearity in neural networks and model compression with Koopman operator | -2024-02-18 | -0 | -ArXiv | -arXiv.org | -|||||
Machine Learning based Prediction of Ditching Loads | -2024-02-16 | -0 | -ArXiv | -arXiv.org | -|||||
Kolmogorov n-Widths for Multitask Physics-Informed Machine Learning (PIML) Methods: Towards Robust Metrics | -2024-02-16 | -0 | -ArXiv | -arXiv.org | -|||||
A243 BONE MINERAL DENSITY AND DIETARY BONE NUTRIENTS DIFFER IN PATIENTS WITH CROHN'S DISEASE STRICTURES | -2024-02-14 | -0 | -Journal of the Canadian Association of Gastroenterology | -Journal of the Canadian Association of Gastroenterology | -|||||
On a modified Hilbert transformation, the discrete inf-sup condition, and error estimates | -2024-02-13 | -1 | -ArXiv | -arXiv.org | -|||||
Physics-informed machine learning as a kernel method | -2024-02-12 | -0 | -ArXiv | -arXiv.org | -|||||
Generalizing across Temporal Domains with Koopman Operators | -2024-02-12 | -0 | -ArXiv | -arXiv.org | -|||||
Artificial neural network of thermal Buoyancy and Fourier flux impact on suction/injection‐based Darcy medium surface filled with hybrid and ternary nanoparticles | -2024-02-11 | -0 | -ZAMM - Journal of Applied Mathematics and Mechanics / Zeitschrift für Angewandte Mathematik und Mechanik | -NA | -|||||
Koopman fault‐tolerant model predictive control | -2024-02-08 | -0 | -IET Control Theory & Applications | -NA | -|||||
Radiative MHD Boundary Layer Flow and Heat Transfer Characteristics of Fe-Casson Base Nanofluid over Stretching/Shrinking Surface | -2024-02-06 | -0 | -Defect and Diffusion Forum | -Defect and Diffusion Forum | -|||||
SafEDMD: A certified learning architecture tailored to data-driven control of nonlinear dynamical systems | -2024-02-05 | -0 | -ArXiv | -arXiv.org | -|||||
Glocal Hypergradient Estimation with Koopman Operator | -2024-02-05 | -0 | -ArXiv | -arXiv.org | -|||||
Real-Time Constrained Tracking Control of Redundant Manipulators Using a Koopman-Zeroing Neural Network Framework | -2024-02-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
Acoustic metamaterials for realizing a scalable multiple phi-bit unitary transformation | -2024-02-01 | -0 | -AIP Advances | -AIP Advances | -|||||
Uco Koopmans, je hebt gewoon een punt! | -2024-02-01 | -0 | -De Psychiater | -De Psychiater | -|||||
A Simulation Preorder for Koopman-like Lifted Control Systems | -2024-01-26 | -0 | -ArXiv | -arXiv.org | -|||||
Koopman-based model predictive control with morphing surface: Regulating the flutter response of a foil with an active flap | -2024-01-24 | -0 | -Physical Review Fluids | -Physical Review Fluids | -|||||
Graph Koopman Autoencoder for Predictive Covert Communication Against UAV Surveillance | -2024-01-23 | -0 | -ArXiv | -arXiv.org | -|||||
MHD Flow Darcy Forchheimeter of Jeffrey Nanofluid over a Stretching Sheet Considering Melting Heat Transfer and Viscous Dissipation heat transfe | -2024-01-23 | -0 | -CFD Letters | -CFD Letters | -|||||
A multi-modality and multi-dyad approach to measuring flexibility in psychotherapy. | -2024-01-22 | -0 | -Psychotherapy research : journal of the Society for Psychotherapy Research | -Psychotherapy Research | -|||||
A LAPACK implementation of the Dynamic Mode Decomposition | -2024-01-19 | -0 | -ACM Transactions on Mathematical Software | -ACM Transactions on Mathematical Software | -|||||
Dual-Loop Robust Control of Biased Koopman Operator Model by Noisy Data of Nonlinear Systems | -2024-01-16 | -0 | -ArXiv | -arXiv.org | -|||||
Learning Stable Koopman Embeddings for Identification and Control | -2024-01-16 | -0 | -ArXiv | -arXiv.org | -|||||
Time-certified Input-constrained NMPC via Koopman Operator | -2024-01-09 | -1 | -ArXiv | -arXiv.org | -|||||
Data-Driven Nonlinear Model Reduction Using Koopman Theory: Integrated Control Form and NMPC Case Study | -2024-01-09 | -6 | -IEEE Control Systems Letters | -IEEE Control Systems Letters | -|||||
On the Convergence of Hermitian Dynamic Mode Decomposition | -2024-01-06 | -0 | -ArXiv | -arXiv.org | -|||||
Significance of mixed convective double diffusive MHD stagnation point flow of nanofluid over a vertical surface with heat generation | -2024-01-04 | -0 | -Proceedings of the Institution of Mechanical Engineers, Part N: Journal of Nanomaterials, Nanoengineering and Nanosystems | -Proceedings of the Institution of Mechanical Engineers Part N Journal of Nanomaterials Nanoengineering and Nanosystems | -|||||
Heisenberg versus the Covariant String | -2024-01-04 | -0 | -International Journal of Theoretical Physics | -International Journal of Theoretical Physics | -|||||
Achieving Accuracy and Economy for Calculating Vertical Detachment Energies of Molecular Anions: A Model Chemistry Composite Methods. | -2024-01-02 | -0 | -Chemphyschem : a European journal of chemical physics and physical chemistry | -ChemPhysChem | -|||||
Adaptive Boundary Observers for Hyperbolic PDEs With Application to Traffic Flow Estimation | -2024-01-01 | -0 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -|||||
Robust deep Koopman model predictive load frequency control of interconnected power systems | -2024-01-01 | -0 | -Electric Power Systems Research | -Electric power systems research | -|||||
Data-driven modelling of brain activity using neural networks, diffusion maps, and the Koopman operator. | -2024-01-01 | -0 | -Chaos | -Chaos | -|||||
Koopman-based deep iISS bilinear parity approach for data-driven fault diagnosis: Experimental demonstration using three-tank system | -2024-01-01 | -1 | -Control Engineering Practice | -Control Engineering Practice | -|||||
Aspects of chemical reaction and mixed convection in ternary hybrid nanofluid with Marangoni convection and heat source | -2023-12-30 | -0 | -Modern Physics Letters B | -Modern physics letters B | -|||||
Liberdade de expressão, discurso de ódio e mídia: | -2023-12-29 | -0 | -Revista Thesis Juris | -Revista Thesis Juris | -|||||
Data-Driven Model Predictive Control for Uncalibrated Visual Servoing | -2023-12-29 | -0 | -Symmetry | -Symmetry | -|||||
Estimation and Prediction of the Polymers’ Physical Characteristics Using the Machine Learning Models | -2023-12-29 | -1 | -Polymers | -Polymers | -|||||
A randomized algorithm to solve reduced rank operator regression | -2023-12-28 | -0 | -ArXiv | -arXiv.org | -|||||
Properties of Immersions for Systems with Multiple Limit Sets with Implications to Learning Koopman Embeddings | -2023-12-28 | -1 | -ArXiv | -arXiv.org | -|||||
A data driven Koopman-Schur decomposition for computational analysis of nonlinear dynamics | -2023-12-26 | -1 | -ArXiv | -arXiv.org | -|||||
Uncertainty goes mainstream: Savage, Koopmans and the measurability of uncertainty at the Cowles Commission | -2023-12-23 | -0 | -The European Journal of the History of Economic Thought | -European Journal of the History of Economic Thought | -|||||
Engineering Gas Diffusion Electrode Microstructures for the Electrochemical Reduction of CO2 | -2023-12-22 | -0 | -ECS Meeting Abstracts | -ECS Meeting Abstracts | -|||||
MHD Casson Flow over a Non-Linear Convective Inclined Plate with Chemical Reaction and Arrhenius Activation Energy | -2023-12-21 | -0 | -Diffusion Foundations and Materials Applications | -NA | -|||||
Koopmon trajectories in nonadiabatic quantum-classical dynamics | -2023-12-21 | -0 | -ArXiv | -arXiv.org | -|||||
Consistent Long-Term Forecasting of Ergodic Dynamical Systems | -2023-12-20 | -0 | -ArXiv | -arXiv.org | -|||||
Effect of Forchheimer on Hydromagnetic Flow Inspired by Chemical Reaction Over an Accelerating Surface | -2023-12-20 | -0 | -Journal of Mines, Metals and Fuels | -Journal of Mines, Metals and Fuels | -|||||
Mixed Convection of a Hybrid Nanofluid Flow with Variable Thickness Sheet | -2023-12-20 | -0 | -Journal of Mines, Metals and Fuels | -Journal of Mines, Metals and Fuels | -|||||
On the Ramsey–Cass–Koopmans Problem for Consumer Choice | -2023-12-19 | -0 | -Journal of Mathematical Sciences | -Journal of Mathematical Sciences | -|||||
Data-driven discovery with Limited Data Acquisition for fluid flow across cylinder | -2023-12-19 | -0 | -ArXiv | -arXiv.org | -|||||
Robust Learning-Based Control for Uncertain Nonlinear Systems With Validation on a Soft Robot. | -2023-12-18 | -0 | -IEEE transactions on neural networks and learning systems | -IEEE Transactions on Neural Networks and Learning Systems | -|||||
Data‐driven parallel Koopman subsystem modeling and distributed moving horizon state estimation for large‐scale nonlinear processes | -2023-12-16 | -0 | -AIChE Journal | -AIChE Journal | -|||||
Employee Performance in Aviation Industry Based on Koopman’s Individual Work Performance Questionnaire (IWPQ) | -2023-12-16 | -0 | -INTERNATIONAL JOURNAL OF MULTIDISCIPLINARY RESEARCH AND ANALYSIS | -International 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 Plates | -2023-12-15 | -0 | -Journal of Advanced Research in Fluid Mechanics and Thermal Sciences | -Journal of Advanced Research in Fluid Mechanics and Thermal Sciences | -|||||
Convergent Dynamic Mode Decomposition | -2023-12-13 | -0 | -2023 62nd IEEE Conference on Decision and Control (CDC) | -IEEE Conference on Decision and Control | -|||||
A Koopman Operator-Based Finite Impulse Response Filter for Nonlinear Systems | -2023-12-13 | -0 | -2023 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 Setting | -2023-12-13 | -0 | -2023 62nd IEEE Conference on Decision and Control (CDC) | -IEEE Conference on Decision and Control | -|||||
Learning Switched Koopman Models for Control of Entity-Based Systems | -2023-12-13 | -0 | -2023 62nd IEEE Conference on Decision and Control (CDC) | -IEEE Conference on Decision and Control | -|||||
Convergence Rates for Approximations of Deterministic Koopman Operators via Inverse Problems | -2023-12-13 | -0 | -2023 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 Modelling | -2023-12-12 | -0 | -ArXiv | -arXiv.org | -|||||
Data-Driven Bifurcation Analysis via Learning of Homeomorphism | -2023-12-11 | -0 | -ArXiv | -arXiv.org | -|||||
Spectral Koopman Method for Identifying Stability Boundary | -2023-12-11 | -0 | -ArXiv | -IEEE Control Systems Letters | -|||||
Randomized Physics-Informed Machine Learning for Uncertainty Quantification in High-Dimensional Inverse Problems | -2023-12-11 | -0 | -ArXiv | -arXiv.org | -|||||
Fusion of Ultrasound and Magnetic Resonance Images for Endometriosis Diagnosis: A Non-Parametric Approach | -2023-12-10 | -0 | -2023 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-10 | -0 | -Water research | -Water Research | -|||||
Utrecht bouwt 1945-1975 | Post 65 - Een turbulente tijd | Experimentele woningbouw in Nederland 1968-1980 | -2023-12-09 | -0 | -Bulletin KNOB | -Bulletin KNOB | -|||||
Trajectory Estimation in Unknown Nonlinear Manifold Using Koopman Operator Theory | -2023-12-09 | -0 | -ArXiv | -arXiv.org | -|||||
Deep Learning for Koopman-based Dynamic Movement Primitives | -2023-12-06 | -0 | -ArXiv | -arXiv.org | -|||||
Koopman model predictive control based load modulation for primary frequency regulation | -2023-12-06 | -0 | -IET Generation, Transmission & Distribution | -NA | -|||||
Dynamic mode decomposition for Koopman spectral analysis of elementary cellular automata. | -2023-12-04 | -0 | -Chaos | -Chaos | -|||||
KEEC: Embed to Control on An Equivariant Geometry | -2023-12-04 | -0 | -ArXiv | -arXiv.org | -|||||
General Numerical Framework to Derive Structure Preserving Reduced Order Models for Thermodynamically Consistent Reversible-Irreversible PDEs | -2023-12-04 | -0 | -ArXiv | -arXiv.org | -|||||
Koopman-based feedback design with stability guarantees | -2023-12-03 | -2 | -ArXiv | -arXiv.org | -|||||
Abstract IA004: Preclinical development of DuoBody®-CD3xB7H4, a novel CD3 bispecific antibody for the treatment of solid cancers | -2023-12-01 | -0 | -Molecular Cancer Therapeutics | -Molecular Cancer Therapeutics | -|||||
Significance of Chemical Reaction Under the Influence of Joule Heating for Walters’ B Fluid Flow towards an Extending Sheet | -2023-12-01 | -0 | -International Journal of Applied and Computational Mathematics | -International 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-01 | -0 | -Renewable Energy | -Renewable Energy | -|||||
Validation of genetic stratification for risk of Alzheimer’s disease using UK Biobank | -2023-12-01 | -0 | -Alzheimer's & Dementia | -NA | -|||||
Machine Learning Study through Physics-Informed Neural Networks: Analysis of the Stable Vortices in Quasi-Integrable Systems | -2023-12-01 | -0 | -Journal of Physics: Conference Series | -NA | -|||||
Data-driven identification and fast model predictive control of the ORC waste heat recovery system by using Koopman operator | -2023-12-01 | -0 | -Control Engineering Practice | -Control Engineering Practice | -|||||
Adaptive Stabilization for ODE–PDE–ODE Cascade Systems With Parameter Uncertainty | -2023-12-01 | -0 | -IEEE Transactions on Systems, Man, and Cybernetics: Systems | -NA | -|||||
The Multiverse of Dynamic Mode Decomposition Algorithms | -2023-11-30 | -2 | -ArXiv | -arXiv.org | -|||||
Stability control for USVs with SINDY-based online dynamic model update | -2023-11-29 | -0 | -ArXiv | -arXiv.org | -|||||
El camino de la geopolítica crítica en América del Sur: entre la estructura y el individuo | -2023-11-29 | -0 | -Punto sur | -Punto sur | -|||||
State Prediction of Small Signal Synchronous Stability of Converter Interfaced Generation System Based on Koopman Operator and Time Delay Embedding | -2023-11-28 | -0 | -2023 IEEE Sustainable Power and Energy Conference (iSPEC) | -Information Security Practice and Experience | -|||||
Reparameterized multiobjective control of BCG immunotherapy | -2023-11-27 | -0 | -Scientific Reports | -Scientific Reports | -|||||
Decrypting Nonlinearity: Koopman Interpretation and Analysis of Cryptosystems | -2023-11-21 | -1 | -ArXiv | -arXiv.org | -|||||
Invariance Proximity: Closed-Form Error Bounds for Finite-Dimensional Koopman-Based Models | -2023-11-21 | -2 | -ArXiv | -arXiv.org | -|||||
Control-Oriented Modeling of a Soft Manipulator Using the Learning-Based Koopman Operator | -2023-11-21 | -0 | -2023 29th International Conference on Mechatronics and Machine Vision in Practice (M2VIP) | -International Conference on Mechatronics and Machine Vision in Practice | -|||||
Koopman Learning with Episodic Memory | -2023-11-21 | -0 | -ArXiv | -arXiv.org | -|||||
Closed-Form Information-Theoretic Roughness Measures for Mixture Densities | -2023-11-16 | -0 | -ArXiv | -arXiv.org | -|||||
K-BMPC: Derivative-based Koopman Bilinear Model Predictive Control For Tractor-trailer Trajectory Tracking With Unknown Parameters | -2023-11-15 | -0 | -ArXiv | -arXiv.org | -|||||
Data-Driven Modeling for Pneumatic Muscle Using Koopman-Based Kalman Filter | -2023-11-09 | -0 | -2023 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 formulations | -2023-11-09 | -0 | -ArXiv | -arXiv.org | -|||||
Koopmans' theorem for acidic protons. | -2023-11-03 | 0 | -Chemical communications | -Chemical Communications | Denoising Diffusion Implicit Models | +Jiaming Song, Chenlin Meng, Stefano Ermon | 2020-10-06 | -2519 | ArXiv | -International Conference on Learning Representations | +2555 |
GTM: The Generative Topographic Mapping | +Charles M. Bishop, M. Svensén, Christopher K. I. Williams | None | -1496 | -Neural Computation | Neural Computation | +1498 | |||
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 Autoencoding Gaussian Mixture Model for Unsupervised Anomaly Detection | +Bo Zong, Qi Song, Martin Renqiang Min, Wei Cheng, C. Lumezanu, Dae-ki Cho, Haifeng Chen | 2018-02-15 | -1237 | - | International Conference on Learning Representations | +1245 | |||
Botulinum neurotoxin A selectively cleaves the synaptic protein SNAP-25 | +J. Blasi, E. Chapman, E. Link, T. Binz, S. Yamasaki, P. Camilli, T. Südhof, H. Niemann, R. Jahn | 1993-09-09 | -1165 | -Nature | Nature | +1165 | |||
Poincaré Embeddings for Learning Hierarchical Representations | +Maximilian Nickel, Douwe Kiela | 2017-05-22 | -1032 | ArXiv | -Neural Information Processing Systems | +1035 | |||
Validation of information recorded on general practitioner based computerised data resource in the United Kingdom. | +H. Jick, S. Jick, L. Derby | 1991-03-30 | -877 | British Medical Journal | -British medical journal | -||||
Cross-domain sentiment classification via spectral feature alignment | -2010-04-26 | -792 | -{'pages': '751-760'} | -The Web Conference | -|||||
Synaptic vesicle membrane fusion complex: action of clostridial neurotoxins on assembly. | -1994-11-01 | -783 | -The EMBO Journal | -EMBO Journal | -|||||
VBF: Vector-Based Forwarding Protocol for Underwater Sensor Networks | -2006-05-15 | -732 | -{'pages': '1216-1221'} | -NA | -|||||
Towards K-means-friendly Spaces: Simultaneous Deep Learning and Clustering | -2016-10-15 | -731 | -{'pages': '3861-3870'} | -International Conference on Machine Learning | -|||||
HAQ: Hardware-Aware Automated Quantization With Mixed Precision | -2018-11-21 | -687 | -2019 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR) | -Computer Vision and Pattern Recognition | -|||||
Sim-to-Real: Learning Agile Locomotion For Quadruped Robots | -2018-04-27 | -651 | -ArXiv | -NA | -|||||
SNARE Function Analyzed in Synaptobrevin/VAMP Knockout Mice | -2001-11-02 | -643 | -Science | -Science | -|||||
Variants of Dynamic Mode Decomposition: Boundary Condition, Koopman, and Fourier Analyses | -2012-04-27 | -643 | -Journal of Nonlinear Science | -Journal of nonlinear science | -|||||
Cholesterol sensor ORP1L contacts the ER protein VAP to control Rab7–RILP–p150Glued and late endosome positioning | -2009-06-29 | -620 | -The Journal of Cell Biology | -Journal of Cell Biology | -|||||
Assembly of presynaptic active zones from cytoplasmic transport packets | -2000-05-01 | -601 | -Nature Neuroscience | -Nature Neuroscience | -|||||
Proxy prefix caching for multimedia streams | -1999-03-21 | -597 | -IEEE 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 Models | -2017-05-24 | -572 | -{'pages': '6446-6456'} | -Neural Information Processing Systems | -|||||
A conserved ER targeting motif in three families of lipid binding proteins and in Opi1p binds VAP | -2003-05-01 | -553 | -The EMBO Journal | -EMBO Journal | -|||||
VAMP-1: a synaptic vesicle-associated integral membrane protein. | -1988-06-01 | -546 | -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 | -|||||
Systematic analysis of SNARE molecules in Arabidopsis: dissection of the post-Golgi network in plant cells. | -2004-04-01 | -541 | -Cell structure and function | -Cell Structure and Function | -|||||
Latent Class Models for Collaborative Filtering | -1999-07-31 | -540 | -{'pages': '688-693'} | -International Joint Conference on Artificial Intelligence | -|||||
Cellubrevin is a ubiquitous tetanus-toxin substrate homologous to a putative synaptic vesicle fusion protein | -1993-07-22 | -493 | -Nature | -Nature | -|||||
Impairments in High-Frequency Transmission, Synaptic Vesicle Docking, and Synaptic Protein Distribution in the Hippocampus of BDNF Knockout Mice | -1999-06-15 | -488 | -The Journal of Neuroscience | -Journal of Neuroscience | -|||||
Network-Aware Operator Placement for Stream-Processing Systems | -2006-04-03 | -480 | -22nd International Conference on Data Engineering (ICDE'06) | -IEEE International Conference on Data Engineering | -|||||
Boltzmann generators: Sampling equilibrium states of many-body systems with deep learning | -2019-09-05 | -465 | -Science | -Science | -|||||
Synaptobrevin binding to synaptophysin: a potential mechanism for controlling the exocytotic fusion machine. | -1995-01-01 | -462 | -The EMBO Journal | -EMBO Journal | -|||||
TI-VAMP/VAMP7 and VAMP3/cellubrevin: two v-SNARE proteins involved in specific steps of the autophagy/multivesicular body pathways. | -2009-12-01 | -459 | -Biochimica et biophysica acta | -Biochimica et Biophysica Acta | -|||||
Structure and function of tetanus and botulinum neurotoxins | -1995-11-01 | -442 | -Quarterly Reviews of Biophysics | -NA | -|||||
VAMPnets for deep learning of molecular kinetics | -2017-10-16 | -437 | -Nature Communications | -Nature Communications | -|||||
Koopman Invariant Subspaces and Finite Linear Representations of Nonlinear Dynamical Systems for Control | -2015-10-11 | -430 | -PLoS ONE | -PLoS ONE | -|||||
Co-option of a default secretory pathway for plant immune responses | -2008-02-14 | -429 | -Nature | -Nature | -|||||
Learning effective human pose estimation from inaccurate annotation | -2011-06-20 | -424 | -CVPR 2011 | -Computer Vision and Pattern Recognition | -|||||
SNARE proteins are highly enriched in lipid rafts in PC12 cells: Implications for the spatial control of exocytosis | -2001-05-01 | -416 | -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 | -|||||
Triple Generative Adversarial Nets | -2017-03-07 | -412 | -ArXiv | -Neural Information Processing Systems | -|||||
Real-time measurements of vesicle-SNARE recycling in synapses of the central nervous system | -2000-04-01 | -403 | -Nature Cell Biology | -Nature Cell Biology | -|||||
Identification of the nerve terminal targets of botulinum neurotoxin serotypes A, D, and E. | -1993-11-15 | -396 | -The Journal of biological chemistry | -Journal of Biological Chemistry | -|||||
The membrane fusion enigma: SNAREs, Sec1/Munc18 proteins, and their accomplices--guilty as charged? | -2012-10-11 | -389 | -Annual review of cell and developmental biology | -Annual Review of Cell and Developmental Biology | -|||||
Protein-protein interactions contributing to the specificity of intracellular vesicular trafficking. | -1994-02-25 | -388 | -Science | -Science | -|||||
Estimating a State-Space Model from Point Process Observations | -2003-05-01 | -377 | -Neural Computation | -Neural Computation | -|||||
Endothelial Caveolae Have the Molecular Transport Machinery for Vesicle Budding, Docking, and Fusion Including VAMP, NSF, SNAP, Annexins, and GTPases (*) | -1995-06-16 | -368 | -The Journal of Biological Chemistry | -Journal of Biological Chemistry | -|||||
Calcium-dependent interaction of N-type calcium channels with the synaptic core complex | -1996-02-01 | -360 | -Nature | -Nature | -|||||
Identification of a Novel Syntaxin- and Synaptobrevin/VAMP-binding Protein, SNAP-23, Expressed in Non-neuronal Tissues* | -1996-06-07 | -353 | -The Journal of Biological Chemistry | -Journal of Biological Chemistry | -|||||
Mechanism of action of tetanus and botulinum neurotoxins | -1994-07-01 | -352 | -Molecular Microbiology | -Molecular Microbiology | -|||||
Complexin Controls the Force Transfer from SNARE Complexes to Membranes in Fusion | -2009-01-23 | -341 | -Science | -Science | -|||||
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 | -|||||
Robust Structured Subspace Learning for Data Representation | -2015-10-01 | -336 | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -|||||
Deep Fluids: A Generative Network for Parameterized Fluid Simulations | -2018-06-06 | -332 | -Computer Graphics Forum | -NA | -|||||
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 NeurologySYMBOL | -2008-05-06 | -332 | -Neurology | -Neurology | -|||||
Electrical stimulation of mammalian retinal ganglion cells with multielectrode arrays. | -2006-06-01 | -325 | -Journal of neurophysiology | -Journal of Neurophysiology | -|||||
AMP-Inspired Deep Networks for Sparse Linear Inverse Problems | -2016-12-04 | -325 | -IEEE Transactions on Signal Processing | -IEEE Transactions on Signal Processing | -|||||
Predicting Short-Term Traffic Flow by Long Short-Term Memory Recurrent Neural Network | -2015-12-01 | -322 | -2015 IEEE International Conference on Smart City/SocialCom/SustainCom (SmartCity) | -International Conference on Smart Cities | -|||||
Mixed and Non-cognate SNARE Complexes | -1999-05-28 | -319 | -The Journal of Biological Chemistry | -Journal of Biological Chemistry | -|||||
Homologs of the synaptobrevin/VAMP family of synaptic vesicle proteins function on the late secretory pathway in S. cerevisiae | -1993-09-10 | -319 | -Cell | -Cell | -|||||
Dynamics-Aware Unsupervised Discovery of Skills | -2019-07-02 | -318 | -ArXiv | -International Conference on Learning Representations | -|||||
Extended dynamic mode decomposition with dictionary learning: A data-driven adaptive spectral decomposition of the Koopman operator. | -2017-07-02 | -318 | -Chaos | -Chaos | -|||||
Time-lagged autoencoders: Deep learning of slow collective variables for molecular kinetics | -2017-10-30 | -314 | -The Journal of chemical physics | -Journal of Chemical Physics | -|||||
Identification of SNAREs Involved in Synaptotagmin VII-regulated Lysosomal Exocytosis* | -2004-05-07 | -314 | -Journal of Biological Chemistry | -Journal 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-04 | -314 | -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 | -|||||
Learning Koopman Invariant Subspaces for Dynamic Mode Decomposition | -2017-10-12 | -312 | -ArXiv | -Neural 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-01 | -311 | -Molecular biology of the cell | -Molecular Biology of the Cell | -|||||
Botulinum neurotoxin serotype F is a zinc endopeptidase specific for VAMP/synaptobrevin. | -1993-06-05 | -311 | -The Journal of biological chemistry | -Journal of Biological Chemistry | -|||||
Adaptive cache compression for high-performance processors | -2004-06-19 | -310 | -Proceedings. 31st Annual International Symposium on Computer Architecture, 2004. | -NA | -|||||
Virtual network functions placement and routing optimization | -2015-10-05 | -309 | -2015 IEEE 4th International Conference on Cloud Networking (CloudNet) | -NA | -|||||
Priors for people tracking from small training sets | -2005-10-17 | -304 | -Tenth IEEE International Conference on Computer Vision (ICCV'05) Volume 1 | -NA | -|||||
PYIN: A fundamental frequency estimator using probabilistic threshold distributions | -2014-05-04 | -302 | -2014 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 Network | -2018-05-16 | -302 | -IEEE Transactions on Wireless Communications | -IEEE Transactions on Wireless Communications | -|||||
3-D Human Action Recognition by Shape Analysis of Motion Trajectories on Riemannian Manifold | -2015-07-01 | -301 | -IEEE Transactions on Cybernetics | -IEEE Transactions on Cybernetics | -|||||
Learning Deep Neural Network Representations for Koopman Operators of Nonlinear Dynamical Systems | -2017-08-22 | -300 | -2019 American Control Conference (ACC) | -American Control Conference | -|||||
ACM Journal on Emerging Technologies in Computing Systems | -None | -300 | -ACM Trans. Design Autom. Electr. Syst. | -NA | -|||||
Meta-Reinforcement Learning of Structured Exploration Strategies | -2018-02-20 | -297 | -{'pages': '5307-5316'} | -Neural Information Processing Systems | -|||||
Integrated transcriptional and competitive endogenous RNA networks are cross-regulated in permissive molecular environments | -2013-03-27 | -297 | -Proceedings of the National Academy of Sciences | -Proceedings of the National Academy of Sciences of the United States of America | +877 | ||||
Crystal structure of the endosomal SNARE complex reveals common structural principles of all SNAREs | -2002-02-01 | -295 | -Nature Structural Biology | -NA | -
+
Title | +Authors | +Publication Date | +Journal/Conference | +Citation count | +|||||
---|---|---|---|---|---|---|---|---|---|
Calcium accelerates endocytosis of vSNAREs at hippocampal synapses | -2001-02-01 | -291 | -Nature Neuroscience | -Nature Neuroscience | +Access authentication via blockchain in space information network | +Muhammad Arshad, Jianwei Liu, Muhammad Khalid, Waqar Khalid, Yue Cao, Fakhri Alam Khan | +2024-03-07 | +PLOS ONE | +0 |
Minireview: recent developments in the regulation of glucose transporter-4 traffic: new signals, locations, and partners. | -2005-12-01 | -289 | -Endocrinology | -Endocrinology | +Small molecule autoencoders: architecture engineering to optimize latent space utility and sustainability | +Marie Oestreich, Iva Ewert, Matthias Becker | +2024-03-05 | +Journal of Cheminformatics | +0 |
CQoS: a framework for enabling QoS in shared caches of CMP platforms | -2004-06-26 | -287 | -{'pages': '257-266'} | -International Conference on Supercomputing | +A GAN-based anomaly detector using multi-feature fusion and selection. | +Huafeng Dai, Jyunrong Wang, Quan Zhong, Tao Chen, Hao Liu, Xuegang Zhang, Rongsheng Lu | +2024-03-04 | +Scientific reports | +0 |
Antidepressants and suicide | -1995-01-28 | -287 | -BMJ | -British medical journal | +Topic Modeling on Document Networks With Dirichlet Optimal Transport Barycenter | +Delvin Ce Zhang, Hady W. Lauw | +2024-03-01 | +IEEE Transactions on Knowledge and Data Engineering | +0 |
On Convergence of Extended Dynamic Mode Decomposition to the Koopman Operator | -2017-03-14 | -286 | -Journal of Nonlinear Science | -Journal of nonlinear science | +Multiclass and Multilabel Classifications by Consensus and Complementarity-Based Multiview Latent Space Projection | +Jianghong Ma, Weixuan Kou, Mingquan Lin, Carmen C. M. Cho, Bernard Chiu | +2024-03-01 | +IEEE Transactions on Systems, Man, and Cybernetics: Systems | +0 |
Efficient Trafficking of Ceramide from the Endoplasmic Reticulum to the Golgi Apparatus Requires a VAMP-associated Protein-interacting FFAT Motif of CERT* | -2006-10-06 | -280 | -Journal of Biological Chemistry | -Journal of Biological Chemistry | -|||||
Syntaxin 13 Mediates Cycling of Plasma Membrane Proteins via Tubulovesicular Recycling Endosomes | -1998-11-16 | -278 | -The Journal of Cell Biology | -Journal of Cell Biology | -|||||
A SNARE complex mediating fusion of late endosomes defines conserved properties of SNARE structure and function | -2000-12-01 | -276 | -The EMBO Journal | -EMBO Journal | -|||||
Tetanus and botulinum neurotoxins: mechanism of action and therapeutic uses. | -1999-02-28 | -276 | -Philosophical transactions of the Royal Society of London. Series B, Biological sciences | -Philosophical transactions of the Royal Society of London. Series B, Biological sciences | -|||||
Align Your Latents: High-Resolution Video Synthesis with Latent Diffusion Models | -2023-04-18 | -274 | -2023 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 syntaxin | -1995-04-01 | -274 | -The Journal of Cell Biology | -Journal of Cell Biology | -|||||
Phosphorylation of Munc-18/n-Sec1/rbSec1 by Protein Kinase C | -1996-03-29 | -273 | -The Journal of Biological Chemistry | -Journal of Biological Chemistry | -|||||
T-Lohi: A New Class of MAC Protocols for Underwater Acoustic Sensor Networks | -2008-04-13 | -273 | -IEEE INFOCOM 2008 - The 27th Conference on Computer Communications | -NA | -|||||
Molecular generative model based on conditional variational autoencoder for de novo molecular design | -2018-06-15 | -271 | -Journal of Cheminformatics | -Journal of Cheminformatics | -|||||
Multiplex Assessment of Protein Variant Abundance by Massively Parallel Sequencing | -2018-01-16 | -271 | -Nature genetics | -Nature Genetics | -|||||
Clinical information for research; the use of general practice databases. | -1999-09-01 | -269 | -Journal of public health medicine | -Journal of Public Health Medicine | -|||||
Deep Collaborative Embedding for Social Image Understanding | -2019-09-01 | -269 | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -|||||
Seven Novel Mammalian SNARE Proteins Localize to Distinct Membrane Compartments* | -1998-04-24 | -266 | -The Journal of Biological Chemistry | -Journal 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 potentials | -2004-07-01 | -264 | -Spinal Cord | -Spinal Cord | -|||||
The spread of attention across modalities and space in a multisensory object. | -2005-12-20 | -260 | -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 | -|||||
Application of Unidimensional Item Response Theory Models to Multidimensional Data | -1983-04-01 | -260 | -Applied Psychological Measurement | -NA | -|||||
The Vesiculo–Vacuolar Organelle (VVO): A New Endothelial Cell Permeability Organelle | -2001-04-01 | -259 | -Journal of Histochemistry & Cytochemistry | -Journal of Histochemistry and Cytochemistry | -|||||
Cleavage of members of the synaptobrevin/VAMP family by types D and F botulinal neurotoxins and tetanus toxin. | -1994-04-29 | -259 | -The Journal of biological chemistry | -Journal of Biological Chemistry | -|||||
Synaptophysin, a major synaptic vesicle protein, is not essential for neurotransmitter release. | -1996-05-14 | -258 | -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 | -|||||
Dynamic service migration in mobile edge-clouds | -2015-05-20 | -256 | -2015 IFIP Networking Conference (IFIP Networking) | -NA | -|||||
A Disentangled Recognition and Nonlinear Dynamics Model for Unsupervised Learning | -2017-10-16 | -254 | -ArXiv | -Neural Information Processing Systems | -
-
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -|||||
---|---|---|---|---|---|---|---|---|---|
A GAN-based anomaly detector using multi-feature fusion and selection. | -2024-03-04 | -0 | -Scientific reports | -Scientific Reports | -|||||
Topic Modeling on Document Networks With Dirichlet Optimal Transport Barycenter | -2024-03-01 | -0 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -|||||
Multiclass and Multilabel Classifications by Consensus and Complementarity-Based Multiview Latent Space Projection | -2024-03-01 | -0 | -IEEE Transactions on Systems, Man, and Cybernetics: Systems | -NA | -|||||
Learning-Based Edge-Device Collaborative DNN Inference in IoVT Networks | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | +Learning-Based Edge-Device Collaborative DNN Inference in IoVT Networks | +Xiaodong Xu, Kaiwen Yan, Shujun Han, Bizhu Wang, Xiaofeng Tao, Ping Zhang | +2024-03-01 | +IEEE Internet of Things Journal | +0 |
NeuralFloors: Conditional Street-Level Scene Generation From BEV Semantic Maps via Neural Fields | +Valentina Muşat, Daniele De Martini, Matthew Gadd, Paul Newman | 2024-03-01 | -0 | -IEEE Robotics and Automation Letters | IEEE Robotics and Automation Letters | -||||
Robust Three-Stage Dynamic Mode Decomposition for Analysis of Power System Oscillations | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
Vibration-based structural damage localization through a discriminant analysis strategy with cepstral coefficients | -2024-02-28 | -0 | -Structural Health Monitoring | -Structural Health Monitoring | -|||||
Spectral Time-Varying Pattern Causality and Its Application. | -2024-02-28 | -0 | -IEEE journal of biomedical and health informatics | -IEEE 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 streaming | -2024-02-28 | -0 | -Pattern Analysis and Applications | -Pattern Analysis and Applications | -|||||
Sensor based Dance Coherent Action Generation Model using Deep Learning Framework | -2024-02-24 | -0 | -Scalable Computing: Practice and Experience | -NA | -|||||
Monstrous Mushrooms, Toxic Love and Queer Utopias in Jenny Hval's Paradise Rot | -2024-02-21 | -0 | -Junctions: Graduate Journal of the Humanities | -Junctions: Graduate Journal of the Humanities | -|||||
Amperometry and Electron Microscopy show Stress Granules Induce Homotypic Fusion of Catecholamine Vesicles. | -2024-02-21 | -0 | -Angewandte Chemie | -NA | -|||||
A test of pre-exposure spacing and multiple context pre-exposure on the mechanisms of latent inhibition of dental fear: A study protocol | -2024-02-21 | -0 | -BMC Psychology | -BMC Psychology | -|||||
Women’s sexual health improvement: sexual quality of life and pelvic floor muscle assessment in asymptomatic women | -2024-02-21 | -0 | -Frontiers in Medicine | -Frontiers in Medicine | -|||||
Extraction of nonlinearity in neural networks and model compression with Koopman operator | -2024-02-18 | -0 | -ArXiv | -arXiv.org | -|||||
GenAD: Generative End-to-End Autonomous Driving | -2024-02-18 | -0 | -ArXiv | -arXiv.org | -|||||
Wasserstein GAN-based architecture to generate collaborative filtering synthetic datasets | -2024-02-17 | -0 | -Applied Intelligence | -NA | -|||||
Conditional Neural Expert Processes for Learning from Demonstration | -2024-02-13 | -0 | -ArXiv | -arXiv.org | -|||||
DeformNet: Latent Space Modeling and Dynamics Prediction for Deformable Object Manipulation | -2024-02-12 | -0 | -ArXiv | -arXiv.org | -|||||
Modeling and Simulating an Epidemic in Two Dimensions with an Application Regarding COVID-19 | -2024-02-12 | -0 | -Computation | -Computation | -|||||
Large Language Model Meets Graph Neural Network in Knowledge Distillation | -2024-02-08 | -0 | -ArXiv | -arXiv.org | -|||||
Language uncovers visuospatial dysfunction in posterior cortical atrophy: a natural language processing approach | -2024-02-06 | -0 | -Frontiers in Neuroscience | -Frontiers in Neuroscience | -|||||
Modeling Spatio-temporal Dynamical Systems with Neural Discrete Learning and Levels-of-Experts | -2024-02-06 | -1 | -ArXiv | -IEEE Transactions on Knowledge and Data Engineering | -|||||
Vector Approximate Message Passing With Arbitrary I.I.D. Noise Priors | -2024-02-06 | -0 | -ArXiv | -arXiv.org | -|||||
Reinforcement Learning for Collision-free Flight Exploiting Deep Collision Encoding | -2024-02-06 | -0 | -ArXiv | -arXiv.org | -|||||
Bird's Nest-Shaped Sb2 WO6 /D-Fru Composite for Multi-Stage Evaporator and Tandem Solar Light-Heat-Electricity Generators. | -2024-02-06 | -1 | -Small | -Small | -|||||
Variational Shapley Network: A Probabilistic Approach to Self-Explaining Shapley values with Uncertainty Quantification | -2024-02-06 | -0 | -ArXiv | -arXiv.org | -|||||
SafEDMD: A certified learning architecture tailored to data-driven control of nonlinear dynamical systems | -2024-02-05 | -0 | -ArXiv | -arXiv.org | -|||||
Latent Graph Diffusion: A Unified Framework for Generation and Prediction on Graphs | -2024-02-04 | -0 | -ArXiv | -arXiv.org | -|||||
An integrated population model reveals source-sink dynamics for competitively subordinate African wild dogs linked to anthropogenic prey depletion. | -2024-02-04 | -0 | -The Journal of animal ecology | -Journal of Animal Ecology | -|||||
Multi-modal Causal Structure Learning and Root Cause Analysis | -2024-02-04 | -0 | -ArXiv | -arXiv.org | -|||||
A hybrid twin based on machine learning enhanced reduced order model for real-time simulation of magnetic bearings | -2024-02-03 | -0 | -Adv. 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 Optimization | -2024-02-03 | -0 | -ArXiv | -arXiv.org | -|||||
Discovering optimal features for neuron-type identification from extracellular recordings | -2024-02-02 | -0 | -Frontiers in Neuroinformatics | -Frontiers in Neuroinformatics | -|||||
Differences in Supervision on Peer Learning Wards: A Pilot Survey of the Supervisor’s Perspective | -2024-02-01 | -0 | -Advances in Medical Education and Practice | -Advances 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 dynamics | -2024-02-01 | -0 | -Biophysical Journal | -Biophysical Journal | -|||||
Time domain turbo equalization based on vector approximate message passing for multiple-input multiple-output underwater acoustic communications. | -2024-02-01 | -0 | -The Journal of the Acoustical Society of America | -Journal of the Acoustical Society of America | -|||||
A deep clustering-based state-space model for improved disease risk prediction in personalized healthcare | -2024-02-01 | -0 | -Annals of Operations Research | -Annals of Operations Research | -|||||
On the Fine-Grained Distributed Routing and Data Scheduling for Interplanetary Data Transfers | -2024-02-01 | -0 | -IEEE Transactions on Network and Service Management | -IEEE Transactions on Network and Service Management | -|||||
A Channel Perceiving-Based Handover Management in Space–Ground Integrated Information Network | -2024-02-01 | -0 | -IEEE Transactions on Network and Service Management | -IEEE Transactions on Network and Service Management | -|||||
Joint Optimization of Server and Service Selection in Satellite-Terrestrial Integrated Edge Computing Networks | -2024-02-01 | -0 | -IEEE Transactions on Vehicular Technology | -IEEE Transactions on Vehicular Technology | -|||||
Mechanism Design for Semantic Communication in UAV-Assisted Metaverse: A Combinatorial Auction Approach | -2024-02-01 | -0 | -IEEE Transactions on Vehicular Technology | -IEEE Transactions on Vehicular Technology | -|||||
BlackMamba: Mixture of Experts for State-Space Models | -2024-02-01 | -0 | -ArXiv | -arXiv.org | -|||||
Discriminative Action Snippet Propagation Network for Weakly Supervised Temporal Action Localization | -2024-01-31 | -0 | -ACM Transactions on Multimedia Computing, Communications, and Applications | -ACM Transactions on Multimedia Computing, Communications, and Applications (TOMCCAP) | -|||||
Polynomial Chaos Expansions on Principal Geodesic Grassmannian Submanifolds for Surrogate Modeling and Uncertainty Quantification | -2024-01-30 | -0 | -ArXiv | -arXiv.org | -|||||
Dynamical Survival Analysis with Controlled Latent States | -2024-01-30 | -0 | -ArXiv | -arXiv.org | -|||||
PICL: Physics Informed Contrastive Learning for Partial Differential Equations | -2024-01-29 | -0 | -ArXiv | -arXiv.org | -|||||
Routing of Kv7.1 to endoplasmic reticulum plasma membrane junctions. | -2024-01-29 | -0 | -Acta physiologica | -Acta Physiologica | -|||||
Ricci flow-guided autoencoders in learning time-dependent dynamics | -2024-01-26 | -0 | -ArXiv | -arXiv.org | -|||||
DRL-based Task and Computational Offloading for Internet of Vehicles in Decentralized Computing | -2024-01-25 | -0 | -Journal of Grid Computing | -Journal of Grid Computing | -|||||
Domain-Based Address Configuration for Vehicular Networks | -2024-01-25 | -0 | -Wireless Personal Communications | -Wireless personal communications | -|||||
Multicasting Optical Reconfigurable Switch | -2024-01-25 | -0 | -ArXiv | -arXiv.org | -|||||
Deep Variational Learning for 360° Adaptive Streaming | -2024-01-25 | -0 | -ACM Transactions on Multimedia Computing, Communications, and Applications | -ACM Transactions on Multimedia Computing, Communications, and Applications (TOMCCAP) | -|||||
Manifold fitting with CycleGAN. | -2024-01-24 | -0 | -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 | -|||||
Motion of VAPB molecules reveals ER–mitochondria contact site subdomains | -2024-01-24 | -2 | -Nature | -Nature | -|||||
Language Models as Hierarchy Encoders | -2024-01-21 | -0 | -ArXiv | -arXiv.org | -|||||
Research on Mushroom Image Classification Algorithm Based on Deep Sparse Dictionary Learning | -2024-01-20 | -0 | -Academic Journal of Science and Technology | -Academic Journal of Science and Technology | -|||||
A LAPACK implementation of the Dynamic Mode Decomposition | -2024-01-19 | -0 | -ACM Transactions on Mathematical Software | -ACM Transactions on Mathematical Software | -|||||
Automated detection of edge clusters via an overfitted mixture prior | -2024-01-19 | -0 | -Netw. Sci. | -Network Science | -|||||
Space Networking Kit: A Novel Simulation Platform for Emerging LEO Mega-constellations | -2024-01-15 | -0 | -ArXiv | -arXiv.org | -|||||
Quantized RIS-aided mmWave Massive MIMO Channel Estimation with Uniform Planar Arrays | -2024-01-15 | -0 | -ArXiv | -IEEE Wireless Communications Letters | -|||||
Modality-Aware Representation Learning for Zero-shot Sketch-based Image Retrieval | -2024-01-10 | -0 | -ArXiv | -arXiv.org | -|||||
Maximum likelihood estimation for discrete latent variable models via evolutionary algorithms | -2024-01-10 | -0 | -Stat. Comput. | -Statistics and computing | -|||||
Analyzing Molecular Dynamics Trajectories Thermodynamically through Artificial Intelligence. | -2024-01-09 | -2 | -Journal of chemical theory and computation | -Journal of Chemical Theory and Computation | -|||||
Disentangled Neural Relational Inference for Interpretable Motion Prediction | -2024-01-07 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
On the Convergence of Hermitian Dynamic Mode Decomposition | -2024-01-06 | -0 | -ArXiv | -arXiv.org | -|||||
Starling: An I/O-Efficient Disk-Resident Graph Index Framework for High-Dimensional Vector Similarity Search on Data Segment | -2024-01-04 | -0 | -ArXiv | -arXiv.org | -|||||
Generating diverse clothed 3D human animations via a generative model | -2024-01-03 | -0 | -Computational Visual Media | -Computational Visual Media | -|||||
Bi-directional regulation of AIMP2 and its splice variant on PARP-1-dependent neuronal cell death; Therapeutic implication for Parkinson's disease | -2024-01-03 | -0 | -Acta Neuropathologica Communications | -Acta Neuropathologica Communications | -|||||
Inferring single-cell copy number profiles through cross-cell segmentation of read counts | -2024-01-02 | -0 | -BMC Genomics | -BMC Genomics | -|||||
Effect of Pigment-Acrylic Binder Ratio on the Surface and Physical Properties of Resin Finished Leather | -2024-01-02 | -0 | -Journal of the American Leather Chemists Association | -The 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 Approach | -2024-01-02 | -0 | -ArXiv | -IEEE Journal on Selected Areas in Communications | -|||||
Markov State Models: To Optimize or Not to Optimize | -2024-01-01 | -0 | -Journal of Chemical Theory and Computation | -Journal of Chemical Theory and Computation | -|||||
Secure STBC-Aided NOMA in Cognitive IIoT Networks | -2024-01-01 | -1 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -|||||
VME-Transformer: Enhancing Visual Memory Encoding for Navigation in Interactive Environments | -2024-01-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
Collaborative Computing Services at Ground, Air, and Space: An Optimization Approach | -2024-01-01 | -1 | -IEEE Transactions on Vehicular Technology | -IEEE Transactions on Vehicular Technology | -|||||
DeepEar: Sound Localization With Binaural Microphones | -2024-01-01 | -5 | -IEEE Transactions on Mobile Computing | -IEEE Transactions on Mobile Computing | -|||||
The Role of Space in Achieving Virtual Movement as an Input to Enrich the Aesthetics of Digital Decorative Panel | -2024-01-01 | -0 | -International Design Journal | -NA | -|||||
Joint Adversarial Domain Adaptation With Structural Graph Alignment | -2024-01-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
Uncorrelated Sparse Autoencoder With Long Short-Term Memory for State-of-Charge Estimations in Lithium-Ion Battery Cells | -2024-01-01 | -4 | -IEEE Transactions on Automation Science and Engineering | -IEEE Transactions on Automation Science and Engineering | -|||||
VLEO Satellite Constellation Design for Regional Aviation and Marine Coverage | -2024-01-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
TORR: A Lightweight Blockchain for Decentralized Federated Learning | -2024-01-01 | -1 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -|||||
Enabling In-Network Caching in Traditional IP Networks: Selective Router Upgrades and Cooperative Cache Strategies | -2024-01-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
SystemC framework for architecture modelling of electronic systems in future particle detectors | -2024-01-01 | -0 | -Journal of Instrumentation | -Journal of Instrumentation | -|||||
An efficient task offloading method for drip irrigation and fertilization at edge nodes based on quantum chaotic genetic algorithm | -2024-01-01 | -0 | -AIP Advances | -AIP Advances | -|||||
QFS-RPL: mobility and energy aware multi path routing protocol for the internet of mobile things data transfer infrastructures | -2023-12-31 | -0 | -Telecommunication Systems | -Telecommunications Systems | -|||||
Creación de narrativas digitales sobre los peligros y amenazas en red usando herramientas de inteligencia artificial | -2023-12-30 | -0 | -REVISTA CIENTÍFICA ECOCIENCIA | -Revista Científica Ecociencia | -|||||
Advances in phase change materials and nanomaterials for applications in thermal energy storage. | -2023-12-29 | -0 | -Environmental science and pollution research international | -Environmental science and pollution research international | -|||||
Visual Point Cloud Forecasting enables Scalable Autonomous Driving | -2023-12-29 | -1 | -ArXiv | -arXiv.org | -|||||
Fake in the Context of Worldview Determinants of Modern Society | -2023-12-29 | -0 | -Humanitarian: actual problems of the humanities and education | -Humanitarian actual problems of the humanities and education | -|||||
InsActor: Instruction-driven Physics-based Characters | -2023-12-28 | -0 | -ArXiv | -Neural Information Processing Systems | -|||||
SuperServe: Fine-Grained Inference Serving for Unpredictable Workloads | -2023-12-27 | -0 | -ArXiv | -arXiv.org | -|||||
Bezier-based Regression Feature Descriptor for Deformable Linear Objects | -2023-12-27 | -0 | -ArXiv | -arXiv.org | -|||||
Exploiting the capacity of deep networks only at training stage for nonlinear black-box system identification | -2023-12-26 | -0 | -ArXiv | -arXiv.org | -|||||
A data driven Koopman-Schur decomposition for computational analysis of nonlinear dynamics | -2023-12-26 | -1 | -ArXiv | -arXiv.org | -|||||
DEAP: Design Space Exploration for DNN Accelerator Parallelism | -2023-12-24 | -0 | -ArXiv | -arXiv.org | -|||||
Research on textile-vamp punching based on punching point gradient phase and edge significance | -2023-12-23 | -0 | -Textile Research Journal | -Textile research journal | -|||||
Research on Aging Adaptation of Urban Residential Environment Design in the Era of Artificial Intelligence | -2023-12-23 | -0 | -Applied Mathematics and Nonlinear Sciences | -Applied Mathematics and Nonlinear Sciences | -|||||
Towards Loose-Fitting Garment Animation via Generative Model of Deformation Decomposition | -2023-12-22 | -0 | -ArXiv | -arXiv.org | -|||||
A Dual-Agent Approach for Coordinated Task Offloading and Resource Allocation in MEC | -2023-12-21 | 0 | -J. Electr. Comput. Eng. | -Journal of Electrical and Computer Engineering | Neural Ordinary Differential Equations | +T. Chen, Yulia Rubanova, J. Bettencourt, D. Duvenaud | 2018-06-19 | -3518 | -{'pages': '6572-6583'} | Neural Information Processing Systems | +3532 |
Score-Based Generative Modeling through Stochastic Differential Equations | +Yang Song, Jascha Narain Sohl-Dickstein, Diederik P. Kingma, Abhishek Kumar, Stefano Ermon, Ben Poole | 2020-11-26 | -2600 | ArXiv | -International Conference on Learning Representations | +2634 | |||
Diffusion Convolutional Recurrent Neural Network: Data-Driven Traffic Forecasting | +Yaguang Li, Rose Yu, C. Shahabi, Yan Liu | 2017-07-06 | -2120 | arXiv: Learning | -International Conference on Learning Representations | +2134 | |||
Artificial neural networks for solving ordinary and partial differential equations | +I. Lagaris, A. Likas, D. Fotiadis | 1997-05-19 | -1721 | IEEE transactions on neural networks | -NA | +1723 | |||
Diffusion-Convolutional Neural Networks | +James Atwood, D. Towsley | 2015-11-06 | -1084 | -{'pages': '1993-2001'} | Neural Information Processing Systems | +1089 | |||
Dynamic Edge-Conditioned Filters in Convolutional Neural Networks on Graphs | +M. Simonovsky, N. Komodakis | 2017-04-10 | -1071 | 2017 IEEE Conference on Computer Vision and Pattern Recognition (CVPR) | -Computer Vision and Pattern Recognition | +1074 | |||
FFJORD: Free-form Continuous Dynamics for Scalable Reversible Generative Models | +Will Grathwohl, Ricky T. Q. Chen, J. Bettencourt, I. Sutskever, D. Duvenaud | 2018-09-27 | -688 | -ArXiv | -International Conference on Learning Representations | -||||
Stable architectures for deep neural networks | -2017-05-09 | -591 | -Inverse Problems | -arXiv.org | -|||||
Brian: A Simulator for Spiking Neural Networks in Python | -2008-07-11 | -526 | -Frontiers in Neuroinformatics | -BMC Neuroscience | -|||||
DPM-Solver: A Fast ODE Solver for Diffusion Probabilistic Model Sampling in Around 10 Steps | -2022-06-02 | -494 | -ArXiv | -Neural Information Processing Systems | -|||||
Augmented Neural ODEs | -2019-04-02 | -492 | -ArXiv | -Neural Information Processing Systems | -|||||
Diffusion Improves Graph Learning | -2019-10-28 | -486 | -{'pages': '13333-13345'} | -Neural Information Processing Systems | -|||||
Geometric Matrix Completion with Recurrent Multi-Graph Neural Networks | -2017-04-01 | -465 | -{'pages': '3697-3707'} | -Neural Information Processing Systems | -|||||
Neural Operator: Graph Kernel Network for Partial Differential Equations | -2020-02-26 | -443 | -ArXiv | -International Conference on Learning Representations | -|||||
Simulation of chaotic EEG patterns with a dynamic model of the olfactory system | -1987-05-01 | -439 | -Biological Cybernetics | -Biological cybernetics | -|||||
Beyond Finite Layer Neural Networks: Bridging Deep Architectures and Numerical Differential Equations | -2017-10-27 | -429 | -ArXiv | -International Conference on Machine Learning | -|||||
Latent Ordinary Differential Equations for Irregularly-Sampled Time Series | -None | -409 | -{'pages': '5321-5331'} | -Neural Information Processing Systems | -|||||
Adaptive NN Backstepping Output-Feedback Control for Stochastic Nonlinear Strict-Feedback Systems With Time-Varying Delays | -2010-06-01 | -403 | -IEEE Transactions on Systems, Man, and Cybernetics, Part B (Cybernetics) | -NA | -|||||
Rumor Detection on Social Media with Bi-Directional Graph Convolutional Networks | -2020-01-17 | -379 | -{'pages': '549-556'} | -AAAI Conference on Artificial Intelligence | -|||||
A Deep Collocation Method for the Bending Analysis of Kirchhoff Plate | -2021-02-04 | -365 | -ArXiv | -Computers Materials & Continua | -|||||
Decoupling dynamical systems for pathway identification from metabolic profiles | -2004-07-22 | -317 | -Bioinformatics | -NA | -|||||
Neural Operator: Learning Maps Between Function Spaces | -2021-08-19 | -317 | -ArXiv | -arXiv.org | -|||||
Neural Controlled Differential Equations for Irregular Time Series | -2020-05-18 | -302 | -ArXiv | -Neural Information Processing Systems | -|||||
SIGN: Scalable Inception Graph Neural Networks | -2020-04-23 | -286 | -ArXiv | -arXiv.org | -|||||
Scaling Graph Neural Networks with Approximate PageRank | -2020-07-03 | -269 | -Proceedings of the 26th ACM SIGKDD International Conference on Knowledge Discovery & Data Mining | -Knowledge Discovery and Data Mining | -|||||
Multipole Graph Neural Operator for Parametric Partial Differential Equations | -2020-06-16 | -248 | -ArXiv | -Neural Information Processing Systems | -|||||
Scalable Gradients for Stochastic Differential Equations | -2020-01-05 | -235 | -ArXiv | -International Conference on Artificial Intelligence and Statistics | -|||||
Reversible Architectures for Arbitrarily Deep Residual Neural Networks | -2017-09-12 | -234 | -{'pages': '2811-2818'} | -AAAI Conference on Artificial Intelligence | -|||||
Spina bifida | -2018-07-09 | -223 | -Der Radiologe | -NA | -|||||
GRU-ODE-Bayes: Continuous modeling of sporadically-observed time series | -2019-05-29 | -222 | -{'pages': '7377-7388'} | -Neural Information Processing Systems | -|||||
Latent ODEs for Irregularly-Sampled Time Series | -2019-07-08 | -219 | -ArXiv | -arXiv.org | -|||||
How to train your neural ODE | -2020-02-07 | -218 | -{'pages': '3154-3164'} | -International Conference on Machine Learning | -|||||
Relational Pooling for Graph Representations | -2019-03-06 | -213 | -ArXiv | -International Conference on Machine Learning | -|||||
Models of the saccadic eye movement control system | -1973-12-31 | -202 | -Kybernetik | -Kybernetik | -|||||
Neural Jump Stochastic Differential Equations | -2019-05-24 | -177 | -ArXiv | -Neural Information Processing Systems | -|||||
ODE-Inspired Network Design for Single Image Super-Resolution | -2019-06-01 | -172 | -2019 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR) | -Computer Vision and Pattern Recognition | -|||||
AntisymmetricRNN: A Dynamical System View on Recurrent Neural Networks | -2019-02-26 | -169 | -ArXiv | -International Conference on Learning Representations | -|||||
DiffNet++: A Neural Influence and Interest Diffusion Network for Social Recommendation | -2020-01-15 | -168 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -|||||
Systems biology informed deep learning for inferring parameters and hidden dynamics | -2019-12-04 | -168 | -PLoS Computational Biology | -bioRxiv | -|||||
Error estimates for DeepOnets: A deep learning framework in infinite dimensions | -2021-02-18 | -168 | -ArXiv | -Transactions of Mathematics and Its Applications | -|||||
Hibernation: neural aspects. | -None | -166 | -Annual review of physiology | -Annual Review of Physiology | -|||||
Annual Research Review: Growth connectomics – the organization and reorganization of brain networks during normal and abnormal development | -2014-12-01 | -165 | -Journal of Child Psychology and Psychiatry, and Allied Disciplines | -Journal of Child Psychology and Psychiatry and Allied Disciplines | -|||||
GRAND: Graph Neural Diffusion | -2021-06-21 | -160 | -ArXiv | -International Conference on Machine Learning | -|||||
Computer-Aided Detection and Diagnosis in Medical Imaging | -2013-09-01 | -156 | -Computational and Mathematical Methods in Medicine | -NA | -|||||
Spectral-approximation-based intelligent modeling for distributed thermal processes | -2005-08-29 | -153 | -IEEE Transactions on Control Systems Technology | -IEEE Transactions on Control Systems Technology | -|||||
Combining Differentiable PDE Solvers and Graph Neural Networks for Fluid Flow Prediction | -2020-07-08 | -153 | -{'pages': '2402-2411'} | -International Conference on Machine Learning | -|||||
Message Passing Neural PDE Solvers | -2022-02-07 | -152 | -ArXiv | -International Conference on Learning Representations | -|||||
Flow Straight and Fast: Learning to Generate and Transfer Data with Rectified Flow | -2022-09-07 | -152 | -ArXiv | -International Conference on Learning Representations | -|||||
Dissecting Neural ODEs | -2020-02-19 | -151 | -ArXiv | -Neural Information Processing Systems | -|||||
Convergence of learning algorithms with constant learning rates | -1991-09-01 | -149 | -IEEE transactions on neural networks | -NA | -|||||
Altered structural networks and executive deficits in traumatic brain injury patients | -2012-12-12 | -148 | -Brain Structure and Function | -Brain Structure and Function | -|||||
ANODE: Unconditionally Accurate Memory-Efficient Gradients for Neural ODEs | -2019-02-27 | -144 | -ArXiv | -International Joint Conference on Artificial Intelligence | -|||||
HiPPO: Recurrent Memory with Optimal Polynomial Projections | -2020-08-17 | -143 | -ArXiv | -Neural Information Processing Systems | -|||||
The development of the human brain, the closure of the caudal neuropore, and the beginning of secondary neurulation at stage 12 | -None | -140 | -Anatomy and Embryology | -Anatomy and Embryology | -|||||
Dynamics of Deep Neural Networks and Neural Tangent Hierarchy | -2019-09-18 | -133 | -ArXiv | -International Conference on Machine Learning | -|||||
The MCA EXIN neuron for the minor component analysis | -None | -132 | -IEEE transactions on neural networks | -NA | -|||||
Diffusion probabilistic modeling of protein backbones in 3D for the motif-scaffolding problem | -2022-06-08 | -130 | -ArXiv | -International Conference on Learning Representations | -|||||
Analysis and synthesis of a class of discrete-time neural networks described on hypercubes | -1990-05-01 | -130 | -IEEE International Symposium on Circuits and Systems | -NA | -|||||
Topological Recurrent Neural Network for Diffusion Prediction | -2017-11-01 | -129 | -2017 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-09 | -128 | -Brain : a journal of neurology | -NA | -|||||
On Neural Differential Equations | -2022-02-04 | -124 | ArXiv | -arXiv.org | -|||||
Legendre Memory Units: Continuous-Time Representation in Recurrent Neural Networks | -2019-09-06 | -123 | -{'pages': '15544-15553'} | -Neural Information Processing Systems | -|||||
Runge-Kutta neural network for identification of dynamical systems in high accuracy | -1998-03-01 | -121 | -IEEE transactions on neural networks | -NA | -|||||
Adaptive Optimal Control of Highly Dissipative Nonlinear Spatially Distributed Processes With Neuro-Dynamic Programming | -2015-04-01 | -119 | -IEEE Transactions on Neural Networks and Learning Systems | -IEEE Transactions on Neural Networks and Learning Systems | +689 | ||||
Graph Neural Controlled Differential Equations for Traffic Forecasting | -2021-12-07 | -119 | -ArXiv | -AAAI Conference on Artificial Intelligence | -
+
Title | +Authors | +Publication Date | +Journal/Conference | +Citation count | +|||||
---|---|---|---|---|---|---|---|---|---|
Traffic Flow Forecasting with Spatial-Temporal Graph Diffusion Network | -2021-05-18 | -114 | -{'pages': '15008-15015'} | -AAAI Conference on Artificial Intelligence | +Continuous Image Outpainting with Neural ODE | +Penglei Gao, Xi Yang, Rui Zhang, Kaizhu Huang | +2024-03-02 | +SSRN Electronic Journal | +0 |
On Robustness of Neural Ordinary Differential Equations | -2019-10-12 | -113 | -ArXiv | -International Conference on Learning Representations | +Graph Convolutional Neural Networks for Automated Echocardiography View Recognition: A Holistic Approach | +Sarina Thomas, Cristiana Tiago, Børge Solli Andreassen, S. Aase, Jurica Šprem, Erik Normann Steen, Anne H. Schistad Solberg, Guy Ben-Yosef | +2024-02-29 | +NotAvbl | +0 |
Stiff-PINN: Physics-Informed Neural Network for Stiff Chemical Kinetics | -2020-11-09 | -112 | -The journal of physical chemistry. A | -NA | +Modelling and Distribution of Electricity Load Forecasting in Nigeria Power System (Olu-Ode Community) | +Ogunwuyi, Ogunmakinde Jimoh, Lawal Akeem Olaide, Omotayo Mayowa Emmanuel | +2024-02-28 | +International Journal of Advanced Engineering and Nano Technology | +0 |
Neural Signatures of Autism Spectrum Disorders: Insights into Brain Network Dynamics | -None | -112 | -Neuropsychopharmacology | -Neuropsychopharmacology | +Changes in Structural Neural Networks in the Recovery Process of Motor Paralysis after Stroke | +I. Kimura, Atsushi Senoo, M. Abo | +2024-02-21 | +Brain Sciences | +0 |
A Comparison of Automatic Differentiation and Continuous Sensitivity Analysis for Derivatives of Differential Equation Solutions | -2018-12-05 | -111 | -2021 IEEE High Performance Extreme Computing Conference (HPEC) | -IEEE Conference on High Performance Extreme Computing | +Zhang neural networks: an introduction to predictive computations for discretized time-varying matrix problems | +Frank Uhlig | +2024-02-19 | +Numerische Mathematik | +0 |
Novel applications of intelligent computing paradigms for the analysis of nonlinear reactive transport model of the fluid in soft tissues and microvessels | -2019-12-01 | -107 | -Neural Computing and Applications | -NA | +Emulating the interstellar medium chemistry with neural operators | +Lorenzo Branca, Andrea Pallottini | +2024-02-19 | +Astronomy & Astrophysics | +0 |
Neural SDE: Stabilizing Neural ODE Networks with Stochastic Noise | -2019-06-05 | -106 | +Temporal Disentangled Contrastive Diffusion Model for Spatiotemporal Imputation | +Yakun Chen, Kaize Shi, Zhangkai Wu, Juan Chen, Xianzhi Wang, Julian McAuley, Guandong Xu, Shui Yu | +2024-02-18 | ArXiv | -arXiv.org | -||
E(n) Equivariant Normalizing Flows | -2021-05-19 | -106 | -{'pages': '4181-4192'} | -Neural Information Processing Systems | -|||||
Bifurcation analysis of a neural network model | -1992-02-01 | -105 | -Biological Cybernetics | -Biological cybernetics | -|||||
OT-Flow: Fast and Accurate Continuous Normalizing Flows via Optimal Transport | -2020-05-29 | -105 | -{'pages': '9223-9232'} | -AAAI Conference on Artificial Intelligence | -|||||
A Neural Network-Based Optimization Algorithm for the Static Weapon-Target Assignment Problem | -1989-11-01 | -104 | -INFORMS J. Comput. | -INFORMS journal on computing | -|||||
Continuous Graph Neural Networks | -2019-12-02 | -104 | -{'pages': '10432-10441'} | -International Conference on Machine Learning | -|||||
Low-Shot Learning with Large-Scale Diffusion | -2017-06-07 | -104 | -2018 IEEE/CVF Conference on Computer Vision and Pattern Recognition | -NA | -|||||
DiffEqFlux.jl - A Julia Library for Neural Differential Equations | -2019-02-06 | -103 | -ArXiv | -arXiv.org | -|||||
Noise-Induced Behaviors in Neural Mean Field Dynamics | -2011-04-28 | -103 | -SIAM J. Appl. Dyn. Syst. | -SIAM Journal on Applied Dynamical Systems | -|||||
SocialGCN: An Efficient Graph Convolutional Network based Model for Social Recommendation | -2018-11-07 | -101 | -ArXiv | -arXiv.org | -|||||
Monotone operator equilibrium networks | -2020-06-15 | -101 | -ArXiv | -Neural Information Processing Systems | -|||||
Exploiting spatiotemporal patterns for accurate air quality forecasting using deep learning | -2018-11-06 | -101 | -Proceedings of the 26th ACM SIGSPATIAL International Conference on Advances in Geographic Information Systems | -NA | -|||||
Neural Mass Activity, Bifurcations, and Epilepsy | -2011-12-01 | -100 | -Neural Computation | -Neural Computation | -|||||
Graph Neural Ordinary Differential Equations | -2019-11-18 | -100 | -ArXiv | -arXiv.org | -|||||
Size and distortion invariant object recognition by hierarchical graph matching | -1990-06-17 | -100 | -1990 IJCNN International Joint Conference on Neural Networks | -NA | -|||||
ODE$^2$VAE: Deep generative second order ODEs with Bayesian neural networks | -2019-05-27 | -99 | -ArXiv | -Neural Information Processing Systems | -|||||
Support Vector Machine Classification of Major Depressive Disorder Using Diffusion-Weighted Neuroimaging and Graph Theory | -2015-02-18 | -99 | -Frontiers in Psychiatry | -Frontiers in Psychiatry | -|||||
FOCNet: A Fractional Optimal Control Network for Image Denoising | -2019-06-01 | -99 | -2019 IEEE/CVF Conference on Computer Vision and Pattern Recognition (CVPR) | -Computer Vision and Pattern Recognition | -|||||
Simple Neural Networks that Optimize Decisions | -None | -98 | -Int. J. Bifurc. Chaos | -International Journal of Bifurcation and Chaos in Applied Sciences and Engineering | -|||||
Transfer Graph Neural Networks for Pandemic Forecasting | -2020-09-10 | -95 | -{'pages': '4838-4845'} | -AAAI Conference on Artificial Intelligence | -|||||
Popularity Prediction on Social Platforms with Coupled Graph Neural Networks | -2019-06-21 | -95 | -Proceedings of the 13th International Conference on Web Search and Data Mining | -Web Search and Data Mining | -|||||
Liquid Time-constant Networks | -2020-06-08 | -95 | -{'pages': '7657-7666'} | -AAAI Conference on Artificial Intelligence | -|||||
Learning Neural Event Functions for Ordinary Differential Equations | -2020-11-08 | -93 | -ArXiv | -International Conference on Learning Representations | -|||||
Learning Long-Term Dependencies in Irregularly-Sampled Time Series | -2020-06-01 | -92 | -ArXiv | -Neural Information Processing Systems | -|||||
Intelligent computing with Levenberg–Marquardt artificial neural networks for nonlinear system of COVID-19 epidemic model for future generation disease control | -2020-11-01 | -91 | -European Physical Journal plus | -The European Physical Journal Plus | -|||||
Adaptive Checkpoint Adjoint Method for Gradient Estimation in Neural ODE | -2020-06-03 | -90 | -Proceedings of machine learning research | -International Conference on Machine Learning | -|||||
Stiff Neural Ordinary Differential Equations | -2021-03-29 | -88 | -Chaos | -Chaos | -|||||
Critical Analysis of Dimension Reduction by a Moment Closure Method in a Population Density Approach to Neural Network Modeling | -2007-08-01 | -87 | -Neural Computation | -Neural Computation | -|||||
Extreme theory of functional connections: A fast physics-informed neural network method for solving ordinary and partial differential equations | -2021-06-08 | -85 | -Neurocomputing | -Neurocomputing | -
-
+
-
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -||
---|---|---|---|---|---|---|
New insights into experimental stratified flows obtained through physics-informed neural networks | -2024-02-23 | -0 | -Journal of Fluid Mechanics | -Journal of Fluid Mechanics | -||
Regression Transients Modeling of Solid Rocket Motor Burning Surfaces with Physics-guided Neural Network | -2024-02-14 | -0 | -Machine Learning: Science and Technology | -NA | -||
Energy-based PINNs for solving coupled field problems: concepts and application to the optimal design of an induction heater | -2024-02-09 | -0 | -ArXiv | -arXiv.org | -||
Enriched Physics-informed Neural Networks for Dynamic Poisson-Nernst-Planck Systems | -2024-02-01 | -0 | -ArXiv | -arXiv.org | -||
Physics-informed neural networks with domain decomposition for the incompressible Navier–Stokes equations | -2024-02-01 | -0 | -Physics of Fluids | -The Physics of Fluids | -||
Adaptive Deep Fourier Residual method via overlapping domain decomposition | -2024-01-09 | -0 | -ArXiv | -arXiv.org | -||
Computing the Gerber-Shiu function with interest and a constant dividend barrier by physics-informed neural networks | -2024-01-09 | -0 | -ArXiv | -arXiv.org | -||
Modeling multisource multifrequency acoustic wavefields by a multiscale Fourier feature physics-informed neural network with adaptive activation functions | -2024-01-09 | -0 | -GEOPHYSICS | -Geophysics | -||
Physics-Guided, Physics-Informed, and Physics-Encoded Neural Networks and Operators in Scientific Computing: Fluid and Solid Mechanics | -2024-01-08 | -4 | -Journal of Computing and Information Science in Engineering | -Journal of Computing and Information Science in Engineering | -||
Solving real-world optimization tasks using physics-informed neural computing | -2024-01-08 | -1 | -Scientific Reports | -Scientific Reports | -||
Physics-informed Neural Networks for Encoding Dynamics in Real Physical Systems | -2024-01-07 | -0 | -ArXiv | -arXiv.org | -||
Robust Physics Informed Neural Networks | -2024-01-04 | -0 | -ArXiv | -arXiv.org | -||
Real-Time FJ/MAC PDE Solvers via Tensorized, Back-Propagation-Free Optical PINN Training | -2023-12-31 | -0 | -ArXiv | -arXiv.org | -||
A Machine Learning Accelerated Hierarchical 3D+1D Model for Proton Exchange Membrane Fuel Cells | -2023-12-22 | -0 | -ECS Meeting Abstracts | -ECS Meeting Abstracts | -||
Hutchinson Trace Estimation for High-Dimensional and High-Order Physics-Informed Neural Networks | -2023-12-22 | -3 | -ArXiv | -Computer Methods in Applied Mechanics and Engineering | -||
Unsupervised Random Quantum Networks for PDEs | -2023-12-21 | -0 | -ArXiv | -arXiv.org | -||
Implementation of Physics Informed Neural Networks on Edge Device | -2023-12-18 | -0 | -2023 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 Models | -2023-12-18 | -1 | -ArXiv | -arXiv.org | -||
Physics-Informed Neural Network Lyapunov Functions: PDE Characterization, Learning, and Verification | -2023-12-14 | -1 | -ArXiv | -arXiv.org | -||
A Meshless Solver for Blood Flow Simulations in Elastic Vessels Using Physics-Informed Neural Network | -2023-12-09 | -0 | -ArXiv | -arXiv.org | -||
Data-driven solitons and parameter discovery to the (2+1)-dimensional NLSE in optical fiber communications | -2023-12-08 | -2 | -Nonlinear Dynamics | -Nonlinear dynamics | -||
Bias-Variance Trade-off in Physics-Informed Neural Networks with Randomized Smoothing for High-Dimensional PDEs | -2023-11-26 | -2 | -ArXiv | -arXiv.org | -||
Neuro‐PINN: A hybrid framework for efficient nonlinear projection equation solutions | -2023-11-23 | -0 | -International Journal for Numerical Methods in Engineering | -International Journal for Numerical Methods in Engineering | -||
Accurate and Fast Fischer-Tropsch Reaction Microkinetics using PINNs | -2023-11-17 | -0 | -ArXiv | -arXiv.org | -||
Solving High Frequency and Multi-Scale PDEs with Gaussian Processes | -2023-11-08 | -0 | -ArXiv | -arXiv.org | -||
Modelling solar coronal magnetic fields with physics-informed neural networks | -2023-10-27 | -0 | -Monthly Notices of the Royal Astronomical Society | -Monthly notices of the Royal Astronomical Society | -||
Approximately well-balanced Discontinuous Galerkin methods using bases enriched with Physics-Informed Neural Networks | -2023-10-23 | -1 | -ArXiv | -arXiv.org | -||
Patient Privacy Protecting Physics Informed Neural Network for Cardiovascular Monitoring | -2023-10-19 | -0 | -2023 IEEE Biomedical Circuits and Systems Conference (BioCAS) | -Biomedical Circuits and Systems Conference | -||
PINNProv: Provenance for Physics-Informed Neural Networks | -2023-10-17 | -0 | -2023 International Symposium on Computer Architecture and High Performance Computing Workshops (SBAC-PADW) | -NA | -||
Physics-informed neural wavefields with Gabor basis functions | -2023-10-16 | -1 | -ArXiv | -arXiv.org | -||
Hypernetwork-based Meta-Learning for Low-Rank Physics-Informed Neural Networks | -2023-10-14 | -2 | -ArXiv | -Neural Information Processing Systems | -||
Overview of Physics-Informed Machine Learning Inversion of Geophysical Data | -2023-10-12 | -0 | -ArXiv | -arXiv.org | -||
Investigating the Ability of PINNs To Solve Burgers' PDE Near Finite-Time BlowUp | -2023-10-08 | -0 | -ArXiv | -arXiv.org | -||
Physics-informed learning for modeling infrasound propagation in extreme weather conditions | -2023-10-01 | -0 | -The Journal of the Acoustical Society of America | -Journal 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 learning | -2023-10-01 | -3 | -Physics of Fluids | -The Physics of Fluids | -||
Fatigue reliability analysis of aeroengine blade-disc systems using physics-informed ensemble learning | -2023-09-25 | -2 | -Philosophical Transactions of the Royal Society A | -NA | -||
A time variant uncertainty propagation method for high-dimensional dynamic structural system via K–L expansion and Bayesian deep neural network | -2023-09-25 | -0 | -Philosophical Transactions of the Royal Society A | -NA | -||
Physics-Informed neural networks based low thrust orbit transfer design for spacecraft | -2023-09-22 | -0 | -2023 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 properties | -2023-09-21 | -0 | -Data-Centric Engineering | -Data-Centric Engineering | -||
Approximating High-Dimensional Minimal Surfaces with Physics-Informed Neural Networks | -2023-09-05 | -0 | -ArXiv | -arXiv.org | -||
Learned Full Waveform Inversion Incorporating Task Information for Ultrasound Computed Tomography | -2023-08-30 | -3 | -ArXiv | -IEEE Transactions on Computational Imaging | -||
Time-Series Machine Learning Techniques for Modeling and Identification of Mechatronic Systems with Friction: A Review and Real Application | -2023-08-30 | -0 | -Electronics | -Electronics | -||
Old Dog, New Trick: Reservoir Computing Advances Machine Learning for Climate Modeling | -2023-08-30 | -0 | -Geophysical Research Letters | -Geophysical Research Letters | -||
Bayesian Reasoning for Physics Informed Neural Networks | -2023-08-25 | -0 | -ArXiv | -arXiv.org | -||
Hydrogen jet diffusion modeling by using physics-informed graph neural network and sparsely-distributed sensor data | -2023-08-24 | -0 | -ArXiv | -arXiv.org | -||
Physics-Informed Neural Networks and Functional Interpolation for Solving the Matrix Differential Riccati Equation | -2023-08-23 | -0 | -Mathematics | -Mathematics | -||
Multi-level Neural Networks for Accurate Solutions of Boundary-Value Problems | -2023-08-22 | -3 | -ArXiv | -Computer Methods in Applied Mechanics and Engineering | -||
Adaptive Uncertainty-Penalized Model Selection for Data-Driven PDE Discovery | -2023-08-20 | -0 | -IEEE Access | -IEEE Access | -||
Physics-guided training of GAN to improve accuracy in airfoil design synthesis | -2023-08-19 | -2 | -ArXiv | -Computer Methods in Applied Mechanics and Engineering | -||
Tensor-Compressed Back-Propagation-Free Training for (Physics-Informed) Neural Networks | -2023-08-18 | -4 | -ArXiv | -arXiv.org | -||
Evaluating magnetic fields using deep learning | -2023-08-11 | -0 | -COMPEL - The international journal for computation and mathematics in electrical and electronic engineering | -Compel | -||
Continuous probabilistic solution to the transient self-oscillation under stochastic forcing: a PINN approach | -2023-08-01 | -1 | -Journal of Mechanical Science and Technology | -Journal of Mechanical Science and Technology | -||
Hard enforcement of physics-informed neural network solutions of acoustic wave propagation | -2023-07-23 | -1 | -Computational Geosciences | -Computational Geosciences | -||
Enhancing PINNs for solving PDEs via adaptive collocation point movement and adaptive loss weighting | -2023-07-04 | -5 | -Nonlinear Dynamics | -Nonlinear dynamics | -||
Learning Generic Solutions for Multiphase Transport in Porous Media via the Flux Functions Operator | -2023-07-03 | -1 | -ArXiv | -Advances in Water Resources | -||
Predicting the Early-Age Time-Dependent Behaviors of a Prestressed Concrete Beam by Using Physics-Informed Neural Network | -2023-07-01 | -0 | -Sensors (Basel, Switzerland) | -Italian National Conference on Sensors | -||
Separable Physics-Informed Neural Networks | -2023-06-28 | -3 | -ArXiv | -Neural Information Processing Systems | -||
A PINN approach for traffic state estimation and model calibration based on loop detector flow data | -2023-06-14 | -0 | -2023 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 discretizaitons | -2023-06-14 | -2 | -ArXiv | -arXiv.org | -||
Boussinesq equation solved by the physics-informed neural networks | -2023-06-08 | -0 | -Nonlinear Dynamics | -Nonlinear dynamics | -||
Modeling the Wave Equation Using Physics-Informed Neural Networks Enhanced With Attention to Loss Weights | -2023-06-04 | -3 | -ICASSP 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 physics | -2023-06-01 | -0 | -Contributions to Plasma Physics | -Contributions to Plasma Physics | -||
CS4ML: A general framework for active learning with arbitrary data based on Christoffel functions | -2023-06-01 | -2 | -ArXiv | -Neural Information Processing Systems | -||
The prediction of external flow field and hydrodynamic force with limited data using deep neural network | -2023-06-01 | -0 | -Journal of Hydrodynamics | -Journal of Hydrodynamics | -||
I-FENN for thermoelasticity based on physics-informed temporal convolutional network (PI-TCN) | -2023-05-28 | -1 | -ArXiv | -arXiv.org | -||
PINNslope: seismic data interpolation and local slope estimation with physics informed neural networks | -2023-05-25 | -2 | -ArXiv | -arXiv.org | -||
Splines Parameterization of Planar Domains by Physics-Informed Neural Networks | -2023-05-22 | -2 | -Mathematics | -Mathematics | -||
A Generalizable Physics-informed Learning Framework for Risk Probability Estimation | -2023-05-10 | -1 | -ArXiv | -Conference on Learning for Dynamics & Control | -||
Deep neural network method for solving the fractional Burgers-type equations with conformable derivative | -2023-05-05 | -1 | -Physica Scripta | -Physica Scripta | -||
Physics-Informed Neural Network for Flow Prediction Based on Flow Visualization in Bridge Engineering | -2023-04-21 | -0 | -Atmosphere | -Atmosphere | -||
Multi-Viscosity Physics-Informed Neural Networks for Generating Ultra High Resolution Flow Field Data | -2023-04-21 | -0 | -International Journal of Computational Fluid Dynamics | -NA | -||
Full Wave Inversion For Ultrasound Tomography Using Physics Based Deep Neural Network | -2023-04-18 | -0 | -2023 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 Networks | -2023-04-13 | -1 | -Mathematics | -Mathematics | -||
Learning solutions of thermodynamics-based nonlinear constitutive material models using physics-informed neural networks | -2023-04-10 | -1 | -Computational Mechanics | -Computational Mechanics | -||
Solving nonlinear soliton equations using improved physics-informed neural networks with adaptive mechanisms | -2023-04-10 | -3 | -Communications in Theoretical Physics | -Communications in Theoretical Physics | -||
Removing the performance bottleneck of pressure–temperature flash calculations during both the online and offline stages by using physics-informed neural networks | -2023-04-01 | -4 | -Physics of Fluids | -The Physics of Fluids | -||
GPT-PINN: Generative Pre-Trained Physics-Informed Neural Networks toward non-intrusive Meta-learning of parametric PDEs | -2023-03-27 | -2 | -ArXiv | -Finite elements in analysis and design | -||
Bi-orthogonal fPINN: A physics-informed neural network method for solving time-dependent stochastic fractional PDEs | -2023-03-20 | -0 | -ArXiv | -Communications in Computational Physics | -||
Parareal with a physics-informed neural network as coarse propagator | -2023-03-07 | -2 | -{'pages': '649-663'} | -European Conference on Parallel Processing | -||
Physics-informed neural networks for solving forward and inverse problems in complex beam systems | -2023-03-02 | -7 | -IEEE transactions on neural networks and learning systems | -IEEE Transactions on Neural Networks and Learning Systems | -||
Modelling the COVID-19 infection rate through a Physics-Informed learning approach | -2023-03-01 | -0 | -2023 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 Transportation | -2023-02-23 | -1 | -ArXiv | -arXiv.org | -||
Putting Chemical Knowledge to Work in Machine Learning for Reactivity. | -2023-02-22 | -2 | -Chimia | -Chimia (Basel) | -||
Physics-informed neural networks for predicting liquid dairy manure temperature during storage | -2023-02-13 | -0 | -Neural Computing and Applications | -NA | -||
Magnetohydrodynamics with physics informed neural operators | -2023-02-13 | -5 | -Machine Learning: Science and Technology | -NA | -||
An Application of Pontryagin Neural Networks to Solve Optimal Quantum Control Problems | -2023-02-01 | -0 | -2023 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 networks | -2023-02-01 | -1 | -{'pages': '124631Q - 124631Q-8', 'volume': '12463'} | -NA | -||
Bridging Physics-Informed Neural Networks with Reinforcement Learning: Hamilton-Jacobi-Bellman Proximal Policy Optimization (HJBPPO) | -2023-02-01 | -3 | -ArXiv | -arXiv.org | -||
ClimaX: A foundation model for weather and climate | -2023-01-24 | -87 | -{'pages': '25904-25938'} | -International Conference on Machine Learning | -||
Learning Partial Differential Equations by Spectral Approximates of General Sobolev Spaces | -2023-01-12 | -1 | -ArXiv | -arXiv.org | -||
PINN for Dynamical Partial Differential Equations is Not Training Deeper Networks Rather Learning Advection and Time Variance | -2023-01-12 | -0 | -ArXiv | -arXiv.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-01 | -6 | -Chaos | -Chaos | -||
Physics informed neural networks for elliptic equations with oscillatory differential operators | -2022-12-27 | -1 | -ArXiv | -arXiv.org | -||
HL-Nets: Physics-Informed Neural Networks for Hydrodynamic Lubrication with Cavitation | -2022-12-18 | -1 | -SSRN Electronic Journal | -Social Science Research Network | -||
A certified wavelet-based physics-informed neural network for the solution of parameterized partial differential equations | -2022-12-16 | -0 | -ArXiv | -arXiv.org | -||
Physics-Informed Model-Based Reinforcement Learning | -2022-12-05 | -4 | -{'pages': '26-37'} | -Conference on Learning for Dynamics & Control | -||
Physics-informed Deep Learning for Flow Modelling and Aerodynamic Optimization | -2022-12-04 | 0 | -2022 IEEE Symposium Series on Computational Intelligence (SSCI) | -IEEE Symposium Series on Computational Intelligence | -||
Fourier Continuation for Exact Derivative Computation in Physics-Informed Neural Operators | -2022-11-29 | -6 | -ArXiv | -arXiv.org | -||
Physics-Guided, Physics-Informed, and Physics-Encoded Neural Networks in Scientific Computing | -2022-11-14 | -23 | -ArXiv | -arXiv.org | -||
Physics Informed Machine Learning for Chemistry Tabulation | -2022-11-06 | -1 | -J. Comput. Sci. | -Journal of Computer Science | Gradient-based learning applied to document recognition | +Yann LeCun, L. Bottou, Yoshua Bengio, P. Haffner | None | -46018 | Proc. IEEE | -Proceedings of the IEEE | +46107 |
Collective dynamics of ‘small-world’ networks | +D. Watts, S. Strogatz | 1998-06-04 | -38499 | -Nature | Nature | +38536 |
Semi-Supervised Classification with Graph Convolutional Networks | +Thomas Kipf, M. Welling | 2016-09-09 | -22128 | ArXiv | -International Conference on Learning Representations | +22197 |
Statistical mechanics of complex networks | +R. Albert, A. Barabási | 2001-06-06 | -18824 | ArXiv | -arXiv.org | +18835 |
The Structure and Function of Complex Networks | +M. Newman | 2003-03-25 | -16786 | SIAM Rev. | -SIAM Review | +16802 |
TensorFlow: 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 Zhang | 2016-05-27 | -16720 | -{'pages': '265-283'} | USENIX Symposium on Operating Systems Design and Implementation | +16788 |
Community structure in social and biological networks | +M. Girvan, M. Newman | 2001-12-07 | -14283 | -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 | -|
Graph Attention Networks | -2017-10-30 | -14001 | -ArXiv | -International Conference on Learning Representations | -||
PRISMA Extension for Scoping Reviews (PRISMA-ScR): Checklist and Explanation | -2018-10-02 | -12798 | -Annals of Internal Medicine | -Annals of Internal Medicine | -||
Consensus problems in networks of agents with switching topology and time-delays | -2004-09-13 | -11251 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -||
Authoritative sources in a hyperlinked environment | -1999-09-01 | -10820 | -{'pages': '668-677'} | -ACM-SIAM Symposium on Discrete Algorithms | -||
Complex brain networks: graph theoretical analysis of structural and functional systems | -2009-03-01 | -9835 | -Nature Reviews Neuroscience | -Nature Reviews Neuroscience | -||
Consensus and Cooperation in Networked Multi-Agent Systems | -2007-03-05 | -9266 | -Proceedings of the IEEE | -Proceedings of the IEEE | -||
Gephi: An Open Source Software for Exploring and Manipulating Networks | -2009-03-19 | -8728 | -Proceedings of the International AAAI Conference on Web and Social Media | -International Conference on Web and Social Media | -||
DeepWalk: online learning of social representations | -2014-03-26 | -8217 | -Proceedings of the 20th ACM SIGKDD international conference on Knowledge discovery and data mining | -Knowledge Discovery and Data Mining | -||
Convolutional Neural Networks on Graphs with Fast Localized Spectral Filtering | -2016-06-30 | -6411 | -{'pages': '3837-3845'} | -Neural Information Processing Systems | -||
A Comprehensive Survey on Graph Neural Networks | -None | -5936 | -IEEE Transactions on Neural Networks and Learning Systems | -IEEE Transactions on Neural Networks and Learning Systems | -||
Neural Message Passing for Quantum Chemistry | -2017-04-04 | -5744 | -{'pages': '1263-1272'} | -International Conference on Machine Learning | -||
The Graph Neural Network Model | -None | -5619 | -IEEE Transactions on Neural Networks | -IEEE Transactions on Neural Networks | -||
How Powerful are Graph Neural Networks? | -2018-10-01 | -5319 | -ArXiv | -International Conference on Learning Representations | -||
Factor graphs and the sum-product algorithm | -2001-02-01 | -5261 | -IEEE Trans. Inf. Theory | -IEEE Transactions on Information Theory | -||
Uncovering the overlapping community structure of complex networks in nature and society | -2005-06-09 | -5069 | -Nature | -Nature | -||
LINE: Large-scale Information Network Embedding | -2015-03-11 | -4740 | -Proceedings of the 24th International Conference on World Wide Web | -The Web Conference | -||
Tabu Search - Part I | -None | -4676 | -INFORMS J. Comput. | -INFORMS journal on computing | -||
An automated method for finding molecular complexes in large protein interaction networks | -2003-01-13 | -4660 | -BMC Bioinformatics | -BMC Bioinformatics | -||
Information flow and cooperative control of vehicle formations | -2004-09-13 | -4545 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -||
Finding community structure in networks using the eigenvectors of matrices. | -2006-05-10 | -4344 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -||
Dynamic Graph CNN for Learning on Point Clouds | -2018-01-24 | -4327 | -ACM Transactions on Graphics (TOG) | -ACM Transactions on Graphics | -||
The KEGG resource for deciphering the genome | -None | -4283 | -Nucleic acids research | -NA | -||
The PRISMA Extension Statement for Reporting of Systematic Reviews Incorporating Network Meta-analyses of Health Care Interventions: Checklist and Explanations | -2015-06-02 | -4251 | -Annals of Internal Medicine | -Annals of Internal Medicine | -||
Spectral Networks and Locally Connected Networks on Graphs | -2013-12-20 | -4225 | -CoRR | -International Conference on Learning Representations | -||
Pregel: a system for large-scale graph processing | -2010-06-06 | -3877 | -Proceedings of the 2010 ACM SIGMOD International Conference on Management of data | -NA | -||
Graph Neural Networks: A Review of Methods and Applications | -2018-12-20 | -3733 | -ArXiv | -AI Open | -||
BioGRID: a general repository for interaction datasets | -2005-12-28 | -3714 | -Nucleic Acids Research | -NA | -||
Modeling Relational Data with Graph Convolutional Networks | -2017-03-17 | -3648 | -{'pages': '593-607'} | -Extended Semantic Web Conference | -||
Hierarchical Information Clustering by Means of Topologically Embedded Graphs | -2011-10-20 | -3628 | -PLoS ONE | -PLoS ONE | -||
Using Bayesian networks to analyze expression data | -2000-04-08 | -3560 | -{'pages': '127-135'} | -Annual International Conference on Research in Computational Molecular Biology | -||
The university of Florida sparse matrix collection | -2011-11-01 | -3524 | -ACM Trans. Math. Softw. | -NA | -||
The architecture of complex weighted networks. | -2003-11-18 | -3522 | -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 | -||
The emerging field of signal processing on graphs: Extending high-dimensional data analysis to networks and other irregular domains | -2012-10-31 | -3495 | -IEEE Signal Processing Magazine | -IEEE Signal Processing Magazine | -||
Conn: A Functional Connectivity Toolbox for Correlated and Anticorrelated Brain Networks | -2012-08-06 | -3483 | -Brain connectivity | -Brain Connectivity | -||
Random graphs with arbitrary degree distributions and their applications. | -2000-07-13 | -3409 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -||
A Convolutional Neural Network for Modelling Sentences | -2014-04-08 | -3401 | -{'pages': '655-665'} | -Annual Meeting of the Association for Computational Linguistics | -||
Measurement and analysis of online social networks | -2007-10-24 | -3252 | -{'pages': '29-42'} | -ACM/SIGCOMM Internet Measurement Conference | -||
Small worlds: the dynamics of networks between order and randomness | -2000-11-01 | -3237 | -SIGMOD Rec. | -NA | -||
BrainNet Viewer: A Network Visualization Tool for Human Brain Connectomics | -2013-07-04 | -3059 | -PLoS ONE | -PLoS ONE | -||
Fibonacci heaps and their uses in improved network optimization algorithms | -1984-10-24 | -3036 | -{'pages': '338-346'} | -NA | -||
The human disease network | -2007-05-22 | -3030 | -Proceedings of the National Academy of Sciences | -Proceedings of the National Academy of Sciences of the United States of America | -||
Convolutional Networks on Graphs for Learning Molecular Fingerprints | -2015-09-30 | -2990 | -ArXiv | -Neural Information Processing Systems | -||
Spatial Temporal Graph Convolutional Networks for Skeleton-Based Action Recognition | -2018-01-23 | -2989 | -{'pages': '7444-7452'} | -AAAI Conference on Artificial Intelligence | -||
Computing Communities in Large Networks Using Random Walks | -2004-12-14 | -2979 | -{'pages': '284-293'} | -NA | -||
Gated Graph Sequence Neural Networks | -2015-11-17 | -2855 | -arXiv: Learning | -International Conference on Learning Representations | -||
Mixing patterns in networks. | -2002-09-19 | -2741 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -||
Modeling and Simulation of Genetic Regulatory Systems: A Literature Review | -None | -2737 | -J. Comput. Biol. | -NA | -||
Fast linear iterations for distributed averaging | -2003-12-09 | -2717 | -42nd IEEE International Conference on Decision and Control (IEEE Cat. No.03CH37475) | -NA | -||
Graph Convolutional Neural Networks for Web-Scale Recommender Systems | -2018-06-06 | -2704 | -Proceedings of the 24th ACM SIGKDD International Conference on Knowledge Discovery & Data Mining | -Knowledge Discovery and Data Mining | -||
Stability of multiagent systems with time-dependent communication links | -2005-02-14 | -2684 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -||
Variational Graph Auto-Encoders | -2016-11-21 | -2651 | -ArXiv | -arXiv.org | -||
Relational inductive biases, deep learning, and graph networks | -2018-06-04 | -2606 | -ArXiv | -arXiv.org | -||
Benchmark graphs for testing community detection algorithms. | -2008-05-30 | -2586 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -||
Graph evolution: Densification and shrinking diameters | -2006-03-27 | -2532 | -ACM Trans. Knowl. Discov. Data | -NA | -||
Graphs over time: densification laws, shrinking diameters and possible explanations | -2005-08-21 | -2510 | -{'pages': '177-187'} | -Knowledge Discovery and Data Mining | -||
Spatio-temporal Graph Convolutional Neural Network: A Deep Learning Framework for Traffic Forecasting | -2017-09-14 | -2501 | -ArXiv | -International Joint Conference on Artificial Intelligence | -||
Efficient Neural Architecture Search via Parameter Sharing | -2018-02-09 | -2416 | -ArXiv | -International Conference on Machine Learning | -||
Estimating or Propagating Gradients Through Stochastic Neurons for Conditional Computation | -2013-08-15 | -2408 | -ArXiv | -arXiv.org | -||
Randomized gossip algorithms | -2006-06-01 | -2399 | -IEEE Transactions on Information Theory | -IEEE Transactions on Information Theory | -||
Distinct brain networks for adaptive and stable task control in humans | -2007-06-26 | -2398 | -Proceedings of the National Academy of Sciences | Proceedings of the National Academy of Sciences of the United States of America | +14283 | |
Simplifying Graph Convolutional Networks | -2019-02-19 | -2306 | -{'pages': '6861-6871'} | -International Conference on Machine Learning | -||
Small-World Brain Networks | -2006-12-01 | -2291 | -The Neuroscientist | -The Neuroscientist | -||
A Resilient, Low-Frequency, Small-World Human Brain Functional Network with Highly Connected Association Cortical Hubs | -2006-01-04 | -2290 | -The Journal of Neuroscience | -Journal of Neuroscience | -
+
Title | +Authors | +Publication Date | +Journal/Conference | +Citation count | +|||||
---|---|---|---|---|---|---|---|---|---|
Defining and identifying communities in networks. | -2003-09-21 | -2281 | -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 | +Hierarchical spatio-temporal graph convolutional neural networks for traffic data imputation | +Dongwei Xu, Hang Peng, Yufu Tang, Haifeng Guo | +2024-06-01 | +Information Fusion | +0 |
Analysis of weighted networks. | -2004-07-20 | -2272 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | +Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation | +Can Tian, Zhaohui Tang, Hu Zhang, Yongfang Xie, Zhien Dai | +2024-05-01 | +Control Engineering Practice | +0 |
Deadlock-Free Message Routing in Multiprocessor Interconnection Networks | -1987-05-01 | -2268 | -IEEE Transactions on Computers | -IEEE transactions on computers | +MACNS: 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 Wang | +2024-05-01 | +Inf. Fusion | +0 |
Fusion, Propagation, and Structuring in Belief Networks | -1986-09-01 | -2236 | -Probabilistic and Causal Inference | -Artificial Intelligence | +DawnGNN: Documentation augmented windows malware detection using graph neural network | +Pengbin Feng, Le Gai, Li Yang, Qin Wang, Teng Li, Ning Xi, Jianfeng Ma | +2024-05-01 | +Computers & Security | +0 |
Efficiency and Cost of Economical Brain Functional Networks | -2007-02-01 | -2184 | -PLoS Computational Biology | -NA | +Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting | +Le Sun, Wenzhang Dai, Muhammad Ghulam | +2024-05-01 | +Inf. Fusion | +0 |
The Click modular router | -1999-12-12 | -2160 | -Proceedings of the seventeenth ACM symposium on Operating systems principles | -Symposium on Operating Systems Principles | -|||||
The human factor: the critical importance of effective teamwork and communication in providing safe care | -2004-10-01 | -2155 | -Quality and Safety in Health Care | -BMJ Quality & Safety | -|||||
The Concrete Distribution: A Continuous Relaxation of Discrete Random Variables | -2016-11-02 | -2151 | -ArXiv | -International Conference on Learning Representations | -|||||
ForceAtlas2, a Continuous Graph Layout Algorithm for Handy Network Visualization Designed for the Gephi Software | -2014-06-10 | -2146 | -PLoS ONE | -PLoS ONE | -|||||
Deeper Insights into Graph Convolutional Networks for Semi-Supervised Learning | -2018-01-22 | -2142 | -ArXiv | -AAAI Conference on Artificial Intelligence | -|||||
Network robustness and fragility: percolation on random graphs. | -2000-07-18 | -2141 | -Physical review letters | -Physical Review Letters | -|||||
Diffusion Convolutional Recurrent Neural Network: Data-Driven Traffic Forecasting | -2017-07-06 | -2120 | -arXiv: Learning | -International Conference on Learning Representations | -|||||
Distortion Invariant Object Recognition in the Dynamic Link Architecture | -1993-03-01 | -2089 | -IEEE Trans. Computers | -NA | -|||||
Community detection algorithms: a comparative analysis: invited presentation, extended abstract | -2009-08-07 | -2086 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -ValueTools | -|||||
Efficient influence maximization in social networks | -2009-06-28 | -2084 | -{'pages': '199-208'} | -Knowledge Discovery and Data Mining | -|||||
Graph theoretical analysis of magnetoencephalographic functional connectivity in Alzheimer's disease. | -None | -2077 | -Brain : a journal of neurology | -NA | -|||||
Search and replication in unstructured peer-to-peer networks | -2002-06-01 | -2057 | -{'pages': '84-95'} | -International Conference on Supercomputing | -|||||
Modelling disease outbreaks in realistic urban social networks | -2004-05-13 | -2022 | -Nature | -Nature | -|||||
Poppr: an R package for genetic analysis of populations with clonal, partially clonal, and/or sexual reproduction | -2014-03-04 | -2018 | -PeerJ | -PeerJ | -|||||
LightGCN: Simplifying and Powering Graph Convolution Network for Recommendation | -2020-02-06 | -2016 | -Proceedings of the 43rd International ACM SIGIR Conference on Research and Development in Information Retrieval | -Annual International ACM SIGIR Conference on Research and Development in Information Retrieval | -|||||
Routing with Guaranteed Delivery in Ad Hoc Wireless Networks | -1999-08-01 | -2000 | -Wireless Networks | -NA | -|||||
Neural Graph Collaborative Filtering | -2019-05-20 | -1950 | -Proceedings of the 42nd International ACM SIGIR Conference on Research and Development in Information Retrieval | -Annual International ACM SIGIR Conference on Research and Development in Information Retrieval | -|||||
Learning Convolutional Neural Networks for Graphs | -2016-05-17 | -1928 | -{'pages': '2014-2023'} | -International Conference on Machine Learning | -|||||
Impact of Interference on Multi-Hop Wireless Network Performance | -2003-09-14 | -1919 | -Wireless Networks | -ACM/IEEE International Conference on Mobile Computing and Networking | -|||||
Convolutional 2D Knowledge Graph Embeddings | -2017-07-05 | -1909 | -{'pages': '1811-1818'} | -AAAI Conference on Artificial Intelligence | -|||||
Image-Based Recommendations on Styles and Substitutes | -2015-06-15 | -1908 | -Proceedings of the 38th International ACM SIGIR Conference on Research and Development in Information Retrieval | -Annual International ACM SIGIR Conference on Research and Development in Information Retrieval | -|||||
Graph-set analysis of hydrogen-bond patterns in organic crystals. | -1990-04-01 | -1904 | -Acta crystallographica. Section B, Structural science | -Acta Crystallographica Section B Structural Science | -|||||
An introduction to exponential random graph (p*) models for social networks | -2007-05-01 | -1874 | -Soc. Networks | -NA | -|||||
The Network Data Repository with Interactive Graph Analytics and Visualization | -2015-01-25 | -1869 | -{'pages': '4292-4293'} | -AAAI Conference on Artificial Intelligence | -|||||
Coverage problems in wireless ad-hoc sensor networks | -2001-04-22 | -1865 | -Proceedings IEEE INFOCOM 2001. Conference on Computer Communications. Twentieth Annual Joint Conference of the IEEE Computer and Communications Society (Cat. No.01CH37213) | -NA | -
-
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -|||||
---|---|---|---|---|---|---|---|---|---|
Hierarchical spatio-temporal graph convolutional neural networks for traffic data imputation | -2024-06-01 | -0 | -Information Fusion | -Information Fusion | -|||||
Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation | -2024-05-01 | -0 | -Control Engineering Practice | -Control Engineering Practice | -|||||
MACNS: A generic graph neural network integrated deep reinforcement learning based multi-agent collaborative navigation system for dynamic trajectory planning | -2024-05-01 | -0 | -Inf. Fusion | -Information Fusion | -|||||
DawnGNN: Documentation augmented windows malware detection using graph neural network | -2024-05-01 | -0 | -Computers & Security | -NA | -|||||
Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting | -2024-05-01 | -0 | -Inf. Fusion | -Information Fusion | -|||||
FairCare: Adversarial training of a heterogeneous graph neural network with attention mechanism to learn fair representations of electronic health records | -2024-05-01 | -0 | -Information Processing & Management | -NA | +FairCare: 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 Zhou | +2024-05-01 | +Information Processing & Management | +0 |
Multi-criteria group decision making based on graph neural networks in Pythagorean fuzzy environment | +Zhenhua Meng, Rongheng Lin, Budan Wu | 2024-05-01 | -1 | Expert Systems with Applications | -Expert systems with applications | -||||
POI recommendation for random groups based on cooperative graph neural networks | -2024-05-01 | -0 | -Information Processing & Management | -NA | -|||||
Attention based multi-task interpretable graph convolutional network for Alzheimer’s disease analysis | -2024-04-01 | -0 | -Pattern Recognition Letters | -Pattern Recognition Letters | -|||||
A coarse-to-fine adaptive spatial–temporal graph convolution network with residuals for motor imagery decoding from the same limb | -2024-04-01 | -0 | -Biomedical Signal Processing and Control | -Biomedical Signal Processing and Control | -|||||
A new programmed method for retrofitting heat exchanger networks using graph machine learning | -2024-04-01 | -0 | -Applied Thermal Engineering | -Applied Thermal Engineering | -|||||
AAGNet: A graph neural network towards multi-task machining feature recognition | -2024-04-01 | -1 | -Robotics 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 scenarios | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Vessel trajectory prediction based on spatio-temporal graph convolutional network for complex and crowded sea areas | -2024-04-01 | -0 | -Ocean Engineering | -Ocean Engineering | -|||||
GCNGAT: Drug–disease association prediction based on graph convolution neural network and graph attention network | -2024-04-01 | -0 | -Artificial Intelligence in Medicine | -Artificial Intelligence in Medicine | -|||||
KAGNN: Graph neural network with kernel alignment for heterogeneous graph learning | -2024-04-01 | -0 | -Knowledge-Based Systems | -Knowledge-Based Systems | -|||||
ASSL-HGAT: Active semi-supervised learning empowered heterogeneous graph attention network | -2024-04-01 | -0 | -Knowledge-Based Systems | -Knowledge-Based Systems | -|||||
Multi-hop graph pooling adversarial network for cross-domain remaining useful life prediction: A distributed federated learning perspective | -2024-04-01 | -2 | -Reliability Engineering & System Safety | -NA | -|||||
Agriculture crop yield prediction using inertia based cat swarm optimization | -2024-04-01 | -0 | -International 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 plant | -2024-04-01 | -0 | -Nuclear Engineering and Design | -Nuclear Engineering and Design | -|||||
A pruned-optimized weighted graph convolutional network for axial flow pump fault diagnosis with hydrophone signals | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Explainable train delay propagation: A graph attention network approach | -2024-04-01 | -0 | -Transportation Research Part E: Logistics and Transportation Review | -NA | -|||||
Graph neural networks based framework to analyze social media platforms for malicious user detection | -2024-04-01 | -0 | -Applied Soft Computing | -Applied Soft Computing | -|||||
Digital twin modeling for stress prediction of single-crystal turbine blades based on graph convolutional network | -2024-04-01 | -0 | -Journal of Manufacturing Processes | -Journal of Manufacturing Processes | -|||||
Design information-assisted graph neural network for modeling central air conditioning systems | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Unveiling community structures in static networks through graph variational Bayes with evolution information | -2024-04-01 | -0 | -Neurocomputing | -Neurocomputing | -|||||
Control Laws for Partially Observable Min-Plus Systems Networks With Disturbances and Under Mutual Exclusion Constraints | -2024-04-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
Multi-satellite cooperative scheduling method for large-scale tasks based on hybrid graph neural network and metaheuristic algorithm | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Identification of chronic obstructive pulmonary disease using graph convolutional network in electronic nose | -2024-04-01 | -0 | -Indonesian Journal of Electrical Engineering and Computer Science | -Indonesian Journal of Electrical Engineering and Computer Science | -|||||
Network traffic prediction with Attention-based Spatial–Temporal Graph Network | -2024-04-01 | -0 | -Computer Networks | -Computer Networks | -|||||
DRGCL: Drug Repositioning via Semantic-enriched Graph Contrastive Learning. | -2024-03-05 | -0 | -IEEE journal of biomedical and health informatics | -IEEE journal of biomedical and health informatics | -|||||
Embedding-Alignment Fusion-Based Graph Convolution Network With Mixed Learning Strategy for 4D Medical Image Reconstruction. | -2024-03-05 | -0 | -IEEE journal of biomedical and health informatics | -IEEE journal of biomedical and health informatics | -|||||
Enhancing Generalizability in Protein-Ligand Binding Affinity Prediction with Multimodal Contrastive Learning. | -2024-03-05 | -0 | -Journal of chemical information and modeling | -Journal 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-04 | -0 | -ACS applied materials & interfaces | -ACS Applied Materials and Interfaces | -|||||
Empowering Persons with Autism through Cross-Reality and Conversational Agents. | -2024-03-04 | -0 | -IEEE transactions on visualization and computer graphics | -IEEE Transactions on Visualization and Computer Graphics | -|||||
Bearing fault detection by using graph autoencoder and ensemble learning | -2024-03-03 | -0 | -Scientific Reports | -Scientific Reports | -|||||
Successful Implementation of the AIUM Standardized 4-Year Residency Ultrasound Curriculum in Obstetrics and Gynecology: Lessons Learned and Way Forward. | -2024-03-03 | -0 | -Journal of ultrasound in medicine : official journal of the American Institute of Ultrasound in Medicine | -Journal of ultrasound in medicine | -|||||
Prediction of lncRNA and disease associations based on residual graph convolutional networks with attention mechanism. | -2024-03-02 | -0 | -Scientific reports | -Scientific Reports | -|||||
Deep Attentional Implanted Graph Clustering Algorithm for the Visualization and Analysis of Social Networks | -2024-03-02 | -0 | -Journal of Internet Services and Information Security | -Journal 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-02 | -0 | -Scientific reports | -Scientific Reports | -|||||
Information-incorporated gene network construction with FDR control. | -2024-03-02 | -0 | -Bioinformatics | -Bioinformatics | -|||||
Attention-Based Learning for Predicting Drug-Drug Interactions in Knowledge Graph Embedding Based on Multisource Fusion Information | -2024-03-02 | -0 | -International Journal of Intelligent Systems | -International Journal of Intelligent Systems | -|||||
Walk in Views: Multi-view Path Aggregation Graph Network for 3D Shape Analysis | -2024-03-01 | -0 | -Inf. Fusion | -Information Fusion | -|||||
Topic Modeling on Document Networks With Dirichlet Optimal Transport Barycenter | -2024-03-01 | -0 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -|||||
MCGCN: Multi-Correlation Graph Convolutional Network for Pedestrian Attribute Recognition | -2024-03-01 | -0 | -IEICE Transactions on Information and Systems | -NA | -|||||
Postdisaster Routing of Movable Energy Resources for Enhanced Distribution System Resilience: A Deep Reinforcement Learning-Based Approach | -2024-03-01 | -0 | -IEEE Industry Applications Magazine | -IEEE Industry Applications Magazine | -|||||
Towards explaining graph neural networks via preserving prediction ranking and structural dependency | -2024-03-01 | -0 | -Inf. Process. Manag. | -Information Processing & Management | -|||||
Who is Who on Ethereum? Account Labeling Using Heterophilic Graph Convolutional Network | -2024-03-01 | -2 | -IEEE Transactions on Systems, Man, and Cybernetics: Systems | -NA | -|||||
An EV Charging Station Load Prediction Method Considering Distribution Network Upgrade | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
Event-Based Bipartite Containment Control for Multi-Agent Networks Subject to Communication Delay | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
Efficient Throughput Maximization in Dynamic Rechargeable Networks | -2024-03-01 | -0 | -IEEE Transactions on Mobile Computing | -IEEE Transactions on Mobile Computing | -|||||
Real-Time Joint Regulations of Frequency and Voltage for TSO-DSO Coordination: A Deep Reinforcement Learning-Based Approach | -2024-03-01 | -2 | -IEEE Transactions on Smart Grid | -IEEE Transactions on Smart Grid | -|||||
Relation-aware graph convolutional network for waste battery inspection based on X-ray images | -2024-03-01 | -0 | -Sustainable Energy Technologies and Assessments | -Sustainable Energy Technologies and Assessments | -|||||
Query-Aware Explainable Product Search With Reinforcement Knowledge Graph Reasoning | -2024-03-01 | -0 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -|||||
Improving chemical reaction yield prediction using pre-trained graph neural networks | -2024-03-01 | -0 | -Journal of Cheminformatics | -Journal of Cheminformatics | -|||||
Enhancing the Tolerance of Voltage Regulation to Cyber Contingencies via Graph-Based Deep Reinforcement Learning | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
Estimating the connectional brain template based on multi-view networks with bi-channel graph neural network | -2024-03-01 | -0 | -Biomedical Signal Processing and Control | -Biomedical Signal Processing and Control | -|||||
Stochastic Hybrid Networks for Global Almost Sure Unanimous Decision Making | -2024-03-01 | -0 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -|||||
Indoor functional subspace division from point clouds based on graph neural network | -2024-03-01 | -0 | -International Journal of Applied Earth Observation and Geoinformation | -International Journal of Applied Earth Observation and Geoinformation | -|||||
Minimum collisions assignment in interdependent networked systems via defective colorings | -2024-03-01 | -0 | -ITU Journal on Future and Evolving Technologies | -NA | -|||||
A simplified simulation strategy for barge-bridge collision learned from collapse of Taiyangbu Bridge | -2024-03-01 | -0 | -Engineering Structures | -Engineering structures | -|||||
How Much Do Urban Terminal Delivery Paths Depend on Urban Roads – A Research Based on Bipartite Graph Network | -2024-03-01 | -0 | -Promet - Traffic&Transportation | -NA | -|||||
HKFGCN: A novel multiple kernel fusion framework on graph convolutional network to predict microbe-drug associations | -2024-03-01 | -0 | -Computational Biology and Chemistry | -Computational biology and chemistry | -|||||
Dual Preference Perception Network for Fashion Recommendation in Social Internet of Things | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -|||||
Ego-Aware Graph Neural Network | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
Energy-Efficient Graph Reinforced vNFC Deployment in Elastic Optical Inter-DC Networks | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
RWE: A Random Walk Based Graph Entropy for the Structural Complexity of Directed Networks | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
PaSTG: A Parallel Spatio-Temporal GCN Framework for Traffic Forecasting in Smart City | -2024-03-01 | -0 | -ACM Transactions on Sensor Networks | -ACM transactions on sensor networks | -|||||
Human-Robot Collaboration Through a Multi-Scale Graph Convolution Neural Network With Temporal Attention | -2024-03-01 | -1 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
QoS Prediction and Adversarial Attack Protection for Distributed Services Under DLaaS | -2024-03-01 | -13 | -IEEE Transactions on Computers | -IEEE transactions on computers | -|||||
Which Link Matters? Maintaining Connectivity of Uncertain Networks Under Adversarial Attack | -2024-03-01 | -0 | -IEEE Transactions on Mobile Computing | -IEEE Transactions on Mobile Computing | -|||||
Dynamical Bifurcations of a Fractional-Order BAM Neural Network: Nonidentical Neutral Delays | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
STAGP: Spatio-Temporal Adaptive Graph Pooling Network for Pedestrian Trajectory Prediction | -2024-03-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
GCN-Based Risk Prediction for Necrosis Slide of Hepatocellular Carcinoma. | -2024-03-01 | -0 | -Studies in health technology and informatics | -Studies in Health Technology and Informatics | -|||||
User Security-Oriented Information-Centric IoT Nodes Clustering With Graph Convolution Networks | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -|||||
Navigating the Mental Lexicon: Network Structures, Lexical Search and Lexical Retrieval | -2024-03-01 | -0 | -Journal of Psycholinguistic Research | -Journal of Psycholinguistic Research | -|||||
Intelligent floor plan design of modular high-rise residential building based on graph-constrained generative adversarial networks | -2024-03-01 | -0 | -Automation in Construction | -Automation in Construction | -|||||
Hierarchical structural graph neural network with local relation enhancement for hyperspectral image classification | -2024-03-01 | -0 | -Digital Signal Processing | -NA | -|||||
Car-Studio: Learning Car Radiance Fields From Single-View and Unlimited In-the-Wild Images | -2024-03-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
A Data-Knowledge-Hybrid-Driven Method for Modeling Reactive Power-Voltage Response Characteristics of Renewable Energy Sources | -2024-03-01 | -1 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
A recommender system-using novel deep network collaborative filtering | -2024-03-01 | -0 | -IAES International Journal of Artificial Intelligence (IJ-AI) | -IAES International Journal of Artificial Intelligence (IJ-AI) | -|||||
Fuzzy Stochastic Configuration Networks for Nonlinear System Modeling | -2024-03-01 | 1 | -IEEE Transactions on Fuzzy Systems | -IEEE transactions on fuzzy systems | -|||||
Hierarchical graph fusion network and a new argumentative dataset for multiparty dialogue discourse parsing | -2024-03-01 | -0 | -Inf. Process. Manag. | -Information Processing & Management | -|||||
Real-Time Offloading for Dependent and Parallel Tasks in Cloud-Edge Environments Using Deep Reinforcement Learning | -2024-03-01 | -0 | -IEEE Transactions on Parallel and Distributed Systems | -IEEE Transactions on Parallel and Distributed Systems | -|||||
Altered white matter functional pathways in Alzheimer's disease. | -2024-03-01 | -0 | -Cerebral cortex | -Cerebral Cortex | -|||||
Neural Network Applications in Hybrid Data-Model Driven Dynamic Frequency Trajectory Prediction for Weak-Damping Power Systems | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -|||||
Recovering Static and Time-Varying Communities Using Persistent Edges | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
Public opinion bunching storage model for dense graph data in social networks1 | -2024-03-01 | -0 | -Journal of Intelligent & Fuzzy Systems | -NA | -|||||
Enhancing Demand Prediction: A Multi-Task Learning Approach for Taxis and TNCs | -2024-03-01 | -0 | -Sustainability | -Sustainability | -|||||
A Graph Machine Learning Framework to Compute Zero Forcing Sets in Graphs | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
Spatio-temporal multi-graph transformer network for joint prediction of multiple vessel trajectories | -2024-03-01 | -1 | -Engineering Applications of Artificial Intelligence | -Engineering applications of artificial intelligence | -|||||
Visual Knowledge Graph Construction of Self-directed Learning Ability Driven by Interdisciplinary Projects | -2024-03-01 | -0 | -ICST Transactions on Scalable Information Systems | -NA | -|||||
Contrastive Hawkes graph neural networks with dynamic sampling for event prediction | -2024-03-01 | -0 | -Neurocomputing | -Neurocomputing | -|||||
Distance Information Improves Heterogeneous Graph Neural Networks | -2024-03-01 | -0 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -|||||
IoT Route Planning Based on Spatiotemporal Interactive Attention Neural Network | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -|||||
Collaborative Delivery Optimization With Multiple Drones via Constrained Hybrid Pointer Network | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -|||||
Learn to Optimize the Constrained Shortest Path on Large Dynamic Graphs | -2024-03-01 | -1 | -IEEE Transactions on Mobile Computing | -IEEE Transactions on Mobile Computing | -|||||
QKD Key Provisioning With Multi-Level Pool Slicing for End-to-End Security Services in Optical Networks | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -|||||
Boosting Subspace Co-Clustering via Bilateral Graph Convolution | -2024-03-01 | -1 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -|||||
Highly reliable and large-scale simulations of promising argyrodite solid-state electrolytes using a machine-learned moment tensor potential | -2024-03-01 | -0 | -Nano Energy | -Nano Energy | Symbolic Dynamic Programming for First-Order MDPs | +Craig Boutilier, R. Reiter, Bob Price | 2001-08-04 | -278 | -{'pages': '690-700'} | International Joint Conference on Artificial Intelligence | +278 |
On Neural Differential Equations | +Patrick Kidger | 2022-02-04 | -124 | ArXiv | -arXiv.org | +128 | |||
A Survey And Analysis Of Diversity Measures In Genetic Programming | +Raymond Burke, Steven M. Gustafson, G. Kendall | 2002-07-09 | -104 | -{'pages': '716-723'} | Annual Conference on Genetic and Evolutionary Computation | +104 | |||
Prediction of dynamical systems by symbolic regression. | +M. Quade, Markus Abel, Kamran Shafi, R. Niven, B. R. Noack | 2016-02-15 | -91 | Physical review. E | -Physical Review E | +92 | |||
Take Their Word for It: The Symbolic Role of Linguistic Style Matches in User Communities | +S. Ludwig, K. Ruyter, D. Mahr, Martin Wetzels, E. Brüggen, Tom de Ruyck | 2014-12-01 | -69 | MIS Q. | -NA | +69 | |||
Data Based Prediction of Blood Glucose Concentrations Using Evolutionary Methods | +J. Hidalgo, J. Colmenar, G. Kronberger, Stephan M. Winkler, Oscar Garnica, J. Lanchares | 2017-08-08 | -67 | Journal of Medical Systems | -Journal of medical systems | +68 | |||
Who Is Responsible for the Gender Gap? The Dynamics of Men’s and Women’s Democratic Macropartisanship, 1950–2012 | +Heather L. Ondercin | 2017-07-03 | -61 | Political Research Quarterly | -NA | -||||
On the closed form computation of the dynamic matrices and their differentiations | -2013-11-01 | -55 | -2013 IEEE/RSJ International Conference on Intelligent Robots and Systems | -NA | -|||||
Automatic rule identification for agent-based crowd models through gene expression programming | -2014-05-05 | -49 | -{'pages': '1125-1132'} | -Adaptive Agents and Multi-Agent Systems | -|||||
Rediscovering orbital mechanics with machine learning | -2022-02-04 | -46 | -Machine Learning: Science and Technology | -NA | -|||||
Chaos as an interpretable benchmark for forecasting and data-driven modelling | -2021-10-11 | -41 | -ArXiv | -NA | -|||||
Symbolic dynamics marker of heart rate variability combined with clinical variables enhance obstructive sleep apnea screening. | -2014-03-27 | -32 | -Chaos | -Chaos | -|||||
Mining Time-Resolved Functional Brain Graphs to an EEG-Based Chronnectomic Brain Aged Index (CBAI) | -2017-09-07 | -31 | -Frontiers in Human Neuroscience | -Frontiers in Human Neuroscience | -|||||
Self-Adaptive Induction of Regression Trees | -2011-08-01 | -30 | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -|||||
Macro-economic Time Series Modeling and Interaction Networks | -2011-04-27 | -29 | -{'pages': '101-110'} | -NA | -|||||
User friendly Matlab-toolbox for symbolic robot dynamic modeling used for control design | -2012-12-01 | -28 | -2012 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 fields | -2016-04-01 | -26 | -The International Journal of Robotics Research | -NA | -|||||
An extension of Gompertzian growth dynamics: Weibull and Frechet models. | -None | -25 | -Mathematical biosciences and engineering : MBE | -NA | -|||||
Reverse-engineering ecological theory from data | -2018-05-16 | -22 | -Proceedings of the Royal Society B: Biological Sciences | -NA | -|||||
REVEALING COMPLEX ECOLOGICAL DYNAMICS VIA SYMBOLIC REGRESSION | -2016-09-11 | -20 | -bioRxiv | -bioRxiv | -|||||
Extrapolatable Analytical Functions for Tendon Excursions and Moment Arms From Sparse Datasets | -2012-03-05 | -17 | -IEEE Transactions on Biomedical Engineering | -IEEE Transactions on Biomedical Engineering | -|||||
New Insights into Tree Height Distribution Based on Mixed Effects Univariate Diffusion Processes | -2016-12-21 | -17 | -PLoS ONE | -PLoS ONE | -|||||
Physics-infused Machine Learning for Crowd Simulation | -2022-08-14 | -16 | -Proceedings of the 28th ACM SIGKDD Conference on Knowledge Discovery and Data Mining | -Knowledge Discovery and Data Mining | -|||||
Synchronization control of oscillator networks using symbolic regression | -2016-12-15 | -15 | -Nonlinear Dynamics | -Nonlinear dynamics | -|||||
Transfer entropy as a variable selection methodology of cryptocurrencies in the framework of a high dimensional predictive model | -2020-01-02 | -13 | -PLoS ONE | -PLoS ONE | -|||||
The use of hypnosis with eating disorders. | -None | -12 | -Psychiatric medicine | -Psychiatric medicine | -|||||
Symbolic regression of multiple-time-scale dynamical systems | -2012-07-07 | -12 | -{'pages': '735-742'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Dynamics of evolutionary robustness | -2006-07-08 | -11 | -Proceedings of the 8th annual conference on Genetic and evolutionary computation | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Graph Grammar Encoding and Evolution of Automata Networks | -None | -11 | -{'pages': '229-238'} | -Australasian Computer Science Conference | -|||||
Strategies of symbolization in cardiovascular time series to test individual gestational development in the fetus | -2015-02-13 | -10 | -Philosophical Transactions of the Royal Society A: Mathematical, Physical and Engineering Sciences | -NA | -|||||
Sliding Window Symbolic Regression for Detecting Changes of System Dynamics | -None | -10 | -{'pages': '91-107'} | -Genetic Programming Theory and Practice | -|||||
Symbolic analysis of the base parameters for closed-chain robots based on the completion procedure | -1996-04-22 | -10 | -Proceedings of IEEE International Conference on Robotics and Automation | -NA | -|||||
Comparing tree depth limits and resource-limited GP | -2005-12-12 | -9 | -2005 IEEE Congress on Evolutionary Computation | -IEEE Congress on Evolutionary Computation | -|||||
A hybrid evolutionary algorithm for the symbolic modeling of multiple-time-scale dynamical systems | -2015-01-31 | -8 | -Evolutionary Intelligence | -Evolutionary Intelligence | +61 | ||||
The effect of principal component analysis in the diagnosis of congestive heart failure via heart rate variability analysis | -2021-08-07 | -8 | -Proceedings of the Institution of Mechanical Engineers, Part H: Journal of Engineering in Medicine | -Proceedings of the Institution of mechanical engineers. Part H, journal of engineering in medicine | -
+
Title | +Authors | +Publication Date | +Journal/Conference | +Citation count | +|||||
---|---|---|---|---|---|---|---|---|---|
Data-driven Construction of Symbolic Process Models for Reinforcement Learning | -2018-05-21 | -8 | -2018 IEEE International Conference on Robotics and Automation (ICRA) | -IEEE International Conference on Robotics and Automation | +Shared professional logics amongst managers and bureaucrats in Brazilian social security: a street-level mixed-methods study | +Luiz Henrique Alonso de Andrade, E. Pekkola | +2024-02-20 | +International Journal of Public Sector Management | +0 |
Symbolic Regression for Constructing Analytic Models in Reinforcement Learning | -2019-03-27 | -8 | +Excitation Trajectory Optimization for Dynamic Parameter Identification Using Virtual Constraints in Hands-on Robotic System | +Huanyu Tian, Martin Huber, Christopher E. Mower, Zhe Han, Changsheng Li, Xingguang Duan, Christos Bergeles | +2024-01-29 | ArXiv | -arXiv.org | -||
A computer based decision-making model for poultry inspection. | -1983-12-15 | -7 | -Journal of the American Veterinary Medical Association | -Journal of the American Veterinary Medical Association | -|||||
Understanding Physical Effects for Effective Tool-Use | -2022-06-30 | -7 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
A New View on Symbolic Regression | -2002-04-03 | -7 | -{'pages': '113-122'} | -European Conference on Genetic Programming | -|||||
Learning symbolic forward models for robotic motion planning and control | -None | -6 | -{'pages': '558-563'} | -European Conference on Artificial Life | -|||||
Coevolutionary Dynamics of a Multi-population Genetic Programming System | -1999-09-13 | -6 | -{'pages': '154-158'} | -European Conference on Artificial Life | -|||||
RAMP-Net: A Robust Adaptive MPC for Quadrotors via Physics-informed Neural Network | -2022-09-19 | -6 | -2023 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 approach | -2018-10-24 | -6 | -Physiological Measurement | -Physiological Measurement | -|||||
Online Task Planning and Control for Aerial Robots with Fuel Constraints in Winds | -None | -6 | -{'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 apnoea | -2018-10-11 | -6 | -Physiological Measurement | -Physiological Measurement | -|||||
Different approaches of symbolic dynamics to quantify heart rate complexity | -2013-07-03 | -6 | -2013 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 evolution | -2005-12-12 | -5 | -2005 IEEE Congress on Evolutionary Computation | -IEEE Congress on Evolutionary Computation | -|||||
Similarity-Based Analysis of Population Dynamics in Genetic Programming Performing Symbolic Regression | -None | -5 | -{'pages': '1-17'} | -Genetic Programming Theory and Practice | -|||||
Understanding Spending Behavior: Recurrent Neural Network Explanation and Interpretation | -2021-09-24 | -5 | -2022 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 programming | -2001-05-27 | -5 | -Proceedings 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 identification | -2021-11-17 | -5 | -Proceedings of the 8th ACM International Conference on Systems for Energy-Efficient Buildings, Cities, and Transportation | -NA | -|||||
On-the-fly simplification of genetic programming models | -2021-03-22 | -4 | -Proceedings of the 36th Annual ACM Symposium on Applied Computing | -ACM Symposium on Applied Computing | +0 | ||||
Discovering Unmodeled Components in Astrodynamics with Symbolic Regression | -2020-07-01 | -4 | -2020 IEEE Congress on Evolutionary Computation (CEC) | -IEEE Congress on Evolutionary Computation | +Population Dynamics in Genetic Programming for Dynamic Symbolic Regression | +Philipp Fleck, Bernhard Werth, M. Affenzeller | +2024-01-10 | +Applied Sciences | +0 |
On the functional form of the radial acceleration relation | -2023-01-11 | -4 | -ArXiv | -Monthly notices of the Royal Astronomical Society | +Reassessing the transport properties of fluids: A symbolic regression approach. | +Dimitrios Angelis, F. Sofos, T. Karakasidis | +2024-01-01 | +Physical review. E | +0 |
Inferring the Structure of Ordinary Differential Equations | -2021-07-05 | -3 | -ArXiv | -arXiv.org | +(Invited) Electrochemical Interfaces in Energy Storage: Theory Meets Experiment | +T. Vegge | +2023-12-22 | +ECS Meeting Abstracts | +0 |
On the Effectiveness of Genetic Operations in Symbolic Regression | -2015-02-08 | -3 | +AI-Lorenz: A physics-data-driven framework for black-box and gray-box identification of chaotic systems with symbolic regression | +Mario De Florio, I. Kevrekidis, G. Karniadakis | +2023-12-21 | ArXiv | -International Conference/Workshop on Computer Aided Systems Theory | -||
Schema Analysis in Tree-Based Genetic Programming | -None | -3 | -{'pages': '17-37'} | -Genetic Programming Theory and Practice | -|||||
Improving Expert Knowledge in Dynamic Process Monitoring by Symbolic Regression | -2012-08-25 | -3 | -2012 Sixth International Conference on Genetic and Evolutionary Computing | -NA | +0 | ||||
Machine Learning-Based Approach to Wind Turbine Wake Prediction under Yawed Conditions | +M. Gajendran, Ijaz Fazil Syed Ahmed Kabir, S. Vadivelu, E. Ng | 2023-11-04 | -2 | -Journal of Marine Science and Engineering | Journal of Marine Science and Engineering | -||||
Symbolic regression via neural networks. | -2023-08-01 | -2 | -Chaos | -Chaos | -|||||
A PINN Approach to Symbolic Differential Operator Discovery with Sparse Data | -2022-12-09 | -2 | -ArXiv | -arXiv.org | -|||||
A percentile-based coarse graining approach is helpful in symbolizing heart rate variability during graded head-up tilt | -2015-11-05 | -2 | -2015 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 diversity | -2021-03-19 | -2 | -Genetic Programming and Evolvable Machines | -Genetic Programming and Evolvable Machines | -|||||
Evolutionary sparse data-driven discovery of multibody system dynamics | -2022-10-21 | -2 | -Multibody System Dynamics | -Multibody system dynamics | -|||||
Towards Improving Simulations of Flows around Spherical Particles Using Genetic Programming | -2022-07-18 | -2 | -2022 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 System | -2019-07-01 | -2 | -2019 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 Learner | -2015-12-23 | -2 | -Int. J. Comput. Intell. Appl. | -International Journal of Computational Intelligence and Applications | -|||||
Introducing graphical models to analyze genetic programming dynamics | -2013-01-16 | -2 | -{'pages': '75-86'} | -NA | -|||||
Graphical models and what they reveal about GP when it solves a symbolic regression problem | -2012-07-07 | -1 | -{'pages': '493-494'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Symbolic-numeric integration of univariate expressions based on sparse regression | -2022-01-29 | -1 | -ACM Communications in Computer Algebra | -ACM Communications in Computer Algebra | -|||||
Stabilization of Higher Periodic Orbits of the Duffing Map using Meta-evolutionary Approaches: A Preliminary Study | -2022-07-18 | -1 | -2022 IEEE Congress on Evolutionary Computation (CEC) | -IEEE Congress on Evolutionary Computation | -|||||
Boolformer: Symbolic Regression of Logic Functions with Transformers | -2023-09-21 | -1 | -ArXiv | -arXiv.org | -|||||
Fluid Properties Extraction in Confined Nanochannels with Molecular Dynamics and Symbolic Regression Methods | -2023-07-01 | -1 | -Micromachines | -Micromachines | -|||||
A replacement scheme based on dynamic penalization for controlling the diversity of the population in Genetic Programming | -2022-07-18 | -1 | -2022 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 Media | -2023-04-15 | -1 | -ArXiv | -arXiv.org | -|||||
Universal Physics-Informed Neural Networks: Symbolic Differential Operator Discovery with Sparse Data | -None | -1 | -{'pages': '27948-27956'} | -International Conference on Machine Learning | -|||||
A Comparative Study on Machine Learning algorithms for Knowledge Discovery | -2022-12-11 | -1 | -2022 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 Networks | -2023-07-11 | -1 | -ArXiv | -arXiv.org | -|||||
Deriving Realistic Mathematical Models from Support Vector Machines for Scientific Applications | -None | -1 | -{'pages': '102-113'} | -International Conference on Knowledge Discovery and Information Retrieval | -|||||
The Automated Discovery of Kinetic Rate Models - Methodological Frameworks | -2023-01-26 | -1 | -ArXiv | -arXiv.org | -|||||
Identification of Friction Models for MPC-based Control of a PowerCube Serial Robot | -2022-03-21 | -1 | -ArXiv | -arXiv.org | -|||||
AI-Lorenz: A physics-data-driven framework for black-box and gray-box identification of chaotic systems with symbolic regression | -2023-12-21 | -0 | -ArXiv | -arXiv.org | -|||||
Excitation Trajectory Optimization for Dynamic Parameter Identification Using Virtual Constraints in Hands-on Robotic System | -2024-01-29 | -0 | -ArXiv | -arXiv.org | -|||||
Identification of Discrete Non-Linear Dynamics of a Radio-Frequency Power Amplifier Circuit using Symbolic Regression | -2022-09-01 | -0 | -2022 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 Rotterdam | -2023-07-19 | -0 | -Environment and Planning B: Urban Analytics and City Science | -Environment and Planning B Urban Analytics and City Science | -|||||
(Invited) Electrochemical Interfaces in Energy Storage: Theory Meets Experiment | -2023-12-22 | -0 | -ECS Meeting Abstracts | -ECS Meeting Abstracts | -|||||
Characterization of partial wetting by CMAS droplets using multiphase many-body dissipative particle dynamics and data-driven discovery based on PINNs | -2023-07-18 | -0 | -ArXiv | -arXiv.org | -|||||
Understanding Climate-Vegetation Interactions in Global Rainforests Through a GP-Tree Analysis | -2018-09-08 | -0 | -{'pages': '525-536'} | -Parallel Problem Solving from Nature | -|||||
Robust function discovery and feature selection for life sciences and engineering | -2012-07-07 | -0 | -{'pages': '497-498'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Symbolic dynamics of sleep heart rate variability is associated with cognitive decline in older men | -2023-07-01 | -0 | -2023 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 prediction | -2018-07-01 | -0 | -2018 IEEE International Conference on Fuzzy Systems (FUZZ-IEEE) | -IEEE International Conference on Fuzzy Systems | -|||||
GPSINDy: Data-Driven Discovery of Equations of Motion | -2023-09-20 | -0 | -ArXiv | -arXiv.org | -|||||
Affect, representation and language. Between the silence and the cry | -2023-07-04 | -0 | -The International Journal of Psychoanalysis | -International Journal of Psychoanalysis | -|||||
Reassessing the transport properties of fluids: A symbolic regression approach. | -2024-01-01 | -0 | -Physical review. E | -Physical Review E | -|||||
How Symbols Influence Social Media Discourse: An Embedding Regression Analysis of Trump’s Return to Twitter | -2023-01-01 | -0 | -Socius: Sociological Research for a Dynamic World | -NA | -|||||
Invariants for neural automata | -2023-02-04 | -0 | -Cognitive Neurodynamics | -Cognitive Neurodynamics | -|||||
A Search for the Underlying Equation Governing Similar Systems | -2019-08-27 | -0 | -ArXiv | -arXiv.org | -|||||
Shared professional logics amongst managers and bureaucrats in Brazilian social security: a street-level mixed-methods study | -2024-02-20 | -0 | -International Journal of Public Sector Management | -International Journal of Public Sector Management | -|||||
Population Dynamics in Genetic Programming for Dynamic Symbolic Regression | -2024-01-10 | -0 | -Applied Sciences | -Applied Sciences | -
-
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -|||||
---|---|---|---|---|---|---|---|---|---|
Shared professional logics amongst managers and bureaucrats in Brazilian social security: a street-level mixed-methods study | -2024-02-20 | -0 | -International Journal of Public Sector Management | -International Journal of Public Sector Management | -|||||
Excitation Trajectory Optimization for Dynamic Parameter Identification Using Virtual Constraints in Hands-on Robotic System | -2024-01-29 | -0 | -ArXiv | -arXiv.org | -|||||
Population Dynamics in Genetic Programming for Dynamic Symbolic Regression | -2024-01-10 | -0 | -Applied Sciences | -Applied Sciences | -|||||
Reassessing the transport properties of fluids: A symbolic regression approach. | -2024-01-01 | -0 | -Physical review. E | -Physical Review E | -|||||
(Invited) Electrochemical Interfaces in Energy Storage: Theory Meets Experiment | -2023-12-22 | -0 | -ECS Meeting Abstracts | -ECS Meeting Abstracts | -|||||
AI-Lorenz: A physics-data-driven framework for black-box and gray-box identification of chaotic systems with symbolic regression | -2023-12-21 | -0 | -ArXiv | -arXiv.org | -|||||
Machine Learning-Based Approach to Wind Turbine Wake Prediction under Yawed Conditions | -2023-11-04 | -2 | -Journal of Marine Science and Engineering | -Journal of Marine Science and Engineering | -|||||
Boolformer: Symbolic Regression of Logic Functions with Transformers | -2023-09-21 | -1 | -ArXiv | -arXiv.org | -|||||
GPSINDy: Data-Driven Discovery of Equations of Motion | -2023-09-20 | -0 | -ArXiv | -arXiv.org | -|||||
Symbolic regression via neural networks. | -2023-08-01 | -2 | -Chaos | -Chaos | -|||||
The conflicting geographies of social frontiers: Exploring the asymmetric impacts of social frontiers on household mobility in Rotterdam | -2023-07-19 | -0 | -Environment and Planning B: Urban Analytics and City Science | -Environment 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 PINNs | -2023-07-18 | -0 | -ArXiv | -arXiv.org | -|||||
Discovering Symbolic Laws Directly from Trajectories with Hamiltonian Graph Neural Networks | -2023-07-11 | -1 | -ArXiv | -arXiv.org | -|||||
Affect, representation and language. Between the silence and the cry | -2023-07-04 | -0 | -The International Journal of Psychoanalysis | -International Journal of Psychoanalysis | -|||||
Symbolic dynamics of sleep heart rate variability is associated with cognitive decline in older men | -2023-07-01 | -0 | -2023 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 Methods | -2023-07-01 | -1 | -Micromachines | -Micromachines | -|||||
Physics-Informed and Data-Driven Discovery of Governing Equations for Complex Phenomena in Heterogeneous Media | -2023-04-15 | -1 | -ArXiv | -arXiv.org | -|||||
Invariants for neural automata | -2023-02-04 | -0 | -Cognitive Neurodynamics | -Cognitive Neurodynamics | -|||||
The Automated Discovery of Kinetic Rate Models - Methodological Frameworks | -2023-01-26 | -1 | -ArXiv | -arXiv.org | -|||||
On the functional form of the radial acceleration relation | -2023-01-11 | -4 | -ArXiv | -Monthly notices of the Royal Astronomical Society | -|||||
How Symbols Influence Social Media Discourse: An Embedding Regression Analysis of Trump’s Return to Twitter | -2023-01-01 | -0 | -Socius: Sociological Research for a Dynamic World | -NA | -|||||
A Comparative Study on Machine Learning algorithms for Knowledge Discovery | -2022-12-11 | -1 | -2022 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 Data | -2022-12-09 | -2 | -ArXiv | -arXiv.org | -|||||
Evolutionary sparse data-driven discovery of multibody system dynamics | -2022-10-21 | -2 | -Multibody System Dynamics | -Multibody system dynamics | -|||||
RAMP-Net: A Robust Adaptive MPC for Quadrotors via Physics-informed Neural Network | -2022-09-19 | -6 | -2023 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 Regression | -2022-09-01 | -0 | -2022 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 Simulation | -2022-08-14 | -16 | -Proceedings of the 28th ACM SIGKDD Conference on Knowledge Discovery and Data Mining | -Knowledge Discovery and Data Mining | -|||||
Stabilization of Higher Periodic Orbits of the Duffing Map using Meta-evolutionary Approaches: A Preliminary Study | -2022-07-18 | -1 | -2022 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 Programming | -2022-07-18 | -1 | -2022 IEEE Congress on Evolutionary Computation (CEC) | -IEEE Congress on Evolutionary Computation | -|||||
Towards Improving Simulations of Flows around Spherical Particles Using Genetic Programming | -2022-07-18 | -2 | -2022 IEEE Congress on Evolutionary Computation (CEC) | -IEEE Congress on Evolutionary Computation | -|||||
Understanding Physical Effects for Effective Tool-Use | -2022-06-30 | -7 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
Identification of Friction Models for MPC-based Control of a PowerCube Serial Robot | -2022-03-21 | -1 | -ArXiv | -arXiv.org | -|||||
On Neural Differential Equations | -2022-02-04 | -124 | -ArXiv | -arXiv.org | -|||||
Rediscovering orbital mechanics with machine learning | -2022-02-04 | -46 | -Machine Learning: Science and Technology | -NA | -|||||
Symbolic-numeric integration of univariate expressions based on sparse regression | -2022-01-29 | -1 | -ACM Communications in Computer Algebra | -ACM Communications in Computer Algebra | -|||||
Fifty shades of black: uncovering physical models from symbolic regressions for scalable building heat dynamics identification | -2021-11-17 | -5 | -Proceedings of the 8th ACM International Conference on Systems for Energy-Efficient Buildings, Cities, and Transportation | -NA | -|||||
Chaos as an interpretable benchmark for forecasting and data-driven modelling | -2021-10-11 | -41 | -ArXiv | -NA | -|||||
Understanding Spending Behavior: Recurrent Neural Network Explanation and Interpretation | -2021-09-24 | -5 | -2022 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 analysis | -2021-08-07 | -8 | -Proceedings of the Institution of Mechanical Engineers, Part H: Journal of Engineering in Medicine | -Proceedings of the Institution of mechanical engineers. Part H, journal of engineering in medicine | -|||||
Inferring the Structure of Ordinary Differential Equations | -2021-07-05 | -3 | -ArXiv | -arXiv.org | -|||||
On-the-fly simplification of genetic programming models | -2021-03-22 | -4 | -Proceedings of the 36th Annual ACM Symposium on Applied Computing | -ACM Symposium on Applied Computing | -|||||
GP-DMD: a genetic programming variant with dynamic management of diversity | -2021-03-19 | -2 | -Genetic Programming and Evolvable Machines | -Genetic Programming and Evolvable Machines | -|||||
Discovering Unmodeled Components in Astrodynamics with Symbolic Regression | -2020-07-01 | -4 | -2020 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 model | -2020-01-02 | -13 | -PLoS ONE | -PLoS ONE | -|||||
A Search for the Underlying Equation Governing Similar Systems | -2019-08-27 | -0 | -ArXiv | -arXiv.org | -|||||
Multi-region System Modelling by using Genetic Programming to Extract Rule Consequent Functions in a TSK Fuzzy System | -2019-07-01 | -2 | -2019 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 Learning | -2019-03-27 | -8 | -ArXiv | -arXiv.org | -|||||
On the relevance of symbolizing heart rate variability by means of a percentile-based coarse graining approach | -2018-10-24 | -6 | -Physiological Measurement | -Physiological Measurement | -|||||
Symbolic dynamics to enhance diagnostic ability of portable oximetry from the Phone Oximeter in the detection of paediatric sleep apnoea | -2018-10-11 | -6 | -Physiological Measurement | -Physiological Measurement | -|||||
Understanding Climate-Vegetation Interactions in Global Rainforests Through a GP-Tree Analysis | -2018-09-08 | -0 | -{'pages': '525-536'} | -Parallel Problem Solving from Nature | -|||||
Fuzzy rule-based modeling for interval-valued time series prediction | -2018-07-01 | -0 | -2018 IEEE International Conference on Fuzzy Systems (FUZZ-IEEE) | -IEEE International Conference on Fuzzy Systems | -|||||
Data-driven Construction of Symbolic Process Models for Reinforcement Learning | -2018-05-21 | -8 | -2018 IEEE International Conference on Robotics and Automation (ICRA) | -IEEE International Conference on Robotics and Automation | -|||||
Reverse-engineering ecological theory from data | -2018-05-16 | -22 | -Proceedings of the Royal Society B: Biological Sciences | -NA | -|||||
Mining Time-Resolved Functional Brain Graphs to an EEG-Based Chronnectomic Brain Aged Index (CBAI) | -2017-09-07 | -31 | -Frontiers in Human Neuroscience | -Frontiers in Human Neuroscience | -|||||
Data Based Prediction of Blood Glucose Concentrations Using Evolutionary Methods | -2017-08-08 | -67 | -Journal of Medical Systems | -Journal of medical systems | -|||||
Who Is Responsible for the Gender Gap? The Dynamics of Men’s and Women’s Democratic Macropartisanship, 1950–2012 | -2017-07-03 | -61 | -Political Research Quarterly | -NA | -|||||
New Insights into Tree Height Distribution Based on Mixed Effects Univariate Diffusion Processes | -2016-12-21 | -17 | -PLoS ONE | -PLoS ONE | -|||||
Synchronization control of oscillator networks using symbolic regression | -2016-12-15 | -15 | -Nonlinear Dynamics | -Nonlinear dynamics | -|||||
REVEALING COMPLEX ECOLOGICAL DYNAMICS VIA SYMBOLIC REGRESSION | -2016-09-11 | -20 | -bioRxiv | -bioRxiv | -|||||
Online task planning and control for fuel-constrained aerial robots in wind fields | -2016-04-01 | -26 | -The International Journal of Robotics Research | -NA | -|||||
Prediction of dynamical systems by symbolic regression. | -2016-02-15 | -91 | -Physical review. E | -Physical Review E | -|||||
Hebbian Network of Self-Organizing Receptive Field Neurons as Associative Incremental Learner | -2015-12-23 | -2 | -Int. 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 tilt | -2015-11-05 | -2 | -2015 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 fetus | -2015-02-13 | -10 | -Philosophical Transactions of the Royal Society A: Mathematical, Physical and Engineering Sciences | -NA | -|||||
On the Effectiveness of Genetic Operations in Symbolic Regression | -2015-02-08 | -3 | -ArXiv | -International Conference/Workshop on Computer Aided Systems Theory | -|||||
A hybrid evolutionary algorithm for the symbolic modeling of multiple-time-scale dynamical systems | -2015-01-31 | -8 | -Evolutionary Intelligence | -Evolutionary Intelligence | -|||||
Take Their Word for It: The Symbolic Role of Linguistic Style Matches in User Communities | -2014-12-01 | -69 | -MIS Q. | -NA | -|||||
Automatic rule identification for agent-based crowd models through gene expression programming | -2014-05-05 | -49 | -{'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-27 | -32 | -Chaos | -Chaos | -|||||
On the closed form computation of the dynamic matrices and their differentiations | -2013-11-01 | -55 | -2013 IEEE/RSJ International Conference on Intelligent Robots and Systems | -NA | -|||||
Different approaches of symbolic dynamics to quantify heart rate complexity | -2013-07-03 | -6 | -2013 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 dynamics | -2013-01-16 | -2 | -{'pages': '75-86'} | -NA | -|||||
User friendly Matlab-toolbox for symbolic robot dynamic modeling used for control design | -2012-12-01 | -28 | -2012 IEEE International Conference on Robotics and Biomimetics (ROBIO) | -IEEE International Conference on Robotics and Biomimetics | -|||||
Improving Expert Knowledge in Dynamic Process Monitoring by Symbolic Regression | -2012-08-25 | -3 | -2012 Sixth International Conference on Genetic and Evolutionary Computing | -NA | -|||||
Graphical models and what they reveal about GP when it solves a symbolic regression problem | -2012-07-07 | -1 | -{'pages': '493-494'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Robust function discovery and feature selection for life sciences and engineering | -2012-07-07 | -0 | -{'pages': '497-498'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Symbolic regression of multiple-time-scale dynamical systems | -2012-07-07 | -12 | -{'pages': '735-742'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Extrapolatable Analytical Functions for Tendon Excursions and Moment Arms From Sparse Datasets | -2012-03-05 | -17 | -IEEE Transactions on Biomedical Engineering | -IEEE Transactions on Biomedical Engineering | -|||||
Self-Adaptive Induction of Regression Trees | -2011-08-01 | -30 | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -IEEE Transactions on Pattern Analysis and Machine Intelligence | -|||||
Macro-economic Time Series Modeling and Interaction Networks | -2011-04-27 | -29 | -{'pages': '101-110'} | -NA | -|||||
Cars, Compositionality, and Consciousness | -2008-12-01 | -0 | -Frontiers in Neuroscience | -Frontiers in Neuroscience | -|||||
Dynamics of evolutionary robustness | -2006-07-08 | -11 | -Proceedings of the 8th annual conference on Genetic and evolutionary computation | -Annual Conference on Genetic and Evolutionary Computation | -|||||
Graph composition in a graph grammar-based method for automata network evolution | -2005-12-12 | -5 | -2005 IEEE Congress on Evolutionary Computation | -IEEE Congress on Evolutionary Computation | -|||||
Comparing tree depth limits and resource-limited GP | -2005-12-12 | -9 | -2005 IEEE Congress on Evolutionary Computation | -IEEE Congress on Evolutionary Computation | -|||||
A Survey And Analysis Of Diversity Measures In Genetic Programming | -2002-07-09 | -104 | -{'pages': '716-723'} | -Annual Conference on Genetic and Evolutionary Computation | -|||||
A New View on Symbolic Regression | -2002-04-03 | -7 | -{'pages': '113-122'} | -European Conference on Genetic Programming | -|||||
Symbolic Dynamic Programming for First-Order MDPs | -2001-08-04 | -278 | -{'pages': '690-700'} | -International Joint Conference on Artificial Intelligence | -|||||
Time series perturbation by genetic programming | -2001-05-27 | -5 | -Proceedings of the 2001 Congress on Evolutionary Computation (IEEE Cat. No.01TH8546) | -NA | -|||||
Coevolutionary Dynamics of a Multi-population Genetic Programming System | -1999-09-13 | -6 | -{'pages': '154-158'} | -European Conference on Artificial Life | -|||||
Symbolic analysis of the base parameters for closed-chain robots based on the completion procedure | -1996-04-22 | -10 | -Proceedings of IEEE International Conference on Robotics and Automation | -NA | -|||||
A computer based decision-making model for poultry inspection. | -1983-12-15 | -7 | -Journal of the American Veterinary Medical Association | -Journal of the American Veterinary Medical Association | -|||||
Universal Physics-Informed Neural Networks: Symbolic Differential Operator Discovery with Sparse Data | -None | -1 | -{'pages': '27948-27956'} | -International Conference on Machine Learning | -|||||
Schema Analysis in Tree-Based Genetic Programming | -None | 3 | -{'pages': '17-37'} | -Genetic Programming Theory and Practice | -|||||
Deriving Realistic Mathematical Models from Support Vector Machines for Scientific Applications | -None | -1 | -{'pages': '102-113'} | -International Conference on Knowledge Discovery and Information Retrieval | -|||||
Similarity-Based Analysis of Population Dynamics in Genetic Programming Performing Symbolic Regression | -None | -5 | -{'pages': '1-17'} | -Genetic Programming Theory and Practice | -|||||
Online Task Planning and Control for Aerial Robots with Fuel Constraints in Winds | -None | -6 | -{'pages': '711-727'} | -Workshop on the Algorithmic Foundations of Robotics | -|||||
Sliding Window Symbolic Regression for Detecting Changes of System Dynamics | -None | -10 | -{'pages': '91-107'} | -Genetic Programming Theory and Practice | -|||||
An extension of Gompertzian growth dynamics: Weibull and Frechet models. | -None | -25 | -Mathematical biosciences and engineering : MBE | -NA | -|||||
Learning symbolic forward models for robotic motion planning and control | -None | -6 | -{'pages': '558-563'} | -European Conference on Artificial Life | -|||||
Graph Grammar Encoding and Evolution of Automata Networks | -None | -11 | -{'pages': '229-238'} | -Australasian Computer Science Conference |
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -
---|---|---|---|---|
Gradient-based learning applied to document recognition | -None | -46018 | -Proc. IEEE | -Proceedings of the IEEE | -
Collective dynamics of ‘small-world’ networks | -1998-06-04 | -38499 | -Nature | -Nature | -
Semi-Supervised Classification with Graph Convolutional Networks | -2016-09-09 | -22128 | -ArXiv | -International Conference on Learning Representations | -
Statistical mechanics of complex networks | -2001-06-06 | -18824 | -ArXiv | -arXiv.org | -
The Structure and Function of Complex Networks | -2003-03-25 | -16786 | -SIAM Rev. | -SIAM Review | -
TensorFlow: A system for large-scale machine learning | -2016-05-27 | -16720 | -{'pages': '265-283'} | -USENIX Symposium on Operating Systems Design and Implementation | -
Community structure in social and biological networks | -2001-12-07 | -14283 | -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 | -
Graph Attention Networks | -2017-10-30 | -14001 | -ArXiv | -International Conference on Learning Representations | -
PRISMA Extension for Scoping Reviews (PRISMA-ScR): Checklist and Explanation | -2018-10-02 | -12798 | -Annals of Internal Medicine | -Annals of Internal Medicine | -
Consensus problems in networks of agents with switching topology and time-delays | -2004-09-13 | -11251 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -
Authoritative sources in a hyperlinked environment | -1999-09-01 | -10820 | -{'pages': '668-677'} | -ACM-SIAM Symposium on Discrete Algorithms | -
Complex brain networks: graph theoretical analysis of structural and functional systems | -2009-03-01 | -9835 | -Nature Reviews Neuroscience | -Nature Reviews Neuroscience | -
Consensus and Cooperation in Networked Multi-Agent Systems | -2007-03-05 | -9266 | -Proceedings of the IEEE | -Proceedings of the IEEE | -
Gephi: An Open Source Software for Exploring and Manipulating Networks | -2009-03-19 | -8728 | -Proceedings of the International AAAI Conference on Web and Social Media | -International Conference on Web and Social Media | -
DeepWalk: online learning of social representations | -2014-03-26 | -8217 | -Proceedings of the 20th ACM SIGKDD international conference on Knowledge discovery and data mining | -Knowledge Discovery and Data Mining | -
Convolutional Neural Networks on Graphs with Fast Localized Spectral Filtering | -2016-06-30 | -6411 | -{'pages': '3837-3845'} | -Neural Information Processing Systems | -
A Comprehensive Survey on Graph Neural Networks | -None | -5936 | -IEEE Transactions on Neural Networks and Learning Systems | -IEEE Transactions on Neural Networks and Learning Systems | -
Neural Message Passing for Quantum Chemistry | -2017-04-04 | -5744 | -{'pages': '1263-1272'} | -International Conference on Machine Learning | -
The Graph Neural Network Model | -None | -5619 | -IEEE Transactions on Neural Networks | -IEEE Transactions on Neural Networks | -
How Powerful are Graph Neural Networks? | -2018-10-01 | -5319 | -ArXiv | -International Conference on Learning Representations | -
Factor graphs and the sum-product algorithm | -2001-02-01 | -5261 | -IEEE Trans. Inf. Theory | -IEEE Transactions on Information Theory | -
Uncovering the overlapping community structure of complex networks in nature and society | -2005-06-09 | -5069 | -Nature | -Nature | -
LINE: Large-scale Information Network Embedding | -2015-03-11 | -4740 | -Proceedings of the 24th International Conference on World Wide Web | -The Web Conference | -
Tabu Search - Part I | -None | -4676 | -INFORMS J. Comput. | -INFORMS journal on computing | -
An automated method for finding molecular complexes in large protein interaction networks | -2003-01-13 | -4660 | -BMC Bioinformatics | -BMC Bioinformatics | -
Information flow and cooperative control of vehicle formations | -2004-09-13 | -4545 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -
Finding community structure in networks using the eigenvectors of matrices. | -2006-05-10 | -4344 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -
Dynamic Graph CNN for Learning on Point Clouds | -2018-01-24 | -4327 | -ACM Transactions on Graphics (TOG) | -ACM Transactions on Graphics | -
The KEGG resource for deciphering the genome | -None | -4283 | -Nucleic acids research | -NA | -
The PRISMA Extension Statement for Reporting of Systematic Reviews Incorporating Network Meta-analyses of Health Care Interventions: Checklist and Explanations | -2015-06-02 | -4251 | -Annals of Internal Medicine | -Annals of Internal Medicine | -
Spectral Networks and Locally Connected Networks on Graphs | -2013-12-20 | -4225 | -CoRR | -International Conference on Learning Representations | -
Pregel: a system for large-scale graph processing | -2010-06-06 | -3877 | -Proceedings of the 2010 ACM SIGMOD International Conference on Management of data | -NA | -
Graph Neural Networks: A Review of Methods and Applications | -2018-12-20 | -3733 | -ArXiv | -AI Open | -
BioGRID: a general repository for interaction datasets | -2005-12-28 | -3714 | -Nucleic Acids Research | -NA | -
Modeling Relational Data with Graph Convolutional Networks | -2017-03-17 | -3648 | -{'pages': '593-607'} | -Extended Semantic Web Conference | -
Hierarchical Information Clustering by Means of Topologically Embedded Graphs | -2011-10-20 | -3628 | -PLoS ONE | -PLoS ONE | -
Using Bayesian networks to analyze expression data | -2000-04-08 | -3560 | -{'pages': '127-135'} | -Annual International Conference on Research in Computational Molecular Biology | -
The university of Florida sparse matrix collection | -2011-11-01 | -3524 | -ACM Trans. Math. Softw. | -NA | -
The architecture of complex weighted networks. | -2003-11-18 | -3522 | -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 | -
Neural Ordinary Differential Equations | -2018-06-19 | -3518 | -{'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 domains | -2012-10-31 | -3495 | -IEEE Signal Processing Magazine | -IEEE Signal Processing Magazine | -
Conn: A Functional Connectivity Toolbox for Correlated and Anticorrelated Brain Networks | -2012-08-06 | -3483 | -Brain connectivity | -Brain Connectivity | -
Random graphs with arbitrary degree distributions and their applications. | -2000-07-13 | -3409 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -
A Convolutional Neural Network for Modelling Sentences | -2014-04-08 | -3401 | -{'pages': '655-665'} | -Annual Meeting of the Association for Computational Linguistics | -
Measurement and analysis of online social networks | -2007-10-24 | -3252 | -{'pages': '29-42'} | -ACM/SIGCOMM Internet Measurement Conference | -
Small worlds: the dynamics of networks between order and randomness | -2000-11-01 | -3237 | -SIGMOD Rec. | -NA | -
BrainNet Viewer: A Network Visualization Tool for Human Brain Connectomics | -2013-07-04 | -3059 | -PLoS ONE | -PLoS ONE | -
Fibonacci heaps and their uses in improved network optimization algorithms | -1984-10-24 | -3036 | -{'pages': '338-346'} | -NA | -
The human disease network | -2007-05-22 | -3030 | -Proceedings of the National Academy of Sciences | -Proceedings of the National Academy of Sciences of the United States of America | -
Convolutional Networks on Graphs for Learning Molecular Fingerprints | -2015-09-30 | -2990 | -ArXiv | -Neural Information Processing Systems | -
Spatial Temporal Graph Convolutional Networks for Skeleton-Based Action Recognition | -2018-01-23 | -2989 | -{'pages': '7444-7452'} | -AAAI Conference on Artificial Intelligence | -
Computing Communities in Large Networks Using Random Walks | -2004-12-14 | -2979 | -{'pages': '284-293'} | -NA | -
Gated Graph Sequence Neural Networks | -2015-11-17 | -2855 | -arXiv: Learning | -International Conference on Learning Representations | -
Mixing patterns in networks. | -2002-09-19 | -2741 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -
Modeling and Simulation of Genetic Regulatory Systems: A Literature Review | -None | -2737 | -J. Comput. Biol. | -NA | -
Fast linear iterations for distributed averaging | -2003-12-09 | -2717 | -42nd IEEE International Conference on Decision and Control (IEEE Cat. No.03CH37475) | -NA | -
Graph Convolutional Neural Networks for Web-Scale Recommender Systems | -2018-06-06 | -2704 | -Proceedings of the 24th ACM SIGKDD International Conference on Knowledge Discovery & Data Mining | -Knowledge Discovery and Data Mining | -
Stability of multiagent systems with time-dependent communication links | -2005-02-14 | -2684 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -
Variational Graph Auto-Encoders | -2016-11-21 | -2651 | -ArXiv | -arXiv.org | -
Relational inductive biases, deep learning, and graph networks | -2018-06-04 | -2606 | -ArXiv | -arXiv.org | -
Score-Based Generative Modeling through Stochastic Differential Equations | -2020-11-26 | -2600 | -ArXiv | -International Conference on Learning Representations | -
Benchmark graphs for testing community detection algorithms. | -2008-05-30 | -2586 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -
Graph evolution: Densification and shrinking diameters | -2006-03-27 | -2532 | -ACM Trans. Knowl. Discov. Data | -NA | -
Denoising Diffusion Implicit Models | -2020-10-06 | -2519 | -ArXiv | -International Conference on Learning Representations | -
Graphs over time: densification laws, shrinking diameters and possible explanations | -2005-08-21 | -2510 | -{'pages': '177-187'} | -Knowledge Discovery and Data Mining | -
Spatio-temporal Graph Convolutional Neural Network: A Deep Learning Framework for Traffic Forecasting | -2017-09-14 | -2501 | -ArXiv | -International Joint Conference on Artificial Intelligence | -
Efficient Neural Architecture Search via Parameter Sharing | -2018-02-09 | -2416 | -ArXiv | -International Conference on Machine Learning | -
Estimating or Propagating Gradients Through Stochastic Neurons for Conditional Computation | -2013-08-15 | -2408 | -ArXiv | -arXiv.org | -
Randomized gossip algorithms | -2006-06-01 | -2399 | -IEEE Transactions on Information Theory | -IEEE Transactions on Information Theory | -
Distinct brain networks for adaptive and stable task control in humans | -2007-06-26 | -2398 | -Proceedings of the National Academy of Sciences | -Proceedings of the National Academy of Sciences of the United States of America | -
Simplifying Graph Convolutional Networks | -2019-02-19 | -2306 | -{'pages': '6861-6871'} | -International Conference on Machine Learning | -
Small-World Brain Networks | -2006-12-01 | -2291 | -The Neuroscientist | -The Neuroscientist | -
A Resilient, Low-Frequency, Small-World Human Brain Functional Network with Highly Connected Association Cortical Hubs | -2006-01-04 | -2290 | -The Journal of Neuroscience | -Journal of Neuroscience | -
Defining and identifying communities in networks. | -2003-09-21 | -2281 | -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 | -
Analysis of weighted networks. | -2004-07-20 | -2272 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -NA | -
Deadlock-Free Message Routing in Multiprocessor Interconnection Networks | -1987-05-01 | -2268 | -IEEE Transactions on Computers | -IEEE transactions on computers | -
Fusion, Propagation, and Structuring in Belief Networks | -1986-09-01 | -2236 | -Probabilistic and Causal Inference | -Artificial Intelligence | -
Efficiency and Cost of Economical Brain Functional Networks | -2007-02-01 | -2184 | -PLoS Computational Biology | -NA | -
The Click modular router | -1999-12-12 | -2160 | -Proceedings of the seventeenth ACM symposium on Operating systems principles | -Symposium on Operating Systems Principles | -
The human factor: the critical importance of effective teamwork and communication in providing safe care | -2004-10-01 | -2155 | -Quality and Safety in Health Care | -BMJ Quality & Safety | -
The Concrete Distribution: A Continuous Relaxation of Discrete Random Variables | -2016-11-02 | -2151 | -ArXiv | -International Conference on Learning Representations | -
ForceAtlas2, a Continuous Graph Layout Algorithm for Handy Network Visualization Designed for the Gephi Software | -2014-06-10 | -2146 | -PLoS ONE | -PLoS ONE | -
Deeper Insights into Graph Convolutional Networks for Semi-Supervised Learning | -2018-01-22 | -2142 | -ArXiv | -AAAI Conference on Artificial Intelligence | -
Network robustness and fragility: percolation on random graphs. | -2000-07-18 | -2141 | -Physical review letters | -Physical Review Letters | -
Diffusion Convolutional Recurrent Neural Network: Data-Driven Traffic Forecasting | -2017-07-06 | -2120 | -arXiv: Learning | -International Conference on Learning Representations | -
Distortion Invariant Object Recognition in the Dynamic Link Architecture | -1993-03-01 | -2089 | -IEEE Trans. Computers | -NA | -
Community detection algorithms: a comparative analysis: invited presentation, extended abstract | -2009-08-07 | -2086 | -Physical review. E, Statistical, nonlinear, and soft matter physics | -ValueTools | -
Efficient influence maximization in social networks | -2009-06-28 | -2084 | -{'pages': '199-208'} | -Knowledge Discovery and Data Mining | -
Graph theoretical analysis of magnetoencephalographic functional connectivity in Alzheimer's disease. | -None | -2077 | -Brain : a journal of neurology | -NA | -
Search and replication in unstructured peer-to-peer networks | -2002-06-01 | -2057 | -{'pages': '84-95'} | -International Conference on Supercomputing | -
Modelling disease outbreaks in realistic urban social networks | -2004-05-13 | -2022 | -Nature | -Nature | -
Poppr: an R package for genetic analysis of populations with clonal, partially clonal, and/or sexual reproduction | -2014-03-04 | -2018 | -PeerJ | -PeerJ | -
LightGCN: Simplifying and Powering Graph Convolution Network for Recommendation | -2020-02-06 | -2016 | -Proceedings of the 43rd International ACM SIGIR Conference on Research and Development in Information Retrieval | -Annual International ACM SIGIR Conference on Research and Development in Information Retrieval | -
Routing with Guaranteed Delivery in Ad Hoc Wireless Networks | -1999-08-01 | -2000 | -Wireless Networks | -NA | -
Neural Graph Collaborative Filtering | -2019-05-20 | -1950 | -Proceedings of the 42nd International ACM SIGIR Conference on Research and Development in Information Retrieval | -Annual International ACM SIGIR Conference on Research and Development in Information Retrieval | -
Learning Convolutional Neural Networks for Graphs | -2016-05-17 | -1928 | -{'pages': '2014-2023'} | -International Conference on Machine Learning | -
Impact of Interference on Multi-Hop Wireless Network Performance | -2003-09-14 | -1919 | -Wireless Networks | -ACM/IEEE International Conference on Mobile Computing and Networking | -
Convolutional 2D Knowledge Graph Embeddings | -2017-07-05 | -1909 | -{'pages': '1811-1818'} | -AAAI Conference on Artificial Intelligence | -
Image-Based Recommendations on Styles and Substitutes | -2015-06-15 | -1908 | -Proceedings of the 38th International ACM SIGIR Conference on Research and Development in Information Retrieval | -Annual International ACM SIGIR Conference on Research and Development in Information Retrieval | -
Graph-set analysis of hydrogen-bond patterns in organic crystals. | -1990-04-01 | -1904 | -Acta crystallographica. Section B, Structural science | -Acta Crystallographica Section B Structural Science | -
-
Title | -PublicationDate | -#Citations | -Journal/Conference | -publicationVenue | -|||||
---|---|---|---|---|---|---|---|---|---|
Hierarchical spatio-temporal graph convolutional neural networks for traffic data imputation | -2024-06-01 | -0 | -Information Fusion | -Information Fusion | -|||||
Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation | -2024-05-01 | -0 | -Control Engineering Practice | -Control Engineering Practice | -|||||
MACNS: A generic graph neural network integrated deep reinforcement learning based multi-agent collaborative navigation system for dynamic trajectory planning | -2024-05-01 | -0 | -Inf. Fusion | -Information Fusion | -|||||
DawnGNN: Documentation augmented windows malware detection using graph neural network | -2024-05-01 | -0 | -Computers & Security | -NA | -|||||
Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting | -2024-05-01 | -0 | -Inf. Fusion | -Information Fusion | -|||||
FairCare: Adversarial training of a heterogeneous graph neural network with attention mechanism to learn fair representations of electronic health records | -2024-05-01 | -0 | -Information Processing & Management | -NA | -|||||
Multi-criteria group decision making based on graph neural networks in Pythagorean fuzzy environment | -2024-05-01 | -1 | -Expert Systems with Applications | -Expert systems with applications | -|||||
POI recommendation for random groups based on cooperative graph neural networks | -2024-05-01 | -0 | -Information Processing & Management | -NA | -|||||
Attention based multi-task interpretable graph convolutional network for Alzheimer’s disease analysis | -2024-04-01 | -0 | -Pattern Recognition Letters | -Pattern Recognition Letters | -|||||
A coarse-to-fine adaptive spatial–temporal graph convolution network with residuals for motor imagery decoding from the same limb | -2024-04-01 | -0 | -Biomedical Signal Processing and Control | -Biomedical Signal Processing and Control | -|||||
A new programmed method for retrofitting heat exchanger networks using graph machine learning | -2024-04-01 | -0 | -Applied Thermal Engineering | -Applied Thermal Engineering | -|||||
AAGNet: A graph neural network towards multi-task machining feature recognition | -2024-04-01 | -1 | -Robotics 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 scenarios | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Vessel trajectory prediction based on spatio-temporal graph convolutional network for complex and crowded sea areas | -2024-04-01 | -0 | -Ocean Engineering | -Ocean Engineering | -|||||
GCNGAT: Drug–disease association prediction based on graph convolution neural network and graph attention network | -2024-04-01 | -0 | -Artificial Intelligence in Medicine | -Artificial Intelligence in Medicine | -|||||
KAGNN: Graph neural network with kernel alignment for heterogeneous graph learning | -2024-04-01 | -0 | -Knowledge-Based Systems | -Knowledge-Based Systems | -|||||
ASSL-HGAT: Active semi-supervised learning empowered heterogeneous graph attention network | -2024-04-01 | -0 | -Knowledge-Based Systems | -Knowledge-Based Systems | -|||||
Multi-hop graph pooling adversarial network for cross-domain remaining useful life prediction: A distributed federated learning perspective | -2024-04-01 | -2 | -Reliability Engineering & System Safety | -NA | -|||||
Agriculture crop yield prediction using inertia based cat swarm optimization | -2024-04-01 | -0 | -International 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 plant | -2024-04-01 | -0 | -Nuclear Engineering and Design | -Nuclear Engineering and Design | -|||||
A pruned-optimized weighted graph convolutional network for axial flow pump fault diagnosis with hydrophone signals | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Explainable train delay propagation: A graph attention network approach | -2024-04-01 | -0 | -Transportation Research Part E: Logistics and Transportation Review | -NA | -|||||
Graph neural networks based framework to analyze social media platforms for malicious user detection | -2024-04-01 | -0 | -Applied Soft Computing | -Applied Soft Computing | -|||||
Digital twin modeling for stress prediction of single-crystal turbine blades based on graph convolutional network | -2024-04-01 | -0 | -Journal of Manufacturing Processes | -Journal of Manufacturing Processes | -|||||
Design information-assisted graph neural network for modeling central air conditioning systems | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Unveiling community structures in static networks through graph variational Bayes with evolution information | -2024-04-01 | -0 | -Neurocomputing | -Neurocomputing | -|||||
Control Laws for Partially Observable Min-Plus Systems Networks With Disturbances and Under Mutual Exclusion Constraints | -2024-04-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -|||||
Multi-satellite cooperative scheduling method for large-scale tasks based on hybrid graph neural network and metaheuristic algorithm | -2024-04-01 | -0 | -Advanced Engineering Informatics | -Advanced Engineering Informatics | -|||||
Identification of chronic obstructive pulmonary disease using graph convolutional network in electronic nose | -2024-04-01 | -0 | -Indonesian Journal of Electrical Engineering and Computer Science | -Indonesian Journal of Electrical Engineering and Computer Science | -|||||
Network traffic prediction with Attention-based Spatial–Temporal Graph Network | -2024-04-01 | -0 | -Computer Networks | -Computer Networks | -|||||
DRGCL: Drug Repositioning via Semantic-enriched Graph Contrastive Learning. | -2024-03-05 | -0 | -IEEE journal of biomedical and health informatics | -IEEE journal of biomedical and health informatics | -|||||
Embedding-Alignment Fusion-Based Graph Convolution Network With Mixed Learning Strategy for 4D Medical Image Reconstruction. | -2024-03-05 | -0 | -IEEE journal of biomedical and health informatics | -IEEE journal of biomedical and health informatics | -|||||
Enhancing Generalizability in Protein-Ligand Binding Affinity Prediction with Multimodal Contrastive Learning. | -2024-03-05 | -0 | -Journal of chemical information and modeling | -Journal of Chemical Information and Modeling | -|||||
DER-GCN: Dialog and Event Relation-Aware Graph Convolutional Neural Network for Multimodal Dialog Emotion Recognition. | -2024-03-04 | -0 | -IEEE transactions on neural networks and learning systems | -IEEE 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-04 | -0 | -ACS applied materials & interfaces | -ACS Applied Materials and Interfaces | -|||||
A GAN-based anomaly detector using multi-feature fusion and selection. | -2024-03-04 | -0 | -Scientific reports | -Scientific Reports | -|||||
Empowering Persons with Autism through Cross-Reality and Conversational Agents. | -2024-03-04 | -0 | -IEEE transactions on visualization and computer graphics | -IEEE Transactions on Visualization and Computer Graphics | -
Title | +Authors | +Puation Date | +Journal/Conference | +Citation count | +|||||
---|---|---|---|---|---|---|---|---|---|
Bearing fault detection by using graph autoencoder and ensemble learning | -2024-03-03 | -0 | -Scientific Reports | -Scientific Reports | +Gradient-based learning applied to document recognition |
+ Yann LeCun, L. Bottou, Yoshua Bengio, P. Haffner | ++ | Proc. IEEE | +46107 |
Successful Implementation of the AIUM Standardized 4-Year Residency Ultrasound Curriculum in Obstetrics and Gynecology: Lessons Learned and Way Forward. | -2024-03-03 | -0 | -Journal of ultrasound in medicine : official journal of the American Institute of Ultrasound in Medicine | -Journal of ultrasound in medicine | +Collective dynamics of ‘small-world’ networks |
+ D. Watts, S. Strogatz | ++ | Nature | +38536 |
Prediction of lncRNA and disease associations based on residual graph convolutional networks with attention mechanism. | -2024-03-02 | -0 | -Scientific reports | -Scientific Reports | +Semi-Supervised Classification with Graph Convolutional Networks |
+ Thomas Kipf, M. Welling | ++ | ArXiv | +22197 |
Deep Attentional Implanted Graph Clustering Algorithm for the Visualization and Analysis of Social Networks | -2024-03-02 | -0 | -Journal of Internet Services and Information Security | -Journal of Internet Services and Information Security | +Statistical mechanics of complex networks |
+ R. Albert, A. Barabási | ++ | ArXiv | +18835 |
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-02 | -0 | -Scientific reports | -Scientific Reports | +The Structure and Function of Complex Networks |
+ M. Newman | ++ | SIAM Rev. | +16802 |
Information-incorporated gene network construction with FDR control. | -2024-03-02 | -0 | -Bioinformatics | -Bioinformatics | +TensorFlow: 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 Zhang | ++ | USENIX Symposium on Operating Systems Design and Implementation | +16788 |
Attention-Based Learning for Predicting Drug-Drug Interactions in Knowledge Graph Embedding Based on Multisource Fusion Information | -2024-03-02 | -0 | -International Journal of Intelligent Systems | -International Journal of Intelligent Systems | +Community structure in social and biological networks |
+ M. Girvan, M. Newman | ++ | Proceedings of the National Academy of Sciences of the United States of America | +14283 |
Continuous Image Outpainting with Neural ODE | -2024-03-02 | -0 | -SSRN Electronic Journal | -Social Science Research Network | -
+
Title | +Authors | +Puation Date | +Journal/Conference | +Citation count | +||||
---|---|---|---|---|---|---|---|---|
Walk in Views: Multi-view Path Aggregation Graph Network for 3D Shape Analysis | -2024-03-01 | -0 | -Inf. Fusion | +Hierarchical 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 Barycenter | -2024-03-01 | -0 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -||||
MCGCN: Multi-Correlation Graph Convolutional Network for Pedestrian Attribute Recognition | -2024-03-01 | -0 | -IEICE Transactions on Information and Systems | -NA | -||||
Postdisaster Routing of Movable Energy Resources for Enhanced Distribution System Resilience: A Deep Reinforcement Learning-Based Approach | -2024-03-01 | -0 | -IEEE Industry Applications Magazine | -IEEE Industry Applications Magazine | -||||
Towards explaining graph neural networks via preserving prediction ranking and structural dependency | -2024-03-01 | -0 | -Inf. Process. Manag. | -Information Processing & Management | -||||
Who is Who on Ethereum? Account Labeling Using Heterophilic Graph Convolutional Network | -2024-03-01 | -2 | -IEEE Transactions on Systems, Man, and Cybernetics: Systems | -NA | -||||
An EV Charging Station Load Prediction Method Considering Distribution Network Upgrade | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -||||
Event-Based Bipartite Containment Control for Multi-Agent Networks Subject to Communication Delay | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -||||
Efficient Throughput Maximization in Dynamic Rechargeable Networks | -2024-03-01 | -0 | -IEEE Transactions on Mobile Computing | -IEEE Transactions on Mobile Computing | -||||
Real-Time Joint Regulations of Frequency and Voltage for TSO-DSO Coordination: A Deep Reinforcement Learning-Based Approach | -2024-03-01 | -2 | -IEEE Transactions on Smart Grid | -IEEE Transactions on Smart Grid | -||||
Relation-aware graph convolutional network for waste battery inspection based on X-ray images | -2024-03-01 | -0 | -Sustainable Energy Technologies and Assessments | -Sustainable Energy Technologies and Assessments | -||||
Query-Aware Explainable Product Search With Reinforcement Knowledge Graph Reasoning | -2024-03-01 | -0 | -IEEE Transactions on Knowledge and Data Engineering | -IEEE Transactions on Knowledge and Data Engineering | -||||
Improving chemical reaction yield prediction using pre-trained graph neural networks | -2024-03-01 | -0 | -Journal of Cheminformatics | -Journal of Cheminformatics | -||||
Enhancing the Tolerance of Voltage Regulation to Cyber Contingencies via Graph-Based Deep Reinforcement Learning | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -||||
Estimating the connectional brain template based on multi-view networks with bi-channel graph neural network | -2024-03-01 | -0 | -Biomedical Signal Processing and Control | -Biomedical Signal Processing and Control | -||||
Stochastic Hybrid Networks for Global Almost Sure Unanimous Decision Making | -2024-03-01 | -0 | -IEEE Transactions on Automatic Control | -IEEE Transactions on Automatic Control | -||||
Indoor functional subspace division from point clouds based on graph neural network | -2024-03-01 | -0 | -International Journal of Applied Earth Observation and Geoinformation | -International Journal of Applied Earth Observation and Geoinformation | -||||
Minimum collisions assignment in interdependent networked systems via defective colorings | -2024-03-01 | -0 | -ITU Journal on Future and Evolving Technologies | -NA | -||||
A Data-Driven Koopman Approach for Power System Nonlinear Dynamic Observability Analysis | -2024-03-01 | 0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | ||||
A simplified simulation strategy for barge-bridge collision learned from collapse of Taiyangbu Bridge | -2024-03-01 | -0 | -Engineering Structures | -Engineering structures | -||||
How Much Do Urban Terminal Delivery Paths Depend on Urban Roads – A Research Based on Bipartite Graph Network | -2024-03-01 | -0 | -Promet - Traffic&Transportation | -NA | -||||
A Monte Carlo Approach to Koopman Direct Encoding and Its Application to the Learning of Neural-Network Observables | -2024-03-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -||||
HKFGCN: A novel multiple kernel fusion framework on graph convolutional network to predict microbe-drug associations | -2024-03-01 | -0 | -Computational Biology and Chemistry | -Computational biology and chemistry | -||||
Dual Preference Perception Network for Fashion Recommendation in Social Internet of Things | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -||||
Ego-Aware Graph Neural Network | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -||||
Energy-Efficient Graph Reinforced vNFC Deployment in Elastic Optical Inter-DC Networks | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -||||
RWE: A Random Walk Based Graph Entropy for the Structural Complexity of Directed Networks | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -||||
PaSTG: A Parallel Spatio-Temporal GCN Framework for Traffic Forecasting in Smart City | -2024-03-01 | -0 | -ACM Transactions on Sensor Networks | -ACM transactions on sensor networks | -||||
Human-Robot Collaboration Through a Multi-Scale Graph Convolution Neural Network With Temporal Attention | -2024-03-01 | -1 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -||||
Multiclass and Multilabel Classifications by Consensus and Complementarity-Based Multiview Latent Space Projection | -2024-03-01 | -0 | -IEEE Transactions on Systems, Man, and Cybernetics: Systems | -NA | -||||
QoS Prediction and Adversarial Attack Protection for Distributed Services Under DLaaS | -2024-03-01 | -13 | -IEEE Transactions on Computers | -IEEE transactions on computers | -||||
Which Link Matters? Maintaining Connectivity of Uncertain Networks Under Adversarial Attack | -2024-03-01 | -0 | -IEEE Transactions on Mobile Computing | -IEEE Transactions on Mobile Computing | -||||
Dynamical Bifurcations of a Fractional-Order BAM Neural Network: Nonidentical Neutral Delays | -2024-03-01 | -0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering | -||||
Improving potential energy surfaces using measured Feshbach resonance states | -2024-03-01 | -0 | -Science Advances | -Science Advances | -||||
STAGP: Spatio-Temporal Adaptive Graph Pooling Network for Pedestrian Trajectory Prediction | -2024-03-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -||||
GCN-Based Risk Prediction for Necrosis Slide of Hepatocellular Carcinoma. | -2024-03-01 | -0 | -Studies in health technology and informatics | -Studies in Health Technology and Informatics | -||||
User Security-Oriented Information-Centric IoT Nodes Clustering With Graph Convolution Networks | -2024-03-01 | -0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal | -||||
Navigating the Mental Lexicon: Network Structures, Lexical Search and Lexical Retrieval | -2024-03-01 | -0 | -Journal of Psycholinguistic Research | -Journal of Psycholinguistic Research | -||||
Intelligent floor plan design of modular high-rise residential building based on graph-constrained generative adversarial networks | -2024-03-01 | -0 | -Automation in Construction | -Automation in Construction | -||||
Hierarchical structural graph neural network with local relation enhancement for hyperspectral image classification | -2024-03-01 | -0 | -Digital Signal Processing | -NA | -||||
Car-Studio: Learning Car Radiance Fields From Single-View and Unlimited In-the-Wild Images | -2024-03-01 | -0 | -IEEE Robotics and Automation Letters | -IEEE Robotics and Automation Letters | -||||
A Data-Knowledge-Hybrid-Driven Method for Modeling Reactive Power-Voltage Response Characteristics of Renewable Energy Sources | -2024-03-01 | -1 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -||||
A recommender system-using novel deep network collaborative filtering | -2024-03-01 | -0 | -IAES International Journal of Artificial Intelligence (IJ-AI) | -IAES International Journal of Artificial Intelligence (IJ-AI) | -||||
Fuzzy Stochastic Configuration Networks for Nonlinear System Modeling | -2024-03-01 | -1 | -IEEE Transactions on Fuzzy Systems | -IEEE transactions on fuzzy systems | -||||
Hierarchical graph fusion network and a new argumentative dataset for multiparty dialogue discourse parsing | -2024-03-01 | -0 | -Inf. Process. Manag. | -Information Processing & Management | -||||
Real-Time Offloading for Dependent and Parallel Tasks in Cloud-Edge Environments Using Deep Reinforcement Learning | -2024-03-01 | -0 | -IEEE Transactions on Parallel and Distributed Systems | -IEEE Transactions on Parallel and Distributed Systems | -||||
Altered white matter functional pathways in Alzheimer's disease. | -2024-03-01 | -0 | -Cerebral cortex | -Cerebral Cortex | -||||
Neural Network Applications in Hybrid Data-Model Driven Dynamic Frequency Trajectory Prediction for Weak-Damping Power Systems | -2024-03-01 | -0 | -IEEE Transactions on Power Systems | -IEEE Transactions on Power Systems | -||||
Recovering Static and Time-Varying Communities Using Persistent Edges | -2024-03-01 | +Reagent dosage inference based on graph convolutional memory perception network for zinc roughing flotation |
+ Can Tian, Zhaohui Tang, Hu Zhang, Yongfang Xie, Zhien Dai | ++ | Control Engineering Practice | 0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering |
Public opinion bunching storage model for dense graph data in social networks1 | -2024-03-01 | +MACNS: 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 Wang | ++ | Inf. Fusion | 0 | -Journal of Intelligent & Fuzzy Systems | -NA |
Learning-Based Edge-Device Collaborative DNN Inference in IoVT Networks | -2024-03-01 | +DawnGNN: Documentation augmented windows malware detection using graph neural network |
+ Pengbin Feng, Le Gai, Li Yang, Qin Wang, Teng Li, Ning Xi, Jianfeng Ma | ++ | Computers & Security | 0 | -IEEE Internet of Things Journal | -IEEE Internet of Things Journal |
Enhancing Demand Prediction: A Multi-Task Learning Approach for Taxis and TNCs | -2024-03-01 | +Multi-level Graph Memory Network Cluster Convolutional Recurrent Network for traffic forecasting |
+ Le Sun, Wenzhang Dai, Muhammad Ghulam | ++ | Inf. Fusion | 0 | -Sustainability | -Sustainability |
A Graph Machine Learning Framework to Compute Zero Forcing Sets in Graphs | -2024-03-01 | +FairCare: 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 Zhou | ++ | Information Processing & Management | 0 | -IEEE Transactions on Network Science and Engineering | -IEEE Transactions on Network Science and Engineering |
Spatio-temporal multi-graph transformer network for joint prediction of multiple vessel trajectories | -2024-03-01 | +Multi-criteria group decision making based on graph neural networks in Pythagorean fuzzy environment |
+ Zhenhua Meng, Rongheng Lin, Budan Wu | ++ | Expert Systems with Applications | 1 | -Engineering Applications of Artificial Intelligence | -Engineering applications of artificial intelligence | -
Visual Knowledge Graph Construction of Self-directed Learning Ability Driven by Interdisciplinary Projects | -2024-03-01 | -0 | -ICST Transactions on Scalable Information Systems | -NA | ||||
Title | -PublicationDate | -#Citations | +Authors | +Publication Date | Journal/Conference | -publicationVenue | +Citation count | |
{{article.title}} | +{{ article.authors}} | {{ article.publicationDate}} | -{{ article.citationCount}} | {{ article.journal}} | -{{ article.publicationVenue}} | +{{ article.citationCount}} | ||
Title | -PublicationDate | -#Citations | +Authors | +Publication Date | Journal/Conference | -publicationVenue | +Citation count | |
{{article.title}} | +{{ article.authors}} | {{ article.publicationDate}} | -{{ article.citationCount}} | {{ article.journal}} | -{{ article.publicationVenue}} | +{{ article.citationCount}} | ||
Title | -PublicationDate | -#Citations | +Authors | +Puation Date | Journal/Conference | -publicationVenue | +Citation count | |
{{article.title}} | -{{ article.publicationDate}} | -{{ article.citationCount}} | +{{article.title}} |
+ {{ article.authors}} | +{{ article.puationDate}} | {{ article.journal}} | -{{ article.publicationVenue}} | +{{ article.citationCount}} |
Title | -PublicationDate | -#Citations | +Authors | +Puation Date | Journal/Conference | -publicationVenue | +Citation count | |
{{article.title}} | -{{ article.publicationDate}} | -{{ article.citationCount}} | +{{article.title}} |
+ {{ article.authors}} | +{{ article.puationDate}} | {{ article.journal}} | -{{ article.publicationVenue}} | +{{ article.citationCount}} |