diff --git a/search engine/app.ipynb b/search engine/app.ipynb new file mode 100644 index 0000000..8b8f9ea --- /dev/null +++ b/search engine/app.ipynb @@ -0,0 +1 @@ +{"cells":[{"cell_type":"markdown","metadata":{"id":"f7lLAUvfH2hp"},"source":["#### Import libraries\n","\n","---\n"]},{"cell_type":"code","execution_count":null,"metadata":{"id":"0g9qY1Woym5e"},"outputs":[],"source":["import re\n","import pandas as pd\n","from nltk.corpus import stopwords\n","import nltk\n","nltk.download('punkt')\n","nltk.download('stopwords')\n","from nltk.tokenize import word_tokenize\n","from nltk.stem import PorterStemmer\n","import csv"]},{"cell_type":"markdown","metadata":{"id":"Hk6taVc9qJ8w"},"source":["### Read the Data and create the index\n","\n","---\n","\n"]},{"cell_type":"markdown","metadata":{"id":"3ieZ3alQIdvv"},"source":["##### Define functions necessary\n","\n","---\n","\n"]},{"cell_type":"code","execution_count":34,"metadata":{"id":"fKw-YtzB2GNG","executionInfo":{"status":"ok","timestamp":1680266400220,"user_tz":-60,"elapsed":400,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["import csv\n","\n","def read_data():\n"," global df, reverse_index\n"," df=pd.read_csv(\"/content/drive/MyDrive/Colab Notebooks/search engine/output_for_video.csv\", index_col=0)\n"," # Read the CSV file back into a dictionary\n"," reverse_index = {}\n"," with open('/content/drive/MyDrive/Colab Notebooks/search engine/reverse_index.csv', newline='') as csvfile:\n"," reader = csv.reader(csvfile)\n"," for row in reader:\n"," key = row[0]\n"," values = set(int(x) for x in row[1:])\n"," reverse_index[key] = values\n"," data_index_=df[\"data_index\"]\n"," reverse_index = invert_index(data_index_, reverse_index)\n"," return df, reverse_index"]},{"cell_type":"code","execution_count":35,"metadata":{"id":"i_-VKf-XN6Ed","executionInfo":{"status":"ok","timestamp":1680266402944,"user_tz":-60,"elapsed":950,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def invert_index(data_index_, reverse_index=None):\n"," import csv\n"," if reverse_index is None:\n"," reverse_index = {}\n","\n"," for idx, data in data_index_.items():\n"," data = data.replace(\"'\", '').replace(\" \", '').replace(\"[\", '').replace(\"]\", '')\n"," data2 = data.split(\",\")\n"," for term in data2:\n"," if term in reverse_index:\n"," if int(idx) not in reverse_index[term]:\n"," reverse_index[term].add(int(idx))\n"," else:\n"," reverse_index[term] = {int(idx)}\n","\n"," # Save the reverse_index dictionary to a CSV file\n"," with open('/content/drive/MyDrive/Colab Notebooks/search engine/reverse_index.csv', 'w', newline='') as csvfile:\n"," writer = csv.writer(csvfile)\n"," for key, value in reverse_index.items():\n"," writer.writerow([key, *value])\n"," return reverse_index"]},{"cell_type":"code","source":["read_data()"],"metadata":{"id":"yhwTHmRxWrhK"},"execution_count":null,"outputs":[]},{"cell_type":"code","execution_count":8,"metadata":{"id":"wsJp5Hjr5R7L","executionInfo":{"status":"ok","timestamp":1680257860478,"user_tz":-60,"elapsed":271,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def preprocess(text):\n"," # Remove non-word characters and convert to lowercase\n"," text = re.sub(r\"\\W+\", \" \", text).lower()\n"," # Remove extra whitespace\n"," text = re.sub(r\"\\s+\", \" \", text).strip()\n"," # Tokenize the text\n"," tokens = word_tokenize(text)\n"," # Remove stop words\n"," tokens = [token for token in tokens if token not in stopwords.words(\"english\")]\n"," # Stem the tokens using Porter stemmer\n"," stemmer = PorterStemmer()\n"," stemmed_tokens = [stemmer.stem(token) for token in tokens]\n"," # Join the stemmed tokens back into a string\n"," preprocessed_text = \" \".join(stemmed_tokens)\n"," preprocessed_text = list(preprocessed_text.split(\" \"))\n"," return preprocessed_text"]},{"cell_type":"code","execution_count":40,"metadata":{"id":"qXrsxS1wGU6U","executionInfo":{"status":"ok","timestamp":1680266636148,"user_tz":-60,"elapsed":302,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def ranked_retrieval(query):\n"," query_terms = preprocess(query)\n"," document_scores = {}\n"," print(query_terms)\n"," \n"," for term in query_terms:\n"," if term in reverse_index:\n"," for doc_id in reverse_index[term]:\n"," if doc_id in document_scores:\n"," document_scores[doc_id] += 1\n"," else:\n"," document_scores[doc_id] = 1\n"," \n"," sorted_docs = sorted(document_scores.items(), key=lambda x: x[1], reverse=True)\n"," \n"," results = []\n"," for doc_id, score in sorted_docs:\n"," results.append(df.loc[doc_id])\n"," \n"," return results"]},{"cell_type":"markdown","metadata":{"id":"5j8bZ7k_NJt4"},"source":["## Beggining of flask application \n","\n","---\n","\n"]},{"cell_type":"code","execution_count":null,"metadata":{"id":"nPdKpqqhLenh"},"outputs":[],"source":["from flask import Flask, request, render_template, url_for\n","!pip install pyngrok\n","!pip install flask_ngrok\n","from pyngrok import ngrok\n","from flask_ngrok import run_with_ngrok\n","import numpy as np\n","from pyngrok import ngrok\n","ngrok.set_auth_token(\"2NTh3giigpo9d3QwfDZo5naqkLp_6wUENGcBqHQfTKRvs51R2\") \n"]},{"cell_type":"code","execution_count":63,"metadata":{"colab":{"base_uri":"https://localhost:8080/"},"id":"9xPJ_V8NDmFC","outputId":"1958fb0a-6059-4285-d401-c4bbfd5bd64b","executionInfo":{"status":"ok","timestamp":1680272543923,"user_tz":-60,"elapsed":27632,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[{"output_type":"stream","name":"stdout","text":[" * Serving Flask app '__main__'\n"," * Debug mode: off\n"]},{"output_type":"stream","name":"stderr","text":["INFO:werkzeug:\u001b[31m\u001b[1mWARNING: This is a development server. Do not use it in a production deployment. Use a production WSGI server instead.\u001b[0m\n"," * Running on http://127.0.0.1:5000\n","INFO:werkzeug:\u001b[33mPress CTRL+C to quit\u001b[0m\n"]},{"output_type":"stream","name":"stdout","text":[" * Running on http://8e67-104-198-79-99.ngrok.io\n"," * Traffic stats available on http://127.0.0.1:4040\n"]},{"output_type":"stream","name":"stderr","text":["INFO:werkzeug:127.0.0.1 - - [31/Mar/2023 14:22:00] \"GET / HTTP/1.1\" 200 -\n"]},{"output_type":"stream","name":"stdout","text":["\n"]},{"output_type":"stream","name":"stderr","text":["INFO:werkzeug:127.0.0.1 - - [31/Mar/2023 14:22:00] \"GET /clipart.png HTTP/1.1\" 200 -\n","INFO:werkzeug:127.0.0.1 - - [31/Mar/2023 14:22:00] \"\u001b[33mGET /favicon.ico HTTP/1.1\u001b[0m\" 404 -\n","INFO:werkzeug:127.0.0.1 - - [31/Mar/2023 14:22:05] \"POST / HTTP/1.1\" 200 -\n"]},{"output_type":"stream","name":"stdout","text":["['alireza']\n","\n"]},{"output_type":"stream","name":"stderr","text":["INFO:werkzeug:127.0.0.1 - - [31/Mar/2023 14:22:10] \"GET /clipart.png HTTP/1.1\" 200 -\n"]}],"source":["app = Flask(__name__,\n"," template_folder='/content/drive/MyDrive/Colab Notebooks/search engine/templates',\n"," static_url_path='', \n"," static_folder='/content/drive/MyDrive/Colab Notebooks/search engine/static')\n","app.config['SECRET_KEY'] = '02de43c128314a2fbdacf46e0f205687fa87ccf09e48b9d8'\n","\n","run_with_ngrok(app) \n"," \n","@app.route(\"/\", methods=[\"POST\", \"GET\"])\n","def home():\n"," searchQuery = \"\"\n"," results_query = \"\"\n"," if request.method == \"POST\":\n"," results_query = ranked_retrieval(request.form['query_to_search'])\n"," \n"," print(searchQuery)\n"," return render_template('index.html', results_query = results_query)\n","\n","if __name__ == '__main__':\n"," read_data()\n"," app.run()"]},{"cell_type":"markdown","metadata":{"id":"lPNN3yQLpivn"},"source":["## For the crawler\n","\n","---\n","\n"]},{"cell_type":"code","source":["from bs4 import BeautifulSoup\n","import requests\n","import pandas as pd\n","import re\n","from nltk.corpus import stopwords\n","import nltk\n","nltk.download('punkt')\n","nltk.download('stopwords')\n","from nltk.tokenize import word_tokenize\n","from nltk.stem import PorterStemmer"],"metadata":{"id":"e_4mn09Bk_8E","colab":{"base_uri":"https://localhost:8080/"},"executionInfo":{"status":"ok","timestamp":1680262469210,"user_tz":-60,"elapsed":999,"user":{"displayName":"Unknown","userId":"16317712665857714848"}},"outputId":"6abce423-a02e-4161-f596-57597e39a598"},"execution_count":6,"outputs":[{"output_type":"stream","name":"stderr","text":["[nltk_data] Downloading package punkt to /root/nltk_data...\n","[nltk_data] Package punkt is already up-to-date!\n","[nltk_data] Downloading package stopwords to /root/nltk_data...\n","[nltk_data] Package stopwords is already up-to-date!\n"]}]},{"cell_type":"code","execution_count":7,"metadata":{"id":"rUHGH4gXy5gX","executionInfo":{"status":"ok","timestamp":1680262471928,"user_tz":-60,"elapsed":172,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def get_number_pages():\n"," global number_of_pages\n"," #scrape the website innitialy to get the number of pages \n"," URL = \"https://pureportal.coventry.ac.uk/en/organisations/research-centre-for-computational-science-and-mathematical-modell/publications/\"\n"," page = requests.get(URL)\n"," soup_temp = BeautifulSoup(page.content, \"html.parser\")\n"," #get the number of pages\n"," number_pages = soup_temp.find(\"nav\", class_=\"pages\").find_all(\"li\")\n"," # -1 because the nav tag class \"pages\" also includes the \"previous page\" button\n"," number_of_pages = len(number_pages)-1\n"," return number_of_pages"]},{"cell_type":"code","execution_count":8,"metadata":{"id":"0iftOzACqYRr","executionInfo":{"status":"ok","timestamp":1680262474104,"user_tz":-60,"elapsed":323,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def preprocess(text):\n"," # Remove non-word characters and convert to lowercase\n"," text = re.sub(r\"\\W+\", \" \", text).lower()\n"," # Remove extra whitespace\n"," text = re.sub(r\"\\s+\", \" \", text).strip()\n"," # Tokenize the text\n"," tokens = word_tokenize(text)\n"," # Remove stop words\n"," tokens = [token for token in tokens if token not in stopwords.words(\"english\")]\n"," # Stem the tokens using Porter stemmer\n"," stemmer = PorterStemmer()\n"," stemmed_tokens = [stemmer.stem(token) for token in tokens]\n"," # Join the stemmed tokens back into a string\n"," preprocessed_text = \" \".join(stemmed_tokens)\n"," preprocessed_text = list(preprocessed_text.split(\" \"))\n"," return preprocessed_text"]},{"cell_type":"code","execution_count":9,"metadata":{"id":"mOO5fOHPo2vU","executionInfo":{"status":"ok","timestamp":1680262482997,"user_tz":-60,"elapsed":250,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def crawl():\n"," #create a pandas dataframe and an empty list to store the data before storing as csv\n"," df=pd.DataFrame(columns=['title', 'authors', 'date', 'keywords', 'abstract', 'title_url', 'url_authors', 'data_index'])\n"," list_url_authors=[]\n"," get_number_pages()\n"," i=0\n"," #for loop to iterate through the pages of articles\n"," for i in range(number_of_pages):\n"," #scrape the page\n"," url=\"https://pureportal.coventry.ac.uk/en/organisations/research-centre-for-computational-science-and-mathematical-modell/publications/?page=\"+str(i)\n"," page = requests.get(url)\n"," print(url)\n"," soup = BeautifulSoup(page.content, \"html.parser\")\n"," #get the publications div\n"," ultag = soup.find(\"ul\", class_=\"list-results\")\n"," publication_div = ultag.find_all(\"div\", class_=\"result-container\")\n","\n"," #for every publication: get title, date and title url\n"," for div in publication_div:\n"," title = div.find(\"h3\", class_=\"title\" ).find(\"a\", href = True).find(\"span\").text\n"," title_url = div.find(\"h3\", class_=\"title\" ).find(\"a\", href = True).get(\"href\")\n"," date = div.find(\"span\", class_=\"date\").text\n"," print(title)\n"," print()\n","\n"," #scrape the page of each publication \n"," page_title = requests.get(title_url)\n"," soup_publications = BeautifulSoup(page_title.content, \"html.parser\")\n","\n"," #and get the authors as text\n"," authors = soup_publications.find(\"p\", class_=\"relations persons\").text\n"," abstract = soup_publications.find(\"div\", class_=\"textblock\").text if soup_publications.find(\"div\",class_=\"textblock\") else \"\"\n"," keywords=[child.find(\"span\").text\n"," for tag in [soup_publications.find('ul',{'class': \"relations keywords\"})]\n"," if tag\n"," for child in tag.findChildren('li')]\n"," # for every section containing the authors find the children which are tag\n"," authors_links=soup_publications.find(\"p\", class_=\"relations persons\")\n"," children = authors_links.findChildren(\"a\" , recursive=False)\n"," # for every tag get the link (pureportal profile for every author)\n"," for child in children:\n"," link = child.get(\"href\")\n"," list_url_authors.append(link)\n"," \n"," authors_split=authors.split(\", \")\n"," new_list_url_authors=[] \n","\n"," for author in authors_split:\n"," author_name_from_url = author.replace(\" \", \"-\").lower()\n"," #james-may\n"," author_found = False\n"," for url in list_url_authors:\n"," if author_name_from_url in url.lower():\n"," new_list_url_authors.append(url)\n"," author_found = True\n"," break\n"," \n"," if not author_found:\n"," new_list_url_authors.append(None) \n"," #prepare data for index - join title, authors and keywords in one, and remove all non alfabetic charachters, and remove double whitespaces\n"," data_for_index = title + \" \" + authors + \" \" + abstract + \" \" + \" \".join(keywords)\n"," final_data_for_index = preprocess(data_for_index)\n"," \n"," #append the data for each publication to the dataframe: title, list of authors, date, title url and pupeportal profile for the authors\n"," new_row=pd.Series({'title': title, 'authors': authors, 'date': date, 'keywords': keywords, 'abstract': abstract, 'title_url':title_url, 'url_authors':new_list_url_authors, 'data_index':final_data_for_index})\n"," df=pd.concat([df, new_row.to_frame().T], ignore_index=True)\n"," #reset the list after each itteration\n"," list_url_authors=[]\n"," new_list_url_authors=[]\n"," #in the end of a page increase i to scrape the next page of publications \n"," i+=1\n"," store_to_disk(df)\n"]},{"cell_type":"code","execution_count":10,"metadata":{"id":"HYsdFxYle1jw","executionInfo":{"status":"ok","timestamp":1680262503434,"user_tz":-60,"elapsed":169,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["def store_to_disk(df): \n"," df.to_csv(\"/content/drive/MyDrive/Colab Notebooks/search engine/output_for_video.csv\")"]},{"cell_type":"code","source":["crawl()"],"metadata":{"id":"anZtS6rqQKqg"},"execution_count":null,"outputs":[]},{"cell_type":"code","source":["df=pd.read_csv(\"/content/drive/MyDrive/Colab Notebooks/search engine/output_for_video.csv\", index_col=0)\n","\n","# Create a dictionary with every author and the number of publications they are a part of\n","authors_dict = {}\n","for row in df.itertuples():\n"," authors = row.authors.split(',')\n"," for author in authors:\n"," if author.strip() not in authors_dict:\n"," authors_dict[author.strip()] = 1\n"," else:\n"," authors_dict[author.strip()] += 1\n","\n","# Print the dictionary\n","print(len(authors_dict))\n","print(authors_dict)"],"metadata":{"colab":{"base_uri":"https://localhost:8080/"},"id":"DGpyR_9JZHIy","executionInfo":{"status":"ok","timestamp":1680272553609,"user_tz":-60,"elapsed":265,"user":{"displayName":"Unknown","userId":"16317712665857714848"}},"outputId":"6f9bf3f9-fcb1-4761-bce6-fc44eb8c1b8b"},"execution_count":64,"outputs":[{"output_type":"stream","name":"stdout","text":["590\n","{'Miao Lin Pay': 1, 'Jesper Christensen': 1, 'Fei He': 14, 'Laura Roden': 2, 'Hafiz Ahmed': 1, 'Mathias Foo': 2, 'Majdi Fanous': 3, 'Jonathan Eden': 1, 'Renji Remesan': 2, 'Alireza Daneshkhah': 33, 'Maria Tariq': 2, 'Vasile Palade': 47, 'YingLiang Ma': 7, 'Abdulrahman Altahhan': 1, 'Qi You': 4, 'Chao Li': 7, 'Jun Sun': 10, 'Feng Pan': 2, 'Xiaorui Jiang': 8, 'Junjun Liu': 1, 'Sivasharmini Ganeshamoorthy': 1, 'Dominik Klepl': 6, 'Jonathan M. Eden': 1, 'Shenal Rajintha Alexander Samarathunge Gunawardena': 1, 'Ptolemaios G. Sarrigiannis': 3, 'D. J. Blackburn': 1, 'F. He': 1, 'Huma Shah': 3, 'Fred Roberts': 1, 'Ran Zhao': 1, 'Xinxin Dai': 1, 'Pengpeng Hu': 1, 'Adrian Munteanu': 1, 'Gergely Röst': 1, 'AmirHosein Sadeghimanesh': 10, 'Anas Charroud': 2, 'Karim El El Moutaouakil': 1, 'Ali Yahyaouy': 2, 'Nandor Verba': 5, 'Jonathan Daniel Nixon': 3, 'Elena Gaura': 14, 'Leonardo Alves Dias': 1, 'Alison Halford': 18, 'Anousouya Devi Magaraja': 1, 'Ezhilarasie Rajapackiyam': 1, 'Vaitheki Kanagaraj': 1, 'Suresh Joseph Kanagaraj': 1, 'Ketan Kotecha': 1, 'Subramaniyaswamy Vairavasundaram': 1, 'Mayuri Mehta': 1, 'Michael Ajao-Olarinoye': 1, 'Anees Abu-Monshar': 1, 'Ammar Al Bazi': 3, 'Li-Wei Li': 2, 'Xiaojun Wu': 2, 'Qidong Chen': 1, 'Xiaoqian Shi': 1, 'Roozbeh Razavi-Far': 5, 'Mehrdad Saif': 4, 'Shiladitya Chakrabarti': 1, 'Matthew England': 17, 'Daniel Flood': 1, 'Alan Hall': 1, 'Ankur Deo': 3, 'Maryam Azizsafaei': 1, 'Amin Hosseinian-Far': 9, 'Rasoul Khandan': 1, 'Dilshad Sarwar': 1, 'Min Wu': 5, 'Daniel J. Blackburn': 3, 'Bilal Ahmad': 4, 'Zhongjie Mao': 1, 'Matthew Stephen Tart': 4, 'Matteo De Marco': 2, 'Daniel Blackburn': 1, 'Ptolemaios Georgios Sarrigiannis': 1, 'Jingqiang Chen': 2, 'Chaoxiang Cai': 1, 'Kejia Chen': 1, 'Jordan Thomas Bignell': 1, 'Georgios Chantziplakis': 1, 'Anup Kumar Pandey': 1, 'Rahat Iqbal': 2, 'Tomasz Maniak': 1, 'Charalampos Karyotis': 2, 'Stephen Akuma': 1, 'Leander Dony': 1, 'Nader Salari': 9, 'Masoud Mohammadi': 7, 'Hooman Ghasemi': 3, 'Kojo Sarfo Gyamfi': 4, 'James Brusey': 10, 'Yimin Luo': 1, 'Hugh O’ Brien': 1, 'Kui Jiang': 1, 'Kawal Rhode': 1, 'Daniel J Blackburn': 1, 'Ptolemaios Sarrigiannis': 2, 'Abhinav Vepa': 2, 'Niloofar Darvishi': 2, 'Kamlesh Khunti': 1, 'Hannah Al Ali': 2, 'Abdesslam Boutayeb': 2, 'Zindoga Mukandavire': 12, 'Abiola Babatunde': 1, 'Noble Jahalamajaha Malunguza': 1, 'Brandi Jo Jess': 1, 'Matteo Maria Rostagno': 1, 'Alberto Maria Merlo': 1, 'Beate Grawemeyer': 1, 'John Halloran': 1, 'David Croft': 1, 'Rashid Barket': 2, 'Benjamin L. Robinson': 1, 'James Donnelly': 1, 'Soroush Abolfathi': 2, 'Jonathan Pearson': 1, 'Omid Chatrabgoun': 11, 'Alessandro Trindade': 1, 'Nei Farias': 1, 'Diego Ramon': 1, 'Kojo Gyamfi': 1, 'Helder da Silva': 1, 'Virgilio Viana': 1, 'Pablo Rodolfo Baldivieso Monasterios': 1, 'Euan Morris': 2, 'Thomas Morstyn': 1, 'George Konstantopoulos': 1, 'Stephen Mcarthur': 1, 'Elisenda Feliu': 1, 'Jasper Nalbach': 1, 'Erika Abraham': 2, 'Philippe Specht': 1, 'Christopher Brown': 1, 'James H. Davenport': 5, 'Abdulaziz M. Alayba': 1, 'Sumukh Deshpande': 1, 'James Shuttleworth': 1, 'Jianhua Yang': 1, 'Sandy Taramonli': 1, 'Tereso del Río': 4, 'F. Shahsanaei': 1, 'A. Daneshkhah': 3, 'Wei-Chi Yang': 1, 'Kunyi Chen': 1, 'Fatma Benkhelifa': 2, 'Hong Gao': 1, 'Julie McCann': 1, 'Jianzhong Li': 1, 'Abhiram Anand Thiruthummal': 1, 'Eun-jin Kim': 1, 'Sariya Cheruvallil-Contractor': 4, 'Bhavya Vasudeva': 2, 'Runfeng Tian': 1, 'Dee H. Wu': 1, 'Shirley A. James': 1, 'Hazem H. Refai': 2, 'Lei Ding': 1, 'Yuan Yang': 4, 'Kriti Bhargava': 3, 'Jonathan Nixon': 3, 'Mohsen Esmaeilbeigi': 5, 'Maryam Shafa': 1, 'Gereon Kremer': 3, 'Yathreb Bouazizi': 1, 'Hesham ElSawy': 1, 'Julie A. McCann': 1, 'Jinxing Li': 2, 'Li Mao': 2, 'Arit Kumar Bishwas': 2, 'Ashish Mani': 2, 'Nader Sohrabi Safa': 4, 'Ali H. Alenezi': 1, 'Arafatur Rahman': 1, 'Mohammed Lawal Ahmed': 1, 'Saad Ali Amin': 1, 'Faye Mitchell': 1, 'Carsten Maple': 1, 'Muhammad Ajmal Azad': 1, 'Karim El Moutaouakil': 1, 'Uche Onyekpe': 7, 'Md Nazmul Huda': 3, 'Yousof Barzegari': 1, 'Jafar Zarei': 1, 'Maysam Cheraghi': 1, 'Mphatso Jones Boti Phiri': 2, 'Kathryn Stamp': 1, 'Eduardo Weber Wächter': 1, 'Server Kasap': 4, 'Şefki Kolozali': 1, 'Xiaojun Zhai': 4, 'Shoaib Ehsan': 4, 'Klaus D. McDonald-Maier': 1, 'Eduardo Weber Wachter': 2, 'Sefki Kolozali': 1, 'Klaus McDonald-Maier': 3, 'R.J. Ashraf': 1, 'J.D. Nixon': 1, 'J. Brusey': 1, 'Ming Zhang': 1, 'Yan Wang': 1, 'Zhicheng Ji': 1, 'Lei Zhang': 3, 'Simon Cotton': 6, 'Seong Ki Yoo': 4, 'Marta Fernandez': 2, 'William Scanlon': 2, 'Ehsan Hallaji': 1, 'Leonardo A. Dias': 2, 'Augusto M. P. Damasceno': 1, 'Marcelo A.C. Fernandes': 2, 'Li Liu': 1, 'Arshia Aflaki': 1, 'Mohsen Gitizadeh': 1, 'Ali Akbar Ghasemi': 1, 'Enzo Iglésis': 3, 'Karim Dahia': 3, 'Helene Piet-Lahanier': 1, 'Nicolas Jonathan Adrien Merlinge': 1, 'Nadjim Horri': 3, 'Ali Hadi Hussain Joma Abbas': 1, 'Sara Sharifzadeh': 3, 'Sam Amiri': 1, 'Salman Abdi Jalebi': 1, 'Rami Al-Hadeethi': 1, 'Ali Abbas': 1, 'Kambiz Rakhshanbabanari': 4, 'Jean-Claude Morel': 3, 'Uche Abiola Onyekpe': 2, 'Stratis Kanarachos': 10, 'Stavros Christopoulos': 2, 'Kelvin Dushime': 1, 'Lewis Nkenyereye': 1, 'Seongki Yoo': 4, 'Jae Seung Song': 3, 'Mohammad Dabbagh': 1, 'Kim-Kwang Raymond Choo': 1, 'Amin Beheshti': 1, 'Mohammad Tahir': 1, 'Hien Ngo': 1, 'Mehdi Sookhak': 1, 'Mohammad Reza Jabbarpour': 1, 'F. Richard Yu': 1, 'Iain Brodie': 1, 'Nicholas Patrick-Gleed': 1, 'Brian Edwards': 1, 'Kevin Weeks': 1, 'Robert Moore': 1, 'Richard Haseler': 1, 'Damien Paul Foster': 2, 'Debjyoti Majumdar': 1, 'Jaimz Winter': 1, 'E. Ábrahám': 2, 'Tabassom Sedighi': 4, 'Liz Varga': 1, 'Amin Ullah': 1, 'Khan Muhammad': 1, 'Weiping Ding': 1, 'Ijaz Ul Haq': 1, 'Sung Wook Baik': 1, 'Somendra M. Bhattacharjee': 1, 'Sangeet Saha': 1, 'Adewale Adetomi': 1, 'Tughrul Arslan': 1, 'Michael Doone': 1, 'Sujan Rajbhandari': 1, 'Ben Robinson': 1, 'James Patrick Spooner': 1, 'Madeline Cheah': 3, 'Hossein Hassani': 1, 'Stefan Wermter': 1, 'Ariel Ruiz-Garcia': 1, 'Antonio De Padua Braga': 1, 'Clive Cheong Took': 1, 'Sun Jun': 1, 'Mao Zhongjie': 1, 'Alexandre Gentner': 1, 'Giuliano Gradinati': 1, 'Carole Favart': 1, 'Md Arafatur Rahman': 1, 'A. Taufiq Asyhari': 2, 'Mohammad S. Obaidat': 1, 'Ibnu Febry Kurniawan': 3, 'Marufa Yeasmin Mukta': 1, 'P. Vijayakumar': 1, 'Alicja Szkolnik': 2, 'Ye Liu': 1, 'Matthew Quaife': 1, 'Fern Terris‐Prestholt': 1, 'Peter Vickerman': 1, 'Hélène Piet-Lahanier': 2, 'Rjaa Jawad Ashraf': 1, 'Luiz G. Galvao': 1, 'Maysam Abbod': 1, 'Tatiana Kalganova': 1, 'Amer Saleem': 1, 'R. James Houston': 1, 'Ansab Fazili': 1, 'Kawal S Rhode': 4, 'Felix Batsch': 1, 'Khuong Ho-Van': 1, 'Paschalis Sofotasios': 3, 'Sami Muhaidat': 2, 'Yury A. Brychkov': 1, 'Octavia A. Dobre': 1, 'Mikko Valkama': 1, 'JiEun Lee': 1, 'SeungMyeong Jeong': 1, 'Russell Bradford': 1, 'Ali Uncu': 1, 'Esteban Correa-Agudelo': 2, 'Hae Young Kim': 1, 'Godfrey N. Musuka': 1, 'F. De Wolfe Miller': 1, 'Frank Tanser': 1, 'Diego F. Cuadros': 3, 'Mphats Boti Phiri': 1, 'Chong Ni Ki': 1, 'Seyed Mousavi': 1, 'Munyaradzi Mapingure': 1, 'Innocent Chingombe': 1, 'Diego Cuadros': 1, 'Farirai Mutenherwa': 2, 'Owen Mugurungi': 1, 'Godfrey Musuka': 4, 'Yordanka Karayaneva': 1, 'Wenda Li': 1, 'Yanguo Jing': 1, 'Bo Tan': 2, 'Abhinav Veoa': 1, 'Amer Saleem': 1, 'Kambiz Rakhshan': 1, 'Shamarina Shohaimi': 5, 'Amr Omar': 1, 'Diana Dharmaraj': 1, 'Junaid Sami': 1, 'Shital Parekh': 1, 'Mohamed Ibrahim': 1, 'Mohammed Raza': 1, 'Poonam Kapila': 1, 'Prithwiraj Chakrabarti': 1, 'Anuradha Herath': 1, 'Michael E. Fitzpatrick': 2, 'M. Esmaeilbeigi': 1, 'O. Chatrabgoun': 1, 'A. Hosseinian-Far': 1, 'R. Montasari': 1, 'Dorian Florescu': 1, 'Maria G.F. Coutinho': 1, 'M.A. Rahman': 1, 'A.T. Asyhari': 1, 'I.F. Kurniawan': 1, 'M.J. Ali': 1, 'M.M. Rahman': 1, 'M. Karim': 1, 'Hamid Jahankhani': 1, 'Homan Forouzan': 1, 'Reza Montasari': 1, 'Hafiz Alaka': 1, 'Rabia Charef': 1, \"Hazel O'Brien\": 1, 'R Karimi': 1, 'H Nouri': 1, 'Maryam Farsi (Editor)': 1, 'Alireza Daneshkhah (Editor)': 1, 'Amin Hosseinian-Far (Editor)': 1, 'Hamid Jahankhani (Editor)': 1, 'George Karagiannidis': 1, 'Taufiq Asyhari': 1, 'Marcel Schweiker': 2, 'Maíra André': 2, 'Farah Al-Atrash': 2, 'Hanan Al-Khatri': 2, 'Rea Risky Alprianti': 2, 'Hayder Alsaad': 2, 'Rucha Amin': 2, 'Eleni Ampatzi': 2, 'Alpha Yacob Arsano': 2, 'Elie Azar': 1, 'Bahareh Bannazadeh': 1, 'Amina Batagarawa': 2, 'Susanne Becker': 2, 'Carolina Buonocore': 2, 'Bin Cao': 2, 'Joon-Ho Choi': 1, 'Chungyoon Chun': 1, 'Hein Daanen': 1, 'Siti Aisyah Damiati': 1, 'Lyrian DanielShow 73 moreShow lessRenata De Vecchi': 1, 'Shivraj Dhaka': 2, 'Samuel Domínguez-Amarillo': 2, 'Edyta Dudkiewicz': 1, 'Lakshmi Prabha Edappilly': 2, 'Jesica Fernández-Agüera': 1, 'Mireille Folkerts': 1, 'Arjan Frijns': 2, 'Gabriel Gaona': 1, 'Vishal Garg': 2, 'Stephanie Gauthier': 2, 'Shahla Ghaffari Jabbari': 1, 'Djamila Harimi': 2, 'Runa T. Hellwig': 2, 'Gesche M Huebner': 1, 'Quan Jin': 2, 'Mina Jowkar': 3, 'Jungsoo Kim': 1, 'Nelson King': 2, 'Boris Kingma': 2, 'M. Donny Koerniawan': 1, 'Jakub Kolarik': 2, 'Shailendra Kumar': 2, 'Alison Kwok': 2, 'Roberto Lamberts': 2, 'Marta Laska': 2, 'M.C. Jeffrey Lee': 1, 'Yoonhee Lee': 2, 'Vanessa Lindermayr': 1, 'Mohammadbagher Mahaki': 2, 'Udochukwu Marcel-Okafor': 2, 'Laura Marín-Restrepo': 2, 'Anna Marquardsen': 2, 'Francesco Martellotta': 2, 'Jyotirmay Mathur': 2, 'Isabel Mino-Rodriguez': 2, 'Azadeh Montazami': 2, 'Di Mou': 2, 'Bassam Moujalled': 1, 'Mia Nakajima': 1, 'Edward Ng': 2, 'Marcellinus Okafor': 2, 'Mark Olweny': 2, 'Wanlu Ouyang': 1, 'Ana Lígia Papst de Abreu': 1, 'Alexis Pérez-Fargallo': 2, 'Indrika Rajapaksha': 1, 'Greici Ramos': 2, 'Saif Rashid': 2, 'Christoph F. Reinhart': 1, 'Ma. Isabel Rivera': 1, 'Mazyar Salmanzadeh': 2, 'Karin Schakib-Ekbatan': 2, 'Stefano Schiavon': 2, 'Salman Shooshtarian': 1, 'Masanori Shukuya': 2, 'Veronica Soebarto': 1, 'Suhendri Suhendri': 1, 'Mohammad Tahsildoost': 2, 'Federico Tartarini': 2, 'Despoina Teli': 2, 'Priyam Tewari': 2, 'Samar Thapa': 2, 'Maureen Trebilcock': 2, 'Jörg Trojan': 2, 'Ruqayyatu B. Tukur': 2, 'Conrad Voelker': 1, 'Yeung Yam': 2, 'Liu Yang': 2, 'Gabriela Zapata-Lancaster': 2, 'Yongchao Zhai': 2, 'Yingxin Zhu': 2, 'ZahraSadat Zomorodian': 1, 'Jagati Tata': 1, 'Hilda Sharifzadeh': 1, 'James Spooner': 1, 'Damien Foster': 2, 'Edinah Mudimu': 1, 'Kathryn Peebles': 1, 'Emily Nightingale': 1, 'Monisha Sharma': 1, 'Graham F Medley': 2, 'Daniel J Klein': 1, 'Katharine Kripke': 2, 'Anna Bershteyn': 1, 'Galefang Allycan Mapunda': 1, 'Reuben Ramogomana': 1, 'Leatile Marata': 1, 'Bokamoso Basutli': 1, 'Amjad Saeed Khan': 1, 'Joseph Monamati Chuma': 1, 'Hannah Grant': 2, 'Anna M Foss': 1, 'Charlotte Watts': 1, 'Nidhi Simmons': 1, 'Carlos Rafael Nogueira Da Silva': 1, 'Michel Yacoub': 1, 'Shahid University': 1, 'Sanjay Kumar': 1, 'Keerti Chuhan': 1, 'Sadhana Singh': 1, 'Farai Nyabadza': 2, 'Noble J Malunguza': 1, 'Diego F Cuadros': 2, 'Tinevimbo Shiri': 1, 'Rouzeh Eghtessadi': 1, 'Yanyu Xiao': 1, 'Andrés Hernández': 1, 'Hana Kim': 1, 'Neil J. MacKinnon': 1, 'Portia Manangazira': 1, 'J. Glenn Morris': 1, 'Jr': 1, 'Nazanin Razazian': 1, 'Mohsen Kazeminia': 2, 'Hossein Moayedi': 1, 'Rostam Jalali': 3, 'Hom Bahadur Rijal': 1, 'Alenka Temeljotov-Salaj': 1, 'Behnam Khaledi-Paveh': 3, 'Aliakbar Vaisi-Raygani': 2, 'Fateme Darvishi': 1, 'Alireza Abdi': 2, 'Behnam Khaledipaveh': 1, 'Habibolah Khazaie': 2, 'Melika Hosseinian-Far': 1, 'Soudabeh Eskandari': 1, 'Gabriela B. Gomez': 1, 'Ruanne V. Barnabas': 1, 'Charlotte Watts': 1, 'Graham F. Medley': 1, 'Alessandro Bezerra Trindade': 1, 'Stavros Richard G. Christopoulos': 1, 'Robert Bird': 1, 'David Baldwin': 1, 'Sue Pope': 1, 'P. N. Vinay Kumar': 1, 'U. S. Mahabaleshwar': 1, 'K. R. Nagaraju': 1, 'M. Mousavi Nezhad': 1, 'Amar Abdul-Zahra': 1, 'Montazami Azadeh': 1, 'Elie Azar': 1, 'Bannazadeh Bahareh': 1, 'Joon Ho Choi': 1, 'Chungyoon Chun': 1, 'Hein DaanenShow 76 moreShow lessSiti Aisyah Damiati': 1, 'Lyrian Daniel': 1, 'Renata De Vecchi': 1, 'Edyta Dudkiewicz': 1, 'Jesica Fernández-Agüera': 1, 'Mireille Folkerts': 1, 'Gabriel Gaona': 1, 'Shahla Ghaffari Jabbari': 1, 'Gesche M. Huebner': 1, 'Renate Kania': 1, 'Jungsoo Kim': 1, 'M. Donny Koerniawan': 1, 'M. C.Jeffrey Lee': 1, 'Vanessa Lindermayr': 1, 'Gráinne McGill': 1, 'Bassam Moujalled': 1, 'Mia Nakajima': 1, 'Wanlu Ouyang': 1, 'Ana Ligia Papst de Abreu': 1, 'Indrika Rajapaksha': 1, 'Christoph F. Reinhart': 1, 'Ma Isabel Rivera': 1, 'Salman Shooshtarian': 1, 'Veronica Soebarto': 1, 'Suhendri': 1, 'Conrad Voelker': 1, 'Zahra Sadat Zomorodian': 1, 'Savita De Souza': 1, 'Mahdi Rasekhi': 1, 'Guodao Sun': 1, 'Yajuan Hu': 1, 'Li Jiang': 1, 'Ronghua Liang': 1, 'Mahmoud Odeh': 1, 'Kevin Warwick': 1, 'Oswaldo Cadenas': 1, 'Maria Panayiotou': 1, 'Andrew P King': 1, 'Kanwal K. Bhatia': 1, 'R James Housden': 2, 'C Aldo Rinaldi': 1, 'Jaswinder S. Gill': 1, 'Michael Cooklin': 1, \"Mark O'Neill\": 2, 'Rashed Karim': 1, 'Piet Claus': 1, 'Zhong Chen': 1, 'Samantha Obom': 1, 'Harminder Gill': 1, 'Prince Acheampong': 1, 'Reza Razavi': 1, 'Xianliang Wu': 1, 'James Housden': 1, 'Daniel Rueckert': 1, 'Qiang Zeng': 1, 'Hai Zhuge': 1}\n"]}]},{"cell_type":"code","execution_count":65,"metadata":{"id":"l7Vi4Hg9cn94","executionInfo":{"status":"ok","timestamp":1680272609996,"user_tz":-60,"elapsed":4,"user":{"displayName":"Unknown","userId":"16317712665857714848"}}},"outputs":[],"source":["import schedule \n","import time\n","def set_scheduler():\n"," schedule.every(7).days.do(crawl)\n","\n"," while True:\n"," schedule.run_pending()\n"," time.sleep(1)"]},{"cell_type":"code","execution_count":null,"metadata":{"id":"IRp6lZfOWrH8"},"outputs":[],"source":["set_scheduler()"]},{"cell_type":"code","source":[],"metadata":{"id":"yElETob4UUYu"},"execution_count":null,"outputs":[]},{"cell_type":"code","source":["!pip install schedule"],"metadata":{"colab":{"base_uri":"https://localhost:8080/"},"id":"7Kh5FyinChwH","executionInfo":{"status":"ok","timestamp":1680263370957,"user_tz":-60,"elapsed":4823,"user":{"displayName":"Unknown","userId":"16317712665857714848"}},"outputId":"6feae17a-02e7-4078-8654-336abe82c0a3"},"execution_count":15,"outputs":[{"output_type":"stream","name":"stdout","text":["Looking in indexes: https://pypi.org/simple, https://us-python.pkg.dev/colab-wheels/public/simple/\n","Collecting schedule\n"," Downloading schedule-1.1.0-py2.py3-none-any.whl (10 kB)\n","Installing collected packages: schedule\n","Successfully installed schedule-1.1.0\n"]}]}],"metadata":{"colab":{"provenance":[],"mount_file_id":"1Irf_saH4sAObGhKGM2u9rklsEukDQN-L","authorship_tag":"ABX9TyOZjZaV84+/2fCEEo23Y5C6"},"kernelspec":{"display_name":"Python 3","name":"python3"},"language_info":{"name":"python"}},"nbformat":4,"nbformat_minor":0} \ No newline at end of file diff --git a/search engine/crawler.ipynb b/search engine/crawler.ipynb new file mode 100644 index 0000000..e69de29 diff --git a/search engine/output.csv b/search engine/output.csv new file mode 100644 index 0000000..d28ef2f --- /dev/null +++ b/search engine/output.csv @@ -0,0 +1,229 @@ +,title,authors,date,keywords,abstract,title_url,url_authors,data_index +0,An Extended Plant Circadian Clock Model for Characterising Flowering Time under Different Light Quality Conditions,"Miao Lin Pay, Jesper Christensen, Fei He, Laura Roden, Hafiz Ahmed, Mathias Foo",09-Jan-23,"['Arabidopsis thaliana', 'Flowering Time', 'Light Quality', 'Plant Circadian Clock', 'Speed Breeding']","Speed breeding has recently emerged as an innovative agricultural technology solution to meet the ever-increasing global food demand. In speed breeding, typically various light qualities (e.g., colour, duration, intensity) are modified to manipulate the circadian clock of the plants, which in turn alter the plant growth and enhance the productivity such as by reducing the flowering time. In order to develop a comprehensive framework describing plant growth, a model incorporating the effect of various light qualities on plant growth needs to be established. Recently a mathematical model of the plant circadian clock for Arabidopsis thaliana has been developed to characterise the hypocotyl growth subject to multiple light quality properties. This is a first step towards developing a more comprehensive model that links light quality, plant circadian clock and plant growth. In this work, we extend the model by adding the effect of various light qualities on the flowering time. The proposed model can capture the flowering time behaviours of plant when subject to red, blue, and mixed lights and can be used to guide experiment of light properties manipulation for optimised plant growth via hypocotyl growth and flowering time. ",https://pureportal.coventry.ac.uk/en/publications/an-extended-plant-circadian-clock-model-for-characterising-flower,"['https://pureportal.coventry.ac.uk/en/persons/miao-lin-pay', 'https://pureportal.coventry.ac.uk/en/persons/jesper-christensen', 'https://pureportal.coventry.ac.uk/en/persons/fei-he', 'https://pureportal.coventry.ac.uk/en/persons/laura-roden', None, None]","['extend', 'plant', 'circadian', 'clock', 'model', 'characteris', 'flower', 'time', 'differ', 'light', 'qualiti', 'condit', 'miao', 'lin', 'pay', 'jesper', 'christensen', 'fei', 'laura', 'roden', 'hafiz', 'ahm', 'mathia', 'foo', 'speed', 'breed', 'recent', 'emerg', 'innov', 'agricultur', 'technolog', 'solut', 'meet', 'ever', 'increas', 'global', 'food', 'demand', 'speed', 'breed', 'typic', 'variou', 'light', 'qualiti', 'e', 'g', 'colour', 'durat', 'intens', 'modifi', 'manipul', 'circadian', 'clock', 'plant', 'turn', 'alter', 'plant', 'growth', 'enhanc', 'product', 'reduc', 'flower', 'time', 'order', 'develop', 'comprehens', 'framework', 'describ', 'plant', 'growth', 'model', 'incorpor', 'effect', 'variou', 'light', 'qualiti', 'plant', 'growth', 'need', 'establish', 'recent', 'mathemat', 'model', 'plant', 'circadian', 'clock', 'arabidopsi', 'thaliana', 'develop', 'characteris', 'hypocotyl', 'growth', 'subject', 'multipl', 'light', 'qualiti', 'properti', 'first', 'step', 'toward', 'develop', 'comprehens', 'model', 'link', 'light', 'qualiti', 'plant', 'circadian', 'clock', 'plant', 'growth', 'work', 'extend', 'model', 'ad', 'effect', 'variou', 'light', 'qualiti', 'flower', 'time', 'propos', 'model', 'captur', 'flower', 'time', 'behaviour', 'plant', 'subject', 'red', 'blue', 'mix', 'light', 'use', 'guid', 'experi', 'light', 'properti', 'manipul', 'optimis', 'plant', 'growth', 'via', 'hypocotyl', 'growth', 'flower', 'time', 'arabidopsi', 'thaliana', 'flower', 'time', 'light', 'qualiti', 'plant', 'circadian', 'clock', 'speed', 'breed']" +1,Challenges and prospects of climate change impact assessment on mangrove environments through mathematical models,"Majdi Fanous, Jonathan Eden, Renji Remesan, Alireza Daneshkhah",25-Feb-23,"['Mangrove environments', 'Climate change', 'Hydro-morphodynamic modelling', 'Adaptation policies', 'Machine learning', 'Data-driven modelling']","The impacts of climate change, especially sea-level rise, are an increasing threat to the world’s coastal regions. Following recommendations made by the United Nations about the preservation of mangrove environments, particularly given their potential for effective natural defence against wave-driven hazards, a series of experiments have been conducted to quantify the ability of mangroves to counter climate change impacts. To date, these experiments have been limited by computational cost and inability to model multiple scenarios. With improved data quality and availability, machine learning has enormous potential to supplement, or even replace, existing numerical methods. This article presents both an outline of the importance of protecting mangrove environments and a review of methods currently used to quantify the capacity of mangroves to adapt to climate change impacts. In view of the limitations of existing numerical methods, the article also discusses the potential of machine learning as an efficient and effective alternative.",https://pureportal.coventry.ac.uk/en/publications/challenges-and-prospects-of-climate-change-impact-assessment-on-m,"['https://pureportal.coventry.ac.uk/en/persons/majdi-fanous', 'https://pureportal.coventry.ac.uk/en/persons/jonathan-eden', None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['challeng', 'prospect', 'climat', 'chang', 'impact', 'assess', 'mangrov', 'environ', 'mathemat', 'model', 'majdi', 'fanou', 'jonathan', 'eden', 'renji', 'remesan', 'alireza', 'daneshkhah', 'impact', 'climat', 'chang', 'especi', 'sea', 'level', 'rise', 'increas', 'threat', 'world', 'coastal', 'region', 'follow', 'recommend', 'made', 'unit', 'nation', 'preserv', 'mangrov', 'environ', 'particularli', 'given', 'potenti', 'effect', 'natur', 'defenc', 'wave', 'driven', 'hazard', 'seri', 'experi', 'conduct', 'quantifi', 'abil', 'mangrov', 'counter', 'climat', 'chang', 'impact', 'date', 'experi', 'limit', 'comput', 'cost', 'inabl', 'model', 'multipl', 'scenario', 'improv', 'data', 'qualiti', 'avail', 'machin', 'learn', 'enorm', 'potenti', 'supplement', 'even', 'replac', 'exist', 'numer', 'method', 'articl', 'present', 'outlin', 'import', 'protect', 'mangrov', 'environ', 'review', 'method', 'current', 'use', 'quantifi', 'capac', 'mangrov', 'adapt', 'climat', 'chang', 'impact', 'view', 'limit', 'exist', 'numer', 'method', 'articl', 'also', 'discuss', 'potenti', 'machin', 'learn', 'effici', 'effect', 'altern', 'mangrov', 'environ', 'climat', 'chang', 'hydro', 'morphodynam', 'model', 'adapt', 'polici', 'machin', 'learn', 'data', 'driven', 'model']" +2,Diabetic Retinopathy Detection Using Transfer and Reinforcement Learning with Effective Image Preprocessing and Data Augmentation Techniques,"Maria Tariq, Vasile Palade, YingLiang Ma, Abdulrahman Altahhan",07-Feb-23,"['Diabetic retinopathy', 'Deep learning', 'Reinforcement learning', 'Transfer learning']","Diabetic retinopathy is the consequence of advanced stages of diabetes, which can ultimately lead to permanent blindness. An early detection of diabetic retinopathy is extremely important to avoid blindness and to recover from it as soon as possible. This chapter discusses the application of recent deep and transfer learning models for medical image analysis, with the focus on diabetic retinopathy detection. The chapter presents an extensive discussion on the publicly available datasets with diabetic retinopathy images, and the Kaggle dataset is used for training and testing of our proposed model. The main challenges to handle noisy and not large enough datasets are discussed in this chapter as well, where image preprocessing techniques and data augmentation play a significant role. An extensive overview of recent data augmentation techniques is also given to tackle the problem of imbalanced nature of diabetic retinopathy datasets. The proposed model integrates deep learning and reinforcement learning to perform detection and imbalanced classification on the Kaggle dataset.",https://pureportal.coventry.ac.uk/en/publications/diabetic-retinopathy-detection-using-transfer-and-reinforcement-l,"['https://pureportal.coventry.ac.uk/en/persons/maria-tariq', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', 'https://pureportal.coventry.ac.uk/en/persons/yingliang-ma', None]","['diabet', 'retinopathi', 'detect', 'use', 'transfer', 'reinforc', 'learn', 'effect', 'imag', 'preprocess', 'data', 'augment', 'techniqu', 'maria', 'tariq', 'vasil', 'palad', 'yingliang', 'abdulrahman', 'altahhan', 'diabet', 'retinopathi', 'consequ', 'advanc', 'stage', 'diabet', 'ultim', 'lead', 'perman', 'blind', 'earli', 'detect', 'diabet', 'retinopathi', 'extrem', 'import', 'avoid', 'blind', 'recov', 'soon', 'possibl', 'chapter', 'discuss', 'applic', 'recent', 'deep', 'transfer', 'learn', 'model', 'medic', 'imag', 'analysi', 'focu', 'diabet', 'retinopathi', 'detect', 'chapter', 'present', 'extens', 'discuss', 'publicli', 'avail', 'dataset', 'diabet', 'retinopathi', 'imag', 'kaggl', 'dataset', 'use', 'train', 'test', 'propos', 'model', 'main', 'challeng', 'handl', 'noisi', 'larg', 'enough', 'dataset', 'discuss', 'chapter', 'well', 'imag', 'preprocess', 'techniqu', 'data', 'augment', 'play', 'signific', 'role', 'extens', 'overview', 'recent', 'data', 'augment', 'techniqu', 'also', 'given', 'tackl', 'problem', 'imbalanc', 'natur', 'diabet', 'retinopathi', 'dataset', 'propos', 'model', 'integr', 'deep', 'learn', 'reinforc', 'learn', 'perform', 'detect', 'imbalanc', 'classif', 'kaggl', 'dataset', 'diabet', 'retinopathi', 'deep', 'learn', 'reinforc', 'learn', 'transfer', 'learn']" +3,Entropy‐based lamarckian quantum‐behaved particle swarm optimization for flexible ligand docking,"Qi You, Chao Li, Jun Sun, Vasile Palade, Feng Pan",Mar-23,"['Organic Chemistry', 'Computer Science Applications', 'Drug Discovery', 'Molecular Medicine', 'Structural Biology']","AutoDock is a widely used software for flexible ligand docking problems since it is open source and easy to be implemented. In this paper, a novel hybrid algorithm is proposed and applied in the docking environment of AutoDock version 4.2.6 in order to enhance the accuracy and the efficiency for dockings with flexible ligands. This search algorithm, called entropy-based Lamarckian quantum-behaved particle swarm optimization (ELQPSO), is a combination of the QPSO with an entropy-based update strategy and the Solis and Wet local search (SWLS) method. By using the PDBbind core set v.2016, the ELQPSO is compared with the Lamarckian genetic algorithm (LGA), Lamarckian particle swarm optimization (LPSO) and Lamarckian QPSO (LQPSO). The experimental results reveal that the corresponding docking program of ELQPSO, named as EQDOCK in this paper, has a competitive performance in dealing with the protein-ligand docking problems. Moreover, for the test cases with different number of torsions, the EQDOCK outperforms the other three docking programs in finding docking conformations with small root mean squared deviation (RMSD) values in most cases. In particular, it has an advantage of solving highly flexible ligand docking problems over the others.",https://pureportal.coventry.ac.uk/en/publications/entropybased-lamarckian-quantumbehaved-particle-swarm-optimizatio,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['entropi', 'base', 'lamarckian', 'quantum', 'behav', 'particl', 'swarm', 'optim', 'flexibl', 'ligand', 'dock', 'qi', 'chao', 'li', 'jun', 'sun', 'vasil', 'palad', 'feng', 'pan', 'autodock', 'wide', 'use', 'softwar', 'flexibl', 'ligand', 'dock', 'problem', 'sinc', 'open', 'sourc', 'easi', 'implement', 'paper', 'novel', 'hybrid', 'algorithm', 'propos', 'appli', 'dock', 'environ', 'autodock', 'version', '4', '2', '6', 'order', 'enhanc', 'accuraci', 'effici', 'dock', 'flexibl', 'ligand', 'search', 'algorithm', 'call', 'entropi', 'base', 'lamarckian', 'quantum', 'behav', 'particl', 'swarm', 'optim', 'elqpso', 'combin', 'qpso', 'entropi', 'base', 'updat', 'strategi', 'soli', 'wet', 'local', 'search', 'swl', 'method', 'use', 'pdbbind', 'core', 'set', 'v', '2016', 'elqpso', 'compar', 'lamarckian', 'genet', 'algorithm', 'lga', 'lamarckian', 'particl', 'swarm', 'optim', 'lpso', 'lamarckian', 'qpso', 'lqpso', 'experiment', 'result', 'reveal', 'correspond', 'dock', 'program', 'elqpso', 'name', 'eqdock', 'paper', 'competit', 'perform', 'deal', 'protein', 'ligand', 'dock', 'problem', 'moreov', 'test', 'case', 'differ', 'number', 'torsion', 'eqdock', 'outperform', 'three', 'dock', 'program', 'find', 'dock', 'conform', 'small', 'root', 'mean', 'squar', 'deviat', 'rmsd', 'valu', 'case', 'particular', 'advantag', 'solv', 'highli', 'flexibl', 'ligand', 'dock', 'problem', 'other', 'organ', 'chemistri', 'comput', 'scienc', 'applic', 'drug', 'discoveri', 'molecular', 'medicin', 'structur', 'biolog']" +4,Extracting the Evolutionary Backbone of Scientific Domains: The Semantic Main Path Network Approach Based on Citation Context Analysis,"Xiaorui Jiang, Junjun Liu",15-Feb-23,[],"Main path analysis is a popular method for extracting the scientific backbone from the citation network of a research domain. Existing approaches ignored the semantic relationships between the citing and cited publications, resulting in several adverse issues, in terms of coherence of main paths and coverage of significant studies. This paper advocated the semantic main path analysis approach to alleviate these issues based on citation function analysis. A wide variety of SciBERT-based deep learning models were designed for identifying citation functions. Semantic citation networks were built by either including important citations, e.g., extension, motivation, usage and similarity, or excluding incidental citations like background and future work. Semantic main path network was built by merging the top-K main paths extracted from various time slices of semantic citation network. In addition, this study proposed a three-way framework for quantitative evaluation of main path analysis results. Both qualitative and quantitative analysis on three research areas of computational linguistics demonstrated that, compared to semantics-agnostic counterparts, different types of semantic main path networks provide complementary views scientific knowledge flows. Combining them together, we can obtain a more precise and comprehensive picture of domain evolution and uncover more coherent development pathways between scientific ideas. ",https://pureportal.coventry.ac.uk/en/publications/extracting-the-evolutionary-backbone-of-scientific-domains-the-se,"['https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang', None]","['extract', 'evolutionari', 'backbon', 'scientif', 'domain', 'semant', 'main', 'path', 'network', 'approach', 'base', 'citat', 'context', 'analysi', 'xiaorui', 'jiang', 'junjun', 'liu', 'main', 'path', 'analysi', 'popular', 'method', 'extract', 'scientif', 'backbon', 'citat', 'network', 'research', 'domain', 'exist', 'approach', 'ignor', 'semant', 'relationship', 'cite', 'cite', 'public', 'result', 'sever', 'advers', 'issu', 'term', 'coher', 'main', 'path', 'coverag', 'signific', 'studi', 'paper', 'advoc', 'semant', 'main', 'path', 'analysi', 'approach', 'allevi', 'issu', 'base', 'citat', 'function', 'analysi', 'wide', 'varieti', 'scibert', 'base', 'deep', 'learn', 'model', 'design', 'identifi', 'citat', 'function', 'semant', 'citat', 'network', 'built', 'either', 'includ', 'import', 'citat', 'e', 'g', 'extens', 'motiv', 'usag', 'similar', 'exclud', 'incident', 'citat', 'like', 'background', 'futur', 'work', 'semant', 'main', 'path', 'network', 'built', 'merg', 'top', 'k', 'main', 'path', 'extract', 'variou', 'time', 'slice', 'semant', 'citat', 'network', 'addit', 'studi', 'propos', 'three', 'way', 'framework', 'quantit', 'evalu', 'main', 'path', 'analysi', 'result', 'qualit', 'quantit', 'analysi', 'three', 'research', 'area', 'comput', 'linguist', 'demonstr', 'compar', 'semant', 'agnost', 'counterpart', 'differ', 'type', 'semant', 'main', 'path', 'network', 'provid', 'complementari', 'view', 'scientif', 'knowledg', 'flow', 'combin', 'togeth', 'obtain', 'precis', 'comprehens', 'pictur', 'domain', 'evolut', 'uncov', 'coher', 'develop', 'pathway', 'scientif', 'idea']" +5,Gene Regulatory Network Inference through Link Prediction using Graph Neural Network,"Sivasharmini Ganeshamoorthy, Laura Roden, Dominik Klepl, Fei He",19-Jan-23,"['Proteins', 'Sequential analysis', 'Machine learning', 'Signal processing', 'Graph neural networks', 'Functional analysis', 'Biology']","Gene Regulatory Networks (GRNs) depict the causal regulatory interactions between transcription factors (TFs) and their target genes [2], where TFs are proteins that regulate gene transcription. GRN plays a vital role in explaining gene function, which helps to identify and prioritize the candidate genes for functional analysis [3]. Currently, high-dimensional transcriptome datasets are produced from high-throughput sequencing techniques, such as microarray and RNA-Seq. These techniques can capture the differences in the expression of thousands of genes at once. Through these wet-lab experiments, studying the interconnections among a large number of genes or TFs at a network level is challenging [4]. Therefore, one of the important topics in computational biology is the inference of GRNs from high-dimensional gene expression data through statistical and machine learning approaches [2].",https://pureportal.coventry.ac.uk/en/publications/gene-regulatory-network-inference-through-link-prediction-using-g,"['https://pureportal.coventry.ac.uk/en/persons/sivasharmini-ganeshamoorthy', 'https://pureportal.coventry.ac.uk/en/persons/laura-roden', 'https://pureportal.coventry.ac.uk/en/persons/dominik-klepl', 'https://pureportal.coventry.ac.uk/en/persons/fei-he']","['gene', 'regulatori', 'network', 'infer', 'link', 'predict', 'use', 'graph', 'neural', 'network', 'sivasharmini', 'ganeshamoorthi', 'laura', 'roden', 'dominik', 'klepl', 'fei', 'gene', 'regulatori', 'network', 'grn', 'depict', 'causal', 'regulatori', 'interact', 'transcript', 'factor', 'tf', 'target', 'gene', '2', 'tf', 'protein', 'regul', 'gene', 'transcript', 'grn', 'play', 'vital', 'role', 'explain', 'gene', 'function', 'help', 'identifi', 'priorit', 'candid', 'gene', 'function', 'analysi', '3', 'current', 'high', 'dimension', 'transcriptom', 'dataset', 'produc', 'high', 'throughput', 'sequenc', 'techniqu', 'microarray', 'rna', 'seq', 'techniqu', 'captur', 'differ', 'express', 'thousand', 'gene', 'wet', 'lab', 'experi', 'studi', 'interconnect', 'among', 'larg', 'number', 'gene', 'tf', 'network', 'level', 'challeng', '4', 'therefor', 'one', 'import', 'topic', 'comput', 'biolog', 'infer', 'grn', 'high', 'dimension', 'gene', 'express', 'data', 'statist', 'machin', 'learn', 'approach', '2', 'protein', 'sequenti', 'analysi', 'machin', 'learn', 'signal', 'process', 'graph', 'neural', 'network', 'function', 'analysi', 'biolog']" +6,Hydro-morphodynamic modelling of mangroves imposed by tidal waves using finite element discontinuous Galerkin method,"Majdi Fanous, Alireza Daneshkhah, Jonathan M. Eden, Renji Remesan, Vasile Palade",28-Mar-23,"['Coastal modelling', 'Hydro-morphodynamic modelling', 'Discontinuous Galerkin', 'Mangrove environments', 'Unstructured mesh']","Modelling the hydro-morphodynamics of mangrove environments is key for implementing successful protection and restoration projects in a climatically vulnerable region. Nevertheless, simulating such dynamics is faced with computational and time complexities, given the nonlinear and complex nature of the problem, which could become a bottleneck for large-scale applications. This study investigates the effect of mangrove environments on the hydro-morphodynamics of its region. A depth-averaged model was built using a novel finite element model for simulating coastal models, within Thetis. The Sundarbans, the largest mangrove forest in the world located between India and Bangladesh, is taken as a case study. The Sundarbans is regularly subjected to tropical cyclones, the impacts of which endanger the lives of the region’s four million people. This is a first-time application of a coupled hydro-morphodyamic model using discontinuous Galerkin finite element discretisation for modelling mangrove environments in a real-world application. A wetting drying scheme was implemented in the models in order to avoid numerical instabilities. The effect of mangrove environments is demonstrated ,by imposing a periodic tidal boundary, conditions using TPXO tidal solver, using experiments with and without mangroves. The model is validated against the results of another study on the same region and tidal gauge data. Mangrove environments are able to decrease water elevations and velocities by more than 97%, and prevent almost any sediment erosion when compared with the experiment with no mangroves.",https://pureportal.coventry.ac.uk/en/publications/hydro-morphodynamic-modelling-of-mangroves-imposed-by-tidal-waves,"['https://pureportal.coventry.ac.uk/en/persons/majdi-fanous', 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['hydro', 'morphodynam', 'model', 'mangrov', 'impos', 'tidal', 'wave', 'use', 'finit', 'element', 'discontinu', 'galerkin', 'method', 'majdi', 'fanou', 'alireza', 'daneshkhah', 'jonathan', 'eden', 'renji', 'remesan', 'vasil', 'palad', 'model', 'hydro', 'morphodynam', 'mangrov', 'environ', 'key', 'implement', 'success', 'protect', 'restor', 'project', 'climat', 'vulner', 'region', 'nevertheless', 'simul', 'dynam', 'face', 'comput', 'time', 'complex', 'given', 'nonlinear', 'complex', 'natur', 'problem', 'could', 'becom', 'bottleneck', 'larg', 'scale', 'applic', 'studi', 'investig', 'effect', 'mangrov', 'environ', 'hydro', 'morphodynam', 'region', 'depth', 'averag', 'model', 'built', 'use', 'novel', 'finit', 'element', 'model', 'simul', 'coastal', 'model', 'within', 'theti', 'sundarban', 'largest', 'mangrov', 'forest', 'world', 'locat', 'india', 'bangladesh', 'taken', 'case', 'studi', 'sundarban', 'regularli', 'subject', 'tropic', 'cyclon', 'impact', 'endang', 'live', 'region', 'four', 'million', 'peopl', 'first', 'time', 'applic', 'coupl', 'hydro', 'morphodyam', 'model', 'use', 'discontinu', 'galerkin', 'finit', 'element', 'discretis', 'model', 'mangrov', 'environ', 'real', 'world', 'applic', 'wet', 'dri', 'scheme', 'implement', 'model', 'order', 'avoid', 'numer', 'instabl', 'effect', 'mangrov', 'environ', 'demonstr', 'impos', 'period', 'tidal', 'boundari', 'condit', 'use', 'tpxo', 'tidal', 'solver', 'use', 'experi', 'without', 'mangrov', 'model', 'valid', 'result', 'anoth', 'studi', 'region', 'tidal', 'gaug', 'data', 'mangrov', 'environ', 'abl', 'decreas', 'water', 'elev', 'veloc', '97', 'prevent', 'almost', 'sediment', 'eros', 'compar', 'experi', 'mangrov', 'coastal', 'model', 'hydro', 'morphodynam', 'model', 'discontinu', 'galerkin', 'mangrov', 'environ', 'unstructur', 'mesh']" +7,Kernel-based Nonlinear Manifold Learning for EEG Functional Connectivity Analysis with Application to Alzheimer's Disease,"Shenal Rajintha Alexander Samarathunge Gunawardena, Ptolemaios G. Sarrigiannis, D. J. Blackburn, F. He",19-Jan-23,"['Neurological diseases', 'Couplings', 'Neuroscience', 'Correlation', 'Signal processing', 'Electroencephalography', 'Biology']","Dynamical, causal and cross-frequency coupling analysis using the EEG has received significant interest for the analysis and diagnosis of neurological disorders [1]–[3]. Due to the high computational requirements needed for some of these methods, EEG channel selection is crucial [4]. Functional connectivity (FC) between EEG channels is often used for channel selection and connectivity analysis [4, S, 6]. Ideally, in the case of selecting channels for dynamical and causal analysis, FC methods should be able to account for linear and nonlinear spatial and temporal interactions between EEG channels. In neuroscience, FC is quantified using different measures of (dis) similarity to assess the statistical dependence between two signals [5]. However, the interpretation of FC measures can differ significantly from one measure to another[5, 7]. In the early diagnosis of AD, [7] showed correlations among various (dis)similarity measures, and therefore these measures can be grouped. Thus, one from each is sufficient to extract information from the data [7]. Therefore, the development of a generic measure of (dis)similarity is important in FC analysis.",https://pureportal.coventry.ac.uk/en/publications/kernel-based-nonlinear-manifold-learning-for-eeg-functional-conne,"['https://pureportal.coventry.ac.uk/en/persons/shenal-rajintha-alexander-samarathunge-gunawardena', None, None, None]","['kernel', 'base', 'nonlinear', 'manifold', 'learn', 'eeg', 'function', 'connect', 'analysi', 'applic', 'alzheim', 'diseas', 'shenal', 'rajintha', 'alexand', 'samarathung', 'gunawardena', 'ptolemaio', 'g', 'sarrigianni', 'j', 'blackburn', 'f', 'dynam', 'causal', 'cross', 'frequenc', 'coupl', 'analysi', 'use', 'eeg', 'receiv', 'signific', 'interest', 'analysi', 'diagnosi', 'neurolog', 'disord', '1', '3', 'due', 'high', 'comput', 'requir', 'need', 'method', 'eeg', 'channel', 'select', 'crucial', '4', 'function', 'connect', 'fc', 'eeg', 'channel', 'often', 'use', 'channel', 'select', 'connect', 'analysi', '4', '6', 'ideal', 'case', 'select', 'channel', 'dynam', 'causal', 'analysi', 'fc', 'method', 'abl', 'account', 'linear', 'nonlinear', 'spatial', 'tempor', 'interact', 'eeg', 'channel', 'neurosci', 'fc', 'quantifi', 'use', 'differ', 'measur', 'di', 'similar', 'assess', 'statist', 'depend', 'two', 'signal', '5', 'howev', 'interpret', 'fc', 'measur', 'differ', 'significantli', 'one', 'measur', 'anoth', '5', '7', 'earli', 'diagnosi', 'ad', '7', 'show', 'correl', 'among', 'variou', 'di', 'similar', 'measur', 'therefor', 'measur', 'group', 'thu', 'one', 'suffici', 'extract', 'inform', 'data', '7', 'therefor', 'develop', 'gener', 'measur', 'di', 'similar', 'import', 'fc', 'analysi', 'neurolog', 'diseas', 'coupl', 'neurosci', 'correl', 'signal', 'process', 'electroencephalographi', 'biolog']" +8,Not Born of Woman: Gendered Robots,"Huma Shah, Fred Roberts",26-Feb-23,"['Gender', 'Chatbots', 'Robots', 'Affective Computing', 'Gender in AI', 'Artificial intelligence', 'Gender in Robotics']","This chapter posits that gender, while being messy and non-binary, is a salient consideration in the development of virtual and embodied robots to avoid replicating stereotypical representations of men and women's roles and occupations in our future artificial work colleagues, and companions. Some questions are posed for robot developers with early responses from researchers working in the field.",https://pureportal.coventry.ac.uk/en/publications/not-born-of-woman-gendered-robots,"['https://pureportal.coventry.ac.uk/en/persons/huma-shah', None]","['born', 'woman', 'gender', 'robot', 'huma', 'shah', 'fred', 'robert', 'chapter', 'posit', 'gender', 'messi', 'non', 'binari', 'salient', 'consider', 'develop', 'virtual', 'embodi', 'robot', 'avoid', 'replic', 'stereotyp', 'represent', 'men', 'women', 'role', 'occup', 'futur', 'artifici', 'work', 'colleagu', 'companion', 'question', 'pose', 'robot', 'develop', 'earli', 'respons', 'research', 'work', 'field', 'gender', 'chatbot', 'robot', 'affect', 'comput', 'gender', 'ai', 'artifici', 'intellig', 'gender', 'robot']" +9,PoseNormNet: Identity-preserved Posture Normalization of 3D Body Scans in Arbitrary Postures,"Ran Zhao, Xinxin Dai, Pengpeng Hu, Adrian Munteanu",16-Feb-23,"['Posture normalization', 'Deep learning', 'Human body shape', '3D scanning']","3D human models accurately represent the shape of the subjects, which is key to many human-centric industrial applications, including fashion design, body biometrics extraction, and computer animation. These tasks usually require a high-fidelity human body mesh in a canonical posture (e.g., ‘A’ pose or ‘T’ pose). Although 3D scanning technology is fast and popular for acquiring the subject's body shape, automatically normalizing the posture of scanned bodies is still under-researched. Existing methods highly rely on skeleton-driven animation technologies. However, these methods require carefully-designed skeleton and skin weights, which is time-consuming and fails when the initial posture is complicated. In this work, a novel deep learning-based approach, dubbed PoseNormNet, is proposed to automatically normalize the postures of scanned bodies. The proposed algorithm provides strong operability since it does not require any rigging priors and works well for subjects in arbitrary postures. Extensive experimental results on both synthetic and real-world datasets demonstrate that the proposed method achieves state-of-the-art performance in both objective and subjective terms.",https://pureportal.coventry.ac.uk/en/publications/posenormnet-identity-preserved-posture-normalization-of-3d-body-s,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/pengpeng-hu', None]","['posenormnet', 'ident', 'preserv', 'postur', 'normal', '3d', 'bodi', 'scan', 'arbitrari', 'postur', 'ran', 'zhao', 'xinxin', 'dai', 'pengpeng', 'hu', 'adrian', 'munteanu', '3d', 'human', 'model', 'accur', 'repres', 'shape', 'subject', 'key', 'mani', 'human', 'centric', 'industri', 'applic', 'includ', 'fashion', 'design', 'bodi', 'biometr', 'extract', 'comput', 'anim', 'task', 'usual', 'requir', 'high', 'fidel', 'human', 'bodi', 'mesh', 'canon', 'postur', 'e', 'g', 'pose', 'pose', 'although', '3d', 'scan', 'technolog', 'fast', 'popular', 'acquir', 'subject', 'bodi', 'shape', 'automat', 'normal', 'postur', 'scan', 'bodi', 'still', 'research', 'exist', 'method', 'highli', 'reli', 'skeleton', 'driven', 'anim', 'technolog', 'howev', 'method', 'requir', 'care', 'design', 'skeleton', 'skin', 'weight', 'time', 'consum', 'fail', 'initi', 'postur', 'complic', 'work', 'novel', 'deep', 'learn', 'base', 'approach', 'dub', 'posenormnet', 'propos', 'automat', 'normal', 'postur', 'scan', 'bodi', 'propos', 'algorithm', 'provid', 'strong', 'oper', 'sinc', 'requir', 'rig', 'prior', 'work', 'well', 'subject', 'arbitrari', 'postur', 'extens', 'experiment', 'result', 'synthet', 'real', 'world', 'dataset', 'demonstr', 'propos', 'method', 'achiev', 'state', 'art', 'perform', 'object', 'subject', 'term', 'postur', 'normal', 'deep', 'learn', 'human', 'bodi', 'shape', '3d', 'scan']" +10,Unidirectional Migration of Populations with Allee Effect,"Gergely Röst, AmirHosein Sadeghimanesh",10-Jan-23,"['population dynamics', 'migration', 'bifurcation', 'steady states', 'Allee effect', 'Cylindrical algebraic decomposition', 'cylindrical algebraic decomposition']","In this note we consider two populations living on identical patches, connected by unidirectional migration, and subject to strong Allee effect. We show that by increasing the migration rate, there are more bifurcation sequences than previous works showed. In particular, the number of steady states can change from 9 (small migration) to 3 (large migration) at a single bifurcation point, or via a sequence of bifurcations with the system having 9, 7, 5, 3 steady states or 9, 7, 9, 3 steady states, depending on the Allee threshold. This is in contrast with the case of bidirectional migration, where the number of steady states always goes through the same bifurcation sequence of 9, 5, 3 steady states as we increase the migration rate, regardless of the value of the Allee threshold. These results have practical implications as well in spatial ecology.",https://pureportal.coventry.ac.uk/en/publications/unidirectional-migration-of-populations-with-allee-effect,"[None, 'https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh']","['unidirect', 'migrat', 'popul', 'alle', 'effect', 'gerg', 'röst', 'amirhosein', 'sadeghimanesh', 'note', 'consid', 'two', 'popul', 'live', 'ident', 'patch', 'connect', 'unidirect', 'migrat', 'subject', 'strong', 'alle', 'effect', 'show', 'increas', 'migrat', 'rate', 'bifurc', 'sequenc', 'previou', 'work', 'show', 'particular', 'number', 'steadi', 'state', 'chang', '9', 'small', 'migrat', '3', 'larg', 'migrat', 'singl', 'bifurc', 'point', 'via', 'sequenc', 'bifurc', 'system', '9', '7', '5', '3', 'steadi', 'state', '9', '7', '9', '3', 'steadi', 'state', 'depend', 'alle', 'threshold', 'contrast', 'case', 'bidirect', 'migrat', 'number', 'steadi', 'state', 'alway', 'goe', 'bifurc', 'sequenc', '9', '5', '3', 'steadi', 'state', 'increas', 'migrat', 'rate', 'regardless', 'valu', 'alle', 'threshold', 'result', 'practic', 'implic', 'well', 'spatial', 'ecolog', 'popul', 'dynam', 'migrat', 'bifurc', 'steadi', 'state', 'alle', 'effect', 'cylindr', 'algebra', 'decomposit', 'cylindr', 'algebra', 'decomposit']" +11,XDLL: Explained Deep Learning LiDAR-Based Localization and Mapping Method for Self-Driving Vehicles,"Anas Charroud, Karim El El Moutaouakil, Vasile Palade, Ali Yahyaouy",22-Jan-23,"['LSTM', 'GRU', 'convolutional neural networks', 'localization', 'mapping', 'feature extraction', 'self driving vehicles', 'SLAM']","Self-driving vehicles need a robust positioning system to continue the revolution in intelligent transportation. Global navigation satellite systems (GNSS) are most commonly used to accomplish this task because of their ability to accurately locate the vehicle in the environment. However, recent publications have revealed serious cases where GNSS fails miserably to determine the position of the vehicle, for example, under a bridge, in a tunnel, or in dense forests. In this work, we propose a framework architecture of explaining deep learning LiDAR-based (XDLL) models that predicts the position of the vehicles by using only a few LiDAR points in the environment, which ensures the required fastness and accuracy of interactions between vehicle components. The proposed framework extracts non-semantic features from LiDAR scans using a clustering algorithm. The identified clusters serve as input to our deep learning model, which relies on LSTM and GRU layers to store the trajectory points and convolutional layers to smooth the data. The model has been extensively tested with short- and long-term trajectories from two benchmark datasets, Kitti and NCLT, containing different environmental scenarios. Moreover, we investigated the obtained results by explaining the contribution of each cluster feature by using several explainable methods, including Saliency, SmoothGrad, and VarGrad. The analysis showed that taking the mean of all the clusters as an input for the model is enough to obtain better accuracy compared to the first model, and it reduces the time consumption as well. The improved model is able to obtain a mean absolute positioning error of below one meter for all sequences in the short- and long-term trajectories.",https://pureportal.coventry.ac.uk/en/publications/xdll-explained-deep-learning-lidar-based-localization-and-mapping,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['xdll', 'explain', 'deep', 'learn', 'lidar', 'base', 'local', 'map', 'method', 'self', 'drive', 'vehicl', 'ana', 'charroud', 'karim', 'el', 'el', 'moutaouakil', 'vasil', 'palad', 'ali', 'yahyaouy', 'self', 'drive', 'vehicl', 'need', 'robust', 'posit', 'system', 'continu', 'revolut', 'intellig', 'transport', 'global', 'navig', 'satellit', 'system', 'gnss', 'commonli', 'use', 'accomplish', 'task', 'abil', 'accur', 'locat', 'vehicl', 'environ', 'howev', 'recent', 'public', 'reveal', 'seriou', 'case', 'gnss', 'fail', 'miser', 'determin', 'posit', 'vehicl', 'exampl', 'bridg', 'tunnel', 'dens', 'forest', 'work', 'propos', 'framework', 'architectur', 'explain', 'deep', 'learn', 'lidar', 'base', 'xdll', 'model', 'predict', 'posit', 'vehicl', 'use', 'lidar', 'point', 'environ', 'ensur', 'requir', 'fast', 'accuraci', 'interact', 'vehicl', 'compon', 'propos', 'framework', 'extract', 'non', 'semant', 'featur', 'lidar', 'scan', 'use', 'cluster', 'algorithm', 'identifi', 'cluster', 'serv', 'input', 'deep', 'learn', 'model', 'reli', 'lstm', 'gru', 'layer', 'store', 'trajectori', 'point', 'convolut', 'layer', 'smooth', 'data', 'model', 'extens', 'test', 'short', 'long', 'term', 'trajectori', 'two', 'benchmark', 'dataset', 'kitti', 'nclt', 'contain', 'differ', 'environment', 'scenario', 'moreov', 'investig', 'obtain', 'result', 'explain', 'contribut', 'cluster', 'featur', 'use', 'sever', 'explain', 'method', 'includ', 'salienc', 'smoothgrad', 'vargrad', 'analysi', 'show', 'take', 'mean', 'cluster', 'input', 'model', 'enough', 'obtain', 'better', 'accuraci', 'compar', 'first', 'model', 'reduc', 'time', 'consumpt', 'well', 'improv', 'model', 'abl', 'obtain', 'mean', 'absolut', 'posit', 'error', 'one', 'meter', 'sequenc', 'short', 'long', 'term', 'trajectori', 'lstm', 'gru', 'convolut', 'neural', 'network', 'local', 'map', 'featur', 'extract', 'self', 'drive', 'vehicl', 'slam']" +12,A community energy management system for smart microgrids,"Nandor Verba, Jonathan Daniel Nixon, Elena Gaura, Leonardo Alves Dias, Alison Halford",Aug-22,"['Smart microgrid', 'Community energy management system', 'Cyber-physical systems', 'Edge computing', 'Internet of things', 'Displaced communities']","Community micro-grid energy projects are needed to drive de-carbonisation and increase equity of energy systems among displaced communities. However, micro-grid solutions are often inflexible and lack functionality to respond to displaced community energy needs and ensure the long-term sustainability of interventions. This paper explores the use of fog-computing retrofit architectures deployed on community micro-grid infrastructures to enable flexible demand management to improve service delivery and longevity. A micro-services solution is proposed that decouples components increasing resilience and testability while allowing hybrid edge-cloud deployments. The architecture is outlined and demonstrated for a micro-grid providing energy to two nurseries and a playground in Kigeme refugee camp, Rwanda. To enact the community priorities within the demand management system, modified Genetic Algorithm (GA) methods are outlined and tested for different use-case scenarios. The performance of the modified GA methods are then compared with a pre-existing battery protect controller and an alternative deterministic (space-shared) energy manager model. A modified search space GA method was required for GA to outperform both the existing battery controller and proposed deterministic method in terms of achieving the highest utility function in almost every use-case. The results further showed how simple community priorities can be set and used to enact control on the system in 24h timeframes that are in line with the local decision-making context.",https://pureportal.coventry.ac.uk/en/publications/a-community-energy-management-system-for-smart-microgrids,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', None, 'https://pureportal.coventry.ac.uk/en/persons/alison-halford']","['commun', 'energi', 'manag', 'system', 'smart', 'microgrid', 'nandor', 'verba', 'jonathan', 'daniel', 'nixon', 'elena', 'gaura', 'leonardo', 'alv', 'dia', 'alison', 'halford', 'commun', 'micro', 'grid', 'energi', 'project', 'need', 'drive', 'de', 'carbonis', 'increas', 'equiti', 'energi', 'system', 'among', 'displac', 'commun', 'howev', 'micro', 'grid', 'solut', 'often', 'inflex', 'lack', 'function', 'respond', 'displac', 'commun', 'energi', 'need', 'ensur', 'long', 'term', 'sustain', 'intervent', 'paper', 'explor', 'use', 'fog', 'comput', 'retrofit', 'architectur', 'deploy', 'commun', 'micro', 'grid', 'infrastructur', 'enabl', 'flexibl', 'demand', 'manag', 'improv', 'servic', 'deliveri', 'longev', 'micro', 'servic', 'solut', 'propos', 'decoupl', 'compon', 'increas', 'resili', 'testabl', 'allow', 'hybrid', 'edg', 'cloud', 'deploy', 'architectur', 'outlin', 'demonstr', 'micro', 'grid', 'provid', 'energi', 'two', 'nurseri', 'playground', 'kigem', 'refuge', 'camp', 'rwanda', 'enact', 'commun', 'prioriti', 'within', 'demand', 'manag', 'system', 'modifi', 'genet', 'algorithm', 'ga', 'method', 'outlin', 'test', 'differ', 'use', 'case', 'scenario', 'perform', 'modifi', 'ga', 'method', 'compar', 'pre', 'exist', 'batteri', 'protect', 'control', 'altern', 'determinist', 'space', 'share', 'energi', 'manag', 'model', 'modifi', 'search', 'space', 'ga', 'method', 'requir', 'ga', 'outperform', 'exist', 'batteri', 'control', 'propos', 'determinist', 'method', 'term', 'achiev', 'highest', 'util', 'function', 'almost', 'everi', 'use', 'case', 'result', 'show', 'simpl', 'commun', 'prioriti', 'set', 'use', 'enact', 'control', 'system', '24h', 'timefram', 'line', 'local', 'decis', 'make', 'context', 'smart', 'microgrid', 'commun', 'energi', 'manag', 'system', 'cyber', 'physic', 'system', 'edg', 'comput', 'internet', 'thing', 'displac', 'commun']" +13,A Hybrid Linear Iterative Clustering and Bayes Classification-Based GrabCut Segmentation Scheme for Dynamic Detection of Cervical Cancer,"Anousouya Devi Magaraja, Ezhilarasie Rajapackiyam, Vaitheki Kanagaraj, Suresh Joseph Kanagaraj, Ketan Kotecha, Subramaniyaswamy Vairavasundaram, Mayuri Mehta, Vasile Palade",18-Oct-22,"['Bayes classification', 'cervical cancer', 'GrabCut', 'linear iterative clustering', 'Pap smear cell test']","Cervical cancer earlier detection remains indispensable for enhancing the survival rate probability among women patients worldwide. The early detection of cervical cancer is done relatively by using the Pap Smear cell Test. This method of detection is challenged by the degradation phenomenon within the image segmentation task that arises when the superpixel count is minimized. This paper introduces a Hybrid Linear Iterative Clustering and Bayes classification-based GrabCut Segmentation Technique (HLC-BC-GCST) for the dynamic detection of Cervical cancer. In this proposed HLC-BC-GCST approach, the Linear Iterative Clustering process is employed to cluster the potential features of the preprocessed image, which is then combined with GrabCut to prevent the issues that arise when the number of superpixels is minimized. In addition, the proposed HLC-BC-GCST scheme benefits of the advantages of the Gaussian mixture model (GMM) on the extracted features from the iterative clustering method, based on which the mapping is performed to describe the energy function. Then, Bayes classification is used for reconstructing the graph cut model from the extracted energy function derived from the GMM model-based Linear Iterative Clustering features for better computation and implementation. Finally, the boundary optimization method is utilized to considerably minimize the roughness of cervical cells, which contains the cytoplasm and nuclei regions, using the GrabCut algorithm to facilitate improved segmentation accuracy. The results of the proposed HLC-BC-GCST scheme are 6% better than the results obtained by other standard detection approaches of cervical cancer using graph cuts.",https://pureportal.coventry.ac.uk/en/publications/a-hybrid-linear-iterative-clustering-and-bayes-classification-bas,"[None, None, None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['hybrid', 'linear', 'iter', 'cluster', 'bay', 'classif', 'base', 'grabcut', 'segment', 'scheme', 'dynam', 'detect', 'cervic', 'cancer', 'anousouya', 'devi', 'magaraja', 'ezhilarasi', 'rajapackiyam', 'vaitheki', 'kanagaraj', 'suresh', 'joseph', 'kanagaraj', 'ketan', 'kotecha', 'subramaniyaswami', 'vairavasundaram', 'mayuri', 'mehta', 'vasil', 'palad', 'cervic', 'cancer', 'earlier', 'detect', 'remain', 'indispens', 'enhanc', 'surviv', 'rate', 'probabl', 'among', 'women', 'patient', 'worldwid', 'earli', 'detect', 'cervic', 'cancer', 'done', 'rel', 'use', 'pap', 'smear', 'cell', 'test', 'method', 'detect', 'challeng', 'degrad', 'phenomenon', 'within', 'imag', 'segment', 'task', 'aris', 'superpixel', 'count', 'minim', 'paper', 'introduc', 'hybrid', 'linear', 'iter', 'cluster', 'bay', 'classif', 'base', 'grabcut', 'segment', 'techniqu', 'hlc', 'bc', 'gcst', 'dynam', 'detect', 'cervic', 'cancer', 'propos', 'hlc', 'bc', 'gcst', 'approach', 'linear', 'iter', 'cluster', 'process', 'employ', 'cluster', 'potenti', 'featur', 'preprocess', 'imag', 'combin', 'grabcut', 'prevent', 'issu', 'aris', 'number', 'superpixel', 'minim', 'addit', 'propos', 'hlc', 'bc', 'gcst', 'scheme', 'benefit', 'advantag', 'gaussian', 'mixtur', 'model', 'gmm', 'extract', 'featur', 'iter', 'cluster', 'method', 'base', 'map', 'perform', 'describ', 'energi', 'function', 'bay', 'classif', 'use', 'reconstruct', 'graph', 'cut', 'model', 'extract', 'energi', 'function', 'deriv', 'gmm', 'model', 'base', 'linear', 'iter', 'cluster', 'featur', 'better', 'comput', 'implement', 'final', 'boundari', 'optim', 'method', 'util', 'consider', 'minim', 'rough', 'cervic', 'cell', 'contain', 'cytoplasm', 'nuclei', 'region', 'use', 'grabcut', 'algorithm', 'facilit', 'improv', 'segment', 'accuraci', 'result', 'propos', 'hlc', 'bc', 'gcst', 'scheme', '6', 'better', 'result', 'obtain', 'standard', 'detect', 'approach', 'cervic', 'cancer', 'use', 'graph', 'cut', 'bay', 'classif', 'cervic', 'cancer', 'grabcut', 'linear', 'iter', 'cluster', 'pap', 'smear', 'cell', 'test']" +14,Allocating Medical Resources (vaccine) to Control a Pandemic,Michael Ajao-Olarinoye,26-Apr-22,[],"In the aftermath of the COVID-19 pandemic, we need to better understand how to prepare for other pandemics in the future. This research uses computational techniques to better understand how medical resources can be allocated to controlling pandemics. Mathematical modelling techniques are used to study the transmission dynamics of infectious diseases, and to estimate the cost of implementing control measures. A mathematical model is used to solve problem statements drawn from assumptions. Optimizing the allocation of resources can be achieved by using algorithms to optimise the cost of distributing resources in order to control a pandemic. The goal of this research would be to find the most cost-effective algorithm, utilizing all operational research methodologies. In general, the product is software that implements the best algorithm designed to deal with the problem of resource allocation for pandemics.",https://pureportal.coventry.ac.uk/en/publications/allocating-medical-resources-vaccine-to-control-a-pandemic,['https://pureportal.coventry.ac.uk/en/persons/michael-ajao-olarinoye'],"['alloc', 'medic', 'resourc', 'vaccin', 'control', 'pandem', 'michael', 'ajao', 'olarinoy', 'aftermath', 'covid', '19', 'pandem', 'need', 'better', 'understand', 'prepar', 'pandem', 'futur', 'research', 'use', 'comput', 'techniqu', 'better', 'understand', 'medic', 'resourc', 'alloc', 'control', 'pandem', 'mathemat', 'model', 'techniqu', 'use', 'studi', 'transmiss', 'dynam', 'infecti', 'diseas', 'estim', 'cost', 'implement', 'control', 'measur', 'mathemat', 'model', 'use', 'solv', 'problem', 'statement', 'drawn', 'assumpt', 'optim', 'alloc', 'resourc', 'achiev', 'use', 'algorithm', 'optimis', 'cost', 'distribut', 'resourc', 'order', 'control', 'pandem', 'goal', 'research', 'would', 'find', 'cost', 'effect', 'algorithm', 'util', 'oper', 'research', 'methodolog', 'gener', 'product', 'softwar', 'implement', 'best', 'algorithm', 'design', 'deal', 'problem', 'resourc', 'alloc', 'pandem']" +15,An Agent-Based Optimisation Approach for Vehicle Routing Problem with Unique Vehicle Location and Depot,"Anees Abu-Monshar, Ammar Al Bazi, Vasile Palade",15-Apr-22,"['Vehicle Routing Problem', 'Unique Vehicle Location and Depot', 'Agent-Based Modelling', 'Optimisation', 'Hybrid Messaging Protocol']","The Vehicle Routing Problem (VRP) is a well studied logistical problem along with its various variants such as VRP with customer Time-Window (VRPTW). However, all the previously studied variants assume that vehicles are mostly the same in terms of their capacity, location and home location (depot). This study uses the agent-based approach for solving VRPTW with vehicle's unique location and depot. This is to minimise the number of used vehicles as the main target. Other targets including total distance travelled, waiting time and time are also considered as criteria to evaluate the quality of the generated vehicle routes. This is achieved by proposing a Messaging Protocol-based Heuristics Optimisation (MPHO) model that balances between centrally-distributed agents' interactions and accommodates certain priority rules specifically developed for the problem. Furthermore, modifications to certain constraints checking techniques are introduced by implementing time Push Forward (PF) checking recursively tailored to the route's unique start/ending locations as well as calculating the reduced waiting time to find and check the limit of the total route duration. In order to justify the superiority of the proposed MPHO model, numerical tests have been conducted on benchmark problems including single and multiple depot instances as well as modified instances tailored to the problem. This is made possible by randomising vehicles' capacities and their unique locations and depots. Key results reveal that, in multiple depot instances, higher quality solutions compared with previous benchmark outcomes are obtained in terms of minimising the total number of vehicles along with fastest solution time (CPU) at the expense of total time and distance travelled.",https://pureportal.coventry.ac.uk/en/publications/an-agent-based-optimisation-approach-for-vehicle-routing-problem-,"[None, 'https://pureportal.coventry.ac.uk/en/persons/ammar-al-bazi', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['agent', 'base', 'optimis', 'approach', 'vehicl', 'rout', 'problem', 'uniqu', 'vehicl', 'locat', 'depot', 'ane', 'abu', 'monshar', 'ammar', 'al', 'bazi', 'vasil', 'palad', 'vehicl', 'rout', 'problem', 'vrp', 'well', 'studi', 'logist', 'problem', 'along', 'variou', 'variant', 'vrp', 'custom', 'time', 'window', 'vrptw', 'howev', 'previous', 'studi', 'variant', 'assum', 'vehicl', 'mostli', 'term', 'capac', 'locat', 'home', 'locat', 'depot', 'studi', 'use', 'agent', 'base', 'approach', 'solv', 'vrptw', 'vehicl', 'uniqu', 'locat', 'depot', 'minimis', 'number', 'use', 'vehicl', 'main', 'target', 'target', 'includ', 'total', 'distanc', 'travel', 'wait', 'time', 'time', 'also', 'consid', 'criteria', 'evalu', 'qualiti', 'gener', 'vehicl', 'rout', 'achiev', 'propos', 'messag', 'protocol', 'base', 'heurist', 'optimis', 'mpho', 'model', 'balanc', 'central', 'distribut', 'agent', 'interact', 'accommod', 'certain', 'prioriti', 'rule', 'specif', 'develop', 'problem', 'furthermor', 'modif', 'certain', 'constraint', 'check', 'techniqu', 'introduc', 'implement', 'time', 'push', 'forward', 'pf', 'check', 'recurs', 'tailor', 'rout', 'uniqu', 'start', 'end', 'locat', 'well', 'calcul', 'reduc', 'wait', 'time', 'find', 'check', 'limit', 'total', 'rout', 'durat', 'order', 'justifi', 'superior', 'propos', 'mpho', 'model', 'numer', 'test', 'conduct', 'benchmark', 'problem', 'includ', 'singl', 'multipl', 'depot', 'instanc', 'well', 'modifi', 'instanc', 'tailor', 'problem', 'made', 'possibl', 'randomis', 'vehicl', 'capac', 'uniqu', 'locat', 'depot', 'key', 'result', 'reveal', 'multipl', 'depot', 'instanc', 'higher', 'qualiti', 'solut', 'compar', 'previou', 'benchmark', 'outcom', 'obtain', 'term', 'minimis', 'total', 'number', 'vehicl', 'along', 'fastest', 'solut', 'time', 'cpu', 'expens', 'total', 'time', 'distanc', 'travel', 'vehicl', 'rout', 'problem', 'uniqu', 'vehicl', 'locat', 'depot', 'agent', 'base', 'model', 'optimis', 'hybrid', 'messag', 'protocol']" +16,An Effective Swarm Intelligence Optimization Algorithm for Flexible Ligand Docking,"Chao Li, Jun Sun, Li-Wei Li, Xiaojun Wu, Vasile Palade",01-Sep-22,"['Flexible ligand docking', 'autodock', 'diversity-controlled strategy', 'quantum particle swarm optimization', 'search algorithm', 'solis and wets local search']","In general, flexible ligand docking is used for docking simulations under the premise that the position of the binding site is already known, and meanwhile, it can also be used without prior knowledge of the binding site. However, most of the optimization search algorithms used in popular docking software are far from being ideal in the first case, and they can hardly be directly utilized for the latter case due to the relatively large search area. In order to design an algorithm that can flexibly adapt to different sizes of the search area, we propose an effective swarm intelligence optimization algorithm in this paper, called diversity-controlled Lamarckian quantum particle swarm optimization (DCL-QPSO). The highlights of the algorithm are a diversity-controlled strategy and a modified local search method. Integrated with the docking environment of Autodock, the DCL-QPSO is compared with Autodock Vina, Glide and other two Autodock-based search algorithms for flexible ligand docking. Experimental results revealed that the proposed algorithm has a performance comparable to those of Autodock Vina and Glide for dockings within a certain area around the binding sites, and is a more effective solver than all the compared methods for dockings without prior knowledge of the binding sites.",https://pureportal.coventry.ac.uk/en/publications/an-effective-swarm-intelligence-optimization-algorithm-for-flexib,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['effect', 'swarm', 'intellig', 'optim', 'algorithm', 'flexibl', 'ligand', 'dock', 'chao', 'li', 'jun', 'sun', 'li', 'wei', 'li', 'xiaojun', 'wu', 'vasil', 'palad', 'gener', 'flexibl', 'ligand', 'dock', 'use', 'dock', 'simul', 'premis', 'posit', 'bind', 'site', 'alreadi', 'known', 'meanwhil', 'also', 'use', 'without', 'prior', 'knowledg', 'bind', 'site', 'howev', 'optim', 'search', 'algorithm', 'use', 'popular', 'dock', 'softwar', 'far', 'ideal', 'first', 'case', 'hardli', 'directli', 'util', 'latter', 'case', 'due', 'rel', 'larg', 'search', 'area', 'order', 'design', 'algorithm', 'flexibl', 'adapt', 'differ', 'size', 'search', 'area', 'propos', 'effect', 'swarm', 'intellig', 'optim', 'algorithm', 'paper', 'call', 'divers', 'control', 'lamarckian', 'quantum', 'particl', 'swarm', 'optim', 'dcl', 'qpso', 'highlight', 'algorithm', 'divers', 'control', 'strategi', 'modifi', 'local', 'search', 'method', 'integr', 'dock', 'environ', 'autodock', 'dcl', 'qpso', 'compar', 'autodock', 'vina', 'glide', 'two', 'autodock', 'base', 'search', 'algorithm', 'flexibl', 'ligand', 'dock', 'experiment', 'result', 'reveal', 'propos', 'algorithm', 'perform', 'compar', 'autodock', 'vina', 'glide', 'dock', 'within', 'certain', 'area', 'around', 'bind', 'site', 'effect', 'solver', 'compar', 'method', 'dock', 'without', 'prior', 'knowledg', 'bind', 'site', 'flexibl', 'ligand', 'dock', 'autodock', 'divers', 'control', 'strategi', 'quantum', 'particl', 'swarm', 'optim', 'search', 'algorithm', 'soli', 'wet', 'local', 'search']" +17,An improved Gaussian distribution based quantum-behaved particle swarm optimization algorithm for engineering shape design problems,"Qidong Chen, Jun Sun, Vasile Palade, Xiaojun Wu, Xiaoqian Shi",04-May-22,"['Engineering shape design problems', 'Gaussian distribution', 'multiple constraints', 'quantum-behaved optimization algorithm', 'weighted mean best position']","In this article, an improved Gaussian distribution based quantum-behaved particle swarm optimization (IG-QPSO) algorithm is proposed to solve engineering shape design problems with multiple constraints. In this algorithm, the Gaussian distribution is employed to generate the sequence of random numbers in the QPSO algorithm. By decreasing the variance of the Gaussian distribution linearly, the algorithm is able not only to maintain its global search ability during the early search stages, but can also obtain gradually enhanced local search ability in the later search stages. Additionally, a weighted mean best position in the IG-QPSO is employed to achieve a good balance between local search and global search. The proposed algorithm and some other well-known PSO variants are tested on ten standard benchmark functions and six well-studied engineering shape design problems. Experimental results show that the IG-QPSO algorithm can optimize these problems effectively in terms of precision and robustness compared to its competitors.",https://pureportal.coventry.ac.uk/en/publications/an-improved-gaussian-distribution-based-quantum-behaved-particle-,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None]","['improv', 'gaussian', 'distribut', 'base', 'quantum', 'behav', 'particl', 'swarm', 'optim', 'algorithm', 'engin', 'shape', 'design', 'problem', 'qidong', 'chen', 'jun', 'sun', 'vasil', 'palad', 'xiaojun', 'wu', 'xiaoqian', 'shi', 'articl', 'improv', 'gaussian', 'distribut', 'base', 'quantum', 'behav', 'particl', 'swarm', 'optim', 'ig', 'qpso', 'algorithm', 'propos', 'solv', 'engin', 'shape', 'design', 'problem', 'multipl', 'constraint', 'algorithm', 'gaussian', 'distribut', 'employ', 'gener', 'sequenc', 'random', 'number', 'qpso', 'algorithm', 'decreas', 'varianc', 'gaussian', 'distribut', 'linearli', 'algorithm', 'abl', 'maintain', 'global', 'search', 'abil', 'earli', 'search', 'stage', 'also', 'obtain', 'gradual', 'enhanc', 'local', 'search', 'abil', 'later', 'search', 'stage', 'addit', 'weight', 'mean', 'best', 'posit', 'ig', 'qpso', 'employ', 'achiev', 'good', 'balanc', 'local', 'search', 'global', 'search', 'propos', 'algorithm', 'well', 'known', 'pso', 'variant', 'test', 'ten', 'standard', 'benchmark', 'function', 'six', 'well', 'studi', 'engin', 'shape', 'design', 'problem', 'experiment', 'result', 'show', 'ig', 'qpso', 'algorithm', 'optim', 'problem', 'effect', 'term', 'precis', 'robust', 'compar', 'competitor', 'engin', 'shape', 'design', 'problem', 'gaussian', 'distribut', 'multipl', 'constraint', 'quantum', 'behav', 'optim', 'algorithm', 'weight', 'mean', 'best', 'posit']" +18,An integrated framework for diagnosing process faults with incomplete features,"Roozbeh Razavi-Far, Mehrdad Saif, Vasile Palade, Shiladitya Chakrabarti",Jan-22,"['Data analysis', 'Dimensionality reduction', 'Fault diagnosis', 'Heteroscedastic discriminant analysis', 'Missing data imputation', 'Principal component analysis']","Handling missing values and large-dimensional features are crucial requirements for data-driven fault diagnosis systems. However, most intelligent data-driven diagnostic systems are not able to handle missing data. The presence of high-dimensional feature sets can also further complicate the process of fault diagnosis. This paper aims to devise a missing data imputation unit along with a dimensionality reduction unit in the pre-processing module of the diagnostic system. This paper proposes a novel pooling strategy for missing data imputation (PSMI). This strategy can simplify complex patterns of missingness and incrementally update the pool. The pre-processing module receives incomplete observations, PSMI estimates missing values, and, then, the dimensionality reduction unit transforms completed observations onto a lower-dimensional feature space. These transformed observations are then fed as inputs to the fault classification module for decision making and diagnosis. This diagnostic scheme makes use of various state-of-the-art missing data imputation, dimensionality reduction and classification algorithms. This enables a comprehensive comparison and allows to find the best techniques for the sake of diagnosing faults in the Tennessee Eastman process. The obtained results show the effectiveness of the proposed pooling strategy and indicate that principal component analysis imputation and heteroscedastic discriminant analysis approaches outperform other imputation and dimensionality reduction techniques in this diagnostic application.",https://pureportal.coventry.ac.uk/en/publications/an-integrated-framework-for-diagnosing-process-faults-with-incomp,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['integr', 'framework', 'diagnos', 'process', 'fault', 'incomplet', 'featur', 'roozbeh', 'razavi', 'far', 'mehrdad', 'saif', 'vasil', 'palad', 'shiladitya', 'chakrabarti', 'handl', 'miss', 'valu', 'larg', 'dimension', 'featur', 'crucial', 'requir', 'data', 'driven', 'fault', 'diagnosi', 'system', 'howev', 'intellig', 'data', 'driven', 'diagnost', 'system', 'abl', 'handl', 'miss', 'data', 'presenc', 'high', 'dimension', 'featur', 'set', 'also', 'complic', 'process', 'fault', 'diagnosi', 'paper', 'aim', 'devis', 'miss', 'data', 'imput', 'unit', 'along', 'dimension', 'reduct', 'unit', 'pre', 'process', 'modul', 'diagnost', 'system', 'paper', 'propos', 'novel', 'pool', 'strategi', 'miss', 'data', 'imput', 'psmi', 'strategi', 'simplifi', 'complex', 'pattern', 'missing', 'increment', 'updat', 'pool', 'pre', 'process', 'modul', 'receiv', 'incomplet', 'observ', 'psmi', 'estim', 'miss', 'valu', 'dimension', 'reduct', 'unit', 'transform', 'complet', 'observ', 'onto', 'lower', 'dimension', 'featur', 'space', 'transform', 'observ', 'fed', 'input', 'fault', 'classif', 'modul', 'decis', 'make', 'diagnosi', 'diagnost', 'scheme', 'make', 'use', 'variou', 'state', 'art', 'miss', 'data', 'imput', 'dimension', 'reduct', 'classif', 'algorithm', 'enabl', 'comprehens', 'comparison', 'allow', 'find', 'best', 'techniqu', 'sake', 'diagnos', 'fault', 'tennesse', 'eastman', 'process', 'obtain', 'result', 'show', 'effect', 'propos', 'pool', 'strategi', 'indic', 'princip', 'compon', 'analysi', 'imput', 'heteroscedast', 'discrimin', 'analysi', 'approach', 'outperform', 'imput', 'dimension', 'reduct', 'techniqu', 'diagnost', 'applic', 'data', 'analysi', 'dimension', 'reduct', 'fault', 'diagnosi', 'heteroscedast', 'discrimin', 'analysi', 'miss', 'data', 'imput', 'princip', 'compon', 'analysi']" +19,An SMT solver for non-linear real arithmetic inside maple,"AmirHosein Sadeghimanesh, Matthew England",23-Nov-22,"['Computer Algebra', 'Symbolic computation', 'satisfiability modulo theories', 'cylindrical algebraic coverings', 'Set covering problem']",We report on work-in-progress to create an SMT-solver inside Maple for non-linear real arithmetic (NRA). We give background information on the algorithm being implemented: cylindrical algebraic coverings as a theory solver in the lazy SMT paradigm. We then present some new work on the identification of minimal conflicting cores from the coverings.,https://pureportal.coventry.ac.uk/en/publications/an-smt-solver-for-non-linear-real-arithmetic-inside-maple-2,"['https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh', 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['smt', 'solver', 'non', 'linear', 'real', 'arithmet', 'insid', 'mapl', 'amirhosein', 'sadeghimanesh', 'matthew', 'england', 'report', 'work', 'progress', 'creat', 'smt', 'solver', 'insid', 'mapl', 'non', 'linear', 'real', 'arithmet', 'nra', 'give', 'background', 'inform', 'algorithm', 'implement', 'cylindr', 'algebra', 'cover', 'theori', 'solver', 'lazi', 'smt', 'paradigm', 'present', 'new', 'work', 'identif', 'minim', 'conflict', 'core', 'cover', 'comput', 'algebra', 'symbol', 'comput', 'satisfi', 'modulo', 'theori', 'cylindr', 'algebra', 'cover', 'set', 'cover', 'problem']" +20,An SMT solver for non-linear real arithmetic inside Maple,"AmirHosein Sadeghimanesh, Matthew England",06-Jul-22,"['satisfiability modulo theories', 'cylindrical algebraic coverings']",,https://pureportal.coventry.ac.uk/en/publications/an-smt-solver-for-non-linear-real-arithmetic-inside-maple,"['https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh', 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['smt', 'solver', 'non', 'linear', 'real', 'arithmet', 'insid', 'mapl', 'amirhosein', 'sadeghimanesh', 'matthew', 'england', 'satisfi', 'modulo', 'theori', 'cylindr', 'algebra', 'cover']" +21,Application of Amazon Web Services within teaching & learning at Coventry University Group,"Daniel Flood, Alan Hall",06-Jan-22,"['AWS', 'Amazon Web Services', 'authentic assessment', 'cloud computing', 'higher education', 'interleaved learning', 'problem-based learning']","Since September 2020, CU Group offers a Cloud Computing BSc(Hons) degree program developed with support from Amazon Web Services (AWS), leveraging their platform for teaching and learning and building upon their Cloud Competency Framework (CCF). This paper seeks to share how industry cloud technology stacks can be employed within authentic student learning. This has ensured a scenario led assessment for learning approach as an alternative to a simulated learning environment. CU Group is also an AWS Academy and Educate member, facilitating certification and platform access. This incorporates the experience of an industry leader in direct collaboration with HE to embed cloud skills within existing programs or develop specific curricula to target-fill skill gaps within the cloud landscape. Current students will graduate in August 2022, the first degree level graduates globally for HEIs working within the CCF.",https://pureportal.coventry.ac.uk/en/publications/application-of-amazon-web-services-within-teaching-amp-learning-a,"[None, None]","['applic', 'amazon', 'web', 'servic', 'within', 'teach', 'learn', 'coventri', 'univers', 'group', 'daniel', 'flood', 'alan', 'hall', 'sinc', 'septemb', '2020', 'cu', 'group', 'offer', 'cloud', 'comput', 'bsc', 'hon', 'degre', 'program', 'develop', 'support', 'amazon', 'web', 'servic', 'aw', 'leverag', 'platform', 'teach', 'learn', 'build', 'upon', 'cloud', 'compet', 'framework', 'ccf', 'paper', 'seek', 'share', 'industri', 'cloud', 'technolog', 'stack', 'employ', 'within', 'authent', 'student', 'learn', 'ensur', 'scenario', 'led', 'assess', 'learn', 'approach', 'altern', 'simul', 'learn', 'environ', 'cu', 'group', 'also', 'aw', 'academi', 'educ', 'member', 'facilit', 'certif', 'platform', 'access', 'incorpor', 'experi', 'industri', 'leader', 'direct', 'collabor', 'emb', 'cloud', 'skill', 'within', 'exist', 'program', 'develop', 'specif', 'curricula', 'target', 'fill', 'skill', 'gap', 'within', 'cloud', 'landscap', 'current', 'student', 'graduat', 'august', '2022', 'first', 'degre', 'level', 'graduat', 'global', 'hei', 'work', 'within', 'ccf', 'aw', 'amazon', 'web', 'servic', 'authent', 'assess', 'cloud', 'comput', 'higher', 'educ', 'interleav', 'learn', 'problem', 'base', 'learn']" +22,Artificial Intelligence in Cars: How Close Yet Far Are We from Fully Autonomous Vehicles?,"Vasile Palade, Ankur Deo",03-May-22,['Artificial Intelligence'],"In the last several years, strides in Artificial Intelligence (AI) have allowed for substantial developments in autonomous driving. As a result, moving to Level-4 and Level-5 autonomy in the near future is starting to look like a certain possibility. Use of AI in vehicles and, in particular, cutting-edge computer vision, signal processing and control techniques have contributed significantly to the high-tech nature of state-of-the-art Advanced Driver Assistance Systems (ADAS) available in cars today. In modern automobiles, AI not only contributes substantially to systems such as ADAS, but also in the areas of vehicles’ connectivity, automotive cybersecurity, and smart road infrastructure development. The next generation driverless vehicles will be completely reliant on these technologies to transport passengers and goods from one place to other, whilst eliminating human intervention entirely. However, despite the many advancements in AI for connected and autonomous vehicles done so far, there are several issues that are responsible of holding back the wide-scale deployment of AI based autonomous vehicles on roads, which are discussed in this editorial paper. Until and unless these critical issues are addressed, it would be difficult to indicate an accurate future moment in time when autonomous vehicles will become a reality globally.",https://pureportal.coventry.ac.uk/en/publications/artificial-intelligence-in-cars-how-close-yet-far-are-we-from-ful,"['https://pureportal.coventry.ac.uk/en/persons/vasile-palade', 'https://pureportal.coventry.ac.uk/en/persons/ankur-deo']","['artifici', 'intellig', 'car', 'close', 'yet', 'far', 'fulli', 'autonom', 'vehicl', 'vasil', 'palad', 'ankur', 'deo', 'last', 'sever', 'year', 'stride', 'artifici', 'intellig', 'ai', 'allow', 'substanti', 'develop', 'autonom', 'drive', 'result', 'move', 'level', '4', 'level', '5', 'autonomi', 'near', 'futur', 'start', 'look', 'like', 'certain', 'possibl', 'use', 'ai', 'vehicl', 'particular', 'cut', 'edg', 'comput', 'vision', 'signal', 'process', 'control', 'techniqu', 'contribut', 'significantli', 'high', 'tech', 'natur', 'state', 'art', 'advanc', 'driver', 'assist', 'system', 'ada', 'avail', 'car', 'today', 'modern', 'automobil', 'ai', 'contribut', 'substanti', 'system', 'ada', 'also', 'area', 'vehicl', 'connect', 'automot', 'cybersecur', 'smart', 'road', 'infrastructur', 'develop', 'next', 'gener', 'driverless', 'vehicl', 'complet', 'reliant', 'technolog', 'transport', 'passeng', 'good', 'one', 'place', 'whilst', 'elimin', 'human', 'intervent', 'entir', 'howev', 'despit', 'mani', 'advanc', 'ai', 'connect', 'autonom', 'vehicl', 'done', 'far', 'sever', 'issu', 'respons', 'hold', 'back', 'wide', 'scale', 'deploy', 'ai', 'base', 'autonom', 'vehicl', 'road', 'discuss', 'editori', 'paper', 'unless', 'critic', 'issu', 'address', 'would', 'difficult', 'indic', 'accur', 'futur', 'moment', 'time', 'autonom', 'vehicl', 'becom', 'realiti', 'global', 'artifici', 'intellig']" +23,Assessing Risks in Dairy Supply Chain Systems: A System Dynamics Approach,"Maryam Azizsafaei, Amin Hosseinian-Far, Rasoul Khandan, Dilshad Sarwar, Alireza Daneshkhah",04-Aug-22,"['system dynamics', 'food supply chain', 'risk management', 'simulation', 'risk', 'systems thinking']","Due to the dynamic nature of the food supply chain system, food supply management could suffer because of, and be interrupted by, unforeseen events. Considering the perishable nature of fresh food products and their short life cycle, fresh food companies feel immense pressure to adopt an efficient and proactive risk management system. The risk management aspects within the food supply chains have been addressed in several studies. However, only a few studies focus on the complex interactions between the various types of risks impacting food supply chain functionality and dynamic feedback effects, which can generate a reliable risk management system. This paper strives to contribute to this evident research gap by adopting a system dynamics modelling approach to generate a systemic risk management model. The system dynamics model serves as the basis for the simulation of risk index values and can be explored in future work to further analyse the dynamic risk’s effect on the food supply chain system’s behaviour. According to a literature review of published research from 2017 to 2021, nine different risks across the food supply chain were identified as a subsection of the major risk categories: macro-level and operational risks. Following this stage, two of the risk groups identified first were integrated with a developed system dynamics model to conduct this research and to evaluate the interaction between the risks and the functionality of the three main dairy supply chain processes: production, logistics, and retailing. The key findings drawn from this paper can be beneficial for enhancing managerial discernment regarding the critical role of system dynamics models for analysing various types of risks across the food supply chain process and improving its efficiency.",https://pureportal.coventry.ac.uk/en/publications/assessing-risks-in-dairy-supply-chain-systems-a-system-dynamics-a,"['https://pureportal.coventry.ac.uk/en/persons/maryam-azizsafaei', None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['assess', 'risk', 'dairi', 'suppli', 'chain', 'system', 'system', 'dynam', 'approach', 'maryam', 'azizsafaei', 'amin', 'hosseinian', 'far', 'rasoul', 'khandan', 'dilshad', 'sarwar', 'alireza', 'daneshkhah', 'due', 'dynam', 'natur', 'food', 'suppli', 'chain', 'system', 'food', 'suppli', 'manag', 'could', 'suffer', 'interrupt', 'unforeseen', 'event', 'consid', 'perish', 'natur', 'fresh', 'food', 'product', 'short', 'life', 'cycl', 'fresh', 'food', 'compani', 'feel', 'immens', 'pressur', 'adopt', 'effici', 'proactiv', 'risk', 'manag', 'system', 'risk', 'manag', 'aspect', 'within', 'food', 'suppli', 'chain', 'address', 'sever', 'studi', 'howev', 'studi', 'focu', 'complex', 'interact', 'variou', 'type', 'risk', 'impact', 'food', 'suppli', 'chain', 'function', 'dynam', 'feedback', 'effect', 'gener', 'reliabl', 'risk', 'manag', 'system', 'paper', 'strive', 'contribut', 'evid', 'research', 'gap', 'adopt', 'system', 'dynam', 'model', 'approach', 'gener', 'system', 'risk', 'manag', 'model', 'system', 'dynam', 'model', 'serv', 'basi', 'simul', 'risk', 'index', 'valu', 'explor', 'futur', 'work', 'analys', 'dynam', 'risk', 'effect', 'food', 'suppli', 'chain', 'system', 'behaviour', 'accord', 'literatur', 'review', 'publish', 'research', '2017', '2021', 'nine', 'differ', 'risk', 'across', 'food', 'suppli', 'chain', 'identifi', 'subsect', 'major', 'risk', 'categori', 'macro', 'level', 'oper', 'risk', 'follow', 'stage', 'two', 'risk', 'group', 'identifi', 'first', 'integr', 'develop', 'system', 'dynam', 'model', 'conduct', 'research', 'evalu', 'interact', 'risk', 'function', 'three', 'main', 'dairi', 'suppli', 'chain', 'process', 'product', 'logist', 'retail', 'key', 'find', 'drawn', 'paper', 'benefici', 'enhanc', 'manageri', 'discern', 'regard', 'critic', 'role', 'system', 'dynam', 'model', 'analys', 'variou', 'type', 'risk', 'across', 'food', 'suppli', 'chain', 'process', 'improv', 'effici', 'system', 'dynam', 'food', 'suppli', 'chain', 'risk', 'manag', 'simul', 'risk', 'system', 'think']" +24,Bispectrum-based Cross-frequency Functional Connectivity: Classification of Alzheimer's disease,"Dominik Klepl, Fei He, Min Wu, Daniel J. Blackburn, Ptolemaios G. Sarrigiannis",08-Sep-22,"['Couplings', 'Electroencephalography', 'Biology', 'Frequency measurement', 'Recording', ""Alzheimer's disease"", 'Spectral analysis']","Alzheimer’s disease (AD) is a neurodegenerative disease known to affect brain functional connectivity (FC). Linear FC measures have been applied to study the differences in AD by splitting neurophysiological signals such as electroencephalography (EEG) recordings into discrete frequencybands and analysing them in isolation. We address this limitation by quantifying cross-frequency FC in addition to the traditional within-band approach. Cross-bispectrum, a higher-order spectral analysis, is used to measure the nonlinear FC and is compared with the cross-spectrum, which only measures the linear FC within bands. Each frequency coupling is then used to construct an FC network, which is in turn vectorised and used to train a classifier. We show that fusing features from networks improves classification accuracy. Although both within-frequency and cross-frequency networks can be used to predict AD with high accuracy, our results show that bispectrum-based FC outperforms cross-spectrum suggesting an important role of cross-frequency FC.",https://pureportal.coventry.ac.uk/en/publications/bispectrum-based-cross-frequency-functional-connectivity-classifi,"['https://pureportal.coventry.ac.uk/en/persons/dominik-klepl', 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None, None, None]","['bispectrum', 'base', 'cross', 'frequenc', 'function', 'connect', 'classif', 'alzheim', 'diseas', 'dominik', 'klepl', 'fei', 'min', 'wu', 'daniel', 'j', 'blackburn', 'ptolemaio', 'g', 'sarrigianni', 'alzheim', 'diseas', 'ad', 'neurodegen', 'diseas', 'known', 'affect', 'brain', 'function', 'connect', 'fc', 'linear', 'fc', 'measur', 'appli', 'studi', 'differ', 'ad', 'split', 'neurophysiolog', 'signal', 'electroencephalographi', 'eeg', 'record', 'discret', 'frequencyband', 'analys', 'isol', 'address', 'limit', 'quantifi', 'cross', 'frequenc', 'fc', 'addit', 'tradit', 'within', 'band', 'approach', 'cross', 'bispectrum', 'higher', 'order', 'spectral', 'analysi', 'use', 'measur', 'nonlinear', 'fc', 'compar', 'cross', 'spectrum', 'measur', 'linear', 'fc', 'within', 'band', 'frequenc', 'coupl', 'use', 'construct', 'fc', 'network', 'turn', 'vectoris', 'use', 'train', 'classifi', 'show', 'fuse', 'featur', 'network', 'improv', 'classif', 'accuraci', 'although', 'within', 'frequenc', 'cross', 'frequenc', 'network', 'use', 'predict', 'ad', 'high', 'accuraci', 'result', 'show', 'bispectrum', 'base', 'fc', 'outperform', 'cross', 'spectrum', 'suggest', 'import', 'role', 'cross', 'frequenc', 'fc', 'coupl', 'electroencephalographi', 'biolog', 'frequenc', 'measur', 'record', 'alzheim', 'diseas', 'spectral', 'analysi']" +25,Brain Tumor Classification Using a Combination of Variational Autoencoders and Generative Adversarial Networks,"Bilal Ahmad, Jun Sun, Qi You, Vasile Palade, Zhongjie Mao",21-Jan-22,"['Brain tumor classification', 'Cancer classification', 'Convolutional neural networks', 'Deep learning', 'Generative adversarial networks', 'Glioma', 'Meningioma', 'MRI', 'PET', 'Pituitary', 'Radiolabeled PET', 'Variational autoencoder']","Brain tumors are a pernicious cancer with one of the lowest five-year survival rates. Neurologists often use magnetic resonance imaging (MRI) to diagnose the type of brain tumor. Automated computer-assisted tools can help them speed up the diagnosis process and reduce the burden on the health care systems. Recent advances in deep learning for medical imaging have shown remarkable results, especially in the automatic and instant diagnosis of various cancers. However, we need a large amount of data (images) to train the deep learning models in order to obtain good results. Large public datasets are rare in medicine. This paper proposes a framework based on unsupervised deep generative neural networks to solve this limitation. We combine two generative models in the proposed framework: Variational autoencoders (VAEs) and generative adversarial networks (GANs). We swap the encoder–decoder network after initially training it on the training set of available MR images. The output of this swapped network is a noise vector that has information of the image manifold, and the cascaded generative adversarial network samples the input from this informative noise vector instead of random Gaussian noise. The proposed method helps the GAN to avoid mode collapse and generate realistic-looking brain tumor magnetic resonance images. These artificially generated images could solve the limitation of small medical datasets up to a reasonable extent and help the deep learning models perform acceptably. We used the ResNet50 as a classifier, and the artificially generated brain tumor images are used to augment the real and available images during the classifier training. We compared the classification results with several existing studies and state-of-the-art machine learning models. Our proposed methodology noticeably achieved better results. By using brain tumor images generated artificially by our proposed method, the classification average accuracy improved from 72.63% to 96.25%. For the most severe class of brain tumor, glioma, we achieved 0.769, 0.837, 0.833, and 0.80 values for recall, specificity, precision, and F1-score, respectively. The proposed generative model framework could be used to generate medical images in any domain, including PET (positron emission tomography) and MRI scans of various parts of the body, and the results show that it could be a useful clinical tool for medical experts.",https://pureportal.coventry.ac.uk/en/publications/brain-tumor-classification-using-a-combination-of-variational-aut,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['brain', 'tumor', 'classif', 'use', 'combin', 'variat', 'autoencod', 'gener', 'adversari', 'network', 'bilal', 'ahmad', 'jun', 'sun', 'qi', 'vasil', 'palad', 'zhongji', 'mao', 'brain', 'tumor', 'pernici', 'cancer', 'one', 'lowest', 'five', 'year', 'surviv', 'rate', 'neurologist', 'often', 'use', 'magnet', 'reson', 'imag', 'mri', 'diagnos', 'type', 'brain', 'tumor', 'autom', 'comput', 'assist', 'tool', 'help', 'speed', 'diagnosi', 'process', 'reduc', 'burden', 'health', 'care', 'system', 'recent', 'advanc', 'deep', 'learn', 'medic', 'imag', 'shown', 'remark', 'result', 'especi', 'automat', 'instant', 'diagnosi', 'variou', 'cancer', 'howev', 'need', 'larg', 'amount', 'data', 'imag', 'train', 'deep', 'learn', 'model', 'order', 'obtain', 'good', 'result', 'larg', 'public', 'dataset', 'rare', 'medicin', 'paper', 'propos', 'framework', 'base', 'unsupervis', 'deep', 'gener', 'neural', 'network', 'solv', 'limit', 'combin', 'two', 'gener', 'model', 'propos', 'framework', 'variat', 'autoencod', 'vae', 'gener', 'adversari', 'network', 'gan', 'swap', 'encod', 'decod', 'network', 'initi', 'train', 'train', 'set', 'avail', 'mr', 'imag', 'output', 'swap', 'network', 'nois', 'vector', 'inform', 'imag', 'manifold', 'cascad', 'gener', 'adversari', 'network', 'sampl', 'input', 'inform', 'nois', 'vector', 'instead', 'random', 'gaussian', 'nois', 'propos', 'method', 'help', 'gan', 'avoid', 'mode', 'collaps', 'gener', 'realist', 'look', 'brain', 'tumor', 'magnet', 'reson', 'imag', 'artifici', 'gener', 'imag', 'could', 'solv', 'limit', 'small', 'medic', 'dataset', 'reason', 'extent', 'help', 'deep', 'learn', 'model', 'perform', 'accept', 'use', 'resnet50', 'classifi', 'artifici', 'gener', 'brain', 'tumor', 'imag', 'use', 'augment', 'real', 'avail', 'imag', 'classifi', 'train', 'compar', 'classif', 'result', 'sever', 'exist', 'studi', 'state', 'art', 'machin', 'learn', 'model', 'propos', 'methodolog', 'notic', 'achiev', 'better', 'result', 'use', 'brain', 'tumor', 'imag', 'gener', 'artifici', 'propos', 'method', 'classif', 'averag', 'accuraci', 'improv', '72', '63', '96', '25', 'sever', 'class', 'brain', 'tumor', 'glioma', 'achiev', '0', '769', '0', '837', '0', '833', '0', '80', 'valu', 'recal', 'specif', 'precis', 'f1', 'score', 'respect', 'propos', 'gener', 'model', 'framework', 'could', 'use', 'gener', 'medic', 'imag', 'domain', 'includ', 'pet', 'positron', 'emiss', 'tomographi', 'mri', 'scan', 'variou', 'part', 'bodi', 'result', 'show', 'could', 'use', 'clinic', 'tool', 'medic', 'expert', 'brain', 'tumor', 'classif', 'cancer', 'classif', 'convolut', 'neural', 'network', 'deep', 'learn', 'gener', 'adversari', 'network', 'glioma', 'meningioma', 'mri', 'pet', 'pituitari', 'radiolabel', 'pet', 'variat', 'autoencod']" +26,Cell site analysis; Changes to networks with time,Matthew Stephen Tart,May-22,"['Cell Site Analysis', 'Uncertainty', 'Digital Forensics', 'Opinion', 'Time delay']","Cell service areas may change over time as sites or cells are adjusted, decommissioned or introduced, and there may have been changes between the time of calls and the analysis undertaken. The manner in which survey data is used as part of an analysis is of particular relevance as the data gathered may not reflect the state of the network at the time of calls and thus potentially mislead. Overlaying “historic” data (potentially generated before the calls) with “targeted” surveys (usually generated after the calls) may enable an assessment of possible network changes, or whether additional cells may also have served at a given location at a previous time. This paper outlines a case in which there was a significant time gap between the analysis of call data records and the date on which they were generated.",https://pureportal.coventry.ac.uk/en/publications/cell-site-analysis-changes-to-networks-with-time,['https://pureportal.coventry.ac.uk/en/persons/matthew-stephen-tart'],"['cell', 'site', 'analysi', 'chang', 'network', 'time', 'matthew', 'stephen', 'tart', 'cell', 'servic', 'area', 'may', 'chang', 'time', 'site', 'cell', 'adjust', 'decommiss', 'introduc', 'may', 'chang', 'time', 'call', 'analysi', 'undertaken', 'manner', 'survey', 'data', 'use', 'part', 'analysi', 'particular', 'relev', 'data', 'gather', 'may', 'reflect', 'state', 'network', 'time', 'call', 'thu', 'potenti', 'mislead', 'overlay', 'histor', 'data', 'potenti', 'gener', 'call', 'target', 'survey', 'usual', 'gener', 'call', 'may', 'enabl', 'assess', 'possibl', 'network', 'chang', 'whether', 'addit', 'cell', 'may', 'also', 'serv', 'given', 'locat', 'previou', 'time', 'paper', 'outlin', 'case', 'signific', 'time', 'gap', 'analysi', 'call', 'data', 'record', 'date', 'gener', 'cell', 'site', 'analysi', 'uncertainti', 'digit', 'forens', 'opinion', 'time', 'delay']" +27,Characterising Alzheimers Disease with EEG-based Energy Landscape Analysis,"Dominik Klepl, Fei He, Min Wu, Matteo De Marco, Daniel Blackburn, Ptolemaios Georgios Sarrigiannis",01-Mar-22,"[""Alzheimer's disease"", 'EEG', 'Energy landscape', 'Machine learning', 'Maximum entropy model', 'Network']","Alzheimer's disease (AD) is one of the most common neurodegenerative diseases, with around 50 million patients worldwide. Accessible and non-invasive methods of diagnosing and characterising AD are therefore urgently required. Electroencephalography (EEG) fulfils these criteria and is often used when studying AD. Several features derived from EEG were shown to predict AD with high accuracy, e.g. signal complexity and synchronisation. However, the dynamics of how the brain transitions between stable states have not been properly studied in the case of AD and EEG. Energy landscape analysis is a method that can be used to quantify these dynamics. This work presents the first application of this method to both AD and EEG. Energy landscape assigns energy value to each possible state, i.e. pattern of activations across brain regions. The energy is inversely proportional to the probability of occurrence. By studying the features of energy landscapes of 20 AD patients and 20 age-matched healthy counterparts (HC), significant differences are found. The dynamics of AD patients' EEG are shown to be more constrained - with more local minima, less variation in basin size, and smaller basins. We show that energy landscapes can predict AD with high accuracy, performing significantly better than baseline models. Moreover, these findings are replicated in a separate dataset including 9 AD and 10 HC above 70 years old.",https://pureportal.coventry.ac.uk/en/publications/characterising-alzheimers-disease-with-eeg-based-energy-landscape-2,"['https://pureportal.coventry.ac.uk/en/persons/dominik-klepl', 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None, None, None, None]","['characteris', 'alzheim', 'diseas', 'eeg', 'base', 'energi', 'landscap', 'analysi', 'dominik', 'klepl', 'fei', 'min', 'wu', 'matteo', 'de', 'marco', 'daniel', 'blackburn', 'ptolemaio', 'georgio', 'sarrigianni', 'alzheim', 'diseas', 'ad', 'one', 'common', 'neurodegen', 'diseas', 'around', '50', 'million', 'patient', 'worldwid', 'access', 'non', 'invas', 'method', 'diagnos', 'characteris', 'ad', 'therefor', 'urgent', 'requir', 'electroencephalographi', 'eeg', 'fulfil', 'criteria', 'often', 'use', 'studi', 'ad', 'sever', 'featur', 'deriv', 'eeg', 'shown', 'predict', 'ad', 'high', 'accuraci', 'e', 'g', 'signal', 'complex', 'synchronis', 'howev', 'dynam', 'brain', 'transit', 'stabl', 'state', 'properli', 'studi', 'case', 'ad', 'eeg', 'energi', 'landscap', 'analysi', 'method', 'use', 'quantifi', 'dynam', 'work', 'present', 'first', 'applic', 'method', 'ad', 'eeg', 'energi', 'landscap', 'assign', 'energi', 'valu', 'possibl', 'state', 'e', 'pattern', 'activ', 'across', 'brain', 'region', 'energi', 'invers', 'proport', 'probabl', 'occurr', 'studi', 'featur', 'energi', 'landscap', '20', 'ad', 'patient', '20', 'age', 'match', 'healthi', 'counterpart', 'hc', 'signific', 'differ', 'found', 'dynam', 'ad', 'patient', 'eeg', 'shown', 'constrain', 'local', 'minima', 'less', 'variat', 'basin', 'size', 'smaller', 'basin', 'show', 'energi', 'landscap', 'predict', 'ad', 'high', 'accuraci', 'perform', 'significantli', 'better', 'baselin', 'model', 'moreov', 'find', 'replic', 'separ', 'dataset', 'includ', '9', 'ad', '10', 'hc', '70', 'year', 'old', 'alzheim', 'diseas', 'eeg', 'energi', 'landscap', 'machin', 'learn', 'maximum', 'entropi', 'model', 'network']" +28,"Clogs and Shawls: Mormons, Moorlands, and the Search for Zion",Alison Halford,31-Jan-22,[],,https://pureportal.coventry.ac.uk/en/publications/clogs-and-shawls-mormons-moorlands-and-the-search-for-zion,['https://pureportal.coventry.ac.uk/en/persons/alison-halford'],"['clog', 'shawl', 'mormon', 'moorland', 'search', 'zion', 'alison', 'halford']" +29,Comparative Graph-based Summarization of Scientific Papers Guided by Comparative Citations,"Jingqiang Chen, Chaoxiang Cai, Xiaorui Jiang, Kejia Chen",Oct-22,[],"With the rapid growth of scientific papers, understanding the changes and trends in a research area is rather time-consuming. The first challenge is to find related and comparable articlesfor the research. Comparative citations compare co-cited papers in a citation sentence and can serve as good guidance for researchers to track a research area. We thus go throughcomparative citations to find comparable objects and build a comparative scientific summarization corpus (CSSC). And then, we propose the comparative graph-based summarization(CGSUM) method to create comparative summaries using citations as guidance. The comparative graph is constructed using sentences as nodes and three different relationships of sentencesas edges. The relationship that sentences occur in the same paper is used to calculate the salience of sentences, the relationship that sentences occur in two different papers is used to calculate the difference between sentences, and the relationship that sentences are related to citations is used to calculate the commonality ofsentences. Experiments show that CGSUM outperformscomparative baselines on CSSC and performs well on DUC2006 and DUC2007.",https://pureportal.coventry.ac.uk/en/publications/comparative-graph-based-summarization-of-scientific-papers-guided,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang', None]","['compar', 'graph', 'base', 'summar', 'scientif', 'paper', 'guid', 'compar', 'citat', 'jingqiang', 'chen', 'chaoxiang', 'cai', 'xiaorui', 'jiang', 'kejia', 'chen', 'rapid', 'growth', 'scientif', 'paper', 'understand', 'chang', 'trend', 'research', 'area', 'rather', 'time', 'consum', 'first', 'challeng', 'find', 'relat', 'compar', 'articlesfor', 'research', 'compar', 'citat', 'compar', 'co', 'cite', 'paper', 'citat', 'sentenc', 'serv', 'good', 'guidanc', 'research', 'track', 'research', 'area', 'thu', 'go', 'throughcompar', 'citat', 'find', 'compar', 'object', 'build', 'compar', 'scientif', 'summar', 'corpu', 'cssc', 'propos', 'compar', 'graph', 'base', 'summar', 'cgsum', 'method', 'creat', 'compar', 'summari', 'use', 'citat', 'guidanc', 'compar', 'graph', 'construct', 'use', 'sentenc', 'node', 'three', 'differ', 'relationship', 'sentencesa', 'edg', 'relationship', 'sentenc', 'occur', 'paper', 'use', 'calcul', 'salienc', 'sentenc', 'relationship', 'sentenc', 'occur', 'two', 'differ', 'paper', 'use', 'calcul', 'differ', 'sentenc', 'relationship', 'sentenc', 'relat', 'citat', 'use', 'calcul', 'common', 'ofsent', 'experi', 'show', 'cgsum', 'outperformscompar', 'baselin', 'cssc', 'perform', 'well', 'duc2006', 'duc2007']" +30,Comparing the Behaviour of Two Topic-Modelling Algorithms in COVID-19 Vaccination Tweets,"Jordan Thomas Bignell, Georgios Chantziplakis, Alireza Daneshkhah",Jan-22,[],"Coronavirus is a newly developed infectious disease that has triggered a pandemic due to its ease of transmission as of early 2020. Several groups from various countries have been working on a vaccine to prevent and avoid the spread of the virus in this outbreak. In this article, the main objective is to compare LDA against LSA to gain a better understanding of the Tweets and which Topic Modelling technique fits best for this task, additionally if the feedback of the Tweets were positive or negative sentiment. It was concluded that LDA was a better-unsupervised technique for categorizing the raw text in 12 topics.",https://pureportal.coventry.ac.uk/en/publications/comparing-the-behaviour-of-two-topic-modelling-algorithms-in-covi,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['compar', 'behaviour', 'two', 'topic', 'model', 'algorithm', 'covid', '19', 'vaccin', 'tweet', 'jordan', 'thoma', 'bignel', 'georgio', 'chantziplaki', 'alireza', 'daneshkhah', 'coronaviru', 'newli', 'develop', 'infecti', 'diseas', 'trigger', 'pandem', 'due', 'eas', 'transmiss', 'earli', '2020', 'sever', 'group', 'variou', 'countri', 'work', 'vaccin', 'prevent', 'avoid', 'spread', 'viru', 'outbreak', 'articl', 'main', 'object', 'compar', 'lda', 'lsa', 'gain', 'better', 'understand', 'tweet', 'topic', 'model', 'techniqu', 'fit', 'best', 'task', 'addit', 'feedback', 'tweet', 'posit', 'neg', 'sentiment', 'conclud', 'lda', 'better', 'unsupervis', 'techniqu', 'categor', 'raw', 'text', '12', 'topic']" +31,Contextualised Segment-Wise Citation Function Classification,"Xiaorui Jiang, Jingqiang Chen",2022,"['Citation context analysis', 'citation function classification', 'deep learning', 'SciBERT']","Much effort has been made in the past decades to citation function classification. Noteworthy issues exist. Annotation difficulty made existing datasets quite limited in size, especially for minority classes, and quite limited in the representativeness of a scientific domain. Different annotation schemes made existing studies not easily mappable and comparable. Concerning algorithmic classification, state-of-the-art deep learning-based methods are flawed by generating a feature vector for the whole citation context (or sentence) and failing to exploit the full realm of citation modelling options. Responding to these issues, this paper studied contextualised citation function classification. Specifically, a large new citation context dataset was created by merging and re-annotating six datasets about computational linguistics. A variety of strong SciBERT-based citation function classification models were proposed. In addition to achieving the new state of the art of citation function classification, this study focused on deeper performance analysis of to answer several research questions about the effective ways of performing citation function classification, more specifically, the necessity of modelling in-text citations in context and doing citation function classification at citation (segment) level. A particular emphasis was placed on in-depth per-class performance analysis for the purpose of understanding whether citation function classification is robust enough for scientometric applications, what implications can be derived for the applicability of citation function classification to different scientometric analysis tasks, and what further efforts are required to meet such analytic needs. ",https://pureportal.coventry.ac.uk/en/publications/contextualised-segment-wise-citation-function-classification,"['https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang', None]","['contextualis', 'segment', 'wise', 'citat', 'function', 'classif', 'xiaorui', 'jiang', 'jingqiang', 'chen', 'much', 'effort', 'made', 'past', 'decad', 'citat', 'function', 'classif', 'noteworthi', 'issu', 'exist', 'annot', 'difficulti', 'made', 'exist', 'dataset', 'quit', 'limit', 'size', 'especi', 'minor', 'class', 'quit', 'limit', 'repres', 'scientif', 'domain', 'differ', 'annot', 'scheme', 'made', 'exist', 'studi', 'easili', 'mappabl', 'compar', 'concern', 'algorithm', 'classif', 'state', 'art', 'deep', 'learn', 'base', 'method', 'flaw', 'gener', 'featur', 'vector', 'whole', 'citat', 'context', 'sentenc', 'fail', 'exploit', 'full', 'realm', 'citat', 'model', 'option', 'respond', 'issu', 'paper', 'studi', 'contextualis', 'citat', 'function', 'classif', 'specif', 'larg', 'new', 'citat', 'context', 'dataset', 'creat', 'merg', 'annot', 'six', 'dataset', 'comput', 'linguist', 'varieti', 'strong', 'scibert', 'base', 'citat', 'function', 'classif', 'model', 'propos', 'addit', 'achiev', 'new', 'state', 'art', 'citat', 'function', 'classif', 'studi', 'focus', 'deeper', 'perform', 'analysi', 'answer', 'sever', 'research', 'question', 'effect', 'way', 'perform', 'citat', 'function', 'classif', 'specif', 'necess', 'model', 'text', 'citat', 'context', 'citat', 'function', 'classif', 'citat', 'segment', 'level', 'particular', 'emphasi', 'place', 'depth', 'per', 'class', 'perform', 'analysi', 'purpos', 'understand', 'whether', 'citat', 'function', 'classif', 'robust', 'enough', 'scientometr', 'applic', 'implic', 'deriv', 'applic', 'citat', 'function', 'classif', 'differ', 'scientometr', 'analysi', 'task', 'effort', 'requir', 'meet', 'analyt', 'need', 'citat', 'context', 'analysi', 'citat', 'function', 'classif', 'deep', 'learn', 'scibert']" +32,Convolution neural networks for pothole detection of critical road infrastructure,"Anup Kumar Pandey, Vasile Palade, Rahat Iqbal, Tomasz Maniak, Charalampos Karyotis, Stephen Akuma",Apr-22,"['Accelerometer data', 'Convolution neural networks', 'Crowdsource data', 'Highway maintenance', 'Pothole detection']","A well developed and maintained highway infrastructure is essential for the economic and social prosperity of modern societies. Highway maintenance poses significant challenges pertaining to the ever-increasing ongoing traffic, insufficient budget allocations and lack of resources. Road potholes detection and timely repair is a major contributing factor to sustaining a safe and resilient critical road infrastructure. Current pothole detection methods require laborious manual inspection of roads and lack in terms of accuracy and inference speed. This paper proposes a novel application of Convolutional Neural Networks on accelerometer data for pothole detection. Data is collected using an iOS smartphone installed on the dashboard of a car, running a dedicated application. The experimental results show that the proposed CNN approach has a significant advantage over the existing solutions, with respect to accuracy and computational complexity in pothole detection.",https://pureportal.coventry.ac.uk/en/publications/convolution-neural-networks-for-pothole-detection-of-critical-roa,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None, None, None]","['convolut', 'neural', 'network', 'pothol', 'detect', 'critic', 'road', 'infrastructur', 'anup', 'kumar', 'pandey', 'vasil', 'palad', 'rahat', 'iqbal', 'tomasz', 'maniak', 'charalampo', 'karyoti', 'stephen', 'akuma', 'well', 'develop', 'maintain', 'highway', 'infrastructur', 'essenti', 'econom', 'social', 'prosper', 'modern', 'societi', 'highway', 'mainten', 'pose', 'signific', 'challeng', 'pertain', 'ever', 'increas', 'ongo', 'traffic', 'insuffici', 'budget', 'alloc', 'lack', 'resourc', 'road', 'pothol', 'detect', 'time', 'repair', 'major', 'contribut', 'factor', 'sustain', 'safe', 'resili', 'critic', 'road', 'infrastructur', 'current', 'pothol', 'detect', 'method', 'requir', 'labori', 'manual', 'inspect', 'road', 'lack', 'term', 'accuraci', 'infer', 'speed', 'paper', 'propos', 'novel', 'applic', 'convolut', 'neural', 'network', 'acceleromet', 'data', 'pothol', 'detect', 'data', 'collect', 'use', 'io', 'smartphon', 'instal', 'dashboard', 'car', 'run', 'dedic', 'applic', 'experiment', 'result', 'show', 'propos', 'cnn', 'approach', 'signific', 'advantag', 'exist', 'solut', 'respect', 'accuraci', 'comput', 'complex', 'pothol', 'detect', 'acceleromet', 'data', 'convolut', 'neural', 'network', 'crowdsourc', 'data', 'highway', 'mainten', 'pothol', 'detect']" +33,Data-driven dynamical modelling of a pathogen-infected plant gene regulatory network: A comparative analysis,"Mathias Foo, Leander Dony, Fei He",Sep-22,"['Data-driven modelling', 'Gene regulatory network', 'Linear model', 'Hill function model', 'S-System model', 'Synthetic biology']","Recent advances in synthetic biology have enabled the design of genetic feedback control circuits that could be implemented to build resilient plants against pathogen attacks. To facilitate the proper design of these genetic feedback control circuits, an accurate model that is able to capture the vital dynamical behaviour of the pathogen-infected plant is required. In this study, using a data-driven modelling approach, we develop and compare four dynamical models (i.e. linear, Michaelis-Menten with Hill coefficient (Hill Function), standard S-System and extended S-System) of a pathogen-infected plant gene regulatory network (GRN). These models are then assessed across several criteria, i.e. ease of identifying the type of gene regulation, the predictive capability, Akaike Information Criterion (AIC) and the robustness to parameter uncertainty to determine its viability of balancing between biological complexity and accuracy when modelling the pathogen-infected plant GRN. Using our defined ranking score, we obtain the following insights to the modelling of GRN. Our analyses show that despite commonly used and provide biological relevance, the Hill Function model ranks the lowest while the extended S-System model ranks highest in the overall comparison. Interestingly, the performance of the linear model is more consistent throughout the comparison, making it the preferred model for this pathogen-infected plant GRN when considering data-driven modelling approach.",https://pureportal.coventry.ac.uk/en/publications/data-driven-dynamical-modelling-of-a-pathogen-infected-plant-gene,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/fei-he']","['data', 'driven', 'dynam', 'model', 'pathogen', 'infect', 'plant', 'gene', 'regulatori', 'network', 'compar', 'analysi', 'mathia', 'foo', 'leander', 'doni', 'fei', 'recent', 'advanc', 'synthet', 'biolog', 'enabl', 'design', 'genet', 'feedback', 'control', 'circuit', 'could', 'implement', 'build', 'resili', 'plant', 'pathogen', 'attack', 'facilit', 'proper', 'design', 'genet', 'feedback', 'control', 'circuit', 'accur', 'model', 'abl', 'captur', 'vital', 'dynam', 'behaviour', 'pathogen', 'infect', 'plant', 'requir', 'studi', 'use', 'data', 'driven', 'model', 'approach', 'develop', 'compar', 'four', 'dynam', 'model', 'e', 'linear', 'micha', 'menten', 'hill', 'coeffici', 'hill', 'function', 'standard', 'system', 'extend', 'system', 'pathogen', 'infect', 'plant', 'gene', 'regulatori', 'network', 'grn', 'model', 'assess', 'across', 'sever', 'criteria', 'e', 'eas', 'identifi', 'type', 'gene', 'regul', 'predict', 'capabl', 'akaik', 'inform', 'criterion', 'aic', 'robust', 'paramet', 'uncertainti', 'determin', 'viabil', 'balanc', 'biolog', 'complex', 'accuraci', 'model', 'pathogen', 'infect', 'plant', 'grn', 'use', 'defin', 'rank', 'score', 'obtain', 'follow', 'insight', 'model', 'grn', 'analys', 'show', 'despit', 'commonli', 'use', 'provid', 'biolog', 'relev', 'hill', 'function', 'model', 'rank', 'lowest', 'extend', 'system', 'model', 'rank', 'highest', 'overal', 'comparison', 'interestingli', 'perform', 'linear', 'model', 'consist', 'throughout', 'comparison', 'make', 'prefer', 'model', 'pathogen', 'infect', 'plant', 'grn', 'consid', 'data', 'driven', 'model', 'approach', 'data', 'driven', 'model', 'gene', 'regulatori', 'network', 'linear', 'model', 'hill', 'function', 'model', 'system', 'model', 'synthet', 'biolog']" +34,Detection of sleep apnea using Machine learning algorithms based on ECG Signals: A comprehensive systematic review,"Nader Salari, Amin Hosseinian-Far, Masoud Mohammadi, Hooman Ghasemi, Alireza Daneshkhah",Jan-22,"['Sleep Apnea', 'Machine leaning', 'Polysomnography', 'Electrocardiogram']","Sleep apnea (SA) is a common sleep disorder that is not easy to detect. Recent studies have highlighted ECG analysis as an effective method of diagnosing SA. Because the changes caused by SA on the ECG are imperceptible, the need for new methods in diagnosing this disease is required more than ever. Machine Learning (ML) is recognized as one of the most successful methods of computer aided diagnosis. ML uses new methods to diagnose diseases using past clinical results. The purpose of this study is to evaluate studies using ML algorithms based on ECG characteristics to assess people suffering from SA. In this study, systematically-reviewed articles written in English before October 2020 and indexed in PubMed, Scopus, Web of Science, and IEEE databases were searched with no lower time limit. From these articles, 48 were selected for further review. The selected articles adopteddifferent ML methods for classification. All of these studies were binary where SA was detected from the normal state based on a full ECG stripe (per record), or based on one-minute segments (per segment). Our analysis show that the most common features used in the studies were frequency, time series, and statistical features. Support-Vector Machine (SVM) and deep learning-based neural network (i.e. CNN, DNN) performed best in full record data detection. The highest accuracy, sensitivity, and specificity reported among the selected studies were 100%, which was obtained by an SVM. In another study, the classification was conducted based on ECG segments, and accordingly, the highest classification accuracy was observed in the residual neural network algorithm (RNN). The accuracy, sensitivity, and specificity of this algorithm were reported to be 99%. In general, it can be stated that ML techniques based on ECG characteristics have a high capability in diagnosing SA. These techniques can increase the diagnosis of patients with SA or the detection of SA episodes on ECG record, and can potentially prevent complications of the disease at later stages.",https://pureportal.coventry.ac.uk/en/publications/detection-of-sleep-apnea-using-machine-learning-algorithms-based-,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['detect', 'sleep', 'apnea', 'use', 'machin', 'learn', 'algorithm', 'base', 'ecg', 'signal', 'comprehens', 'systemat', 'review', 'nader', 'salari', 'amin', 'hosseinian', 'far', 'masoud', 'mohammadi', 'hooman', 'ghasemi', 'alireza', 'daneshkhah', 'sleep', 'apnea', 'sa', 'common', 'sleep', 'disord', 'easi', 'detect', 'recent', 'studi', 'highlight', 'ecg', 'analysi', 'effect', 'method', 'diagnos', 'sa', 'chang', 'caus', 'sa', 'ecg', 'impercept', 'need', 'new', 'method', 'diagnos', 'diseas', 'requir', 'ever', 'machin', 'learn', 'ml', 'recogn', 'one', 'success', 'method', 'comput', 'aid', 'diagnosi', 'ml', 'use', 'new', 'method', 'diagnos', 'diseas', 'use', 'past', 'clinic', 'result', 'purpos', 'studi', 'evalu', 'studi', 'use', 'ml', 'algorithm', 'base', 'ecg', 'characterist', 'assess', 'peopl', 'suffer', 'sa', 'studi', 'systemat', 'review', 'articl', 'written', 'english', 'octob', '2020', 'index', 'pubm', 'scopu', 'web', 'scienc', 'ieee', 'databas', 'search', 'lower', 'time', 'limit', 'articl', '48', 'select', 'review', 'select', 'articl', 'adopteddiffer', 'ml', 'method', 'classif', 'studi', 'binari', 'sa', 'detect', 'normal', 'state', 'base', 'full', 'ecg', 'stripe', 'per', 'record', 'base', 'one', 'minut', 'segment', 'per', 'segment', 'analysi', 'show', 'common', 'featur', 'use', 'studi', 'frequenc', 'time', 'seri', 'statist', 'featur', 'support', 'vector', 'machin', 'svm', 'deep', 'learn', 'base', 'neural', 'network', 'e', 'cnn', 'dnn', 'perform', 'best', 'full', 'record', 'data', 'detect', 'highest', 'accuraci', 'sensit', 'specif', 'report', 'among', 'select', 'studi', '100', 'obtain', 'svm', 'anoth', 'studi', 'classif', 'conduct', 'base', 'ecg', 'segment', 'accordingli', 'highest', 'classif', 'accuraci', 'observ', 'residu', 'neural', 'network', 'algorithm', 'rnn', 'accuraci', 'sensit', 'specif', 'algorithm', 'report', '99', 'gener', 'state', 'ml', 'techniqu', 'base', 'ecg', 'characterist', 'high', 'capabl', 'diagnos', 'sa', 'techniqu', 'increas', 'diagnosi', 'patient', 'sa', 'detect', 'sa', 'episod', 'ecg', 'record', 'potenti', 'prevent', 'complic', 'diseas', 'later', 'stage', 'sleep', 'apnea', 'machin', 'lean', 'polysomnographi', 'electrocardiogram']" +35,Differential radial basis function network for sequence modelling,"Kojo Sarfo Gyamfi, James Brusey, Elena Gaura",01-Mar-22,"['Neural network', 'Radial basis function', 'Sequence modelling', 'Computer Science Applications', 'Artificial Intelligence', 'General Engineering']","We propose a differential radial basis function (RBF) network termed RBF-DiffNet—whose hidden layer blocks are partial differential equations (PDEs) linear in terms of the RBF—to make the baseline RBF network robust to noise in sequential data. Assuming that the sequential data derives from the discretisation of the solution to an underlying PDE, the differential RBF network learns constant linear coefficients of the PDE, consequently regularising the RBF network by following modified backward-Euler updates. We experimentally validate the differential RBF network on the logistic map chaotic timeseries as well as on 30 real-world timeseries provided by Walmart in the M5 forecasting competition. The proposed model is compared with the normalised and unnormalised RBF networks, ARIMA, and ensembles of multilayer perceptrons (MLPs) and recurrent networks with long short-term memory (LSTM) blocks. From the experimental results, RBF-DiffNet consistently shows a marked reduction in the prediction error over the baseline RBF network (e.g., 41% reduction in the root mean squared scaled error on the M5 dataset, and 53% reduction in the mean absolute error on the logistic map); RBF-DiffNet also shows a comparable performance to the LSTM ensemble but requires 99% less computational time. Our proposed network consequently enables more accurate predictions—in the presence of observational noise—in sequence modelling tasks such as timeseries forecasting that leverage the model interpretability, fast training, and function approximation properties of the RBF network.",https://pureportal.coventry.ac.uk/en/publications/differential-radial-basis-function-network-for-sequence-modelling,"[None, 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['differenti', 'radial', 'basi', 'function', 'network', 'sequenc', 'model', 'kojo', 'sarfo', 'gyamfi', 'jame', 'brusey', 'elena', 'gaura', 'propos', 'differenti', 'radial', 'basi', 'function', 'rbf', 'network', 'term', 'rbf', 'diffnet', 'whose', 'hidden', 'layer', 'block', 'partial', 'differenti', 'equat', 'pde', 'linear', 'term', 'rbf', 'make', 'baselin', 'rbf', 'network', 'robust', 'nois', 'sequenti', 'data', 'assum', 'sequenti', 'data', 'deriv', 'discretis', 'solut', 'underli', 'pde', 'differenti', 'rbf', 'network', 'learn', 'constant', 'linear', 'coeffici', 'pde', 'consequ', 'regularis', 'rbf', 'network', 'follow', 'modifi', 'backward', 'euler', 'updat', 'experiment', 'valid', 'differenti', 'rbf', 'network', 'logist', 'map', 'chaotic', 'timeseri', 'well', '30', 'real', 'world', 'timeseri', 'provid', 'walmart', 'm5', 'forecast', 'competit', 'propos', 'model', 'compar', 'normalis', 'unnormalis', 'rbf', 'network', 'arima', 'ensembl', 'multilay', 'perceptron', 'mlp', 'recurr', 'network', 'long', 'short', 'term', 'memori', 'lstm', 'block', 'experiment', 'result', 'rbf', 'diffnet', 'consist', 'show', 'mark', 'reduct', 'predict', 'error', 'baselin', 'rbf', 'network', 'e', 'g', '41', 'reduct', 'root', 'mean', 'squar', 'scale', 'error', 'm5', 'dataset', '53', 'reduct', 'mean', 'absolut', 'error', 'logist', 'map', 'rbf', 'diffnet', 'also', 'show', 'compar', 'perform', 'lstm', 'ensembl', 'requir', '99', 'less', 'comput', 'time', 'propos', 'network', 'consequ', 'enabl', 'accur', 'predict', 'presenc', 'observ', 'nois', 'sequenc', 'model', 'task', 'timeseri', 'forecast', 'leverag', 'model', 'interpret', 'fast', 'train', 'function', 'approxim', 'properti', 'rbf', 'network', 'neural', 'network', 'radial', 'basi', 'function', 'sequenc', 'model', 'comput', 'scienc', 'applic', 'artifici', 'intellig', 'gener', 'engin']" +36,Edge-Enhancement DenseNet for X-ray Fluoroscopy Image Denoising in Cardiac Electrophysiology Procedures,"Yimin Luo, YingLiang Ma, Hugh O’ Brien, Kui Jiang, Kawal Rhode",Feb-22,"['Cardiac electrophysiology procedures', 'Convolutional neural network', 'Denoising', 'Edge enhancement', 'X-ray fluoroscopy']","Purpose: Reducing X-ray dose increases safety in cardiac electrophysiology procedures but also increases image noise and artifacts which may affect the discernibility of devices and anatomical cues. Previous denoising methods based on convolutional neural networks (CNNs) have shown improvements in the quality of low-dose X-ray fluoroscopy images but may compromise clinically important details required by cardiologists. Methods: In order to obtain denoised X-ray fluoroscopy images whilst preserving details, we propose a novel deep-learning-based denoising framework, namely edge-enhancement densenet (EEDN), in which an attention-awareness edge-enhancement module is designed to increase edge sharpness. In this framework, a CNN-based denoiser is first used to generate an initial denoising result. Contours representing edge information are then extracted using an attention block and a group of interacted ultra-dense blocks for edge feature representation. Finally, the initial denoising result and enhanced edges are combined to generate the final X-ray image. The proposed denoising framework was tested on a total of 3262 clinical images taken from 100 low-dose X-ray sequences acquired from 20 patients. The performance was assessed by pairwise voting from five cardiologists as well as quantitative indicators. Furthermore, we evaluated our technique's effect on catheter detection using 416 images containing coronary sinus catheters in order to examine its influence as a pre-processing tool. Results: The average signal-to-noise ratio of X-ray images denoised with EEDN was 24.5, which was 2.2 times higher than that of the original images. The accuracy of catheter detection from EEDN denoised sequences showed no significant difference compared with their original counterparts. Moreover, EEDN received the highest average votes in our clinician assessment when compared to our existing technique and the original images. Conclusion: The proposed deep learning-based framework shows promising capability for denoising interventional X-ray fluoroscopy images. The results from the catheter detection show that the network does not affect the results of such an algorithm when used as a pre-processing step. The extensive qualitative and quantitative evaluations suggest that the network may be of benefit to reduce radiation dose when applied in real time in the catheter laboratory.",https://pureportal.coventry.ac.uk/en/publications/edge-enhancement-densenet-for-x-ray-fluoroscopy-image-denoising-i,"[None, 'https://pureportal.coventry.ac.uk/en/persons/yingliang-ma', None, None, None]","['edg', 'enhanc', 'densenet', 'x', 'ray', 'fluoroscopi', 'imag', 'denois', 'cardiac', 'electrophysiolog', 'procedur', 'yimin', 'luo', 'yingliang', 'hugh', 'brien', 'kui', 'jiang', 'kawal', 'rhode', 'purpos', 'reduc', 'x', 'ray', 'dose', 'increas', 'safeti', 'cardiac', 'electrophysiolog', 'procedur', 'also', 'increas', 'imag', 'nois', 'artifact', 'may', 'affect', 'discern', 'devic', 'anatom', 'cue', 'previou', 'denois', 'method', 'base', 'convolut', 'neural', 'network', 'cnn', 'shown', 'improv', 'qualiti', 'low', 'dose', 'x', 'ray', 'fluoroscopi', 'imag', 'may', 'compromis', 'clinic', 'import', 'detail', 'requir', 'cardiologist', 'method', 'order', 'obtain', 'denois', 'x', 'ray', 'fluoroscopi', 'imag', 'whilst', 'preserv', 'detail', 'propos', 'novel', 'deep', 'learn', 'base', 'denois', 'framework', 'name', 'edg', 'enhanc', 'densenet', 'eedn', 'attent', 'awar', 'edg', 'enhanc', 'modul', 'design', 'increas', 'edg', 'sharp', 'framework', 'cnn', 'base', 'denois', 'first', 'use', 'gener', 'initi', 'denois', 'result', 'contour', 'repres', 'edg', 'inform', 'extract', 'use', 'attent', 'block', 'group', 'interact', 'ultra', 'dens', 'block', 'edg', 'featur', 'represent', 'final', 'initi', 'denois', 'result', 'enhanc', 'edg', 'combin', 'gener', 'final', 'x', 'ray', 'imag', 'propos', 'denois', 'framework', 'test', 'total', '3262', 'clinic', 'imag', 'taken', '100', 'low', 'dose', 'x', 'ray', 'sequenc', 'acquir', '20', 'patient', 'perform', 'assess', 'pairwis', 'vote', 'five', 'cardiologist', 'well', 'quantit', 'indic', 'furthermor', 'evalu', 'techniqu', 'effect', 'cathet', 'detect', 'use', '416', 'imag', 'contain', 'coronari', 'sinu', 'cathet', 'order', 'examin', 'influenc', 'pre', 'process', 'tool', 'result', 'averag', 'signal', 'nois', 'ratio', 'x', 'ray', 'imag', 'denois', 'eedn', '24', '5', '2', '2', 'time', 'higher', 'origin', 'imag', 'accuraci', 'cathet', 'detect', 'eedn', 'denois', 'sequenc', 'show', 'signific', 'differ', 'compar', 'origin', 'counterpart', 'moreov', 'eedn', 'receiv', 'highest', 'averag', 'vote', 'clinician', 'assess', 'compar', 'exist', 'techniqu', 'origin', 'imag', 'conclus', 'propos', 'deep', 'learn', 'base', 'framework', 'show', 'promis', 'capabl', 'denois', 'intervent', 'x', 'ray', 'fluoroscopi', 'imag', 'result', 'cathet', 'detect', 'show', 'network', 'affect', 'result', 'algorithm', 'use', 'pre', 'process', 'step', 'extens', 'qualit', 'quantit', 'evalu', 'suggest', 'network', 'may', 'benefit', 'reduc', 'radiat', 'dose', 'appli', 'real', 'time', 'cathet', 'laboratori', 'cardiac', 'electrophysiolog', 'procedur', 'convolut', 'neural', 'network', 'denois', 'edg', 'enhanc', 'x', 'ray', 'fluoroscopi']" +37,EEG-based Graph Neural Network Classification of Alzheimer's Disease: An Empirical Evaluation of Functional Connectivity Methods,"Dominik Klepl, Fei He, Min Wu, Daniel J Blackburn, Ptolemaios Sarrigiannis",06-Sep-22,"[""Alzheimer's disease"", 'EEG', 'classification', 'functional connectivity', 'graph neural network']","Alzheimer's disease (AD) is the leading form of dementia worldwide. AD disrupts neuronal pathways and thus is commonly viewed as a network disorder. Many studies demonstrate the power of functional connectivity (FC) graph-based biomarkers for automated diagnosis of AD using electroencephalography (EEG). However, various FC measures are commonly utilised, as each aims to quantify a unique aspect of brain coupling. Graph neural networks (GNN) provide a powerful framework for learning on graphs. While a growing number of studies use GNN to classify EEG brain graphs, it is unclear which method should be utilised to estimate the brain graph. We use eight FC measures to estimate FC brain graphs from sensor-level EEG signals. GNN models are trained in order to compare the performance of the selected FC measures. Additionally, three baseline models based on literature are trained for comparison. We show that GNN models perform significantly better than the other baseline models. Moreover, using FC measures to estimate brain graphs improves the performance of GNN compared to models trained using a fixed graph based on the spatial distance between the EEG sensors. However, no FC measure performs consistently better than the other measures. The best GNN reaches 0.984 area under sensitivity-specificity curve (AUC) and 92% accuracy, whereas the best baseline model, a convolutional neural network, has 0.924 AUC and 84.7% accuracy.",https://pureportal.coventry.ac.uk/en/publications/eeg-based-graph-neural-network-classification-of-alzheimers-disea,"['https://pureportal.coventry.ac.uk/en/persons/dominik-klepl', 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None, None, None]","['eeg', 'base', 'graph', 'neural', 'network', 'classif', 'alzheim', 'diseas', 'empir', 'evalu', 'function', 'connect', 'method', 'dominik', 'klepl', 'fei', 'min', 'wu', 'daniel', 'j', 'blackburn', 'ptolemaio', 'sarrigianni', 'alzheim', 'diseas', 'ad', 'lead', 'form', 'dementia', 'worldwid', 'ad', 'disrupt', 'neuron', 'pathway', 'thu', 'commonli', 'view', 'network', 'disord', 'mani', 'studi', 'demonstr', 'power', 'function', 'connect', 'fc', 'graph', 'base', 'biomark', 'autom', 'diagnosi', 'ad', 'use', 'electroencephalographi', 'eeg', 'howev', 'variou', 'fc', 'measur', 'commonli', 'utilis', 'aim', 'quantifi', 'uniqu', 'aspect', 'brain', 'coupl', 'graph', 'neural', 'network', 'gnn', 'provid', 'power', 'framework', 'learn', 'graph', 'grow', 'number', 'studi', 'use', 'gnn', 'classifi', 'eeg', 'brain', 'graph', 'unclear', 'method', 'utilis', 'estim', 'brain', 'graph', 'use', 'eight', 'fc', 'measur', 'estim', 'fc', 'brain', 'graph', 'sensor', 'level', 'eeg', 'signal', 'gnn', 'model', 'train', 'order', 'compar', 'perform', 'select', 'fc', 'measur', 'addit', 'three', 'baselin', 'model', 'base', 'literatur', 'train', 'comparison', 'show', 'gnn', 'model', 'perform', 'significantli', 'better', 'baselin', 'model', 'moreov', 'use', 'fc', 'measur', 'estim', 'brain', 'graph', 'improv', 'perform', 'gnn', 'compar', 'model', 'train', 'use', 'fix', 'graph', 'base', 'spatial', 'distanc', 'eeg', 'sensor', 'howev', 'fc', 'measur', 'perform', 'consist', 'better', 'measur', 'best', 'gnn', 'reach', '0', '984', 'area', 'sensit', 'specif', 'curv', 'auc', '92', 'accuraci', 'wherea', 'best', 'baselin', 'model', 'convolut', 'neural', 'network', '0', '924', 'auc', '84', '7', 'accuraci', 'alzheim', 'diseas', 'eeg', 'classif', 'function', 'connect', 'graph', 'neural', 'network']" +38,Efficacy of COVID-19 vaccines by race and ethnicity,"Nader Salari, Abhinav Vepa, Alireza Daneshkhah, Niloofar Darvishi, Hooman Ghasemi, Kamlesh Khunti , Masoud Mohammadi",05-May-22,"['efficacy', 'COVID-19', 'vaccine', 'race', 'ethnicity', 'review']","Objectives: Vaccine uptake amongst ethnic minority populations has been persistently lower, which may be because of socio-economic factors such as health literacy and health insurance status. This review aimed to assess to what extent COVID-19 clinical trials have considered the impact of race and ethnicity on COVID-19 vaccine safety and efficacy. Study design: This was a systematic review. Methods: Data regarding ethnicity in COVID-19 vaccine clinical trials were systematically reviewed according to Preferred Reporting Items for Systematic Reviews and Meta-Analysis guidelines in this systematic review, which ran from inception until June 2021. Three international databases, PubMed, Scopus and Web of Science, were used to conduct systematic article searches. Only two studies reported vaccine efficacy among ethnic minority groups. Results: The efficacy of the mRNA-1273 vaccine was confirmed to be 95% in Caucasians and 97.5% in ‘people of colour’ in a study by Baden et al. In another study by Polack et al., BNT162b2 mRNA vaccine efficacy was reported to be 95.2% in Caucasians, 100% in Afro-Caribbean or African Americans, 94.2% in Hispanic or Latinx and 95.4% in non-Hispanic, non-Latinx people. Conclusions: Given the highly differing effect of COVID-19 on the Afro-Caribbean, Hispanic and South Asian populations, it is imperative for COVID-19 vaccine clinical trials to thoroughly assess the safety and efficacy of vaccines in different ethnicities and, if necessary, develop ethnicity-specific protocols, which can minimise the disproportionate effect of COVID-19 on ethnic minority populations.",https://pureportal.coventry.ac.uk/en/publications/efficacy-of-covid-19-vaccines-by-race-and-ethnicity,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None, None]","['efficaci', 'covid', '19', 'vaccin', 'race', 'ethnic', 'nader', 'salari', 'abhinav', 'vepa', 'alireza', 'daneshkhah', 'niloofar', 'darvishi', 'hooman', 'ghasemi', 'kamlesh', 'khunti', 'masoud', 'mohammadi', 'object', 'vaccin', 'uptak', 'amongst', 'ethnic', 'minor', 'popul', 'persist', 'lower', 'may', 'socio', 'econom', 'factor', 'health', 'literaci', 'health', 'insur', 'statu', 'review', 'aim', 'assess', 'extent', 'covid', '19', 'clinic', 'trial', 'consid', 'impact', 'race', 'ethnic', 'covid', '19', 'vaccin', 'safeti', 'efficaci', 'studi', 'design', 'systemat', 'review', 'method', 'data', 'regard', 'ethnic', 'covid', '19', 'vaccin', 'clinic', 'trial', 'systemat', 'review', 'accord', 'prefer', 'report', 'item', 'systemat', 'review', 'meta', 'analysi', 'guidelin', 'systemat', 'review', 'ran', 'incept', 'june', '2021', 'three', 'intern', 'databas', 'pubm', 'scopu', 'web', 'scienc', 'use', 'conduct', 'systemat', 'articl', 'search', 'two', 'studi', 'report', 'vaccin', 'efficaci', 'among', 'ethnic', 'minor', 'group', 'result', 'efficaci', 'mrna', '1273', 'vaccin', 'confirm', '95', 'caucasian', '97', '5', 'peopl', 'colour', 'studi', 'baden', 'et', 'al', 'anoth', 'studi', 'polack', 'et', 'al', 'bnt162b2', 'mrna', 'vaccin', 'efficaci', 'report', '95', '2', 'caucasian', '100', 'afro', 'caribbean', 'african', 'american', '94', '2', 'hispan', 'latinx', '95', '4', 'non', 'hispan', 'non', 'latinx', 'peopl', 'conclus', 'given', 'highli', 'differ', 'effect', 'covid', '19', 'afro', 'caribbean', 'hispan', 'south', 'asian', 'popul', 'imper', 'covid', '19', 'vaccin', 'clinic', 'trial', 'thoroughli', 'assess', 'safeti', 'efficaci', 'vaccin', 'differ', 'ethnic', 'necessari', 'develop', 'ethnic', 'specif', 'protocol', 'minimis', 'disproportion', 'effect', 'covid', '19', 'ethnic', 'minor', 'popul', 'efficaci', 'covid', '19', 'vaccin', 'race', 'ethnic', 'review']" +39,Examining Type 1 Diabetes Mathematical Models Using Experimental Data,"Hannah Al Ali, Alireza Daneshkhah, Abdesslam Boutayeb, Zindoga Mukandavire",10-Jan-22,"['Diabetes', 'Model calibration', 'Model selection', 'Thresholds']","Type 1 diabetes requires treatment with insulin injections and monitoring glucose levels in affected individuals. We explored the utility of two mathematical models in predicting glucose concentration levels in type 1 diabetic mice and determined disease pathways. We adapted two mathematical models, one with β-cells and the other with no β-cell component to determine their ca-pability in predicting glucose concentration and determine type 1 diabetes pathways using published glucose concentration data for four groups of experimental mice. The groups of mice were numbered Mice Group 1–4, depending on the diabetes severity of each group, with severity increasing from group 1–4. A Markov Chain Monte Carlo method based on a Bayesian framework was used to fit the model to determine the best model structure. Akaike information criteria (AIC) and Bayesian information criteria (BIC) approaches were used to assess the best model structure for type 1 diabetes. In fitting the model with no β-cells to glucose level data, we varied insulin absorption rate and insulin clearance rate. However, the model with β-cells required more parameters to match the data and we fitted the β-cell glucose tolerance factor, whole body insulin clearance rate, glucose production rate, and glucose clearance rate. Fitting the models to the blood glucose concentration level gave the least difference in AIC of 1.2, and a difference in BIC of 0.12 for Mice Group 4. The estimated AIC and BIC values were highest for Mice Group 1 than all other mice groups. The models gave substantial differences in AIC and BIC values for Mice Groups 1–3 ranging from 2.10 to 4.05. Our results suggest that the model without β-cells provides a more suitable structure for modelling type 1 diabetes and predicting blood glucose concentration for hypoglycaemic episodes.",https://pureportal.coventry.ac.uk/en/publications/examining-type-1-diabetes-mathematical-models-using-experimental-,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None]","['examin', 'type', '1', 'diabet', 'mathemat', 'model', 'use', 'experiment', 'data', 'hannah', 'al', 'ali', 'alireza', 'daneshkhah', 'abdesslam', 'boutayeb', 'zindoga', 'mukandavir', 'type', '1', 'diabet', 'requir', 'treatment', 'insulin', 'inject', 'monitor', 'glucos', 'level', 'affect', 'individu', 'explor', 'util', 'two', 'mathemat', 'model', 'predict', 'glucos', 'concentr', 'level', 'type', '1', 'diabet', 'mice', 'determin', 'diseas', 'pathway', 'adapt', 'two', 'mathemat', 'model', 'one', 'β', 'cell', 'β', 'cell', 'compon', 'determin', 'ca', 'pabil', 'predict', 'glucos', 'concentr', 'determin', 'type', '1', 'diabet', 'pathway', 'use', 'publish', 'glucos', 'concentr', 'data', 'four', 'group', 'experiment', 'mice', 'group', 'mice', 'number', 'mice', 'group', '1', '4', 'depend', 'diabet', 'sever', 'group', 'sever', 'increas', 'group', '1', '4', 'markov', 'chain', 'mont', 'carlo', 'method', 'base', 'bayesian', 'framework', 'use', 'fit', 'model', 'determin', 'best', 'model', 'structur', 'akaik', 'inform', 'criteria', 'aic', 'bayesian', 'inform', 'criteria', 'bic', 'approach', 'use', 'assess', 'best', 'model', 'structur', 'type', '1', 'diabet', 'fit', 'model', 'β', 'cell', 'glucos', 'level', 'data', 'vari', 'insulin', 'absorpt', 'rate', 'insulin', 'clearanc', 'rate', 'howev', 'model', 'β', 'cell', 'requir', 'paramet', 'match', 'data', 'fit', 'β', 'cell', 'glucos', 'toler', 'factor', 'whole', 'bodi', 'insulin', 'clearanc', 'rate', 'glucos', 'product', 'rate', 'glucos', 'clearanc', 'rate', 'fit', 'model', 'blood', 'glucos', 'concentr', 'level', 'gave', 'least', 'differ', 'aic', '1', '2', 'differ', 'bic', '0', '12', 'mice', 'group', '4', 'estim', 'aic', 'bic', 'valu', 'highest', 'mice', 'group', '1', 'mice', 'group', 'model', 'gave', 'substanti', 'differ', 'aic', 'bic', 'valu', 'mice', 'group', '1', '3', 'rang', '2', '10', '4', '05', 'result', 'suggest', 'model', 'without', 'β', 'cell', 'provid', 'suitabl', 'structur', 'model', 'type', '1', 'diabet', 'predict', 'blood', 'glucos', 'concentr', 'hypoglycaem', 'episod', 'diabet', 'model', 'calibr', 'model', 'select', 'threshold']" +40,Exploiting Domain Structures in Heuristic Algorithms for the Set Covering Problem: A Literature Review,Abiola Babatunde,01-Apr-22,"['Set covering problem', 'NP-completeness', 'optimization', 'metaheuristic algorithm']","This review aims at understanding the set covering problem (SCP) as an NP-hard problem, the variants of SCP, the methods that have been proposed to solve the problem, and gaps in the existing solutions that have been provided which need further research. A polynomial time algorithm to give an optimal solution to the Set Covering Problem is only possible if P=NP and so we do not expect to find such an algorithm. Instead, various heuristic algorithms have been used in an attempt to find an optimal solution for the problem. Exploring these types of algorithms provides solutions that are usable, or near optimal, but not exact which reduces the computational cost for the set covering problem. A comparison of metaheuristic algorithms and optimization of these algorithms is explored in this review",https://pureportal.coventry.ac.uk/en/publications/exploiting-domain-structures-in-heuristic-algorithms-for-the-set-,['https://pureportal.coventry.ac.uk/en/persons/abiola-babatunde'],"['exploit', 'domain', 'structur', 'heurist', 'algorithm', 'set', 'cover', 'problem', 'literatur', 'review', 'abiola', 'babatund', 'review', 'aim', 'understand', 'set', 'cover', 'problem', 'scp', 'np', 'hard', 'problem', 'variant', 'scp', 'method', 'propos', 'solv', 'problem', 'gap', 'exist', 'solut', 'provid', 'need', 'research', 'polynomi', 'time', 'algorithm', 'give', 'optim', 'solut', 'set', 'cover', 'problem', 'possibl', 'p', 'np', 'expect', 'find', 'algorithm', 'instead', 'variou', 'heurist', 'algorithm', 'use', 'attempt', 'find', 'optim', 'solut', 'problem', 'explor', 'type', 'algorithm', 'provid', 'solut', 'usabl', 'near', 'optim', 'exact', 'reduc', 'comput', 'cost', 'set', 'cover', 'problem', 'comparison', 'metaheurist', 'algorithm', 'optim', 'algorithm', 'explor', 'review', 'set', 'cover', 'problem', 'np', 'complet', 'optim', 'metaheurist', 'algorithm']" +41,Exploring dynamical properties of a Type 1 diabetes model using sensitivity approaches,"Hannah Al Ali, Alireza Daneshkhah, Abdesslam Boutayeb, Noble Jahalamajaha Malunguza, Zindoga Mukandavire",Nov-22,"['Diabetes model', 'Equilibria', 'Stability', 'Gaussian process', 'Sensitivity analysis']","The high global prevalence of diabetes, and the extortionate costs imposed on healthcare providers necessitate further research to understand different perspectives of the disease. In this paper, a mathematical model for Type 1 diabetes glucose homeostasis system was developed to better understand disease pathways. Type 1 diabetes pathological state is shown to be globally asymptomatically stable when the model threshold , and exchanges stability with the managed diabetes equilibrium state i.e. globally asymptotically stable when . Sensitivity analysis was conducted using partial rank correlation coefficient (PRCC) and Sobol method to determine influential model parameters. Sensitivity analysis was performed at different significant time points relevant to diabetes dynamics. Our sensitivity analysis was focused on the model parameters for glucose homeostasis system, at 3 to 4 hour time interval, when the system returns to homeostasis after food uptake. PRCC and Sobol method showed that insulin clearance and absorption rates were influential parameters in determining the model response variables at all time points at which sensitivity analysis was performed. PRCC method also showed the model subcutaneous bolus injection term to be important, thus identified all parameters in as influential in determining diabetes model dynamics. Sobol method complemented the sensitivity analysis by identifying relationships between parameters. Sensitivity analysis methods concurred in identifying some of the influential parameters and demonstrated that parameters which are influential remain so at every time point. The concurrence of both PRCC and Sobol methods in identifying influential parameters (in ) and their dynamic relationships highlight the importance of statistical and mathematical analytic approaches in understanding the processes modelled by the parameters in the glucose homeostasis system.",https://pureportal.coventry.ac.uk/en/publications/exploring-dynamical-properties-of-a-type-1-diabetes-model-using-s,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None]","['explor', 'dynam', 'properti', 'type', '1', 'diabet', 'model', 'use', 'sensit', 'approach', 'hannah', 'al', 'ali', 'alireza', 'daneshkhah', 'abdesslam', 'boutayeb', 'nobl', 'jahalamajaha', 'malunguza', 'zindoga', 'mukandavir', 'high', 'global', 'preval', 'diabet', 'extortion', 'cost', 'impos', 'healthcar', 'provid', 'necessit', 'research', 'understand', 'differ', 'perspect', 'diseas', 'paper', 'mathemat', 'model', 'type', '1', 'diabet', 'glucos', 'homeostasi', 'system', 'develop', 'better', 'understand', 'diseas', 'pathway', 'type', '1', 'diabet', 'patholog', 'state', 'shown', 'global', 'asymptomat', 'stabl', 'model', 'threshold', 'exchang', 'stabil', 'manag', 'diabet', 'equilibrium', 'state', 'e', 'global', 'asymptot', 'stabl', 'sensit', 'analysi', 'conduct', 'use', 'partial', 'rank', 'correl', 'coeffici', 'prcc', 'sobol', 'method', 'determin', 'influenti', 'model', 'paramet', 'sensit', 'analysi', 'perform', 'differ', 'signific', 'time', 'point', 'relev', 'diabet', 'dynam', 'sensit', 'analysi', 'focus', 'model', 'paramet', 'glucos', 'homeostasi', 'system', '3', '4', 'hour', 'time', 'interv', 'system', 'return', 'homeostasi', 'food', 'uptak', 'prcc', 'sobol', 'method', 'show', 'insulin', 'clearanc', 'absorpt', 'rate', 'influenti', 'paramet', 'determin', 'model', 'respons', 'variabl', 'time', 'point', 'sensit', 'analysi', 'perform', 'prcc', 'method', 'also', 'show', 'model', 'subcutan', 'bolu', 'inject', 'term', 'import', 'thu', 'identifi', 'paramet', 'influenti', 'determin', 'diabet', 'model', 'dynam', 'sobol', 'method', 'complement', 'sensit', 'analysi', 'identifi', 'relationship', 'paramet', 'sensit', 'analysi', 'method', 'concur', 'identifi', 'influenti', 'paramet', 'demonstr', 'paramet', 'influenti', 'remain', 'everi', 'time', 'point', 'concurr', 'prcc', 'sobol', 'method', 'identifi', 'influenti', 'paramet', 'dynam', 'relationship', 'highlight', 'import', 'statist', 'mathemat', 'analyt', 'approach', 'understand', 'process', 'model', 'paramet', 'glucos', 'homeostasi', 'system', 'diabet', 'model', 'equilibria', 'stabil', 'gaussian', 'process', 'sensit', 'analysi']" +42,"Fast, detailed, accurate simulation of a thermal car-cabin using machine-learning","Brandi Jo Jess, James Brusey, Matteo Maria Rostagno, Alberto Maria Merlo, Elena Gaura, Kojo Sarfo Gyamfi",10-Mar-22,"['electric vehicle', 'thermal modeling', 'time series prediction', 'Artificial neural networks (ANN)', 'NARX', 'Heating Ventilation and Air Conditioning Systems (HVAC)']","Car-cabin thermal systems, including heated seats, air-conditioning, and radiant panels, use a large proportion of the energy budget of electric vehicles and thus reduce their effective range. Optimising these systems and their controllers might be possible with computationally efficient simulation. Unfortunately, state-of-the-art simulators are either too slow or provide little resolution of the cabin's thermal environment. In this work, we propose a novel approach to developing a fast simulation by machine learning (ML) from measurements within the car cabin over a number of trials within a climatic wind tunnel. A range of ML approaches are tried and compared. The best-performing ML approach is compared to more traditional 1D simulation in terms of accuracy and speed. The resulting simulation, based on Multivariate Linear Regression, is fast (5 microseconds per simulation second), and yields good accuracy (NRMSE 1.8%), which exceeds the performance of the traditional 1D simulator. Furthermore, the simulation is able to differentially simulate the thermal environment of the footwell versus the head and the driver position versus the front passenger seat, but unlike a traditional 1D model cannot support changes to the physical structure.This fast method for obtaining computationally efficient simulators of car cabins will accelerate adoption of techniques such as Deep Reinforcement Learning for climate control.",https://pureportal.coventry.ac.uk/en/publications/fast-detailed-accurate-simulation-of-a-thermal-car-cabin-using-ma,"['https://pureportal.coventry.ac.uk/en/persons/brandi-jo-jess', 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', None, None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', None]","['fast', 'detail', 'accur', 'simul', 'thermal', 'car', 'cabin', 'use', 'machin', 'learn', 'brandi', 'jo', 'jess', 'jame', 'brusey', 'matteo', 'maria', 'rostagno', 'alberto', 'maria', 'merlo', 'elena', 'gaura', 'kojo', 'sarfo', 'gyamfi', 'car', 'cabin', 'thermal', 'system', 'includ', 'heat', 'seat', 'air', 'condit', 'radiant', 'panel', 'use', 'larg', 'proport', 'energi', 'budget', 'electr', 'vehicl', 'thu', 'reduc', 'effect', 'rang', 'optimis', 'system', 'control', 'might', 'possibl', 'comput', 'effici', 'simul', 'unfortun', 'state', 'art', 'simul', 'either', 'slow', 'provid', 'littl', 'resolut', 'cabin', 'thermal', 'environ', 'work', 'propos', 'novel', 'approach', 'develop', 'fast', 'simul', 'machin', 'learn', 'ml', 'measur', 'within', 'car', 'cabin', 'number', 'trial', 'within', 'climat', 'wind', 'tunnel', 'rang', 'ml', 'approach', 'tri', 'compar', 'best', 'perform', 'ml', 'approach', 'compar', 'tradit', '1d', 'simul', 'term', 'accuraci', 'speed', 'result', 'simul', 'base', 'multivari', 'linear', 'regress', 'fast', '5', 'microsecond', 'per', 'simul', 'second', 'yield', 'good', 'accuraci', 'nrmse', '1', '8', 'exce', 'perform', 'tradit', '1d', 'simul', 'furthermor', 'simul', 'abl', 'differenti', 'simul', 'thermal', 'environ', 'footwel', 'versu', 'head', 'driver', 'posit', 'versu', 'front', 'passeng', 'seat', 'unlik', 'tradit', '1d', 'model', 'support', 'chang', 'physic', 'structur', 'fast', 'method', 'obtain', 'comput', 'effici', 'simul', 'car', 'cabin', 'acceler', 'adopt', 'techniqu', 'deep', 'reinforc', 'learn', 'climat', 'control', 'electr', 'vehicl', 'thermal', 'model', 'time', 'seri', 'predict', 'artifici', 'neural', 'network', 'ann', 'narx', 'heat', 'ventil', 'air', 'condit', 'system', 'hvac']" +43,Feedback and Engagement on an Introductory Programming Module,"Beate Grawemeyer, John Halloran, Matthew England, David Croft",06-Jan-22,"['Feedback', 'Programming Education', 'Interactive learning environments']","We ran a study on engagement and achievement for a first year undergraduate programming module which used an online learning environment containing tasks which generate automated feedback. Students could also access human feedback from traditional labs. We gathered quantitative data on engagement and achievement which allowed us to split the cohort into 6 groups. We then ran interviews with students after the end of the module to produce qualitative data on perceptions of what feedback is, how useful it is, the uses made of it, and how it bears on engagement. A general finding was that human and automated feedback are different but complementary. However there are different feedback needs by group. Our findings imply: (1) that a blended human-automated feedback approach improves engagement; and (2) that this approach needs to be differentiated according to type of student. We give implications for the design of feedback for programming modules. ",https://pureportal.coventry.ac.uk/en/publications/feedback-and-engagement-on-an-introductory-programming-module,"['https://pureportal.coventry.ac.uk/en/persons/beate-grawemeyer', 'https://pureportal.coventry.ac.uk/en/persons/john-halloran', 'https://pureportal.coventry.ac.uk/en/persons/matthew-england', None]","['feedback', 'engag', 'introductori', 'program', 'modul', 'beat', 'grawemey', 'john', 'halloran', 'matthew', 'england', 'david', 'croft', 'ran', 'studi', 'engag', 'achiev', 'first', 'year', 'undergradu', 'program', 'modul', 'use', 'onlin', 'learn', 'environ', 'contain', 'task', 'gener', 'autom', 'feedback', 'student', 'could', 'also', 'access', 'human', 'feedback', 'tradit', 'lab', 'gather', 'quantit', 'data', 'engag', 'achiev', 'allow', 'us', 'split', 'cohort', '6', 'group', 'ran', 'interview', 'student', 'end', 'modul', 'produc', 'qualit', 'data', 'percept', 'feedback', 'use', 'use', 'made', 'bear', 'engag', 'gener', 'find', 'human', 'autom', 'feedback', 'differ', 'complementari', 'howev', 'differ', 'feedback', 'need', 'group', 'find', 'impli', '1', 'blend', 'human', 'autom', 'feedback', 'approach', 'improv', 'engag', '2', 'approach', 'need', 'differenti', 'accord', 'type', 'student', 'give', 'implic', 'design', 'feedback', 'program', 'modul', 'feedback', 'program', 'educ', 'interact', 'learn', 'environ']" +44,Framework for Generating Integrable Expressions,Rashid Barket,02-Nov-22,[],"Applications of machine learning are becoming more prominent in the field of computer algebra. Examples of such applications include selecting S-pairs in Buchberger’s algorithm or solving integrals and differential equations directly. With many of these applications, data must be generated to train a model. Methods such as generating binary trees representing mathematical expressions or created randomly in a recursive manner from a set of available function symbols, variables and constants have been discussed. However, these generated expressions do not represent a realistic dataset that draws from the typical Maple user’s experience.I propose a framework for generating valid mathematical expressions. More precisely, the focus will be on integrable expressions. The difference from other methods lies in the fact that the data generation method will be based on a test suite of data generated from Maple users. Thus, the new synthetic data will have properties similar to integrable expressions that Maple users would typically try. This data generation method will be used to train machine learning models that make efficient choices algorithm selection problems.",https://pureportal.coventry.ac.uk/en/publications/framework-for-generating-integrable-expressions,['https://pureportal.coventry.ac.uk/en/persons/rashid-barket'],"['framework', 'gener', 'integr', 'express', 'rashid', 'barket', 'applic', 'machin', 'learn', 'becom', 'promin', 'field', 'comput', 'algebra', 'exampl', 'applic', 'includ', 'select', 'pair', 'buchberg', 'algorithm', 'solv', 'integr', 'differenti', 'equat', 'directli', 'mani', 'applic', 'data', 'must', 'gener', 'train', 'model', 'method', 'gener', 'binari', 'tree', 'repres', 'mathemat', 'express', 'creat', 'randomli', 'recurs', 'manner', 'set', 'avail', 'function', 'symbol', 'variabl', 'constant', 'discuss', 'howev', 'gener', 'express', 'repres', 'realist', 'dataset', 'draw', 'typic', 'mapl', 'user', 'experi', 'propos', 'framework', 'gener', 'valid', 'mathemat', 'express', 'precis', 'focu', 'integr', 'express', 'differ', 'method', 'lie', 'fact', 'data', 'gener', 'method', 'base', 'test', 'suit', 'data', 'gener', 'mapl', 'user', 'thu', 'new', 'synthet', 'data', 'properti', 'similar', 'integr', 'express', 'mapl', 'user', 'would', 'typic', 'tri', 'data', 'gener', 'method', 'use', 'train', 'machin', 'learn', 'model', 'make', 'effici', 'choic', 'algorithm', 'select', 'problem']" +45,From Theory to Practice: A review of co-design methods for humanitarian energy ecosystems,"Benjamin L. Robinson, Alison Halford, Elena Gaura",Jul-22,"['Energy access', 'Energy methods', 'Energy transitions', 'Humanitarian energy', 'Refugees', 'Sustainable development']","Our planet is currently in the midst of a global humanitarian crisis. Yet, there is a widening gap between over 80 million displaced people and the political will to meet their needs. Improving energy access in the displaced setting to build capacity and resilience requires meaningful integration of the needs of communities throughout the design, delivery and evaluation process within the socio-technical energy system. This paper aims to explore the ways in which co-design is conceptualised and applied, from an interdisciplinary perspective, within the socio-technical framing. We do this by first conducting a rapid review of relevant co-design literature to understand theories, typologies and identify methods of best co-design practice in the Humanitarian Energy sector. Second, we present the Humanitarian Engineering and Energy for Displacement project as a co-design case study for Humanitarian Energy using Technology Implementation Model for Energy (TIME) as a framework for analysis. Our rapid review resulted in the typology of the Spectrum of Co-Design, a mapping of differing conceptualisations of co-design showing their positioning and interactions. Our results show that by exploring if and how conceptual frameworks, such as TIME, adds value to practitioner orientated humanitarian programming this can make a significant contribution to future proofing energy systems that seek to deliver inclusive, sustainable and just transitions. We highlight specific learnings from HEED around the disconnection between perceptions of key stakeholder roles, misunderstandings of energy access and use, and building trusting partnerships through the creation of meaningful rectification pathways.",https://pureportal.coventry.ac.uk/en/publications/from-theory-to-practice-a-review-of-co-design-methods-for-humanit,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['theori', 'practic', 'review', 'co', 'design', 'method', 'humanitarian', 'energi', 'ecosystem', 'benjamin', 'l', 'robinson', 'alison', 'halford', 'elena', 'gaura', 'planet', 'current', 'midst', 'global', 'humanitarian', 'crisi', 'yet', 'widen', 'gap', '80', 'million', 'displac', 'peopl', 'polit', 'meet', 'need', 'improv', 'energi', 'access', 'displac', 'set', 'build', 'capac', 'resili', 'requir', 'meaning', 'integr', 'need', 'commun', 'throughout', 'design', 'deliveri', 'evalu', 'process', 'within', 'socio', 'technic', 'energi', 'system', 'paper', 'aim', 'explor', 'way', 'co', 'design', 'conceptualis', 'appli', 'interdisciplinari', 'perspect', 'within', 'socio', 'technic', 'frame', 'first', 'conduct', 'rapid', 'review', 'relev', 'co', 'design', 'literatur', 'understand', 'theori', 'typolog', 'identifi', 'method', 'best', 'co', 'design', 'practic', 'humanitarian', 'energi', 'sector', 'second', 'present', 'humanitarian', 'engin', 'energi', 'displac', 'project', 'co', 'design', 'case', 'studi', 'humanitarian', 'energi', 'use', 'technolog', 'implement', 'model', 'energi', 'time', 'framework', 'analysi', 'rapid', 'review', 'result', 'typolog', 'spectrum', 'co', 'design', 'map', 'differ', 'conceptualis', 'co', 'design', 'show', 'posit', 'interact', 'result', 'show', 'explor', 'conceptu', 'framework', 'time', 'add', 'valu', 'practition', 'orient', 'humanitarian', 'program', 'make', 'signific', 'contribut', 'futur', 'proof', 'energi', 'system', 'seek', 'deliv', 'inclus', 'sustain', 'transit', 'highlight', 'specif', 'learn', 'heed', 'around', 'disconnect', 'percept', 'key', 'stakehold', 'role', 'misunderstand', 'energi', 'access', 'use', 'build', 'trust', 'partnership', 'creation', 'meaning', 'rectif', 'pathway', 'energi', 'access', 'energi', 'method', 'energi', 'transit', 'humanitarian', 'energi', 'refuge', 'sustain', 'develop']" +46,Gaussian Process Emulation of Spatio-temporal Outputs of a 2D Inland Flood Model,"James Donnelly, Soroush Abolfathi, Jonathan Pearson, Omid Chatrabgoun, Alireza Daneshkhah",15-Oct-22,"['Flood prediction', 'LISFLOOD-FP', 'Gaussian process emulator', 'Spatiotemporal outputs', 'Dimensionality reduction', 'Extreme event simulation']","The computational limitations of complex numerical models have led to adoption of statistical emulators across a variety of problems in science and engineering disciplines to circumvent the high computational costs associated with numerical simulations. In flood modelling, many hydraulic and hydrodynamic numerical models, especially when operating at high spatiotemporal resolutions, have prohibitively high computational costs for tasks requiring the instantaneous generation of very large numbers of simulation results. This study examines the appropriateness and robustness of Gaussian Process (GP) models to emulate the results from a hydraulic inundation model. The developed GPs produce real-time predictions based on the simulation output from LISFLOOD-FP numerical model. An efficient dimensionality reduction scheme is developed to tackle the high dimensionality of the output space and is combined with the GPs to investigate the predictive performance of the proposed emulator for estimation of the inundation depth. The developed GP-based framework is capable of robust and straightforward quantification of the uncertainty associated with the predictions, without requiring additional model evaluations and simulations. Further, this study explores the computational advantages of using a GP-based emulator over alternative methodologies such as neural networks, by undertaking a comparative analysis. For the case study data presented in this paper, the GP model was found to accurately reproduce water depths and inundation extent by classification and produce computational speedups of approximately 10,000 times compared with the original simulator, and 80 times for a neural network-based emulator.",https://pureportal.coventry.ac.uk/en/publications/gaussian-process-emulation-of-spatio-temporal-outputs-of-a-2d-inl,"['https://pureportal.coventry.ac.uk/en/persons/james-donnelly', None, None, 'https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['gaussian', 'process', 'emul', 'spatio', 'tempor', 'output', '2d', 'inland', 'flood', 'model', 'jame', 'donnelli', 'soroush', 'abolfathi', 'jonathan', 'pearson', 'omid', 'chatrabgoun', 'alireza', 'daneshkhah', 'comput', 'limit', 'complex', 'numer', 'model', 'led', 'adopt', 'statist', 'emul', 'across', 'varieti', 'problem', 'scienc', 'engin', 'disciplin', 'circumv', 'high', 'comput', 'cost', 'associ', 'numer', 'simul', 'flood', 'model', 'mani', 'hydraul', 'hydrodynam', 'numer', 'model', 'especi', 'oper', 'high', 'spatiotempor', 'resolut', 'prohibit', 'high', 'comput', 'cost', 'task', 'requir', 'instantan', 'gener', 'larg', 'number', 'simul', 'result', 'studi', 'examin', 'appropri', 'robust', 'gaussian', 'process', 'gp', 'model', 'emul', 'result', 'hydraul', 'inund', 'model', 'develop', 'gp', 'produc', 'real', 'time', 'predict', 'base', 'simul', 'output', 'lisflood', 'fp', 'numer', 'model', 'effici', 'dimension', 'reduct', 'scheme', 'develop', 'tackl', 'high', 'dimension', 'output', 'space', 'combin', 'gp', 'investig', 'predict', 'perform', 'propos', 'emul', 'estim', 'inund', 'depth', 'develop', 'gp', 'base', 'framework', 'capabl', 'robust', 'straightforward', 'quantif', 'uncertainti', 'associ', 'predict', 'without', 'requir', 'addit', 'model', 'evalu', 'simul', 'studi', 'explor', 'comput', 'advantag', 'use', 'gp', 'base', 'emul', 'altern', 'methodolog', 'neural', 'network', 'undertak', 'compar', 'analysi', 'case', 'studi', 'data', 'present', 'paper', 'gp', 'model', 'found', 'accur', 'reproduc', 'water', 'depth', 'inund', 'extent', 'classif', 'produc', 'comput', 'speedup', 'approxim', '10', '000', 'time', 'compar', 'origin', 'simul', '80', 'time', 'neural', 'network', 'base', 'emul', 'flood', 'predict', 'lisflood', 'fp', 'gaussian', 'process', 'emul', 'spatiotempor', 'output', 'dimension', 'reduct', 'extrem', 'event', 'simul']" +47,Impact Evaluation of Solar Photovoltaic Electrification: Indigenous Community Case Study in Brazilian Amazon,"Alessandro Trindade, Nandor Verba, Nei Farias, Diego Ramon, Kojo Gyamfi, Helder da Silva, Virgilio Viana",14-Apr-22,"['rural electrification', 'case study', 'Amazon basin', 'indigenous community', 'solar photovoltaic energy']","Despite efforts to promote universal access to electrification, the Brazilian Amazon basin has around 82,000 families without electricity. The basin is huge, with few roads, many rivers, and conservative areas, which is an enormous challenge in terms of logistics and electrification costs. This paper describes a case study at the Nova Esperança community site in the Cuieiras River, Brazil. The community received stand-alone solar photovoltaic systems in 2018 and 2019. The process started with a survey and finished with an interview with each dweller that received a 975 W and 2-day autonomy photovoltaic system. A monitoring system was developed and deployed, and weather monitoring was performed to evaluate the impact of high temperatures on the equipment. The community does not have cell phone coverage and it is far from the main cities. We claim that the model created and adopted in the case study has interesting outcomes, even considering a small budget. Some houses, after 1 year of deployment, had their electrical demand rise by 300%, and 50% improved their income. We estimate the number of greenhouse gases annually avoided after electrification, replacing the consumed fossil fuel. The project also estimates the expenditure on energy sources that residents used due to the lack of electricity, which they stopped doing after electrification. The avoided expense can cover maintenance costs over the years. The goals of the SDG that were covered by the project are good health and well-being, accessible and clean energy, sustainable cities and communities, combating climate change, and partnerships for the goals.",https://pureportal.coventry.ac.uk/en/publications/impact-evaluation-of-solar-photovoltaic-electrification-indigenou,"[None, None, None, None, None, None, None]","['impact', 'evalu', 'solar', 'photovolta', 'electrif', 'indigen', 'commun', 'case', 'studi', 'brazilian', 'amazon', 'alessandro', 'trindad', 'nandor', 'verba', 'nei', 'faria', 'diego', 'ramon', 'kojo', 'gyamfi', 'helder', 'da', 'silva', 'virgilio', 'viana', 'despit', 'effort', 'promot', 'univers', 'access', 'electrif', 'brazilian', 'amazon', 'basin', 'around', '82', '000', 'famili', 'without', 'electr', 'basin', 'huge', 'road', 'mani', 'river', 'conserv', 'area', 'enorm', 'challeng', 'term', 'logist', 'electrif', 'cost', 'paper', 'describ', 'case', 'studi', 'nova', 'esperança', 'commun', 'site', 'cuieira', 'river', 'brazil', 'commun', 'receiv', 'stand', 'alon', 'solar', 'photovolta', 'system', '2018', '2019', 'process', 'start', 'survey', 'finish', 'interview', 'dweller', 'receiv', '975', 'w', '2', 'day', 'autonomi', 'photovolta', 'system', 'monitor', 'system', 'develop', 'deploy', 'weather', 'monitor', 'perform', 'evalu', 'impact', 'high', 'temperatur', 'equip', 'commun', 'cell', 'phone', 'coverag', 'far', 'main', 'citi', 'claim', 'model', 'creat', 'adopt', 'case', 'studi', 'interest', 'outcom', 'even', 'consid', 'small', 'budget', 'hous', '1', 'year', 'deploy', 'electr', 'demand', 'rise', '300', '50', 'improv', 'incom', 'estim', 'number', 'greenhous', 'gase', 'annual', 'avoid', 'electrif', 'replac', 'consum', 'fossil', 'fuel', 'project', 'also', 'estim', 'expenditur', 'energi', 'sourc', 'resid', 'use', 'due', 'lack', 'electr', 'stop', 'electrif', 'avoid', 'expens', 'cover', 'mainten', 'cost', 'year', 'goal', 'sdg', 'cover', 'project', 'good', 'health', 'well', 'access', 'clean', 'energi', 'sustain', 'citi', 'commun', 'combat', 'climat', 'chang', 'partnership', 'goal', 'rural', 'electrif', 'case', 'studi', 'amazon', 'basin', 'indigen', 'commun', 'solar', 'photovolta', 'energi']" +48,Incorporating forecasting and peer-to-peer negotiation frameworks into a distributed model predictive control approach for meshed electric networks,"Pablo Rodolfo Baldivieso Monasterios, Nandor Verba, Euan Morris, Thomas Morstyn, George Konstantopoulos, Elena Gaura, Stephen Mcarthur",01-Sep-22,"['Control systems', 'Costs', 'Microgrids', 'Model Predictive Control', 'Optimization', 'Peer-topeer trading', 'Physical layer', 'Pricing', 'Renewable energy sources', 'Smart Local Energy Systems', 'Voltage control']","The continuous integration of renewable energy sources into power networks is causing a paradigm shift in energy generation and distribution with regard to trading and control. The intermittent nature of renewable sources affects the pricing of energy sold or purchased. The networks are subject to operational constraints, voltage limits at each node, rated capacities for the power electronic devices, and current bounds for distribution lines. These economic and technical constraints, coupled with intermittent renewable injection, may pose a threat to system stability and performance. In this article, we propose a novel holistic approach to energy trading composed of a distributed predictive control framework to handle physical interactions, i.e., voltage constraints and power dispatch, together with a negotiation framework to determine pricing policies for energy transactions. We study the effect of forecasting generation and consumption on the overall network's performance and market behaviors. We provide a rigorous convergence analysis for both the negotiation framework and the distributed control. Finally, we assess the impact of forecasting in the proposed system with the aid of testing scenarios.",https://pureportal.coventry.ac.uk/en/publications/incorporating-forecasting-and-peer-to-peer-negotiation-frameworks,"[None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', None]","['incorpor', 'forecast', 'peer', 'peer', 'negoti', 'framework', 'distribut', 'model', 'predict', 'control', 'approach', 'mesh', 'electr', 'network', 'pablo', 'rodolfo', 'baldivieso', 'monasterio', 'nandor', 'verba', 'euan', 'morri', 'thoma', 'morstyn', 'georg', 'konstantopoulo', 'elena', 'gaura', 'stephen', 'mcarthur', 'continu', 'integr', 'renew', 'energi', 'sourc', 'power', 'network', 'caus', 'paradigm', 'shift', 'energi', 'gener', 'distribut', 'regard', 'trade', 'control', 'intermitt', 'natur', 'renew', 'sourc', 'affect', 'price', 'energi', 'sold', 'purchas', 'network', 'subject', 'oper', 'constraint', 'voltag', 'limit', 'node', 'rate', 'capac', 'power', 'electron', 'devic', 'current', 'bound', 'distribut', 'line', 'econom', 'technic', 'constraint', 'coupl', 'intermitt', 'renew', 'inject', 'may', 'pose', 'threat', 'system', 'stabil', 'perform', 'articl', 'propos', 'novel', 'holist', 'approach', 'energi', 'trade', 'compos', 'distribut', 'predict', 'control', 'framework', 'handl', 'physic', 'interact', 'e', 'voltag', 'constraint', 'power', 'dispatch', 'togeth', 'negoti', 'framework', 'determin', 'price', 'polici', 'energi', 'transact', 'studi', 'effect', 'forecast', 'gener', 'consumpt', 'overal', 'network', 'perform', 'market', 'behavior', 'provid', 'rigor', 'converg', 'analysi', 'negoti', 'framework', 'distribut', 'control', 'final', 'assess', 'impact', 'forecast', 'propos', 'system', 'aid', 'test', 'scenario', 'control', 'system', 'cost', 'microgrid', 'model', 'predict', 'control', 'optim', 'peer', 'topeer', 'trade', 'physic', 'layer', 'price', 'renew', 'energi', 'sourc', 'smart', 'local', 'energi', 'system', 'voltag', 'control']" +49,Kac-Rice formulas and the number of solutions of parametrized systems of polynomial equations,"Elisenda Feliu, AmirHosein Sadeghimanesh",11-Aug-22,"['Kac-Rice formula', 'polynomial system', 'parameter region', 'Monte Carlo integration', 'multistationarity']"," Kac-Rice formulas express the expected number of elements a fiber of a random field has in terms of a multivariate integral. We consider here parametrized systems of polynomial equations that are linear in enough parameters, and provide a Kac-Rice formula for the expected number of solutions of the system when the parameters follow continuous distributions. Combined with Monte Carlo integration, we apply the formula to partition the parameter region according to the number of solutions or find a region in parameter space where the system has the maximal number of solutions. The motivation stems from the study of steady states of chemical reaction networks and gives new tools for the open problem of identifying the parameter region where the network has at least two positive steady states. We illustrate with numerous examples that our approach successfully handles a larger number of parameters than exact methods. ",https://pureportal.coventry.ac.uk/en/publications/kac-rice-formulas-and-the-number-of-solutions-of-parametrized-sys,"[None, 'https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh']","['kac', 'rice', 'formula', 'number', 'solut', 'parametr', 'system', 'polynomi', 'equat', 'elisenda', 'feliu', 'amirhosein', 'sadeghimanesh', 'kac', 'rice', 'formula', 'express', 'expect', 'number', 'element', 'fiber', 'random', 'field', 'term', 'multivari', 'integr', 'consid', 'parametr', 'system', 'polynomi', 'equat', 'linear', 'enough', 'paramet', 'provid', 'kac', 'rice', 'formula', 'expect', 'number', 'solut', 'system', 'paramet', 'follow', 'continu', 'distribut', 'combin', 'mont', 'carlo', 'integr', 'appli', 'formula', 'partit', 'paramet', 'region', 'accord', 'number', 'solut', 'find', 'region', 'paramet', 'space', 'system', 'maxim', 'number', 'solut', 'motiv', 'stem', 'studi', 'steadi', 'state', 'chemic', 'reaction', 'network', 'give', 'new', 'tool', 'open', 'problem', 'identifi', 'paramet', 'region', 'network', 'least', 'two', 'posit', 'steadi', 'state', 'illustr', 'numer', 'exampl', 'approach', 'success', 'handl', 'larger', 'number', 'paramet', 'exact', 'method', 'kac', 'rice', 'formula', 'polynomi', 'system', 'paramet', 'region', 'mont', 'carlo', 'integr', 'multistationar']" +50,Levelwise construction of a single cylindrical algebraic cell,"Jasper Nalbach, Erika Abraham, Philippe Specht, Christopher Brown, James H. Davenport, Matthew England",25-Nov-22,"['Satisfiability modulo theories', 'Cylindrical algebraic decomposition', 'Non-linear real arithmetic', 'model constructing satisfiability calculus', 'proof system']","Satisfiability Modulo Theories (SMT) solvers check the satisfiability of quantifier-free first-order logic formulas. We consider the theory of non-linear real arithmetic where the formulae are logical combinations of polynomial constraints. Here a commonly used tool is the Cylindrical Algebraic Decomposition (CAD) to decompose real space into cells where the constraints are truth-invariant through the use of projection polynomials.An improved approach is to repackage the CAD theory into a search-based algorithm: one that guesses sample points to satisfy the formula, and generalizes guesses that conflict constraints to cylindrical cells around samples which are avoided in the continuing search. Such an approach can lead to a satisfying assignment more quickly, or conclude unsatisfiability with fewer cells. A notable example of this approach is Jovanović and de Moura's NLSAT algorithm. Since these cells are produced locally to a sample we might need fewer projection polynomials than the traditional CAD projection. The original NLSAT algorithm reduced the set a little; while Brown's single cell construction reduced it much further still. However, the shape and size of the cell produced depends on the order in which the polynomials are considered.This paper proposes a method to construct such cells levelwise, i.e. built level-by-level according to a variable ordering. We still use a reduced number of projection polynomials, but can now consider a variety of different reductions and use heuristics to select the projection polynomials in order to optimise the shape of the cell under construction. We formulate all the necessary theory as a proof system: while not a common presentation for work in this field, it allows an elegant decoupling of heuristics from the algorithm and its proof of correctness.",https://pureportal.coventry.ac.uk/en/publications/levelwise-construction-of-a-single-cylindrical-algebraic-cell,"[None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['levelwis', 'construct', 'singl', 'cylindr', 'algebra', 'cell', 'jasper', 'nalbach', 'erika', 'abraham', 'philipp', 'specht', 'christoph', 'brown', 'jame', 'h', 'davenport', 'matthew', 'england', 'satisfi', 'modulo', 'theori', 'smt', 'solver', 'check', 'satisfi', 'quantifi', 'free', 'first', 'order', 'logic', 'formula', 'consid', 'theori', 'non', 'linear', 'real', 'arithmet', 'formula', 'logic', 'combin', 'polynomi', 'constraint', 'commonli', 'use', 'tool', 'cylindr', 'algebra', 'decomposit', 'cad', 'decompos', 'real', 'space', 'cell', 'constraint', 'truth', 'invari', 'use', 'project', 'polynomi', 'improv', 'approach', 'repackag', 'cad', 'theori', 'search', 'base', 'algorithm', 'one', 'guess', 'sampl', 'point', 'satisfi', 'formula', 'gener', 'guess', 'conflict', 'constraint', 'cylindr', 'cell', 'around', 'sampl', 'avoid', 'continu', 'search', 'approach', 'lead', 'satisfi', 'assign', 'quickli', 'conclud', 'unsatisfi', 'fewer', 'cell', 'notabl', 'exampl', 'approach', 'jovanović', 'de', 'moura', 'nlsat', 'algorithm', 'sinc', 'cell', 'produc', 'local', 'sampl', 'might', 'need', 'fewer', 'project', 'polynomi', 'tradit', 'cad', 'project', 'origin', 'nlsat', 'algorithm', 'reduc', 'set', 'littl', 'brown', 'singl', 'cell', 'construct', 'reduc', 'much', 'still', 'howev', 'shape', 'size', 'cell', 'produc', 'depend', 'order', 'polynomi', 'consid', 'paper', 'propos', 'method', 'construct', 'cell', 'levelwis', 'e', 'built', 'level', 'level', 'accord', 'variabl', 'order', 'still', 'use', 'reduc', 'number', 'project', 'polynomi', 'consid', 'varieti', 'differ', 'reduct', 'use', 'heurist', 'select', 'project', 'polynomi', 'order', 'optimis', 'shape', 'cell', 'construct', 'formul', 'necessari', 'theori', 'proof', 'system', 'common', 'present', 'work', 'field', 'allow', 'eleg', 'decoupl', 'heurist', 'algorithm', 'proof', 'correct', 'satisfi', 'modulo', 'theori', 'cylindr', 'algebra', 'decomposit', 'non', 'linear', 'real', 'arithmet', 'model', 'construct', 'satisfi', 'calculu', 'proof', 'system']" +51,Leveraging Arabic sentiment classification using an enhanced CNN-LSTM approach and effective Arabic text preparation,"Abdulaziz M. Alayba, Vasile Palade",Nov-22,"['Arabic NLP', 'Arabic sentiment analysis', 'Arabic word normalisation', 'CNN', 'Deep learning', 'LSTM', 'Word embedding for Arabic']","The high variety in the forms of the Arabic words creates significant complexity related challenges in Natural Language Processing (NLP) tasks for Arabic text. These challenges can be dealt with by using different techniques for semantic representation, such as word embedding methods. In addition, approaches for reducing the diversity in Arabic morphologies can also be employed, for example using appropriate word normalisation for Arabic texts. Deep learning has proven to be very popular in solving different NLP tasks in recent years as well. This paper proposes an approach that combines Convolutional Neural Networks (CNNs) with Long Short-Term Memory (LSTM) networks to improve sentiment classification, by excluding the max-pooling layer from the CNN. This layer reduces the length of generated feature vectors after convolving the filters on the input data. As such, the LSTM networks will receive well-captured vectors from the feature maps. In addition, the paper investigated different effective approaches for preparing and representing the text features in order to increase the accuracy of Arabic sentiment classification.",https://pureportal.coventry.ac.uk/en/publications/leveraging-arabic-sentiment-classification-using-an-enhanced-cnn-,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['leverag', 'arab', 'sentiment', 'classif', 'use', 'enhanc', 'cnn', 'lstm', 'approach', 'effect', 'arab', 'text', 'prepar', 'abdulaziz', 'alayba', 'vasil', 'palad', 'high', 'varieti', 'form', 'arab', 'word', 'creat', 'signific', 'complex', 'relat', 'challeng', 'natur', 'languag', 'process', 'nlp', 'task', 'arab', 'text', 'challeng', 'dealt', 'use', 'differ', 'techniqu', 'semant', 'represent', 'word', 'embed', 'method', 'addit', 'approach', 'reduc', 'divers', 'arab', 'morpholog', 'also', 'employ', 'exampl', 'use', 'appropri', 'word', 'normalis', 'arab', 'text', 'deep', 'learn', 'proven', 'popular', 'solv', 'differ', 'nlp', 'task', 'recent', 'year', 'well', 'paper', 'propos', 'approach', 'combin', 'convolut', 'neural', 'network', 'cnn', 'long', 'short', 'term', 'memori', 'lstm', 'network', 'improv', 'sentiment', 'classif', 'exclud', 'max', 'pool', 'layer', 'cnn', 'layer', 'reduc', 'length', 'gener', 'featur', 'vector', 'convolv', 'filter', 'input', 'data', 'lstm', 'network', 'receiv', 'well', 'captur', 'vector', 'featur', 'map', 'addit', 'paper', 'investig', 'differ', 'effect', 'approach', 'prepar', 'repres', 'text', 'featur', 'order', 'increas', 'accuraci', 'arab', 'sentiment', 'classif', 'arab', 'nlp', 'arab', 'sentiment', 'analysi', 'arab', 'word', 'normalis', 'cnn', 'deep', 'learn', 'lstm', 'word', 'embed', 'arab']" +52,LIFT: lncRNA identification and function-prediction tool,"Sumukh Deshpande, James Shuttleworth, Jianhua Yang, Sandy Taramonli, Matthew England",17-Jan-22,"['BMRF', 'Bayesian Markov random fields', 'Function prediction', 'Iterative random forests', 'LASSO', 'Least absolute shrinkage and selection operator', 'LncRNA', 'Long non-coding RNAs', 'PBC', 'Position-based classification']","Long non-coding RNAs (lncRNAs) are a class of non-coding RNAs which play a significant role in several biological processes. Accurate identification and sub-classification of lncRNAs is crucial for exploring their characteristic functions in the genome as most coding potential computation (CPC) tools fail to accurately identify, classify and predict their biological functions in plant species. In this study, a novel computational framework called LncRNA identification and function prediction tool (LIFT) has been developed, which implements least absolute shrinkage and selection operator (LASSO) optimisation and iterative random forests classification for selection of optimal features, a novel position-based classification (PBC) method for sub-classifying lncRNAs into different classes, and a Bayesian-based function prediction approach for annotating lncRNA transcripts. Using LASSO, LIFT selected 31 optimal features and achieved a 15-30% improvement in the prediction accuracy on plant species when evaluated against state-of-the-art CPC tools. Using PBC, LIFT successfully identified the intergenic and antisense transcripts with greater accuracy in the A. thaliana and Z. mays datasets.",https://pureportal.coventry.ac.uk/en/publications/lift-lncrna-identification-and-function-prediction-tool,"[None, 'https://pureportal.coventry.ac.uk/en/persons/james-shuttleworth', None, None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['lift', 'lncrna', 'identif', 'function', 'predict', 'tool', 'sumukh', 'deshpand', 'jame', 'shuttleworth', 'jianhua', 'yang', 'sandi', 'taramonli', 'matthew', 'england', 'long', 'non', 'code', 'rna', 'lncrna', 'class', 'non', 'code', 'rna', 'play', 'signific', 'role', 'sever', 'biolog', 'process', 'accur', 'identif', 'sub', 'classif', 'lncrna', 'crucial', 'explor', 'characterist', 'function', 'genom', 'code', 'potenti', 'comput', 'cpc', 'tool', 'fail', 'accur', 'identifi', 'classifi', 'predict', 'biolog', 'function', 'plant', 'speci', 'studi', 'novel', 'comput', 'framework', 'call', 'lncrna', 'identif', 'function', 'predict', 'tool', 'lift', 'develop', 'implement', 'least', 'absolut', 'shrinkag', 'select', 'oper', 'lasso', 'optimis', 'iter', 'random', 'forest', 'classif', 'select', 'optim', 'featur', 'novel', 'posit', 'base', 'classif', 'pbc', 'method', 'sub', 'classifi', 'lncrna', 'differ', 'class', 'bayesian', 'base', 'function', 'predict', 'approach', 'annot', 'lncrna', 'transcript', 'use', 'lasso', 'lift', 'select', '31', 'optim', 'featur', 'achiev', '15', '30', 'improv', 'predict', 'accuraci', 'plant', 'speci', 'evalu', 'state', 'art', 'cpc', 'tool', 'use', 'pbc', 'lift', 'success', 'identifi', 'intergen', 'antisens', 'transcript', 'greater', 'accuraci', 'thaliana', 'z', 'may', 'dataset', 'bmrf', 'bayesian', 'markov', 'random', 'field', 'function', 'predict', 'iter', 'random', 'forest', 'lasso', 'least', 'absolut', 'shrinkag', 'select', 'oper', 'lncrna', 'long', 'non', 'code', 'rna', 'pbc', 'posit', 'base', 'classif']" +53,Machine Learning for Computer Algebra,"Rashid Barket, Tereso del Río, Matthew England",2022,[],,https://pureportal.coventry.ac.uk/en/publications/machine-learning-for-computer-algebra,"['https://pureportal.coventry.ac.uk/en/persons/rashid-barket', None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['machin', 'learn', 'comput', 'algebra', 'rashid', 'barket', 'tereso', 'del', 'río', 'matthew', 'england']" +54,Markov Chain Monte Carlo-Based Estimation of Stress–Strength Reliability Parameter for Generalized Linear Failure Rate Distributions,"F. Shahsanaei, A. Daneshkhah",2022,"['Stress–strength parameter', 'generalized linear failure rate distribution', 'Bayesian inference', 'Markov Chain Monte Carlo simulation', 'Bootstrap confidence intervals']","This paper provides Bayesian and classical inference of Stress–Strength reliability parameter, [Formula: see text], where both [Formula: see text] and [Formula: see text] are independently distributed as 3-parameter generalized linear failure rate (GLFR) random variables with different parameters. Due to importance of stress–strength models in various fields of engineering, we here address the maximum likelihood estimator (MLE) of [Formula: see text] and the corresponding interval estimate using some efficient numerical methods. The Bayes estimates of R are derived, considering squared error loss functions. Because the Bayes estimates could not be expressed in closed forms, we employ a Markov Chain Monte Carlo procedure to calculate approximate Bayes estimates. To evaluate the performances of different estimators, extensive simulations are implemented and also real datasets are analyzed.",https://pureportal.coventry.ac.uk/en/publications/markov-chain-monte-carlo-based-estimation-of-stressstrength-relia,"[None, None]","['markov', 'chain', 'mont', 'carlo', 'base', 'estim', 'stress', 'strength', 'reliabl', 'paramet', 'gener', 'linear', 'failur', 'rate', 'distribut', 'f', 'shahsanaei', 'daneshkhah', 'paper', 'provid', 'bayesian', 'classic', 'infer', 'stress', 'strength', 'reliabl', 'paramet', 'formula', 'see', 'text', 'formula', 'see', 'text', 'formula', 'see', 'text', 'independ', 'distribut', '3', 'paramet', 'gener', 'linear', 'failur', 'rate', 'glfr', 'random', 'variabl', 'differ', 'paramet', 'due', 'import', 'stress', 'strength', 'model', 'variou', 'field', 'engin', 'address', 'maximum', 'likelihood', 'estim', 'mle', 'formula', 'see', 'text', 'correspond', 'interv', 'estim', 'use', 'effici', 'numer', 'method', 'bay', 'estim', 'r', 'deriv', 'consid', 'squar', 'error', 'loss', 'function', 'bay', 'estim', 'could', 'express', 'close', 'form', 'employ', 'markov', 'chain', 'mont', 'carlo', 'procedur', 'calcul', 'approxim', 'bay', 'estim', 'evalu', 'perform', 'differ', 'estim', 'extens', 'simul', 'implement', 'also', 'real', 'dataset', 'analyz', 'stress', 'strength', 'paramet', 'gener', 'linear', 'failur', 'rate', 'distribut', 'bayesian', 'infer', 'markov', 'chain', 'mont', 'carlo', 'simul', 'bootstrap', 'confid', 'interv']" +55,"Matrix decomposition by transforming the unit sphere to an Ellipsoid through Dilation, Rotation and Shearing","Wei-Chi Yang, AmirHosein Sadeghimanesh",19-Oct-22,"['Matrix decomposition', 'Ellipsoids', 'Geometry']","There are various decompositions of matrices in the literature such as lower-upper, singular value and polar decompositions to name a few. In this paper we are concerned with a less standard matrix decomposition for invertible matrices of order 3 with real entries, called TRD decomposition. In this decomposition an invertible matrix is written as product of three matrices corresponding to a shear, a rotation and a dilation map that transform the unit sphere to an ellipsoid. The reason of our interest is the geometric visualization of this decomposition. We also implemented an algorithm to compute this decomposition both in Maple and Matlab.",https://pureportal.coventry.ac.uk/en/publications/matrix-decomposition-by-transforming-the-unit-sphere-to-an-ellips,"[None, 'https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh']","['matrix', 'decomposit', 'transform', 'unit', 'sphere', 'ellipsoid', 'dilat', 'rotat', 'shear', 'wei', 'chi', 'yang', 'amirhosein', 'sadeghimanesh', 'variou', 'decomposit', 'matric', 'literatur', 'lower', 'upper', 'singular', 'valu', 'polar', 'decomposit', 'name', 'paper', 'concern', 'less', 'standard', 'matrix', 'decomposit', 'invert', 'matric', 'order', '3', 'real', 'entri', 'call', 'trd', 'decomposit', 'decomposit', 'invert', 'matrix', 'written', 'product', 'three', 'matric', 'correspond', 'shear', 'rotat', 'dilat', 'map', 'transform', 'unit', 'sphere', 'ellipsoid', 'reason', 'interest', 'geometr', 'visual', 'decomposit', 'also', 'implement', 'algorithm', 'comput', 'decomposit', 'mapl', 'matlab', 'matrix', 'decomposit', 'ellipsoid', 'geometri']" +56,Minimizing Age of Information in Multi-hop Energy-Harvesting Wireless Sensor Network,"Kunyi Chen, Fatma Benkhelifa, Hong Gao, Julie McCann, Jianzhong Li",09-Aug-22,"['Age of Information (AoI)', 'energy harvesting (EH) wireless sensor network (WSN)', 'multihop WSN']","Age of information (AoI), a metric measuring the information freshness, has drawn increased attention due to its importance in monitoring applications in which nodes send time-stamped status updates to interested recipients, and timely updates about phenomena are important. In this work, we consider the AoI minimization scheduling problem in multi-hop energy harvesting(EH) wireless sensor networks (WSNs). We design the generation time of updates for nodes and develop transmission schedules under both protocol and physical interference models, aiming at achieving minimum peak AoI and average AoI among all nodes for a given time duration. We prove that it is an NP-Hard problem and propose an energy-adaptive, distributed algorithm called MAoIG. We derive its theoretical upper bounds for the peak and average AoI and a lower bound for peak AoI. The numerical results validate that MAoIG outperforms all of the baseline schemes in all scenarios and that the experimental results tightly track the theoretical upper bound optimal solutions while the lower bound tightness decreases with the number of nodes.",https://pureportal.coventry.ac.uk/en/publications/minimizing-age-of-information-in-multi-hop-energy-harvesting-wire,"[None, 'https://pureportal.coventry.ac.uk/en/persons/fatma-benkhelifa', None, None, None]","['minim', 'age', 'inform', 'multi', 'hop', 'energi', 'harvest', 'wireless', 'sensor', 'network', 'kunyi', 'chen', 'fatma', 'benkhelifa', 'hong', 'gao', 'juli', 'mccann', 'jianzhong', 'li', 'age', 'inform', 'aoi', 'metric', 'measur', 'inform', 'fresh', 'drawn', 'increas', 'attent', 'due', 'import', 'monitor', 'applic', 'node', 'send', 'time', 'stamp', 'statu', 'updat', 'interest', 'recipi', 'time', 'updat', 'phenomena', 'import', 'work', 'consid', 'aoi', 'minim', 'schedul', 'problem', 'multi', 'hop', 'energi', 'harvest', 'eh', 'wireless', 'sensor', 'network', 'wsn', 'design', 'gener', 'time', 'updat', 'node', 'develop', 'transmiss', 'schedul', 'protocol', 'physic', 'interfer', 'model', 'aim', 'achiev', 'minimum', 'peak', 'aoi', 'averag', 'aoi', 'among', 'node', 'given', 'time', 'durat', 'prove', 'np', 'hard', 'problem', 'propos', 'energi', 'adapt', 'distribut', 'algorithm', 'call', 'maoig', 'deriv', 'theoret', 'upper', 'bound', 'peak', 'averag', 'aoi', 'lower', 'bound', 'peak', 'aoi', 'numer', 'result', 'valid', 'maoig', 'outperform', 'baselin', 'scheme', 'scenario', 'experiment', 'result', 'tightli', 'track', 'theoret', 'upper', 'bound', 'optim', 'solut', 'lower', 'bound', 'tight', 'decreas', 'number', 'node', 'age', 'inform', 'aoi', 'energi', 'harvest', 'eh', 'wireless', 'sensor', 'network', 'wsn', 'multihop', 'wsn']" +57,Monte Carlo Simulation of Stochastic Differential Equation to Study Information Geometry,"Abhiram Anand Thiruthummal, Eun-jin Kim",12-Aug-22,"['information geometry', 'information length', 'stochastic differential equation', 'Langevin equation', 'Monte Carlo', 'GPU', 'simulation', 'Fokker–Planck equation', 'Milstein', 'non-linear SDE']","Information Geometry is a useful tool to study and compare the solutions of a Stochastic Differential Equations (SDEs) for non-equilibrium systems. As an alternative method to solving the Fokker−Planck equation, we propose a new method to calculate time-dependent probability density functions (PDFs) and to study Information Geometry using Monte Carlo (MC) simulation of SDEs. Specifically, we develop a new MC SDE method to overcome the challenges in calculating a time-dependent PDF and information geometric diagnostics and to speed up simulations by utilizing GPU computing. Using MC SDE simulations, we reproduce Information Geometric scaling relations found from the Fokker−Planck method for the case of a stochastic process with linear and cubic damping terms. We showcase the advantage of MC SDE simulation over FPE solvers by calculating unequal time joint PDFs. For the linear process with a linear damping force, joint PDF is found to be a Gaussian. In contrast, for the cubic process with a cubic damping force, joint PDF exhibits a bimodal structure, even in a stationary state. This suggests a finite memory time induced by a nonlinear force. Furthermore, several power-law scalings in the characteristics of bimodal PDFs are identified and investigated.",https://pureportal.coventry.ac.uk/en/publications/monte-carlo-simulation-of-stochastic-differential-equation-to-stu,"[None, None]","['mont', 'carlo', 'simul', 'stochast', 'differenti', 'equat', 'studi', 'inform', 'geometri', 'abhiram', 'anand', 'thiruthumm', 'eun', 'jin', 'kim', 'inform', 'geometri', 'use', 'tool', 'studi', 'compar', 'solut', 'stochast', 'differenti', 'equat', 'sde', 'non', 'equilibrium', 'system', 'altern', 'method', 'solv', 'fokker', 'planck', 'equat', 'propos', 'new', 'method', 'calcul', 'time', 'depend', 'probabl', 'densiti', 'function', 'pdf', 'studi', 'inform', 'geometri', 'use', 'mont', 'carlo', 'mc', 'simul', 'sde', 'specif', 'develop', 'new', 'mc', 'sde', 'method', 'overcom', 'challeng', 'calcul', 'time', 'depend', 'pdf', 'inform', 'geometr', 'diagnost', 'speed', 'simul', 'util', 'gpu', 'comput', 'use', 'mc', 'sde', 'simul', 'reproduc', 'inform', 'geometr', 'scale', 'relat', 'found', 'fokker', 'planck', 'method', 'case', 'stochast', 'process', 'linear', 'cubic', 'damp', 'term', 'showcas', 'advantag', 'mc', 'sde', 'simul', 'fpe', 'solver', 'calcul', 'unequ', 'time', 'joint', 'pdf', 'linear', 'process', 'linear', 'damp', 'forc', 'joint', 'pdf', 'found', 'gaussian', 'contrast', 'cubic', 'process', 'cubic', 'damp', 'forc', 'joint', 'pdf', 'exhibit', 'bimod', 'structur', 'even', 'stationari', 'state', 'suggest', 'finit', 'memori', 'time', 'induc', 'nonlinear', 'forc', 'furthermor', 'sever', 'power', 'law', 'scale', 'characterist', 'bimod', 'pdf', 'identifi', 'investig', 'inform', 'geometri', 'inform', 'length', 'stochast', 'differenti', 'equat', 'langevin', 'equat', 'mont', 'carlo', 'gpu', 'simul', 'fokker', 'planck', 'equat', 'milstein', 'non', 'linear', 'sde']" +58,More than faith - Muslim-heritage children in care: Strategic Briefing,"Alison Halford, Sariya Cheruvallil-Contractor",31-May-22,[],"This briefing aims to support senior managers in meeting the needs of Muslim-heritage children and young people in care. Although it is aimed at senior leaders and managers, the content is of relevance to anyone working with Muslim-heritage children and young people.The briefing draws upon research and illustrative case examples, and comprises the following sections:Introduction and terminologyDiversity of the Muslim faithThe importance of cultural identity and lived religionChildren and young people’s intersectional identitiesOvercoming challenges to meet the needs of Muslim-heritage children and young peopleHow can professionals support Muslim-heritage children and young people in care, and their carers?",https://pureportal.coventry.ac.uk/en/publications/more-than-faith-muslim-heritage-children-in-care-strategic-briefi,"['https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/sariya-cheruvallil-contractor']","['faith', 'muslim', 'heritag', 'children', 'care', 'strateg', 'brief', 'alison', 'halford', 'sariya', 'cheruvallil', 'contractor', 'brief', 'aim', 'support', 'senior', 'manag', 'meet', 'need', 'muslim', 'heritag', 'children', 'young', 'peopl', 'care', 'although', 'aim', 'senior', 'leader', 'manag', 'content', 'relev', 'anyon', 'work', 'muslim', 'heritag', 'children', 'young', 'peopl', 'brief', 'draw', 'upon', 'research', 'illustr', 'case', 'exampl', 'compris', 'follow', 'section', 'introduct', 'terminologydivers', 'muslim', 'faithth', 'import', 'cultur', 'ident', 'live', 'religionchildren', 'young', 'peopl', 'intersect', 'identitiesovercom', 'challeng', 'meet', 'need', 'muslim', 'heritag', 'children', 'young', 'peoplehow', 'profession', 'support', 'muslim', 'heritag', 'children', 'young', 'peopl', 'care', 'carer']" +59,Multi-phase locking value: A generalized method for determining instantaneous multi-frequency phase coupling,"Bhavya Vasudeva, Runfeng Tian, Dee H. Wu, Shirley A. James, Hazem H. Refai, Lei Ding, Fei He, Yuan Yang",Apr-22,"['Cross-frequency coupling', 'Nonlinear system', 'Phase coupling', 'Signal processing', 'Time delay']","Background: Many physical, biological and neural systems behave as coupled oscillators, with characteristic phase coupling across different frequencies. Methods such as n:m phase locking value (where two coupling frequencies are linked as: mf1=nf2) and bi-phase locking value have previously been proposed to quantify phase coupling between two resonant frequencies (e.g. f,2f/3) and across three frequencies (e.g. f1,f2,f1+f2), respectively. However, the existing phase coupling metrics have their limitations and limited applications. They cannot be used to detect or quantify phase coupling across multiple frequencies (e.g. f1,f2,f3,f4,f1+f2+f3-f4), or coupling that involves non-integer multiples of the frequencies (e.g. f1,f2,2f1/3+f2/3). New methods: To address the gap, this paper proposes a generalized approach, named multi-phase locking value (M-PLV), for the quantification of various types of instantaneous multi-frequency phase coupling. Different from most instantaneous phase coupling metrics that measure the simultaneous phase coupling, the proposed M-PLV method also allows the detection of delayed phase coupling and the associated time lag between coupled oscillators. Results: The M-PLV has been tested on cases where synthetic coupled signals are generated using white Gaussian signals, and a system comprised of multiple coupled Rössler oscillators, as well as a human subject dataset. Results indicate that the M-PLV can provide a reliable estimation of the time window and frequency combination where the phase coupling is significant, as well as a precise determination of time lag in the case of delayed coupling. This method has the potential to become a powerful new tool for exploring phase coupling in complex nonlinear dynamic systems.",https://pureportal.coventry.ac.uk/en/publications/multi-phase-locking-value-a-generalized-method-for-determining-in-2,"[None, None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None]","['multi', 'phase', 'lock', 'valu', 'gener', 'method', 'determin', 'instantan', 'multi', 'frequenc', 'phase', 'coupl', 'bhavya', 'vasudeva', 'runfeng', 'tian', 'dee', 'h', 'wu', 'shirley', 'jame', 'hazem', 'h', 'refai', 'lei', 'ding', 'fei', 'yuan', 'yang', 'background', 'mani', 'physic', 'biolog', 'neural', 'system', 'behav', 'coupl', 'oscil', 'characterist', 'phase', 'coupl', 'across', 'differ', 'frequenc', 'method', 'n', 'phase', 'lock', 'valu', 'two', 'coupl', 'frequenc', 'link', 'mf1', 'nf2', 'bi', 'phase', 'lock', 'valu', 'previous', 'propos', 'quantifi', 'phase', 'coupl', 'two', 'reson', 'frequenc', 'e', 'g', 'f', '2f', '3', 'across', 'three', 'frequenc', 'e', 'g', 'f1', 'f2', 'f1', 'f2', 'respect', 'howev', 'exist', 'phase', 'coupl', 'metric', 'limit', 'limit', 'applic', 'use', 'detect', 'quantifi', 'phase', 'coupl', 'across', 'multipl', 'frequenc', 'e', 'g', 'f1', 'f2', 'f3', 'f4', 'f1', 'f2', 'f3', 'f4', 'coupl', 'involv', 'non', 'integ', 'multipl', 'frequenc', 'e', 'g', 'f1', 'f2', '2f1', '3', 'f2', '3', 'new', 'method', 'address', 'gap', 'paper', 'propos', 'gener', 'approach', 'name', 'multi', 'phase', 'lock', 'valu', 'plv', 'quantif', 'variou', 'type', 'instantan', 'multi', 'frequenc', 'phase', 'coupl', 'differ', 'instantan', 'phase', 'coupl', 'metric', 'measur', 'simultan', 'phase', 'coupl', 'propos', 'plv', 'method', 'also', 'allow', 'detect', 'delay', 'phase', 'coupl', 'associ', 'time', 'lag', 'coupl', 'oscil', 'result', 'plv', 'test', 'case', 'synthet', 'coupl', 'signal', 'gener', 'use', 'white', 'gaussian', 'signal', 'system', 'compris', 'multipl', 'coupl', 'rössler', 'oscil', 'well', 'human', 'subject', 'dataset', 'result', 'indic', 'plv', 'provid', 'reliabl', 'estim', 'time', 'window', 'frequenc', 'combin', 'phase', 'coupl', 'signific', 'well', 'precis', 'determin', 'time', 'lag', 'case', 'delay', 'coupl', 'method', 'potenti', 'becom', 'power', 'new', 'tool', 'explor', 'phase', 'coupl', 'complex', 'nonlinear', 'dynam', 'system', 'cross', 'frequenc', 'coupl', 'nonlinear', 'system', 'phase', 'coupl', 'signal', 'process', 'time', 'delay']" +60,New heuristic to choose a cylindrical algebraic decomposition variable ordering motivated by complexity analysis,"Tereso del Río, Matthew England",11-Aug-22,"['Symbolic Computation', 'Cylindrical Algebraic Decomposition', 'Heuristic', 'Quantifier elimination']", It is well known that the variable ordering can be critical to the efficiency or even tractability of the cylindrical algebraic decomposition (CAD) algorithm. We propose new heuristics inspired by complexity analysis of CAD to choose the variable ordering. These heuristics are evaluated against existing heuristics with experiments on the SMT-LIB benchmarks using both existing performance metrics and a new metric we propose for the problem at hand. The best of these new heuristics chooses orderings that lead to timings on average 17% slower than the virtual-best: an improvement compared to the prior state-of-the-art which achieved timings 25% slower. ,https://pureportal.coventry.ac.uk/en/publications/new-heuristic-to-choose-a-cylindrical-algebraic-decomposition-var,"[None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['new', 'heurist', 'choos', 'cylindr', 'algebra', 'decomposit', 'variabl', 'order', 'motiv', 'complex', 'analysi', 'tereso', 'del', 'río', 'matthew', 'england', 'well', 'known', 'variabl', 'order', 'critic', 'effici', 'even', 'tractabl', 'cylindr', 'algebra', 'decomposit', 'cad', 'algorithm', 'propos', 'new', 'heurist', 'inspir', 'complex', 'analysi', 'cad', 'choos', 'variabl', 'order', 'heurist', 'evalu', 'exist', 'heurist', 'experi', 'smt', 'lib', 'benchmark', 'use', 'exist', 'perform', 'metric', 'new', 'metric', 'propos', 'problem', 'hand', 'best', 'new', 'heurist', 'choos', 'order', 'lead', 'time', 'averag', '17', 'slower', 'virtual', 'best', 'improv', 'compar', 'prior', 'state', 'art', 'achiev', 'time', '25', 'slower', 'symbol', 'comput', 'cylindr', 'algebra', 'decomposit', 'heurist', 'quantifi', 'elimin']" +61,Off the boil? The challenges of monitoring cooking behaviour in refugee settlements,"Alison Halford, Elena Gaura, Kriti Bhargava, Nandor Verba, James Brusey, Jonathan Nixon",22-Aug-22,"['Cookstoves', 'Humanitarian energy', 'Data and evidence', 'Sensors', 'Socio-technical systems', 'Internet of Things', 'Monitoring']","To address the need for improved access to energy and meet the United Nations Clean Energy Challenge (2019), humanitarian agencies require robust, valid, and meaningful data that documents the everyday energy practices of displaced people. Collecting data through sensor monitoring is one way of providing quality energy data that will aid humanitarian actors in designing and delivering sustainable affordable energy solutions. Using the case of the design and deployment of 20 stove use monitors (SUM) in Kigeme refugee camp in Rwanda, this paper discusses the benefits and limitations of collecting data on cookstove usage using wireless sensors in refugee settlements., Central to the discussion is the value of reflexivity or critical reflection to uncover significant knowledge gaps that can apply more generally to the problem of designing and deploying sensor systems for the displaced setting. If sensor monitoring systems are to collect data that aid appropriate energy planning and support technology development in the humanitarian sector, we contend improvements in sensor design and deployment protocols are needed to accommodate the displaced setting's cultural, economic, and political complexity. These improvements include the uptake of sensor monitoring design that embeds ethical, progressive, and inclusive protocols when working in the displaced setting.",https://pureportal.coventry.ac.uk/en/publications/off-the-boil-the-challenges-of-monitoring-cooking-behaviour-in-re,"['https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', None, None, 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', 'https://pureportal.coventry.ac.uk/en/persons/jonathan-nixon']","['boil', 'challeng', 'monitor', 'cook', 'behaviour', 'refuge', 'settlement', 'alison', 'halford', 'elena', 'gaura', 'kriti', 'bhargava', 'nandor', 'verba', 'jame', 'brusey', 'jonathan', 'nixon', 'address', 'need', 'improv', 'access', 'energi', 'meet', 'unit', 'nation', 'clean', 'energi', 'challeng', '2019', 'humanitarian', 'agenc', 'requir', 'robust', 'valid', 'meaning', 'data', 'document', 'everyday', 'energi', 'practic', 'displac', 'peopl', 'collect', 'data', 'sensor', 'monitor', 'one', 'way', 'provid', 'qualiti', 'energi', 'data', 'aid', 'humanitarian', 'actor', 'design', 'deliv', 'sustain', 'afford', 'energi', 'solut', 'use', 'case', 'design', 'deploy', '20', 'stove', 'use', 'monitor', 'sum', 'kigem', 'refuge', 'camp', 'rwanda', 'paper', 'discuss', 'benefit', 'limit', 'collect', 'data', 'cookstov', 'usag', 'use', 'wireless', 'sensor', 'refuge', 'settlement', 'central', 'discuss', 'valu', 'reflex', 'critic', 'reflect', 'uncov', 'signific', 'knowledg', 'gap', 'appli', 'gener', 'problem', 'design', 'deploy', 'sensor', 'system', 'displac', 'set', 'sensor', 'monitor', 'system', 'collect', 'data', 'aid', 'appropri', 'energi', 'plan', 'support', 'technolog', 'develop', 'humanitarian', 'sector', 'contend', 'improv', 'sensor', 'design', 'deploy', 'protocol', 'need', 'accommod', 'displac', 'set', 'cultur', 'econom', 'polit', 'complex', 'improv', 'includ', 'uptak', 'sensor', 'monitor', 'design', 'emb', 'ethic', 'progress', 'inclus', 'protocol', 'work', 'displac', 'set', 'cookstov', 'humanitarian', 'energi', 'data', 'evid', 'sensor', 'socio', 'technic', 'system', 'internet', 'thing', 'monitor']" +62,On the impact of prior distributions on efficiency of sparse Gaussian process regression,"Mohsen Esmaeilbeigi, Omid Chatrabgoun, Alireza Daneshkhah, Maryam Shafa",26-Jun-22,"['Compact support radial kernels', 'Gaussian process', 'Hyperparameter', 'Maximum likelihood estimation', 'Priors']","Gaussian process regression (GPR) is a kernel-based learning model, which unfortunately suffers from computational intractability for irregular domain and large datasets due to the full kernel matrix. In this paper, we propose a novel method to produce a sparse kernel matrix using the compact support radial kernels (CSRKs) to efficiently learn the GPR from large datasets. The CSRKs can effectively avoid the ill-conditioned and full kernel matrix during GPR training and prediction, consequently reducing computational costs and memory requirements. In practice, the interest in CSRKs waned slightly as it became evident that, there is a trade-off principle (conflict between accuracy and sparsity) for compactly supported kernels. Hence, when using kernels with compact support, during GPR training, the main focus will be on providing a high level of accuracy. In this case, the advantage of achieving a sparse covariance matrix for CSRKs will almost disappear, as we will see in the numerical results. This trade-off has led authors to search for an “optimal” value of the scale parameter. Accordingly, by selecting the suitable priors on the kernel hyperparameters, and simply estimating the hyperparameters using a modified version of the maximum likelihood estimation (MLE), the GPR model derived from the CSRKs yields maximal accuracy while still maintaining a sparse covariance matrix. In fact, in GPR training, modified version of the MLE will be proportional to the product of MLE and a given suitable prior distribution for the hyperparameters that provides an efficient method for learning. The misspecification of prior distributions and their impact on the predictability of the sparse GPR models are also comprehensively investigated using several empirical studies. The proposed new approach is applied to some irregular domains with noisy test functions in 2D data sets in a comparative study. We finally investigate the effect of prior on the predictability of GPR models based on the real dataset. The derived results suggest the proposed method leads to more sparsity and well-conditioned kernel matrices in all cases.",https://pureportal.coventry.ac.uk/en/publications/on-the-impact-of-prior-distributions-on-efficiency-of-sparse-gaus,"[None, 'https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None]","['impact', 'prior', 'distribut', 'effici', 'spars', 'gaussian', 'process', 'regress', 'mohsen', 'esmaeilbeigi', 'omid', 'chatrabgoun', 'alireza', 'daneshkhah', 'maryam', 'shafa', 'gaussian', 'process', 'regress', 'gpr', 'kernel', 'base', 'learn', 'model', 'unfortun', 'suffer', 'comput', 'intract', 'irregular', 'domain', 'larg', 'dataset', 'due', 'full', 'kernel', 'matrix', 'paper', 'propos', 'novel', 'method', 'produc', 'spars', 'kernel', 'matrix', 'use', 'compact', 'support', 'radial', 'kernel', 'csrk', 'effici', 'learn', 'gpr', 'larg', 'dataset', 'csrk', 'effect', 'avoid', 'ill', 'condit', 'full', 'kernel', 'matrix', 'gpr', 'train', 'predict', 'consequ', 'reduc', 'comput', 'cost', 'memori', 'requir', 'practic', 'interest', 'csrk', 'wane', 'slightli', 'becam', 'evid', 'trade', 'principl', 'conflict', 'accuraci', 'sparsiti', 'compactli', 'support', 'kernel', 'henc', 'use', 'kernel', 'compact', 'support', 'gpr', 'train', 'main', 'focu', 'provid', 'high', 'level', 'accuraci', 'case', 'advantag', 'achiev', 'spars', 'covari', 'matrix', 'csrk', 'almost', 'disappear', 'see', 'numer', 'result', 'trade', 'led', 'author', 'search', 'optim', 'valu', 'scale', 'paramet', 'accordingli', 'select', 'suitabl', 'prior', 'kernel', 'hyperparamet', 'simpli', 'estim', 'hyperparamet', 'use', 'modifi', 'version', 'maximum', 'likelihood', 'estim', 'mle', 'gpr', 'model', 'deriv', 'csrk', 'yield', 'maxim', 'accuraci', 'still', 'maintain', 'spars', 'covari', 'matrix', 'fact', 'gpr', 'train', 'modifi', 'version', 'mle', 'proport', 'product', 'mle', 'given', 'suitabl', 'prior', 'distribut', 'hyperparamet', 'provid', 'effici', 'method', 'learn', 'misspecif', 'prior', 'distribut', 'impact', 'predict', 'spars', 'gpr', 'model', 'also', 'comprehens', 'investig', 'use', 'sever', 'empir', 'studi', 'propos', 'new', 'approach', 'appli', 'irregular', 'domain', 'noisi', 'test', 'function', '2d', 'data', 'set', 'compar', 'studi', 'final', 'investig', 'effect', 'prior', 'predict', 'gpr', 'model', 'base', 'real', 'dataset', 'deriv', 'result', 'suggest', 'propos', 'method', 'lead', 'sparsiti', 'well', 'condit', 'kernel', 'matric', 'case', 'compact', 'support', 'radial', 'kernel', 'gaussian', 'process', 'hyperparamet', 'maximum', 'likelihood', 'estim', 'prior']" +63,On the Implementation of Cylindrical Algebraic Coverings for Satisfiability Modulo Theories Solving,"Gereon Kremer, Erika Abraham, Matthew England, James H. Davenport",10-Feb-22,"['cylindrical algebraic coverings', 'implementation', 'satisfiability modulo theories', 'smt solving']","We recently presented cylindrical algebraic coverings: a method based on the theory of cylindrical algebraic decomposition and suited for nonlinear real arithmetic theory reasoning in Satisfiability Modulo Theories solvers. We now present a more careful implementation within cvc5, discuss some implementation details, and highlight practical benefits compared to previous approaches, i.e., NLSAT and incremental CAD. We show how this new implementation simplifies proof generation for nonlinear real arithmetic problems in cvc5 and announce some very encouraging experimental results that position cvc5 at the very front of currently available SMT solvers for QF_NRA.",https://pureportal.coventry.ac.uk/en/publications/on-the-implementation-of-cylindrical-algebraic-coverings-for-sati,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england', None]","['implement', 'cylindr', 'algebra', 'cover', 'satisfi', 'modulo', 'theori', 'solv', 'gereon', 'kremer', 'erika', 'abraham', 'matthew', 'england', 'jame', 'h', 'davenport', 'recent', 'present', 'cylindr', 'algebra', 'cover', 'method', 'base', 'theori', 'cylindr', 'algebra', 'decomposit', 'suit', 'nonlinear', 'real', 'arithmet', 'theori', 'reason', 'satisfi', 'modulo', 'theori', 'solver', 'present', 'care', 'implement', 'within', 'cvc5', 'discuss', 'implement', 'detail', 'highlight', 'practic', 'benefit', 'compar', 'previou', 'approach', 'e', 'nlsat', 'increment', 'cad', 'show', 'new', 'implement', 'simplifi', 'proof', 'gener', 'nonlinear', 'real', 'arithmet', 'problem', 'cvc5', 'announc', 'encourag', 'experiment', 'result', 'posit', 'cvc5', 'front', 'current', 'avail', 'smt', 'solver', 'qf_nra', 'cylindr', 'algebra', 'cover', 'implement', 'satisfi', 'modulo', 'theori', 'smt', 'solv']" +64,On the Scalability of Duty-Cycled LoRa Networks with Imperfect SF Orthogonality,"Yathreb Bouazizi, Fatma Benkhelifa, Hesham ElSawy, Julie A. McCann",01-Nov-22,"['LoRa', 'SF-allocation', 'coverage probability', 'queuing theory', 'stability analysis', 'stochastic geometry']","This letter uses stochastic geometry and queuing theory to study the scalability of long-range (LoRa) networks, accounting for duty cycling restrictions and imperfect spreading factor (SFs) orthogonality. The scalability is characterised by the joint boundaries of device density and traffic intensity per device. Novel cross-correlation factors are used to quantify imperfect SF-orthogonality. Our results show that a proper characterisation of LoRa orthogonality extends the scalability of the network. They also highlight that for low/medium densities decreasing the SF extends the spanned spectrum of sensing applications characterised by their traffic requirements (i.e., sensing rate). However, for high density (>104 nodes/Km2), the Pareto frontiers converge to a stability limit governed by the SF allocation scheme and the predefined capture thresholds. The results further evince the importance of capturing threshold distribution among the SFs to mitigate the unfair latency.",https://pureportal.coventry.ac.uk/en/publications/on-the-scalability-of-duty-cycled-lora-networks-with-imperfect-sf,"[None, 'https://pureportal.coventry.ac.uk/en/persons/fatma-benkhelifa', None, None]","['scalabl', 'duti', 'cycl', 'lora', 'network', 'imperfect', 'sf', 'orthogon', 'yathreb', 'bouazizi', 'fatma', 'benkhelifa', 'hesham', 'elsawi', 'juli', 'mccann', 'letter', 'use', 'stochast', 'geometri', 'queu', 'theori', 'studi', 'scalabl', 'long', 'rang', 'lora', 'network', 'account', 'duti', 'cycl', 'restrict', 'imperfect', 'spread', 'factor', 'sf', 'orthogon', 'scalabl', 'characteris', 'joint', 'boundari', 'devic', 'densiti', 'traffic', 'intens', 'per', 'devic', 'novel', 'cross', 'correl', 'factor', 'use', 'quantifi', 'imperfect', 'sf', 'orthogon', 'result', 'show', 'proper', 'characteris', 'lora', 'orthogon', 'extend', 'scalabl', 'network', 'also', 'highlight', 'low', 'medium', 'densiti', 'decreas', 'sf', 'extend', 'span', 'spectrum', 'sens', 'applic', 'characteris', 'traffic', 'requir', 'e', 'sens', 'rate', 'howev', 'high', 'densiti', '104', 'node', 'km2', 'pareto', 'frontier', 'converg', 'stabil', 'limit', 'govern', 'sf', 'alloc', 'scheme', 'predefin', 'captur', 'threshold', 'result', 'evinc', 'import', 'captur', 'threshold', 'distribut', 'among', 'sf', 'mitig', 'unfair', 'latenc', 'lora', 'sf', 'alloc', 'coverag', 'probabl', 'queu', 'theori', 'stabil', 'analysi', 'stochast', 'geometri']" +65,Parallel multi-swarm cooperative particle swarm optimization for protein–ligand docking and virtual screening,"Chao Li, Jinxing Li, Jun Sun, Li Mao, Vasile Palade, Bilal Ahmad",30-May-22,"['Autodock Vina', 'Protein–ligand docking', 'Random drift particle swarm optimization', 'Virtual screening']","Background: A high-quality docking method tends to yield multifold gains with half pains for the new drug development. Over the past few decades, great efforts have been made for the development of novel docking programs with great efficiency and intriguing accuracy. AutoDock Vina (Vina) is one of these achievements with improved speed and accuracy compared to AutoDock4. Since it was proposed, some of its variants, such as PSOVina and GWOVina, have also been developed. However, for all these docking programs, there is still large room for performance improvement. Results:In this work, we propose a parallel multi-swarm cooperative particle swarm model, in which one master swarm and several slave swarms mutually cooperate and co-evolve. Our experiments show that multi-swarm programs possess better docking robustness than PSOVina. Moreover, the multi-swarm program based on random drift PSO can achieve the best highest accuracy of protein–ligand docking, an outstanding enrichment effect for drug-like activate compounds, and the second best AUC screening accuracy among all the compared docking programs, but with less computation consumption than most of the other docking programs. Conclusion:The proposed multi-swarm cooperative model is a novel algorithmic modeling suitable for protein–ligand docking and virtual screening. Owing to the existing coevolution between the master and the slave swarms, this model in parallel generates remarkable docking performance. The source code can be freely downloaded from https://github.com/li-jin-xing/MPSOVina.",https://pureportal.coventry.ac.uk/en/publications/parallel-multi-swarm-cooperative-particle-swarm-optimization-for-,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['parallel', 'multi', 'swarm', 'cooper', 'particl', 'swarm', 'optim', 'protein', 'ligand', 'dock', 'virtual', 'screen', 'chao', 'li', 'jinx', 'li', 'jun', 'sun', 'li', 'mao', 'vasil', 'palad', 'bilal', 'ahmad', 'background', 'high', 'qualiti', 'dock', 'method', 'tend', 'yield', 'multifold', 'gain', 'half', 'pain', 'new', 'drug', 'develop', 'past', 'decad', 'great', 'effort', 'made', 'develop', 'novel', 'dock', 'program', 'great', 'effici', 'intrigu', 'accuraci', 'autodock', 'vina', 'vina', 'one', 'achiev', 'improv', 'speed', 'accuraci', 'compar', 'autodock4', 'sinc', 'propos', 'variant', 'psovina', 'gwovina', 'also', 'develop', 'howev', 'dock', 'program', 'still', 'larg', 'room', 'perform', 'improv', 'result', 'work', 'propos', 'parallel', 'multi', 'swarm', 'cooper', 'particl', 'swarm', 'model', 'one', 'master', 'swarm', 'sever', 'slave', 'swarm', 'mutual', 'cooper', 'co', 'evolv', 'experi', 'show', 'multi', 'swarm', 'program', 'possess', 'better', 'dock', 'robust', 'psovina', 'moreov', 'multi', 'swarm', 'program', 'base', 'random', 'drift', 'pso', 'achiev', 'best', 'highest', 'accuraci', 'protein', 'ligand', 'dock', 'outstand', 'enrich', 'effect', 'drug', 'like', 'activ', 'compound', 'second', 'best', 'auc', 'screen', 'accuraci', 'among', 'compar', 'dock', 'program', 'less', 'comput', 'consumpt', 'dock', 'program', 'conclus', 'propos', 'multi', 'swarm', 'cooper', 'model', 'novel', 'algorithm', 'model', 'suitabl', 'protein', 'ligand', 'dock', 'virtual', 'screen', 'owe', 'exist', 'coevolut', 'master', 'slave', 'swarm', 'model', 'parallel', 'gener', 'remark', 'dock', 'perform', 'sourc', 'code', 'freeli', 'download', 'http', 'github', 'com', 'li', 'jin', 'xing', 'mpsovina', 'autodock', 'vina', 'protein', 'ligand', 'dock', 'random', 'drift', 'particl', 'swarm', 'optim', 'virtual', 'screen']" +66,Parts of Speech Tagging in NLP- an Investigation on Runtime Optimization with Quantum Formulation and ZX Calculus,"Arit Kumar Bishwas, Ashish Mani, Vasile Palade",10-Mar-22,"['Natural Language Processing', 'Noisy Intermediate Scale Quantum Systems (NISQ)', 'Quantum Algorithms', 'Quantum Optimization']","This paper presents an optimized formulation of the parts of speech tagging in Natural Language Processing (NLP) with a quantum computing approach, and it further demonstrates the quantum gate-level runnable optimization with ZX-calculus, keeping the implementation target in the context of Noisy Intermediate Scale Quantum Systems (NISQ). The discussed quantum formulation exhibits quadratic speed up over the classical counterpart and further demonstrates the implementable optimization with the help of ZX calculus postulates. ",https://pureportal.coventry.ac.uk/en/publications/parts-of-speech-tagging-in-nlp-an-investigation-on-runtime-optimi,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['part', 'speech', 'tag', 'nlp', 'investig', 'runtim', 'optim', 'quantum', 'formul', 'zx', 'calculu', 'arit', 'kumar', 'bishwa', 'ashish', 'mani', 'vasil', 'palad', 'paper', 'present', 'optim', 'formul', 'part', 'speech', 'tag', 'natur', 'languag', 'process', 'nlp', 'quantum', 'comput', 'approach', 'demonstr', 'quantum', 'gate', 'level', 'runnabl', 'optim', 'zx', 'calculu', 'keep', 'implement', 'target', 'context', 'noisi', 'intermedi', 'scale', 'quantum', 'system', 'nisq', 'discuss', 'quantum', 'formul', 'exhibit', 'quadrat', 'speed', 'classic', 'counterpart', 'demonstr', 'implement', 'optim', 'help', 'zx', 'calculu', 'postul', 'natur', 'languag', 'process', 'noisi', 'intermedi', 'scale', 'quantum', 'system', 'nisq', 'quantum', 'algorithm', 'quantum', 'optim']" +67,Polynomial Superlevel Set Representation of the Multistationarity Region of Chemical Reaction Networks,"AmirHosein Sadeghimanesh, Matthew England",27-Sep-22,"['polynomial superlevel set', 'steady states', 'multistationarity', 'cylindrical algebraic decomposition', 'parameter analysis']","In this paper we introduce a new representation for the multistationarity region of a reaction network, using polynomial superlevel sets. The advantages of using this polynomial superlevel set representation over the formerly existing representations (cylindrical algebraic decompositions, numeric sampling, rectangular division) is discussed, and algorithms to compute this new representation are provided. The results are given for the general mathematical formalism of a parametric system of equations and therefore can be used in other application areas.",https://pureportal.coventry.ac.uk/en/publications/polynomial-superlevel-set-representation-of-the-multistationarity,"['https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh', 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['polynomi', 'superlevel', 'set', 'represent', 'multistationar', 'region', 'chemic', 'reaction', 'network', 'amirhosein', 'sadeghimanesh', 'matthew', 'england', 'paper', 'introduc', 'new', 'represent', 'multistationar', 'region', 'reaction', 'network', 'use', 'polynomi', 'superlevel', 'set', 'advantag', 'use', 'polynomi', 'superlevel', 'set', 'represent', 'formerli', 'exist', 'represent', 'cylindr', 'algebra', 'decomposit', 'numer', 'sampl', 'rectangular', 'divis', 'discuss', 'algorithm', 'comput', 'new', 'represent', 'provid', 'result', 'given', 'gener', 'mathemat', 'formal', 'parametr', 'system', 'equat', 'therefor', 'use', 'applic', 'area', 'polynomi', 'superlevel', 'set', 'steadi', 'state', 'multistationar', 'cylindr', 'algebra', 'decomposit', 'paramet', 'analysi']" +68,Predicting Primary Sequence-Based Protein-Protein Interactions Using a Mercer Series Representation of Nonlinear Support Vector Machine,"Omid Chatrabgoun, Alireza Daneshkhah, Mohsen Esmaeilbeigi, Nader Sohrabi Safa, Ali H. Alenezi, Arafatur Rahman ",01-Dec-22,"['Kernel-based SVM', 'protein-protein interactions', 'quadratic optimisation problem', 'Mercer series']","The prediction of protein-protein interactions (PPIs) is essential to understand the cellular processes from a medical perspective. Among the various machine learning techniques, kernel-based Support Vector Machine (SVM) has been commonly employed to discriminate between interacting and non-interacting protein pairs. The main drawback of employing the kernel-based SVM to datasets with many features, such as the primary sequence-based protein-protein dataset, is the significant increase in computational time of training stage. This increase in computational time is mainly due to the presence of the kernel in solving the quadratic optimisation problem (QOP) involved in nonlinear SVM. In order to fix this issue, we propose a novel and efficient computational algorithm by approximating the kernel-based SVM using a low-rank truncated Mercer series as well as desired. As a result, the QOP for the approximated kernel-based SVM will be very tractable in the sense that there is a significant reduction in computational time of training and validating stages. We illustrate the novelty of the proposed method by predicting the PPIs of ""S. Cerevisiae” where the protein features extracted using the multiscale local descriptor (MLD), and then we compare the predictive performance of the proposed low-rank approximation with the existing methods. Finally, the new method results in significant reduction in computational time for predicting PPIs with almost as accuracy as kernel-based SVM",https://pureportal.coventry.ac.uk/en/publications/predicting-primary-sequence-based-protein-protein-interactions-us,"['https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None, None]","['predict', 'primari', 'sequenc', 'base', 'protein', 'protein', 'interact', 'use', 'mercer', 'seri', 'represent', 'nonlinear', 'support', 'vector', 'machin', 'omid', 'chatrabgoun', 'alireza', 'daneshkhah', 'mohsen', 'esmaeilbeigi', 'nader', 'sohrabi', 'safa', 'ali', 'h', 'alenezi', 'arafatur', 'rahman', 'predict', 'protein', 'protein', 'interact', 'ppi', 'essenti', 'understand', 'cellular', 'process', 'medic', 'perspect', 'among', 'variou', 'machin', 'learn', 'techniqu', 'kernel', 'base', 'support', 'vector', 'machin', 'svm', 'commonli', 'employ', 'discrimin', 'interact', 'non', 'interact', 'protein', 'pair', 'main', 'drawback', 'employ', 'kernel', 'base', 'svm', 'dataset', 'mani', 'featur', 'primari', 'sequenc', 'base', 'protein', 'protein', 'dataset', 'signific', 'increas', 'comput', 'time', 'train', 'stage', 'increas', 'comput', 'time', 'mainli', 'due', 'presenc', 'kernel', 'solv', 'quadrat', 'optimis', 'problem', 'qop', 'involv', 'nonlinear', 'svm', 'order', 'fix', 'issu', 'propos', 'novel', 'effici', 'comput', 'algorithm', 'approxim', 'kernel', 'base', 'svm', 'use', 'low', 'rank', 'truncat', 'mercer', 'seri', 'well', 'desir', 'result', 'qop', 'approxim', 'kernel', 'base', 'svm', 'tractabl', 'sens', 'signific', 'reduct', 'comput', 'time', 'train', 'valid', 'stage', 'illustr', 'novelti', 'propos', 'method', 'predict', 'ppi', 'cerevisia', 'protein', 'featur', 'extract', 'use', 'multiscal', 'local', 'descriptor', 'mld', 'compar', 'predict', 'perform', 'propos', 'low', 'rank', 'approxim', 'exist', 'method', 'final', 'new', 'method', 'result', 'signific', 'reduct', 'comput', 'time', 'predict', 'ppi', 'almost', 'accuraci', 'kernel', 'base', 'svm', 'kernel', 'base', 'svm', 'protein', 'protein', 'interact', 'quadrat', 'optimis', 'problem', 'mercer', 'seri']" +69,Predicting the Public Adoption of Connected and Autonomous Vehicles,"Mohammed Lawal Ahmed, Rahat Iqbal, Charalampos Karyotis, Vasile Palade, Saad Ali Amin",01-Feb-22,"['Autonomous automobiles', 'Autonomous vehicles', 'CAV adoption.', 'Connected and autonomous vehicles', 'Machine learning', 'Predictive models', 'Roads', 'Safety', 'Vehicles', 'fuzzy logic', 'machine learning']","Connected and Autonomous Vehicles (CAV) are gaining increasing importance due to the current needs of modern society for better mobility and societal impact. CAV development and adoption will be driven by Artificial Intelligence (AI) and 5G/6G technologies which will offer increased speed, reduced latency and ubiquity. However, the public is concerned with the concept of handing total control of driving to vehicles. These concerns will inhibit the adoption of CAVs when they become available to the public. In this paper, we investigated user adoption of CAVs by collecting quantitative data from potential users based on their preference and inherent concerns towards adoption. We conducted a statistical analysis and applied machine learning techniques to predict the user adoption for CAVs. Our results show that several machine learning approaches were effective in forecasting user adoption for CAVs. We have employed Neural Networks, Random Forest, Naïve Bayes and Fuzzy Logic based models and achieved accuracies of 81.76%, 83.63%, 82.15% and 86.38, respectively, in forecasting the public adoption of CAV.",https://pureportal.coventry.ac.uk/en/publications/predicting-the-public-adoption-of-connected-and-autonomous-vehicl,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['predict', 'public', 'adopt', 'connect', 'autonom', 'vehicl', 'moham', 'lawal', 'ahm', 'rahat', 'iqbal', 'charalampo', 'karyoti', 'vasil', 'palad', 'saad', 'ali', 'amin', 'connect', 'autonom', 'vehicl', 'cav', 'gain', 'increas', 'import', 'due', 'current', 'need', 'modern', 'societi', 'better', 'mobil', 'societ', 'impact', 'cav', 'develop', 'adopt', 'driven', 'artifici', 'intellig', 'ai', '5g', '6g', 'technolog', 'offer', 'increas', 'speed', 'reduc', 'latenc', 'ubiqu', 'howev', 'public', 'concern', 'concept', 'hand', 'total', 'control', 'drive', 'vehicl', 'concern', 'inhibit', 'adopt', 'cav', 'becom', 'avail', 'public', 'paper', 'investig', 'user', 'adopt', 'cav', 'collect', 'quantit', 'data', 'potenti', 'user', 'base', 'prefer', 'inher', 'concern', 'toward', 'adopt', 'conduct', 'statist', 'analysi', 'appli', 'machin', 'learn', 'techniqu', 'predict', 'user', 'adopt', 'cav', 'result', 'show', 'sever', 'machin', 'learn', 'approach', 'effect', 'forecast', 'user', 'adopt', 'cav', 'employ', 'neural', 'network', 'random', 'forest', 'naïv', 'bay', 'fuzzi', 'logic', 'base', 'model', 'achiev', 'accuraci', '81', '76', '83', '63', '82', '15', '86', '38', 'respect', 'forecast', 'public', 'adopt', 'cav', 'autonom', 'automobil', 'autonom', 'vehicl', 'cav', 'adopt', 'connect', 'autonom', 'vehicl', 'machin', 'learn', 'predict', 'model', 'road', 'safeti', 'vehicl', 'fuzzi', 'logic', 'machin', 'learn']" +70,Privacy Enhancing Technologies (PETs) for Connected Vehicles in Smart Cities,"Nader Sohrabi Safa, Faye Mitchell, Carsten Maple, Muhammad Ajmal Azad",Oct-22,"['Privacy', 'Internet of things', 'data protection', 'Privacy Enhancing Technologies', 'Information security']","Many Experts believe that the Internet of Things (IoT) is a new revolution in technology that has brought many benefits for our organizations, businesses, and industries. However, information security and privacy protection are important challenges particularly for smart vehicles in smart cities that have attracted the attention of experts in this domain. Privacy Enhancing Technologies (PETs) endeavor to mitigate the risk of privacy invasions, but the literature lacks a thorough review of the approaches and techniques that support individuals' privacy in the connection between smart vehicles and smart cities. This gap has stimulated us to conduct this research with the main goal of reviewing recent privacy-enhancing technologies, approaches, taxonomy, challenges, and solutions on the application of PETs for smart vehicles in smart cities. The significant aspect of this study originates from the inclusion of data-oriented and process-oriented privacy protection. This research also identifies limitations of existing PETs, complementary technologies, and potential research directions.",https://pureportal.coventry.ac.uk/en/publications/privacy-enhancing-technologies-pets-for-connected-vehicles-in-sma,"[None, 'https://pureportal.coventry.ac.uk/en/persons/faye-mitchell', None, None]","['privaci', 'enhanc', 'technolog', 'pet', 'connect', 'vehicl', 'smart', 'citi', 'nader', 'sohrabi', 'safa', 'fay', 'mitchel', 'carsten', 'mapl', 'muhammad', 'ajmal', 'azad', 'mani', 'expert', 'believ', 'internet', 'thing', 'iot', 'new', 'revolut', 'technolog', 'brought', 'mani', 'benefit', 'organ', 'busi', 'industri', 'howev', 'inform', 'secur', 'privaci', 'protect', 'import', 'challeng', 'particularli', 'smart', 'vehicl', 'smart', 'citi', 'attract', 'attent', 'expert', 'domain', 'privaci', 'enhanc', 'technolog', 'pet', 'endeavor', 'mitig', 'risk', 'privaci', 'invas', 'literatur', 'lack', 'thorough', 'review', 'approach', 'techniqu', 'support', 'individu', 'privaci', 'connect', 'smart', 'vehicl', 'smart', 'citi', 'gap', 'stimul', 'us', 'conduct', 'research', 'main', 'goal', 'review', 'recent', 'privaci', 'enhanc', 'technolog', 'approach', 'taxonomi', 'challeng', 'solut', 'applic', 'pet', 'smart', 'vehicl', 'smart', 'citi', 'signific', 'aspect', 'studi', 'origin', 'inclus', 'data', 'orient', 'process', 'orient', 'privaci', 'protect', 'research', 'also', 'identifi', 'limit', 'exist', 'pet', 'complementari', 'technolog', 'potenti', 'research', 'direct', 'privaci', 'internet', 'thing', 'data', 'protect', 'privaci', 'enhanc', 'technolog', 'inform', 'secur']" +71,Rapid Localization and Mapping Method Based on Adaptive Particle Filters,"Anas Charroud, Karim El Moutaouakil, Ali Yahyaouy, Uche Onyekpe, Vasile Palade, Md Nazmul Huda",02-Dec-22,"['autonomous driving', 'mapping', 'feature extraction', 'Memory', 'SLAM', 'self-driving vehicles', 'localization', 'Knowledge', 'Reproducibility of Results', 'Algorithms', 'Rotation']","With the development of autonomous vehicles, localization and mapping technologies have become crucial to equip the vehicle with the appropriate knowledge for its operation. In this paper, we extend our previous work by prepossessing a localization and mapping architecture for autonomous vehicles that do not rely on GPS, particularly in environments such as tunnels, under bridges, urban canyons, and dense tree canopies. The proposed approach is of two parts. Firstly, a K-means algorithm is employed to extract features from LiDAR scenes to create a local map of each scan. Then, we concatenate the local maps to create a global map of the environment and facilitate data association between frames. Secondly, the main localization task is performed by an adaptive particle filter that works in four steps: (a) generation of particles around an initial state (provided by the GPS); (b) updating the particle positions by providing the motion (translation and rotation) of the vehicle using an inertial measurement device; (c) selection of the best candidate particles by observing at each timestamp the match rate (also called particle weight) of the local map (with the real-time distances to the objects) and the distances of the particles to the corresponding chunks of the global map; (d) averaging the selected particles to derive the estimated position, and, finally, using a resampling method on the particles to ensure the reliability of the position estimation. The performance of the newly proposed technique is investigated on different sequences of the Kitti and Pandaset raw data with different environmental setups, weather conditions, and seasonal changes. The obtained results validate the performance of the proposed approach in terms of speed and representativeness of the feature extraction for real-time localization in comparison with other state-of-the-art methods.",https://pureportal.coventry.ac.uk/en/publications/rapid-localization-and-mapping-method-based-on-adaptive-particle-,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['rapid', 'local', 'map', 'method', 'base', 'adapt', 'particl', 'filter', 'ana', 'charroud', 'karim', 'el', 'moutaouakil', 'ali', 'yahyaouy', 'uch', 'onyekp', 'vasil', 'palad', 'md', 'nazmul', 'huda', 'develop', 'autonom', 'vehicl', 'local', 'map', 'technolog', 'becom', 'crucial', 'equip', 'vehicl', 'appropri', 'knowledg', 'oper', 'paper', 'extend', 'previou', 'work', 'prepossess', 'local', 'map', 'architectur', 'autonom', 'vehicl', 'reli', 'gp', 'particularli', 'environ', 'tunnel', 'bridg', 'urban', 'canyon', 'dens', 'tree', 'canopi', 'propos', 'approach', 'two', 'part', 'firstli', 'k', 'mean', 'algorithm', 'employ', 'extract', 'featur', 'lidar', 'scene', 'creat', 'local', 'map', 'scan', 'concaten', 'local', 'map', 'creat', 'global', 'map', 'environ', 'facilit', 'data', 'associ', 'frame', 'secondli', 'main', 'local', 'task', 'perform', 'adapt', 'particl', 'filter', 'work', 'four', 'step', 'gener', 'particl', 'around', 'initi', 'state', 'provid', 'gp', 'b', 'updat', 'particl', 'posit', 'provid', 'motion', 'translat', 'rotat', 'vehicl', 'use', 'inerti', 'measur', 'devic', 'c', 'select', 'best', 'candid', 'particl', 'observ', 'timestamp', 'match', 'rate', 'also', 'call', 'particl', 'weight', 'local', 'map', 'real', 'time', 'distanc', 'object', 'distanc', 'particl', 'correspond', 'chunk', 'global', 'map', 'averag', 'select', 'particl', 'deriv', 'estim', 'posit', 'final', 'use', 'resampl', 'method', 'particl', 'ensur', 'reliabl', 'posit', 'estim', 'perform', 'newli', 'propos', 'techniqu', 'investig', 'differ', 'sequenc', 'kitti', 'pandaset', 'raw', 'data', 'differ', 'environment', 'setup', 'weather', 'condit', 'season', 'chang', 'obtain', 'result', 'valid', 'perform', 'propos', 'approach', 'term', 'speed', 'repres', 'featur', 'extract', 'real', 'time', 'local', 'comparison', 'state', 'art', 'method', 'autonom', 'drive', 'map', 'featur', 'extract', 'memori', 'slam', 'self', 'drive', 'vehicl', 'local', 'knowledg', 'reproduc', 'result', 'algorithm', 'rotat']" +72,RDPSOVina: the random drift particle swarm optimization for protein-ligand docking,"Jinxing Li, Chao Li, Jun Sun, Vasile Palade",Jun-22,"['AutoDock Vina', 'Random drift particle swarm optimization', 'Protein–ligand docking']","Protein-ligand docking is of great importance to drug design, since it can predict the binding affinity between ligand and protein, and guide the synthesis direction of the lead compounds. Over the past few decades, various docking programs have been developed, some of them employing novel optimization algorithms. However, most of those methods cannot simultaneously achieve both good efficiency and accuracy. Therefore, it is worthwhile to pour the efforts into the development of a docking program with fast speed and high quality of the solutions obtained. The research presented in this paper, based on the docking scheme of Vina, developed a novel docking program called RDPSOVina. The RDPSOVina employes a novel search algorithm but the same scoring function of Vina. It utilizes the random drift particle swarm optimization (RDPSO) algorithm as the global search algorithm, implements the local search with small probability, and applies Markov chain mutation to the particles' personal best positions in order to harvest more potential-candidates. To prove the outstanding docking performance in RDPSOVina, we performed the re-docking experiments on two PDBbind datasets and cross-docking experiments on the Sutherland-crossdock-set, respectively. The RDPSOVina exhibited superior protein-ligand docking accuracy and better cross-docking prediction with higher operation efficiency than most of the compared methods. It is available at https://github.com/li-jin-xing/RDPSOVina . [Abstract copyright: © 2022. The Author(s), under exclusive licence to Springer Nature Switzerland AG.]",https://pureportal.coventry.ac.uk/en/publications/rdpsovina-the-random-drift-particle-swarm-optimization-for-protei,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['rdpsovina', 'random', 'drift', 'particl', 'swarm', 'optim', 'protein', 'ligand', 'dock', 'jinx', 'li', 'chao', 'li', 'jun', 'sun', 'vasil', 'palad', 'protein', 'ligand', 'dock', 'great', 'import', 'drug', 'design', 'sinc', 'predict', 'bind', 'affin', 'ligand', 'protein', 'guid', 'synthesi', 'direct', 'lead', 'compound', 'past', 'decad', 'variou', 'dock', 'program', 'develop', 'employ', 'novel', 'optim', 'algorithm', 'howev', 'method', 'simultan', 'achiev', 'good', 'effici', 'accuraci', 'therefor', 'worthwhil', 'pour', 'effort', 'develop', 'dock', 'program', 'fast', 'speed', 'high', 'qualiti', 'solut', 'obtain', 'research', 'present', 'paper', 'base', 'dock', 'scheme', 'vina', 'develop', 'novel', 'dock', 'program', 'call', 'rdpsovina', 'rdpsovina', 'employ', 'novel', 'search', 'algorithm', 'score', 'function', 'vina', 'util', 'random', 'drift', 'particl', 'swarm', 'optim', 'rdpso', 'algorithm', 'global', 'search', 'algorithm', 'implement', 'local', 'search', 'small', 'probabl', 'appli', 'markov', 'chain', 'mutat', 'particl', 'person', 'best', 'posit', 'order', 'harvest', 'potenti', 'candid', 'prove', 'outstand', 'dock', 'perform', 'rdpsovina', 'perform', 'dock', 'experi', 'two', 'pdbbind', 'dataset', 'cross', 'dock', 'experi', 'sutherland', 'crossdock', 'set', 'respect', 'rdpsovina', 'exhibit', 'superior', 'protein', 'ligand', 'dock', 'accuraci', 'better', 'cross', 'dock', 'predict', 'higher', 'oper', 'effici', 'compar', 'method', 'avail', 'http', 'github', 'com', 'li', 'jin', 'xing', 'rdpsovina', 'abstract', 'copyright', '2022', 'author', 'exclus', 'licenc', 'springer', 'natur', 'switzerland', 'ag', 'autodock', 'vina', 'random', 'drift', 'particl', 'swarm', 'optim', 'protein', 'ligand', 'dock']" +73,Resilient Consensus Control Design for DC Microgrids against False Data Injection Attacks Using a Distributed Bank of Sliding Mode Observers,"Yousof Barzegari, Jafar Zarei, Roozbeh Razavi-Far, Mehrdad Saif, Vasile Palade",30-Mar-22,"['DC microgrid', 'attack-resilient control', 'boost converter', 'sliding mode observer', 'false data injection cyber attack']","This paper investigates the problem of false data injection attack (FDIA) detection in microgrids. The grid under study is a DC microgrid with distributed boost converters, where the false data are injected into the voltage data so as to investigate the effect of attacks. The proposed algorithm uses a bank of sliding mode observers that estimates the states of the neighbor agents. Each agent estimates the neighboring states and, according to the estimation and communication data, the detection mechanism reveals the presence of FDIA. The proposed control scheme provides resiliency to the system by replacing the conventional consensus rule with attack-resilient ones. In order to evaluate the efficiency of the proposed method, a real-time simulation with eight agents has been performed. Moreover, a verification experimental test with three boost converters has been utilized to confirm the simulation results. It is shown that the proposed algorithm is able to detect FDI attacks and it protects the consensus deviation against FDI attacks.",https://pureportal.coventry.ac.uk/en/publications/resilient-consensus-control-design-for-dc-microgrids-against-fals,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['resili', 'consensu', 'control', 'design', 'dc', 'microgrid', 'fals', 'data', 'inject', 'attack', 'use', 'distribut', 'bank', 'slide', 'mode', 'observ', 'yousof', 'barzegari', 'jafar', 'zarei', 'roozbeh', 'razavi', 'far', 'mehrdad', 'saif', 'vasil', 'palad', 'paper', 'investig', 'problem', 'fals', 'data', 'inject', 'attack', 'fdia', 'detect', 'microgrid', 'grid', 'studi', 'dc', 'microgrid', 'distribut', 'boost', 'convert', 'fals', 'data', 'inject', 'voltag', 'data', 'investig', 'effect', 'attack', 'propos', 'algorithm', 'use', 'bank', 'slide', 'mode', 'observ', 'estim', 'state', 'neighbor', 'agent', 'agent', 'estim', 'neighbor', 'state', 'accord', 'estim', 'commun', 'data', 'detect', 'mechan', 'reveal', 'presenc', 'fdia', 'propos', 'control', 'scheme', 'provid', 'resili', 'system', 'replac', 'convent', 'consensu', 'rule', 'attack', 'resili', 'one', 'order', 'evalu', 'effici', 'propos', 'method', 'real', 'time', 'simul', 'eight', 'agent', 'perform', 'moreov', 'verif', 'experiment', 'test', 'three', 'boost', 'convert', 'util', 'confirm', 'simul', 'result', 'shown', 'propos', 'algorithm', 'abl', 'detect', 'fdi', 'attack', 'protect', 'consensu', 'deviat', 'fdi', 'attack', 'dc', 'microgrid', 'attack', 'resili', 'control', 'boost', 'convert', 'slide', 'mode', 'observ', 'fals', 'data', 'inject', 'cyber', 'attack']" +74,Saving Research Budgets by Improving Algebraic Tools for the Study of Population Dynamics,AmirHosein Sadeghimanesh,07-Mar-22,"['population dynamics', 'cylindrical algebraic decomposition']",,https://pureportal.coventry.ac.uk/en/publications/saving-research-budgets-by-improving-algebraic-tools-for-the-stud,['https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh'],"['save', 'research', 'budget', 'improv', 'algebra', 'tool', 'studi', 'popul', 'dynam', 'amirhosein', 'sadeghimanesh', 'popul', 'dynam', 'cylindr', 'algebra', 'decomposit']" +75,SC-Square: Future Progress with Machine Learning,Matthew England,14-Nov-22,"['machine learning', 'symbolic computation', 'computer algebra systems', 'satisfiability checking', 'SMT solvers']","The algorithms employed by our communities are often underspecified, and thus have multiple implementation choices, which do not effect the correctness of the output, but do impact the efficiency or even tractability of its production. In this extended abstract, to accompany a keynote talk at the 2021 SC-Square Workshop, we survey recent work (both the author's and from the literature) on the use of Machine Learning technology to improve algorithms of interest to SC-Square.",https://pureportal.coventry.ac.uk/en/publications/sc-square-future-progress-with-machine-learning,['https://pureportal.coventry.ac.uk/en/persons/matthew-england'],"['sc', 'squar', 'futur', 'progress', 'machin', 'learn', 'matthew', 'england', 'algorithm', 'employ', 'commun', 'often', 'underspecifi', 'thu', 'multipl', 'implement', 'choic', 'effect', 'correct', 'output', 'impact', 'effici', 'even', 'tractabl', 'product', 'extend', 'abstract', 'accompani', 'keynot', 'talk', '2021', 'sc', 'squar', 'workshop', 'survey', 'recent', 'work', 'author', 'literatur', 'use', 'machin', 'learn', 'technolog', 'improv', 'algorithm', 'interest', 'sc', 'squar', 'machin', 'learn', 'symbol', 'comput', 'comput', 'algebra', 'system', 'satisfi', 'check', 'smt', 'solver']" +76,SC-Square: Overview to 2021.,Matthew England,14-Nov-22,"['symbolic computation,', 'computer algebra systems,', 'satisfiability checking,', 'SMT solvers']","This extended abstract was written to accompany an invited talk at the 2021 SC-Square Workshop, where the author was asked to give an overview of SC-Square progress to date. The author first reminds the reader of the definition of SC-Square, then briefly outlines some of the history, before picking out some (personal) scientific highlights.",https://pureportal.coventry.ac.uk/en/publications/sc-square-overview-to-2021,['https://pureportal.coventry.ac.uk/en/persons/matthew-england'],"['sc', 'squar', 'overview', '2021', 'matthew', 'england', 'extend', 'abstract', 'written', 'accompani', 'invit', 'talk', '2021', 'sc', 'squar', 'workshop', 'author', 'ask', 'give', 'overview', 'sc', 'squar', 'progress', 'date', 'author', 'first', 'remind', 'reader', 'definit', 'sc', 'squar', 'briefli', 'outlin', 'histori', 'pick', 'person', 'scientif', 'highlight', 'symbol', 'comput', 'comput', 'algebra', 'system', 'satisfi', 'check', 'smt', 'solver']" +77,Stable likelihood computation for machine learning of linear differential operators with Gaussian processes,"Omid Chatrabgoun, Mohsen Esmaeilbeigi, Maysam Cheraghi, Alireza Daneshkhah",20-Apr-22,"['Gaussian processes', 'Hilbert–Schmidt’s theory', 'probabilistic machine learning', 'stable computation', 'uncertainty quantification']","In many applied sciences, the main aim is to learn the parameters in the operational equations which best fit the observed data. A framework for solving such problems is to employ Gaussian process (GP) emulators which are well-known as nonparametric Bayesian machine learning techniques. GPs are among a class of methods known as kernel machines which can be used to approximate rather complex problems by tuning their hyperparameters. The maximum likelihood estimation (MLE) has widely been used to estimate the parameters of the operators and kernels. However, the MLE-based and Bayesian inference in the standard form are usually involved in setting up a covariance matrix which is generally ill-conditioned. As a result, constructing and inverting the covariance matrix using the standard form will become unstable to learn the parameters in the operational equations. In this paper, we propose a novel approach to tackle these computational complexities and also resolve the ill-conditioning problem by forming the covariance matrix using alternative bases via the Hilbert−Schmidt SVD (HS-SVD) approach. Applying this approach yields a novel matrix factorization of the block-structured covariance matrix which can be implemented stably by isolating the main source of the ill-conditioning. In contrast to standard matrix decompositions which start with a matrix and produce the resulting factors, the HS-SVD is constructed from the Hilbert−Schmidt eigenvalues and eigenvectors without the need to ever form the potentially ill-conditioned matrix. We also provide stable MLE and Bayesian inference to adaptively estimate hyperparameters, and the corresponding operators can then be efficiently predicted at some new points using the proposed HS-SVD bases. The efficiency and stability of the proposed HS-SVD method will be compared with the existing methods by several illustrations of the parametric linear equations, such as ordinary and partial differential equations, and integro-differential and fractional order operators.",https://pureportal.coventry.ac.uk/en/publications/stable-likelihood-computation-for-machine-learning-of-linear-diff,"['https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['stabl', 'likelihood', 'comput', 'machin', 'learn', 'linear', 'differenti', 'oper', 'gaussian', 'process', 'omid', 'chatrabgoun', 'mohsen', 'esmaeilbeigi', 'maysam', 'cheraghi', 'alireza', 'daneshkhah', 'mani', 'appli', 'scienc', 'main', 'aim', 'learn', 'paramet', 'oper', 'equat', 'best', 'fit', 'observ', 'data', 'framework', 'solv', 'problem', 'employ', 'gaussian', 'process', 'gp', 'emul', 'well', 'known', 'nonparametr', 'bayesian', 'machin', 'learn', 'techniqu', 'gp', 'among', 'class', 'method', 'known', 'kernel', 'machin', 'use', 'approxim', 'rather', 'complex', 'problem', 'tune', 'hyperparamet', 'maximum', 'likelihood', 'estim', 'mle', 'wide', 'use', 'estim', 'paramet', 'oper', 'kernel', 'howev', 'mle', 'base', 'bayesian', 'infer', 'standard', 'form', 'usual', 'involv', 'set', 'covari', 'matrix', 'gener', 'ill', 'condit', 'result', 'construct', 'invert', 'covari', 'matrix', 'use', 'standard', 'form', 'becom', 'unstabl', 'learn', 'paramet', 'oper', 'equat', 'paper', 'propos', 'novel', 'approach', 'tackl', 'comput', 'complex', 'also', 'resolv', 'ill', 'condit', 'problem', 'form', 'covari', 'matrix', 'use', 'altern', 'base', 'via', 'hilbert', 'schmidt', 'svd', 'hs', 'svd', 'approach', 'appli', 'approach', 'yield', 'novel', 'matrix', 'factor', 'block', 'structur', 'covari', 'matrix', 'implement', 'stabli', 'isol', 'main', 'sourc', 'ill', 'condit', 'contrast', 'standard', 'matrix', 'decomposit', 'start', 'matrix', 'produc', 'result', 'factor', 'hs', 'svd', 'construct', 'hilbert', 'schmidt', 'eigenvalu', 'eigenvector', 'without', 'need', 'ever', 'form', 'potenti', 'ill', 'condit', 'matrix', 'also', 'provid', 'stabl', 'mle', 'bayesian', 'infer', 'adapt', 'estim', 'hyperparamet', 'correspond', 'oper', 'effici', 'predict', 'new', 'point', 'use', 'propos', 'hs', 'svd', 'base', 'effici', 'stabil', 'propos', 'hs', 'svd', 'method', 'compar', 'exist', 'method', 'sever', 'illustr', 'parametr', 'linear', 'equat', 'ordinari', 'partial', 'differenti', 'equat', 'integro', 'differenti', 'fraction', 'order', 'oper', 'gaussian', 'process', 'hilbert', 'schmidt', 'theori', 'probabilist', 'machin', 'learn', 'stabl', 'comput', 'uncertainti', 'quantif']" +78,Switching Trackers for Effective Sensor Fusion in Advanced Driver Assistance Systems,"Ankur Deo, Vasile Palade",03-Nov-22,"['ADAS', 'Extended Kalman filter', 'real time traffic density estimation', 'sensor fusion', 'tracking', 'traffic sign recognition', 'Unscented Kalman filter']","Modern cars utilise Advanced Driver Assistance Systems (ADAS) in several ways. In ADAS, the use of multiple sensors to gauge the environment surrounding the ego-vehicle offers numerous advantages, as fusing information from more than one sensor helps to provide highly reliable and error-free data. The fused data is typically then fed to a tracker algorithm, which helps to reduce noise and compensate for situations when received sensor data is temporarily absent or spurious, or to counter the offhand false positives and negatives. The performances of these constituent algorithms vary vastly under different scenarios. In this paper, we focus on the variation in the performance of tracker algorithms in sensor fusion due to the alteration in external conditions in different scenarios, and on the methods for countering that variation. We introduce a sensor fusion architecture, where the tracking algorithm is spontaneously switched to achieve the utmost performance under all scenarios. By employing a Real-time Traffic Density Estimation (RTDE) technique, we may understand whether the ego-vehicle is currently in dense or sparse traffic conditions. A highly dense traffic (or congested traffic) condition would mean that external circumstances are non-linear; similarly, sparse traffic conditions would mean that the probability of linear external conditions would be higher. We also employ a Traffic Sign Recognition (TSR) algorithm, which is able to monitor for construction zones, junctions, schools, and pedestrian crossings, thereby identifying areas which have a high probability of spontaneous, on-road occurrences. Based on the results received from the RTDE and TSR algorithms, we construct a logic which switches the tracker of the fusion architecture between an Extended Kalman Filter (for linear external scenarios) and an Unscented Kalman Filter (for non-linear scenarios). This ensures that the fusion model always uses the tracker that is best suited for its current needs, thereby yielding consistent accuracy across multiple external scenarios, compared to the fusion models that employ a fixed single tracker.",https://pureportal.coventry.ac.uk/en/publications/switching-trackers-for-effective-sensor-fusion-in-advanced-driver,"['https://pureportal.coventry.ac.uk/en/persons/ankur-deo', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['switch', 'tracker', 'effect', 'sensor', 'fusion', 'advanc', 'driver', 'assist', 'system', 'ankur', 'deo', 'vasil', 'palad', 'modern', 'car', 'utilis', 'advanc', 'driver', 'assist', 'system', 'ada', 'sever', 'way', 'ada', 'use', 'multipl', 'sensor', 'gaug', 'environ', 'surround', 'ego', 'vehicl', 'offer', 'numer', 'advantag', 'fuse', 'inform', 'one', 'sensor', 'help', 'provid', 'highli', 'reliabl', 'error', 'free', 'data', 'fuse', 'data', 'typic', 'fed', 'tracker', 'algorithm', 'help', 'reduc', 'nois', 'compens', 'situat', 'receiv', 'sensor', 'data', 'temporarili', 'absent', 'spuriou', 'counter', 'offhand', 'fals', 'posit', 'neg', 'perform', 'constitu', 'algorithm', 'vari', 'vastli', 'differ', 'scenario', 'paper', 'focu', 'variat', 'perform', 'tracker', 'algorithm', 'sensor', 'fusion', 'due', 'alter', 'extern', 'condit', 'differ', 'scenario', 'method', 'counter', 'variat', 'introduc', 'sensor', 'fusion', 'architectur', 'track', 'algorithm', 'spontan', 'switch', 'achiev', 'utmost', 'perform', 'scenario', 'employ', 'real', 'time', 'traffic', 'densiti', 'estim', 'rtde', 'techniqu', 'may', 'understand', 'whether', 'ego', 'vehicl', 'current', 'dens', 'spars', 'traffic', 'condit', 'highli', 'dens', 'traffic', 'congest', 'traffic', 'condit', 'would', 'mean', 'extern', 'circumst', 'non', 'linear', 'similarli', 'spars', 'traffic', 'condit', 'would', 'mean', 'probabl', 'linear', 'extern', 'condit', 'would', 'higher', 'also', 'employ', 'traffic', 'sign', 'recognit', 'tsr', 'algorithm', 'abl', 'monitor', 'construct', 'zone', 'junction', 'school', 'pedestrian', 'cross', 'therebi', 'identifi', 'area', 'high', 'probabl', 'spontan', 'road', 'occurr', 'base', 'result', 'receiv', 'rtde', 'tsr', 'algorithm', 'construct', 'logic', 'switch', 'tracker', 'fusion', 'architectur', 'extend', 'kalman', 'filter', 'linear', 'extern', 'scenario', 'unscent', 'kalman', 'filter', 'non', 'linear', 'scenario', 'ensur', 'fusion', 'model', 'alway', 'use', 'tracker', 'best', 'suit', 'current', 'need', 'therebi', 'yield', 'consist', 'accuraci', 'across', 'multipl', 'extern', 'scenario', 'compar', 'fusion', 'model', 'employ', 'fix', 'singl', 'tracker', 'ada', 'extend', 'kalman', 'filter', 'real', 'time', 'traffic', 'densiti', 'estim', 'sensor', 'fusion', 'track', 'traffic', 'sign', 'recognit', 'unscent', 'kalman', 'filter']" +79,The benefits of clustering in cylindrical algebraic decomposition,"Tereso del Río, Matthew England",2022,[],"Cylindrical Algebraic Decomposition (CAD) is a very powerful algorithm with many potential applications, however, its doubly exponential complexity limits its usability. In this document we demonstrate how the techniques of adjacency and clustering would reduce the double exponent of CAD complexity.",https://pureportal.coventry.ac.uk/en/publications/the-benefits-of-clustering-in-cylindrical-algebraic-decomposition,"[None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['benefit', 'cluster', 'cylindr', 'algebra', 'decomposit', 'tereso', 'del', 'río', 'matthew', 'england', 'cylindr', 'algebra', 'decomposit', 'cad', 'power', 'algorithm', 'mani', 'potenti', 'applic', 'howev', 'doubli', 'exponenti', 'complex', 'limit', 'usabl', 'document', 'demonstr', 'techniqu', 'adjac', 'cluster', 'would', 'reduc', 'doubl', 'expon', 'cad', 'complex']" +80,"The politics of Matching: Ethnicity, Religion and Muslim-heritage Children in Care in the UK","Sariya Cheruvallil-Contractor, Alison Halford, Mphatso Jones Boti Phiri",01-Dec-22,"['adoption', 'looked-after children', 'matching', 'minoritisation', 'religion', 'transracial placements']","In 2014, in order to improve outcomes for children from ethnic minority backgrounds and to speed up the adoption process, the UK government changed the Children and Families Act. The legal requirement on adoption agencies to consider ethnicity in the decision around 'matching' was removed, thus clearing the way for transracial placements. This article interrogates the impact of the change in law on social work practice around adoption, using the experiences of diverse Muslim-heritage children as a case study. Grounded in the sociology of religion, the findings presented here are based on semi-structured qualitative interviews (n=28) with those involved in the care of Muslim-heritage children. In discussing qualitative findings, all adopters and prospective adopters interviewed in this research insisted on adopting children who 'look like them', and social workers continued to look for the 'best' possible matches. Children from minoritised backgrounds continue to wait for long periods before finding permanent homes. Our evidence raises questions about the efficacy of policy guidance. Based on this evidence we conclude that greater strategizing is needed around the recruitment of adopters from diverse backgrounds.",https://pureportal.coventry.ac.uk/en/publications/the-politics-of-matching-ethnicity-religion-and-muslim-heritage-c,"['https://pureportal.coventry.ac.uk/en/persons/sariya-cheruvallil-contractor', 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', None]","['polit', 'match', 'ethnic', 'religion', 'muslim', 'heritag', 'children', 'care', 'uk', 'sariya', 'cheruvallil', 'contractor', 'alison', 'halford', 'mphatso', 'jone', 'boti', 'phiri', '2014', 'order', 'improv', 'outcom', 'children', 'ethnic', 'minor', 'background', 'speed', 'adopt', 'process', 'uk', 'govern', 'chang', 'children', 'famili', 'act', 'legal', 'requir', 'adopt', 'agenc', 'consid', 'ethnic', 'decis', 'around', 'match', 'remov', 'thu', 'clear', 'way', 'transraci', 'placement', 'articl', 'interrog', 'impact', 'chang', 'law', 'social', 'work', 'practic', 'around', 'adopt', 'use', 'experi', 'divers', 'muslim', 'heritag', 'children', 'case', 'studi', 'ground', 'sociolog', 'religion', 'find', 'present', 'base', 'semi', 'structur', 'qualit', 'interview', 'n', '28', 'involv', 'care', 'muslim', 'heritag', 'children', 'discuss', 'qualit', 'find', 'adopt', 'prospect', 'adopt', 'interview', 'research', 'insist', 'adopt', 'children', 'look', 'like', 'social', 'worker', 'continu', 'look', 'best', 'possibl', 'match', 'children', 'minoritis', 'background', 'continu', 'wait', 'long', 'period', 'find', 'perman', 'home', 'evid', 'rais', 'question', 'efficaci', 'polici', 'guidanc', 'base', 'evid', 'conclud', 'greater', 'strateg', 'need', 'around', 'recruit', 'adopt', 'divers', 'background', 'adopt', 'look', 'children', 'match', 'minoritis', 'religion', 'transraci', 'placement']" +81,The practice of AI and ethics in energy transition futures,"Euan Morris, Kathryn Stamp, Alison Halford, Elena Gaura",04-Jul-22,[],"With greater implementation of Artificial Intelligence (AI) and big data as part of the transition towards digitalisation of the UK energy sector, there is a need for greater clarity around how ethics and ethical practices are understood and applied by stakeholders.The UK Energy Sector is undergoing a significant shift towards digitalisation. Increased use of AI, whilst improving safety, productivity, and sustainability of energy systems, will become increasingly complex with high computational demands. This raises ethical concerns around issues such as security and privacy. While there is a strong culture of regulatory compliance, there is a significantly less established understanding of ethical practices and frameworks in the UK energy sector.This briefing paper details work conducted by EnergyREV researchers exploring understanding and experience of ethics and AI, as the sector moves towards greater employment of technology in the data collection, storage and use processes. By addressing ethical concerns from the outset, taking a proactive rather than reactive approach, risks can be mitigated, and potential issues addressed early on, leading to more opportunities for technological advancement and innovation.Through engagement with energy actors, an understanding of how ethics is applied by those working in the energy data sector will be improved",https://pureportal.coventry.ac.uk/en/publications/the-practice-of-ai-and-ethics-in-energy-transition-futures,"[None, 'https://pureportal.coventry.ac.uk/en/persons/kathryn-stamp', 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['practic', 'ai', 'ethic', 'energi', 'transit', 'futur', 'euan', 'morri', 'kathryn', 'stamp', 'alison', 'halford', 'elena', 'gaura', 'greater', 'implement', 'artifici', 'intellig', 'ai', 'big', 'data', 'part', 'transit', 'toward', 'digitalis', 'uk', 'energi', 'sector', 'need', 'greater', 'clariti', 'around', 'ethic', 'ethic', 'practic', 'understood', 'appli', 'stakehold', 'uk', 'energi', 'sector', 'undergo', 'signific', 'shift', 'toward', 'digitalis', 'increas', 'use', 'ai', 'whilst', 'improv', 'safeti', 'product', 'sustain', 'energi', 'system', 'becom', 'increasingli', 'complex', 'high', 'comput', 'demand', 'rais', 'ethic', 'concern', 'around', 'issu', 'secur', 'privaci', 'strong', 'cultur', 'regulatori', 'complianc', 'significantli', 'less', 'establish', 'understand', 'ethic', 'practic', 'framework', 'uk', 'energi', 'sector', 'brief', 'paper', 'detail', 'work', 'conduct', 'energyrev', 'research', 'explor', 'understand', 'experi', 'ethic', 'ai', 'sector', 'move', 'toward', 'greater', 'employ', 'technolog', 'data', 'collect', 'storag', 'use', 'process', 'address', 'ethic', 'concern', 'outset', 'take', 'proactiv', 'rather', 'reactiv', 'approach', 'risk', 'mitig', 'potenti', 'issu', 'address', 'earli', 'lead', 'opportun', 'technolog', 'advanc', 'innov', 'engag', 'energi', 'actor', 'understand', 'ethic', 'appli', 'work', 'energi', 'data', 'sector', 'improv']" +82,Transfer Learning based Classification of Diabetic Retinopathy on the Kaggle EyePACS dataset,"Maria Tariq, Vasile Palade, YingLiang Ma",15-Nov-22,[],"Severe stages of diabetes can eventually lead to an eye conditioncalled diabetic retinopathy. It is one of the leading causes of temporary visual disability and permanent blindness. There is no cure for this disease other than a proper treatment in the early stages. Five stages of diabetic retinopathy are discussed in this paper that need to be detected followed by a proper treatment. Transfer learning is used to detect the grades of diabetic retinopathy in eye fundus images, without training from scratch. The Kaggle EyePACS dataset is one of the largest datasetsavailable publicly for experimentation. In our work, an extensive study on the Kaggle EyePACS dataset is carried out using pre-trained models ResNet50 and DenseNet121. The Aptos dataset is also used in comparison with this dataset to examine the performance of the pre-trained models. Different experiments are performed to analyze the images from the different classes in the Kaggle EyePACS dataset. This dataset has significant challenges including image noise, imbalanced classes, and fault annotations. Our work highlights potential problems within the datasetand the conflicts between the classes. A clustering technique is used to get informative images from the normal class to improve the model’s accuracy to 70%.",https://pureportal.coventry.ac.uk/en/publications/transfer-learning-based-classification-of-diabetic-retinopathy-on,"['https://pureportal.coventry.ac.uk/en/persons/maria-tariq', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', 'https://pureportal.coventry.ac.uk/en/persons/yingliang-ma']","['transfer', 'learn', 'base', 'classif', 'diabet', 'retinopathi', 'kaggl', 'eyepac', 'dataset', 'maria', 'tariq', 'vasil', 'palad', 'yingliang', 'sever', 'stage', 'diabet', 'eventu', 'lead', 'eye', 'conditioncal', 'diabet', 'retinopathi', 'one', 'lead', 'caus', 'temporari', 'visual', 'disabl', 'perman', 'blind', 'cure', 'diseas', 'proper', 'treatment', 'earli', 'stage', 'five', 'stage', 'diabet', 'retinopathi', 'discuss', 'paper', 'need', 'detect', 'follow', 'proper', 'treatment', 'transfer', 'learn', 'use', 'detect', 'grade', 'diabet', 'retinopathi', 'eye', 'fundu', 'imag', 'without', 'train', 'scratch', 'kaggl', 'eyepac', 'dataset', 'one', 'largest', 'datasetsavail', 'publicli', 'experiment', 'work', 'extens', 'studi', 'kaggl', 'eyepac', 'dataset', 'carri', 'use', 'pre', 'train', 'model', 'resnet50', 'densenet121', 'apto', 'dataset', 'also', 'use', 'comparison', 'dataset', 'examin', 'perform', 'pre', 'train', 'model', 'differ', 'experi', 'perform', 'analyz', 'imag', 'differ', 'class', 'kaggl', 'eyepac', 'dataset', 'dataset', 'signific', 'challeng', 'includ', 'imag', 'nois', 'imbalanc', 'class', 'fault', 'annot', 'work', 'highlight', 'potenti', 'problem', 'within', 'datasetand', 'conflict', 'class', 'cluster', 'techniqu', 'use', 'get', 'inform', 'imag', 'normal', 'class', 'improv', 'model', 'accuraci', '70']" +83,Trustworthiness of systematic review automation: An Interview at Coventry University,Xiaorui Jiang,2022,[],,https://pureportal.coventry.ac.uk/en/publications/trustworthiness-of-systematic-review-automation-an-interview-at-c,['https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang'],"['trustworthi', 'systemat', 'review', 'autom', 'interview', 'coventri', 'univers', 'xiaorui', 'jiang']" +84,Using Machine Learning for Anomaly Detection on a System-on-Chip under Gamma Radiation,"Eduardo Weber Wächter, Server Kasap, Şefki Kolozali, Xiaojun Zhai, Shoaib Ehsan, Klaus D. McDonald-Maier",Nov-22,"['Gamma radiation', 'MachineLearning', 'Anomaly Detection', 'Field Programmable Gate Arrays. TID']","The emergence of new nanoscale technologies has imposed significant challenges to designing reliable electronic systems in radiation environments. A few types of radiation like Total Ionizing Dose (TID) can cause permanent damages on such nanoscale electronic devices, and current state-of-the-art technologies to tackle TID make use of expensive radiation-hardened devices. This paper focuses on a novel and different approach: using machine learning algorithms on consumer electronic level Field Programmable Gate Arrays (FPGAs) to tackle TID effects and monitor them to replace before they stop working. This condition has a research challenge to anticipate when the board results in a total failure due to TID effects. We observed internal measurements of FPGA boards under gamma radiation and used three different anomaly detection machine learning (ML) algorithms to detect anomalies in the sensor measurements in a gamma-radiated environment. The statistical results show a highly significant relationship between the gamma radiation exposure levels and the board measurements. Moreover, our anomaly detection results have shown that a One-Class SVM with Radial Basis Function Kernel has an average recall score of 0.95. Also, all anomalies can be detected before the boards are entirely inoperative, i.e. voltages drop to zero and confirmed with a sanity check.",https://pureportal.coventry.ac.uk/en/publications/using-machine-learning-for-anomaly-detection-on-a-system-on-chip--2,"[None, 'https://pureportal.coventry.ac.uk/en/persons/server-kasap', None, None, None, None]","['use', 'machin', 'learn', 'anomali', 'detect', 'system', 'chip', 'gamma', 'radiat', 'eduardo', 'weber', 'wächter', 'server', 'kasap', 'şefki', 'kolozali', 'xiaojun', 'zhai', 'shoaib', 'ehsan', 'klau', 'mcdonald', 'maier', 'emerg', 'new', 'nanoscal', 'technolog', 'impos', 'signific', 'challeng', 'design', 'reliabl', 'electron', 'system', 'radiat', 'environ', 'type', 'radiat', 'like', 'total', 'ioniz', 'dose', 'tid', 'caus', 'perman', 'damag', 'nanoscal', 'electron', 'devic', 'current', 'state', 'art', 'technolog', 'tackl', 'tid', 'make', 'use', 'expens', 'radiat', 'harden', 'devic', 'paper', 'focus', 'novel', 'differ', 'approach', 'use', 'machin', 'learn', 'algorithm', 'consum', 'electron', 'level', 'field', 'programm', 'gate', 'array', 'fpga', 'tackl', 'tid', 'effect', 'monitor', 'replac', 'stop', 'work', 'condit', 'research', 'challeng', 'anticip', 'board', 'result', 'total', 'failur', 'due', 'tid', 'effect', 'observ', 'intern', 'measur', 'fpga', 'board', 'gamma', 'radiat', 'use', 'three', 'differ', 'anomali', 'detect', 'machin', 'learn', 'ml', 'algorithm', 'detect', 'anomali', 'sensor', 'measur', 'gamma', 'radiat', 'environ', 'statist', 'result', 'show', 'highli', 'signific', 'relationship', 'gamma', 'radiat', 'exposur', 'level', 'board', 'measur', 'moreov', 'anomali', 'detect', 'result', 'shown', 'one', 'class', 'svm', 'radial', 'basi', 'function', 'kernel', 'averag', 'recal', 'score', '0', '95', 'also', 'anomali', 'detect', 'board', 'entir', 'inop', 'e', 'voltag', 'drop', 'zero', 'confirm', 'saniti', 'check', 'gamma', 'radiat', 'machinelearn', 'anomali', 'detect', 'field', 'programm', 'gate', 'array', 'tid']" +85,Using Machine Learning for Anomaly Detection on a System-on-Chip under Gamma Radiation,"Eduardo Weber Wachter, Server Kasap, Sefki Kolozali, Xiaojun Zhai, Shoaib Ehsan, Klaus McDonald-Maier",05-Jan-22,['cs.LG']," The emergence of new nanoscale technologies has imposed significant challenges to designing reliable electronic systems in radiation environments. A few types of radiation like Total Ionizing Dose (TID) effects often cause permanent damages on such nanoscale electronic devices, and current state-of-the-art technologies to tackle TID make use of expensive radiation-hardened devices. This paper focuses on a novel and different approach: using machine learning algorithms on consumer electronic level Field Programmable Gate Arrays (FPGAs) to tackle TID effects and monitor them to replace before they stop working. This condition has a research challenge to anticipate when the board results in a total failure due to TID effects. We observed internal measurements of the FPGA boards under gamma radiation and used three different anomaly detection machine learning (ML) algorithms to detect anomalies in the sensor measurements in a gamma-radiated environment. The statistical results show a highly significant relationship between the gamma radiation exposure levels and the board measurements. Moreover, our anomaly detection results have shown that a One-Class Support Vector Machine with Radial Basis Function Kernel has an average Recall score of 0.95. Also, all anomalies can be detected before the boards stop working. ",https://pureportal.coventry.ac.uk/en/publications/using-machine-learning-for-anomaly-detection-on-a-system-on-chip-,"[None, 'https://pureportal.coventry.ac.uk/en/persons/server-kasap', None, None, None, None]","['use', 'machin', 'learn', 'anomali', 'detect', 'system', 'chip', 'gamma', 'radiat', 'eduardo', 'weber', 'wachter', 'server', 'kasap', 'sefki', 'kolozali', 'xiaojun', 'zhai', 'shoaib', 'ehsan', 'klau', 'mcdonald', 'maier', 'emerg', 'new', 'nanoscal', 'technolog', 'impos', 'signific', 'challeng', 'design', 'reliabl', 'electron', 'system', 'radiat', 'environ', 'type', 'radiat', 'like', 'total', 'ioniz', 'dose', 'tid', 'effect', 'often', 'caus', 'perman', 'damag', 'nanoscal', 'electron', 'devic', 'current', 'state', 'art', 'technolog', 'tackl', 'tid', 'make', 'use', 'expens', 'radiat', 'harden', 'devic', 'paper', 'focus', 'novel', 'differ', 'approach', 'use', 'machin', 'learn', 'algorithm', 'consum', 'electron', 'level', 'field', 'programm', 'gate', 'array', 'fpga', 'tackl', 'tid', 'effect', 'monitor', 'replac', 'stop', 'work', 'condit', 'research', 'challeng', 'anticip', 'board', 'result', 'total', 'failur', 'due', 'tid', 'effect', 'observ', 'intern', 'measur', 'fpga', 'board', 'gamma', 'radiat', 'use', 'three', 'differ', 'anomali', 'detect', 'machin', 'learn', 'ml', 'algorithm', 'detect', 'anomali', 'sensor', 'measur', 'gamma', 'radiat', 'environ', 'statist', 'result', 'show', 'highli', 'signific', 'relationship', 'gamma', 'radiat', 'exposur', 'level', 'board', 'measur', 'moreov', 'anomali', 'detect', 'result', 'shown', 'one', 'class', 'support', 'vector', 'machin', 'radial', 'basi', 'function', 'kernel', 'averag', 'recal', 'score', '0', '95', 'also', 'anomali', 'detect', 'board', 'stop', 'work', 'cs', 'lg']" +86,Using Machine Learning in SC2,Tereso del Río,23-Aug-22,[],"This talk exposes many possible uses of Machine Learning (ML) in the context of SC2, and how this approach differs from human-made heuristics. Different ML paradigms are presented and it is discussed how symbolic data could be encoded. This talk also intends to motivate a discussion about which datasets should be used for training and testing ML models.",https://pureportal.coventry.ac.uk/en/publications/using-machine-learning-in-sc2,[None],"['use', 'machin', 'learn', 'sc2', 'tereso', 'del', 'río', 'talk', 'expos', 'mani', 'possibl', 'use', 'machin', 'learn', 'ml', 'context', 'sc2', 'approach', 'differ', 'human', 'made', 'heurist', 'differ', 'ml', 'paradigm', 'present', 'discuss', 'symbol', 'data', 'could', 'encod', 'talk', 'also', 'intend', 'motiv', 'discuss', 'dataset', 'use', 'train', 'test', 'ml', 'model']" +87,Using multi-objective optimisation with ADM1 and measured data to improve the performance of an existing anaerobic digestion system,"R.J. Ashraf, J.D. Nixon, J. Brusey",Aug-22,"['Substrate feeding rate', 'Multi-objective optimisation', 'Case study', 'ADM1', 'Utility function', 'Genetic algorithm (GA)', 'Anaerobic digestion', 'Systems modelling']","This paper presents a method to model and optimise the substrate feeding rate of an anaerobic digestion (AD) system. The method is demonstrated for a case study plant in Bangalore, India, using onsite kitchen waste to provide biogas for cooking. The AD system is modelled using Anaerobic Digestion Model No. 1 (ADM1) and a genetic algorithm (GA) is applied to control the substrate feeding rate in order to simultaneously minimise the volume of flared biogas, unmet gas demand and energy cost. Our results show that ADM1 can predict biogas yield from a continuously operated digester well with mean percentage error between daily predicted and measured data values of only 5.7% for March 2017 and 17.8% for July 2017. When biogas flaring and unmet gas demand were minimised, the amount of biogas flared reduced from 886.62 m3 to 88.87 m3 in March and from 73.79 m3 to 68.49 m3 in July. When the energy cost was also considered within an objective function, the biogas flared reduced from 886.62 m3 to 281.27 m3 for March, but increased from 73.79 m3 to 180.11 m3 for July. The amount of flaring increased in July as the energy cost function increased biogas yield without considering surplus gas production beyond demand and storage capacity. As AD systems are often operated to maximise biogas production, these results highlight the need for multi-objective optimisation, particularly for off-grid AD systems.",https://pureportal.coventry.ac.uk/en/publications/using-multi-objective-optimisation-with-adm1-and-measured-data-to,"[None, None, None]","['use', 'multi', 'object', 'optimis', 'adm1', 'measur', 'data', 'improv', 'perform', 'exist', 'anaerob', 'digest', 'system', 'r', 'j', 'ashraf', 'j', 'nixon', 'j', 'brusey', 'paper', 'present', 'method', 'model', 'optimis', 'substrat', 'feed', 'rate', 'anaerob', 'digest', 'ad', 'system', 'method', 'demonstr', 'case', 'studi', 'plant', 'bangalor', 'india', 'use', 'onsit', 'kitchen', 'wast', 'provid', 'bioga', 'cook', 'ad', 'system', 'model', 'use', 'anaerob', 'digest', 'model', '1', 'adm1', 'genet', 'algorithm', 'ga', 'appli', 'control', 'substrat', 'feed', 'rate', 'order', 'simultan', 'minimis', 'volum', 'flare', 'bioga', 'unmet', 'ga', 'demand', 'energi', 'cost', 'result', 'show', 'adm1', 'predict', 'bioga', 'yield', 'continu', 'oper', 'digest', 'well', 'mean', 'percentag', 'error', 'daili', 'predict', 'measur', 'data', 'valu', '5', '7', 'march', '2017', '17', '8', 'juli', '2017', 'bioga', 'flare', 'unmet', 'ga', 'demand', 'minimis', 'amount', 'bioga', 'flare', 'reduc', '886', '62', 'm3', '88', '87', 'm3', 'march', '73', '79', 'm3', '68', '49', 'm3', 'juli', 'energi', 'cost', 'also', 'consid', 'within', 'object', 'function', 'bioga', 'flare', 'reduc', '886', '62', 'm3', '281', '27', 'm3', 'march', 'increas', '73', '79', 'm3', '180', '11', 'm3', 'juli', 'amount', 'flare', 'increas', 'juli', 'energi', 'cost', 'function', 'increas', 'bioga', 'yield', 'without', 'consid', 'surplu', 'ga', 'product', 'beyond', 'demand', 'storag', 'capac', 'ad', 'system', 'often', 'oper', 'maximis', 'bioga', 'product', 'result', 'highlight', 'need', 'multi', 'object', 'optimis', 'particularli', 'grid', 'ad', 'system', 'substrat', 'feed', 'rate', 'multi', 'object', 'optimis', 'case', 'studi', 'adm1', 'util', 'function', 'genet', 'algorithm', 'ga', 'anaerob', 'digest', 'system', 'model']" +88,Using Physics-informed Neural Networks to Model the Hydro-morphodynamics of Mangrove Environments,Majdi Fanous,09-Dec-22,[],,https://pureportal.coventry.ac.uk/en/publications/using-physics-informed-neural-networks-to-model-the-hydro-morphod,['https://pureportal.coventry.ac.uk/en/persons/majdi-fanous'],"['use', 'physic', 'inform', 'neural', 'network', 'model', 'hydro', 'morphodynam', 'mangrov', 'environ', 'majdi', 'fanou']" +89,Word representation using refined contexts,"Ming Zhang, Vasile Palade, Yan Wang, Zhicheng Ji",Sep-22,"['Contextual distance', 'Contextual position variation', 'Point-wise mutual information', 'Singular vector decomposition', 'Word representation']","In this paper, inspired from the idea that the contextual distances and positions may have a substantial impact on distinguishing the relationships between words, a novel word association method with two weighting schemes for refining contexts, named as Weighted Point-wise Mutual Information with Contextual Distances and Positions (PMIDP), is proposed to eliminate the noisy and redundant information hidden in an imbalanced corpus. One weighting scheme, called PMIdist, revises the Point-wise Mutual Information (PMI) method by scaling the co-occurrence counts according to the distance between a word and the context. The second weighting scheme is a ratio that can measure the contextual position variation within the window of a given word. Then, the refined word association in PMIDP is defined as the multiplication of the two proposed weighting schemes, which essentially aims to flexibly adjust the word association when solving target-oriented similarity tasks. The proposed word association method has been applied on two widely known models, i.e., the positive PMI matrix with truncated Singular Vector Decomposition (PPMI-SVD) model and the Global Vectors (GloVe) model. Experimental results demonstrate that the PMIDP method can significantly improve the performances of the two models on both semantic and relational similarity tasks and show advantages when compared with other state-of-the-art models.",https://pureportal.coventry.ac.uk/en/publications/word-representation-using-refined-contexts,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None]","['word', 'represent', 'use', 'refin', 'context', 'ming', 'zhang', 'vasil', 'palad', 'yan', 'wang', 'zhicheng', 'ji', 'paper', 'inspir', 'idea', 'contextu', 'distanc', 'posit', 'may', 'substanti', 'impact', 'distinguish', 'relationship', 'word', 'novel', 'word', 'associ', 'method', 'two', 'weight', 'scheme', 'refin', 'context', 'name', 'weight', 'point', 'wise', 'mutual', 'inform', 'contextu', 'distanc', 'posit', 'pmidp', 'propos', 'elimin', 'noisi', 'redund', 'inform', 'hidden', 'imbalanc', 'corpu', 'one', 'weight', 'scheme', 'call', 'pmidist', 'revis', 'point', 'wise', 'mutual', 'inform', 'pmi', 'method', 'scale', 'co', 'occurr', 'count', 'accord', 'distanc', 'word', 'context', 'second', 'weight', 'scheme', 'ratio', 'measur', 'contextu', 'posit', 'variat', 'within', 'window', 'given', 'word', 'refin', 'word', 'associ', 'pmidp', 'defin', 'multipl', 'two', 'propos', 'weight', 'scheme', 'essenti', 'aim', 'flexibl', 'adjust', 'word', 'associ', 'solv', 'target', 'orient', 'similar', 'task', 'propos', 'word', 'associ', 'method', 'appli', 'two', 'wide', 'known', 'model', 'e', 'posit', 'pmi', 'matrix', 'truncat', 'singular', 'vector', 'decomposit', 'ppmi', 'svd', 'model', 'global', 'vector', 'glove', 'model', 'experiment', 'result', 'demonstr', 'pmidp', 'method', 'significantli', 'improv', 'perform', 'two', 'model', 'semant', 'relat', 'similar', 'task', 'show', 'advantag', 'compar', 'state', 'art', 'model', 'contextu', 'distanc', 'contextu', 'posit', 'variat', 'point', 'wise', 'mutual', 'inform', 'singular', 'vector', 'decomposit', 'word', 'represent']" +90,Access Point Selection Strategies for Indoor 5G Millimeter-Wave Distributed Antenna Systems,"Lei Zhang, Simon Cotton, Seong Ki Yoo, Marta Fernandez, William Scanlon",27-Apr-21,"['access Point Selection Strategies for Indoor 5G Millimeter-Wave Distributed Antenna Systems\t\t\t\t\t\t\t\t\tAccess Point Selection Strategies for Indoor 5G Millimeter-Wave Distributed Antenna Systems', 'channel cross correlation', 'channel measurement', 'distributed antenna system', 'diversity gain', 'millimeter wave', 'time series analysis']","In this paper, we study the use of three candidate Access Point (AP) selection mechanisms for use with indoor millimetre-wave (mmWave) Distributed Antenna Systems (DASs). These are per-sample random AP selection, one-shot AP selection and per-sample optimal AP selection. To facilitate our analysis, we used a customized measurement system operating at 60 GHz, to record the signal power time series simultaneously received at 9 ceiling mounted AP locations while a mobile user imitating a voice call application. Using the time series data, the localized cross correlation coefficient (CCC) was subsequently estimated from the raw received signal strength (RSS) using the Spearman's rank-order correlation. It was found that the resultant time series of the localized CCCs was well-described by the Gaussian distribution across all of the considered measurement scenarios. Moreover, it was observed that the line-of-sight (LOS) and quasi-LOS (QLOS) paths typically led to higher CCC values with broader spreads than the non-LOS (NLOS) scenarios. To study the potential for signal enhancement by using diversity combining in mmWave DASs, we applied selection combining, equal gain combining and maximal ratio combining before investigating the AP selection mechanisms. Finally, we provide some useful insights into the influence of differing AP numbers on the diversity gain when considering the aforementioned AP selection methods.",https://pureportal.coventry.ac.uk/en/publications/access-point-selection-strategies-for-indoor-5g-millimeter-wave-d,"[None, None, None, None, None]","['access', 'point', 'select', 'strategi', 'indoor', '5g', 'millimet', 'wave', 'distribut', 'antenna', 'system', 'lei', 'zhang', 'simon', 'cotton', 'seong', 'ki', 'yoo', 'marta', 'fernandez', 'william', 'scanlon', 'paper', 'studi', 'use', 'three', 'candid', 'access', 'point', 'ap', 'select', 'mechan', 'use', 'indoor', 'millimetr', 'wave', 'mmwave', 'distribut', 'antenna', 'system', 'dass', 'per', 'sampl', 'random', 'ap', 'select', 'one', 'shot', 'ap', 'select', 'per', 'sampl', 'optim', 'ap', 'select', 'facilit', 'analysi', 'use', 'custom', 'measur', 'system', 'oper', '60', 'ghz', 'record', 'signal', 'power', 'time', 'seri', 'simultan', 'receiv', '9', 'ceil', 'mount', 'ap', 'locat', 'mobil', 'user', 'imit', 'voic', 'call', 'applic', 'use', 'time', 'seri', 'data', 'local', 'cross', 'correl', 'coeffici', 'ccc', 'subsequ', 'estim', 'raw', 'receiv', 'signal', 'strength', 'rss', 'use', 'spearman', 'rank', 'order', 'correl', 'found', 'result', 'time', 'seri', 'local', 'ccc', 'well', 'describ', 'gaussian', 'distribut', 'across', 'consid', 'measur', 'scenario', 'moreov', 'observ', 'line', 'sight', 'lo', 'quasi', 'lo', 'qlo', 'path', 'typic', 'led', 'higher', 'ccc', 'valu', 'broader', 'spread', 'non', 'lo', 'nlo', 'scenario', 'studi', 'potenti', 'signal', 'enhanc', 'use', 'divers', 'combin', 'mmwave', 'dass', 'appli', 'select', 'combin', 'equal', 'gain', 'combin', 'maxim', 'ratio', 'combin', 'investig', 'ap', 'select', 'mechan', 'final', 'provid', 'use', 'insight', 'influenc', 'differ', 'ap', 'number', 'divers', 'gain', 'consid', 'aforement', 'ap', 'select', 'method', 'access', 'point', 'select', 'strategi', 'indoor', '5g', 'millimet', 'wave', 'distribut', 'antenna', 'system', 'access', 'point', 'select', 'strategi', 'indoor', '5g', 'millimet', 'wave', 'distribut', 'antenna', 'system', 'channel', 'cross', 'correl', 'channel', 'measur', 'distribut', 'antenna', 'system', 'divers', 'gain', 'millimet', 'wave', 'time', 'seri', 'analysi']" +91,Adversarial Learning on Incomplete and Imbalanced Medical Data for Robust Survival Prediction of Liver Transplant Patients,"Ehsan Hallaji, Roozbeh Razavi-Far, Vasile Palade, Mehrdad Saif",24-May-21,"['class imbalance', 'decision-making', 'generative adversarial networks', 'liver transplantation', 'missing data imputation', 'Survival prediction']","The scarcity of liver transplants necessitates prioritizing patients based on their health condition to minimize deaths on the waiting list. Recently, machine learning methods have gained popularity for automatizing liver transplant allocation systems, which enables prompt and suitable selection of recipients. Nevertheless, raw medical data often contain complexities such as missing values and class imbalance that reduce the reliability of the constructed model. This paper aims at eliminating the respective challenges to ensure the reliability of the decision-making process. To this aim, we first propose a novel deep learning method to simultaneously eliminate these challenges and predict the patients' survival chance. Secondly, a hybrid framework is designed that contains three main modules for missing data imputation, class imbalance learning, and classification, each of which employing multiple advanced techniques for the given task. Furthermore, these two approaches are compared and evaluated using a real clinical case study. The experimental results indicate the robust and superior performance of the proposed deep learning method in terms of F-measure and area under the receiver operating characteristic curve (AUC). ",https://pureportal.coventry.ac.uk/en/publications/adversarial-learning-on-incomplete-and-imbalanced-medical-data-fo,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['adversari', 'learn', 'incomplet', 'imbalanc', 'medic', 'data', 'robust', 'surviv', 'predict', 'liver', 'transplant', 'patient', 'ehsan', 'hallaji', 'roozbeh', 'razavi', 'far', 'vasil', 'palad', 'mehrdad', 'saif', 'scarciti', 'liver', 'transplant', 'necessit', 'priorit', 'patient', 'base', 'health', 'condit', 'minim', 'death', 'wait', 'list', 'recent', 'machin', 'learn', 'method', 'gain', 'popular', 'automat', 'liver', 'transplant', 'alloc', 'system', 'enabl', 'prompt', 'suitabl', 'select', 'recipi', 'nevertheless', 'raw', 'medic', 'data', 'often', 'contain', 'complex', 'miss', 'valu', 'class', 'imbal', 'reduc', 'reliabl', 'construct', 'model', 'paper', 'aim', 'elimin', 'respect', 'challeng', 'ensur', 'reliabl', 'decis', 'make', 'process', 'aim', 'first', 'propos', 'novel', 'deep', 'learn', 'method', 'simultan', 'elimin', 'challeng', 'predict', 'patient', 'surviv', 'chanc', 'secondli', 'hybrid', 'framework', 'design', 'contain', 'three', 'main', 'modul', 'miss', 'data', 'imput', 'class', 'imbal', 'learn', 'classif', 'employ', 'multipl', 'advanc', 'techniqu', 'given', 'task', 'furthermor', 'two', 'approach', 'compar', 'evalu', 'use', 'real', 'clinic', 'case', 'studi', 'experiment', 'result', 'indic', 'robust', 'superior', 'perform', 'propos', 'deep', 'learn', 'method', 'term', 'f', 'measur', 'area', 'receiv', 'oper', 'characterist', 'curv', 'auc', 'class', 'imbal', 'decis', 'make', 'gener', 'adversari', 'network', 'liver', 'transplant', 'miss', 'data', 'imput', 'surviv', 'predict']" +92,A full-parallel implementation of Self-Organizing Maps on hardware,"Leonardo A. Dias, Augusto M. P. Damasceno, Elena Gaura, Marcelo A.C. Fernandes",Nov-21,"['FPGA', 'Hardware', 'Parallel design', 'Self-Organizing Map']","Self-Organizing Maps (SOMs) are extensively used for data clustering and dimensionality reduction. However, if applications are to fully benefit from SOM based techniques, high-speed processing is demanding, given that data tends to be both highly dimensional and yet “big”. Hence, a fully parallel architecture for the SOM is introduced to optimize the system’s data processing time. Unlike most literature approaches, the architecture proposed here does not contain sequential steps - a common limiting factor for processing speed. The architecture was validated on FPGA and evaluated concerning hardware throughput and the use of resources. Comparisons to the state of the art show a speedup of 8.91x over a partially serial implementation, using less than 15% of hardware resources available. Thus, the method proposed here points to a hardware architecture that will not be obsolete quickly.",https://pureportal.coventry.ac.uk/en/publications/a-full-parallel-implementation-of-self-organizing-maps-on-hardwar,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', None]","['full', 'parallel', 'implement', 'self', 'organ', 'map', 'hardwar', 'leonardo', 'dia', 'augusto', 'p', 'damasceno', 'elena', 'gaura', 'marcelo', 'c', 'fernand', 'self', 'organ', 'map', 'som', 'extens', 'use', 'data', 'cluster', 'dimension', 'reduct', 'howev', 'applic', 'fulli', 'benefit', 'som', 'base', 'techniqu', 'high', 'speed', 'process', 'demand', 'given', 'data', 'tend', 'highli', 'dimension', 'yet', 'big', 'henc', 'fulli', 'parallel', 'architectur', 'som', 'introduc', 'optim', 'system', 'data', 'process', 'time', 'unlik', 'literatur', 'approach', 'architectur', 'propos', 'contain', 'sequenti', 'step', 'common', 'limit', 'factor', 'process', 'speed', 'architectur', 'valid', 'fpga', 'evalu', 'concern', 'hardwar', 'throughput', 'use', 'resourc', 'comparison', 'state', 'art', 'show', 'speedup', '8', '91x', 'partial', 'serial', 'implement', 'use', 'less', '15', 'hardwar', 'resourc', 'avail', 'thu', 'method', 'propos', 'point', 'hardwar', 'architectur', 'obsolet', 'quickli', 'fpga', 'hardwar', 'parallel', 'design', 'self', 'organ', 'map']" +93,A hybrid framework for brain tissue segmentation in magnetic resonance images,"Chao Li, Jun Sun, Li Liu, Vasile Palade",Dec-21,"['brain tissue segmentation', 'expectation–maximization', 'hidden Markov random field', 'magnetic resonance image', 'random drift particle swarm optimization']","Having a robust image segmentation strategy is very important in magnetic resonance image (MRI) processing for an effective and early disease detection and diagnosis. Since MRI can present tissues of interest in both morphological and functional images, various segmentation techniques have been employed for this. The algorithms based on Markov random field (MRF) have shown strong abilities in dealing with noisy image segmentation compared to other methods. In this article, inspired by the random drift particle swarm optimization (RDPSO) algorithm, we propose a novel hybrid framework based on a combination of the RDPSO with the hidden MRF model and the expectation–maximization algorithm (HMRF-EM), to be used for MRI segmentation in real-time environments. The proposed hybrid framework is compared with the standalone HMRF-EM method, two other MRF-based stochastic relaxation algorithms, and two widely used brain tissue segmentation toolboxes on both simulated and real MRI datasets. The experimental results prove that the proposed hybrid framework can obtain better segmentation results than most of its competitors and has faster convergence speed than the compared stochastic optimization algorithms.",https://pureportal.coventry.ac.uk/en/publications/a-hybrid-framework-for-brain-tissue-segmentation-in-magnetic-reso,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['hybrid', 'framework', 'brain', 'tissu', 'segment', 'magnet', 'reson', 'imag', 'chao', 'li', 'jun', 'sun', 'li', 'liu', 'vasil', 'palad', 'robust', 'imag', 'segment', 'strategi', 'import', 'magnet', 'reson', 'imag', 'mri', 'process', 'effect', 'earli', 'diseas', 'detect', 'diagnosi', 'sinc', 'mri', 'present', 'tissu', 'interest', 'morpholog', 'function', 'imag', 'variou', 'segment', 'techniqu', 'employ', 'algorithm', 'base', 'markov', 'random', 'field', 'mrf', 'shown', 'strong', 'abil', 'deal', 'noisi', 'imag', 'segment', 'compar', 'method', 'articl', 'inspir', 'random', 'drift', 'particl', 'swarm', 'optim', 'rdpso', 'algorithm', 'propos', 'novel', 'hybrid', 'framework', 'base', 'combin', 'rdpso', 'hidden', 'mrf', 'model', 'expect', 'maxim', 'algorithm', 'hmrf', 'em', 'use', 'mri', 'segment', 'real', 'time', 'environ', 'propos', 'hybrid', 'framework', 'compar', 'standalon', 'hmrf', 'em', 'method', 'two', 'mrf', 'base', 'stochast', 'relax', 'algorithm', 'two', 'wide', 'use', 'brain', 'tissu', 'segment', 'toolbox', 'simul', 'real', 'mri', 'dataset', 'experiment', 'result', 'prove', 'propos', 'hybrid', 'framework', 'obtain', 'better', 'segment', 'result', 'competitor', 'faster', 'converg', 'speed', 'compar', 'stochast', 'optim', 'algorithm', 'brain', 'tissu', 'segment', 'expect', 'maxim', 'hidden', 'markov', 'random', 'field', 'magnet', 'reson', 'imag', 'random', 'drift', 'particl', 'swarm', 'optim']" +94,A hybrid framework for detecting and eliminating cyber-attacks in power grids,"Arshia Aflaki, Mohsen Gitizadeh, Roozbeh Razavi-Far, Vasile Palade, Ali Akbar Ghasemi",15-Sep-21,"['Cyber-attacks', 'Dynamic state estimation', 'Hierarchical clustering', 'Kalman filter', 'Unsupervised learning']","The work described in this paper aims to detect and eliminate cyber-attacks in smart grids that disrupt the process of dynamic state estimation. This work makes use of an unsupervised learning method, called hierarchical clustering, in an attempt to create an artificial sensor to detect two different cyber-sabotage cases, known as false data injection and denial-of-service, during the dynamic behavior of the power system. The detection process is conducted by using an unsupervised learning-enhanced approach, and a decision tree regressor is then employed for removing the threat. The dynamic state estimation of the power system is done by Kalman filters, which provide benefits in terms of the speed and accuracy of the process. Measurement devices in utilities and buses are vulnerable to communication interruptions between phasor measurement units and operators, who can be easily manipulated by false data. While Kalman filters are incapable of detecting the majority of such cyber-attacks, this article proves that the proposed unsupervised machine learning method is able to detect more than 90 percent of the mentioned attacks. The simulation results on the IEEE 9-bus with 3-machines and IEEE 14-bus with 5-machines systems verify the efficiency of the proposed approach.",https://pureportal.coventry.ac.uk/en/publications/a-hybrid-framework-for-detecting-and-eliminating-cyber-attacks-in,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['hybrid', 'framework', 'detect', 'elimin', 'cyber', 'attack', 'power', 'grid', 'arshia', 'aflaki', 'mohsen', 'gitizadeh', 'roozbeh', 'razavi', 'far', 'vasil', 'palad', 'ali', 'akbar', 'ghasemi', 'work', 'describ', 'paper', 'aim', 'detect', 'elimin', 'cyber', 'attack', 'smart', 'grid', 'disrupt', 'process', 'dynam', 'state', 'estim', 'work', 'make', 'use', 'unsupervis', 'learn', 'method', 'call', 'hierarch', 'cluster', 'attempt', 'creat', 'artifici', 'sensor', 'detect', 'two', 'differ', 'cyber', 'sabotag', 'case', 'known', 'fals', 'data', 'inject', 'denial', 'servic', 'dynam', 'behavior', 'power', 'system', 'detect', 'process', 'conduct', 'use', 'unsupervis', 'learn', 'enhanc', 'approach', 'decis', 'tree', 'regressor', 'employ', 'remov', 'threat', 'dynam', 'state', 'estim', 'power', 'system', 'done', 'kalman', 'filter', 'provid', 'benefit', 'term', 'speed', 'accuraci', 'process', 'measur', 'devic', 'util', 'buse', 'vulner', 'commun', 'interrupt', 'phasor', 'measur', 'unit', 'oper', 'easili', 'manipul', 'fals', 'data', 'kalman', 'filter', 'incap', 'detect', 'major', 'cyber', 'attack', 'articl', 'prove', 'propos', 'unsupervis', 'machin', 'learn', 'method', 'abl', 'detect', '90', 'percent', 'mention', 'attack', 'simul', 'result', 'ieee', '9', 'bu', '3', 'machin', 'ieee', '14', 'bu', '5', 'machin', 'system', 'verifi', 'effici', 'propos', 'approach', 'cyber', 'attack', 'dynam', 'state', 'estim', 'hierarch', 'cluster', 'kalman', 'filter', 'unsupervis', 'learn']" +95,A Jump-Markov Regularized Particle Filter for the estimation of ambiguous sensor faults,"Enzo Iglésis, Karim Dahia, Helene Piet-Lahanier, Nicolas Jonathan Adrien Merlinge, Nadjim Horri, James Brusey",14-Apr-21,"['fixed-wing UAVs', 'fault estimation', 'Jump-Markov Regularized Particle Filter', 'IMM-KF', 'Fault estimation', 'Fixed-wing UAVs', 'Jump-Markov regularized particle filter']","Sensor or actuator faults occurring on a Unmanned Aerial Vehicle (UAV) can compromise the system integrity.Fault diagnosis methods is then becoming a required feature for those systems.In this paper, the focus is on fault estimation for a fixed-wing UAVs in the presence of simultaneous sensor faults.The altitude measurements of a UAV are commonly obtained from the combination of two different types of sensors: a Global Navigation Satellite System (GNSS) receiver and a barometer.Both sensors are subject to additive abrupt faults.To deal with the multimodal nature of the faulty modes, a Jump-Markov Regularized Particle Filter (JMRPF) is proposed in this paper to estimate the barometric altitude and GNSS altitude measurement faults, including the case when both faults occur simultaneously.This method is based on a regularization step that improves the robustness thanks to the approximation of the conditional density by a kernel mixture.In addition, the new jump strategy estimates the correct failure mode in 100% of the 100 simulations performed in this paper.This approach is compared with an Interacting Multiple Model Kalman Filter (IMM-KF) and the results show that the JMRPF outperforms the IMM-KF approach, particularly in the ambiguous case when both sensors are simultaneously subject to additive abrupt faults.",https://pureportal.coventry.ac.uk/en/publications/a-jump-markov-regularized-particle-filter-for-the-estimation-of-a,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/nadjim-horri', 'https://pureportal.coventry.ac.uk/en/persons/james-brusey']","['jump', 'markov', 'regular', 'particl', 'filter', 'estim', 'ambigu', 'sensor', 'fault', 'enzo', 'iglési', 'karim', 'dahia', 'helen', 'piet', 'lahani', 'nicola', 'jonathan', 'adrien', 'merling', 'nadjim', 'horri', 'jame', 'brusey', 'sensor', 'actuat', 'fault', 'occur', 'unman', 'aerial', 'vehicl', 'uav', 'compromis', 'system', 'integr', 'fault', 'diagnosi', 'method', 'becom', 'requir', 'featur', 'system', 'paper', 'focu', 'fault', 'estim', 'fix', 'wing', 'uav', 'presenc', 'simultan', 'sensor', 'fault', 'altitud', 'measur', 'uav', 'commonli', 'obtain', 'combin', 'two', 'differ', 'type', 'sensor', 'global', 'navig', 'satellit', 'system', 'gnss', 'receiv', 'baromet', 'sensor', 'subject', 'addit', 'abrupt', 'fault', 'deal', 'multimod', 'natur', 'faulti', 'mode', 'jump', 'markov', 'regular', 'particl', 'filter', 'jmrpf', 'propos', 'paper', 'estim', 'barometr', 'altitud', 'gnss', 'altitud', 'measur', 'fault', 'includ', 'case', 'fault', 'occur', 'simultan', 'method', 'base', 'regular', 'step', 'improv', 'robust', 'thank', 'approxim', 'condit', 'densiti', 'kernel', 'mixtur', 'addit', 'new', 'jump', 'strategi', 'estim', 'correct', 'failur', 'mode', '100', '100', 'simul', 'perform', 'paper', 'approach', 'compar', 'interact', 'multipl', 'model', 'kalman', 'filter', 'imm', 'kf', 'result', 'show', 'jmrpf', 'outperform', 'imm', 'kf', 'approach', 'particularli', 'ambigu', 'case', 'sensor', 'simultan', 'subject', 'addit', 'abrupt', 'fault', 'fix', 'wing', 'uav', 'fault', 'estim', 'jump', 'markov', 'regular', 'particl', 'filter', 'imm', 'kf', 'fault', 'estim', 'fix', 'wing', 'uav', 'jump', 'markov', 'regular', 'particl', 'filter']" +96,Analysis of standalone solar streetlights for improved energy access in displaced settlements,"Jonathan Nixon, Kriti Bhargava, Alison Halford, Elena Gaura",Nov-21,"['Humanitarian', 'Photovoltaic PV', 'Off-grid', 'Intervention', 'Monitoring', 'Refugees']","This paper examines the gap between the design and in-situ performance of solar streetlight interventions in two humanitarian settings. Displaced settlements often lack street lighting and electricity. Given that off-grid solar streetlights produce surplus energy, we hypothesized that this energy could be made available for daily usage, to improve system performance and provide further energy access to displaced populations. We recognize, however, that solar streetlight performance and longevity have typically been poor in remote and refugee settings. Eleven solar streetlights were fitted with ground-level sockets and their performance monitored, in two displaced settlements: a refugee camp in Rwanda and an internally displaced population settlement in Nepal. Considerable performance gaps were found across all eleven systems. Inefficient lights and mismatching system components were major issues at both sites, reducing targeted designed performance ratios by 33% and 53% on average in Rwanda and Nepal, respectively. The challenges of deploying these types of systems in temporary settlements are outlined and a number of suggestions are made to guide future developments in the design and implementation of sustainable solar streetlight interventions.",https://pureportal.coventry.ac.uk/en/publications/analysis-of-standalone-solar-streetlights-for-improved-energy-acc,"['https://pureportal.coventry.ac.uk/en/persons/jonathan-nixon', None, 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['analysi', 'standalon', 'solar', 'streetlight', 'improv', 'energi', 'access', 'displac', 'settlement', 'jonathan', 'nixon', 'kriti', 'bhargava', 'alison', 'halford', 'elena', 'gaura', 'paper', 'examin', 'gap', 'design', 'situ', 'perform', 'solar', 'streetlight', 'intervent', 'two', 'humanitarian', 'set', 'displac', 'settlement', 'often', 'lack', 'street', 'light', 'electr', 'given', 'grid', 'solar', 'streetlight', 'produc', 'surplu', 'energi', 'hypothes', 'energi', 'could', 'made', 'avail', 'daili', 'usag', 'improv', 'system', 'perform', 'provid', 'energi', 'access', 'displac', 'popul', 'recogn', 'howev', 'solar', 'streetlight', 'perform', 'longev', 'typic', 'poor', 'remot', 'refuge', 'set', 'eleven', 'solar', 'streetlight', 'fit', 'ground', 'level', 'socket', 'perform', 'monitor', 'two', 'displac', 'settlement', 'refuge', 'camp', 'rwanda', 'intern', 'displac', 'popul', 'settlement', 'nepal', 'consider', 'perform', 'gap', 'found', 'across', 'eleven', 'system', 'ineffici', 'light', 'mismatch', 'system', 'compon', 'major', 'issu', 'site', 'reduc', 'target', 'design', 'perform', 'ratio', '33', '53', 'averag', 'rwanda', 'nepal', 'respect', 'challeng', 'deploy', 'type', 'system', 'temporari', 'settlement', 'outlin', 'number', 'suggest', 'made', 'guid', 'futur', 'develop', 'design', 'implement', 'sustain', 'solar', 'streetlight', 'intervent', 'humanitarian', 'photovolta', 'pv', 'grid', 'intervent', 'monitor', 'refuge']" +97,An Empirical Study of Span Modeling in Science NER,Xiaorui Jiang,07-Sep-21,"['Context representation', 'SciBERT', 'Scientific named entity recognition', 'Span representation', 'Span-based model']","Little evaluation has been performed on the many modeling options for span-based approaches. This paper investigates the performances of a wide range of span and context representation methods and their combinations with a focus on scientific named entity recognition (science NER). While some most common classical span encodings and their combination prove to be effective, few conclusions can be derived to context representations.",https://pureportal.coventry.ac.uk/en/publications/an-empirical-study-of-span-modeling-in-science-ner,['https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang'],"['empir', 'studi', 'span', 'model', 'scienc', 'ner', 'xiaorui', 'jiang', 'littl', 'evalu', 'perform', 'mani', 'model', 'option', 'span', 'base', 'approach', 'paper', 'investig', 'perform', 'wide', 'rang', 'span', 'context', 'represent', 'method', 'combin', 'focu', 'scientif', 'name', 'entiti', 'recognit', 'scienc', 'ner', 'common', 'classic', 'span', 'encod', 'combin', 'prove', 'effect', 'conclus', 'deriv', 'context', 'represent', 'context', 'represent', 'scibert', 'scientif', 'name', 'entiti', 'recognit', 'span', 'represent', 'span', 'base', 'model']" +98,A New Fuzzy Knowledge-Based Optimisation System for Management of Container Yard Operations,"Ammar Al Bazi, Vasile Palade, Ali Hadi Hussain Joma Abbas",26-Mar-21,"['Fuzzy Knowledge-Based Model', 'Multi-Layer Genetic Algorithm', 'Fuzzy Rules', '‘ON/OFF’ Strategy', 'Container yard operations', 'container yard operations', 'multi-layer genetic algorithm', 'fuzzy rules', ""'ON/OFF' strategy"", 'Fuzzy knowledge-based model']","Managing the container yard operations can be challenging as a result of various uncertainties associated with storing and retrieving containers from the yard. These associated uncertainties occur because the arrival of a truck to pick up the container is random, so the departure time of the container is unknown. The problem investigated in this paper emerges when newly arrived containers of different sizes, types and weights require storage operation in the same yard where other containers have already been stored. This situation becomes more challenging when the time of departure of existing container is not known. This study develops a new Fuzzy Knowledge-Based optimisation system named ‘FKB_GA’ for optimal storage and retrieval of containers in a yard that contains long stay pre-existing containers. The containers’ duration of stay factor is considered along with two other factors such as the similarity (containers with same customer) and the quantity of containers per stack.A new Multi-Layered Genetic Algorithm module is proposed which identifies the optimal fuzzy rules required for each set of fired rules to achieve a minimum number of container re-handlings when selecting a stack. An industrial case study is used to demonstrate the applicability and practicability of the developed system. ",https://pureportal.coventry.ac.uk/en/publications/a-new-fuzzy-knowledge-based-optimisation-system-for-management-of,"['https://pureportal.coventry.ac.uk/en/persons/ammar-al-bazi', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['new', 'fuzzi', 'knowledg', 'base', 'optimis', 'system', 'manag', 'contain', 'yard', 'oper', 'ammar', 'al', 'bazi', 'vasil', 'palad', 'ali', 'hadi', 'hussain', 'joma', 'abba', 'manag', 'contain', 'yard', 'oper', 'challeng', 'result', 'variou', 'uncertainti', 'associ', 'store', 'retriev', 'contain', 'yard', 'associ', 'uncertainti', 'occur', 'arriv', 'truck', 'pick', 'contain', 'random', 'departur', 'time', 'contain', 'unknown', 'problem', 'investig', 'paper', 'emerg', 'newli', 'arriv', 'contain', 'differ', 'size', 'type', 'weight', 'requir', 'storag', 'oper', 'yard', 'contain', 'alreadi', 'store', 'situat', 'becom', 'challeng', 'time', 'departur', 'exist', 'contain', 'known', 'studi', 'develop', 'new', 'fuzzi', 'knowledg', 'base', 'optimis', 'system', 'name', 'fkb_ga', 'optim', 'storag', 'retriev', 'contain', 'yard', 'contain', 'long', 'stay', 'pre', 'exist', 'contain', 'contain', 'durat', 'stay', 'factor', 'consid', 'along', 'two', 'factor', 'similar', 'contain', 'custom', 'quantiti', 'contain', 'per', 'stack', 'new', 'multi', 'layer', 'genet', 'algorithm', 'modul', 'propos', 'identifi', 'optim', 'fuzzi', 'rule', 'requir', 'set', 'fire', 'rule', 'achiev', 'minimum', 'number', 'contain', 'handl', 'select', 'stack', 'industri', 'case', 'studi', 'use', 'demonstr', 'applic', 'practic', 'develop', 'system', 'fuzzi', 'knowledg', 'base', 'model', 'multi', 'layer', 'genet', 'algorithm', 'fuzzi', 'rule', 'strategi', 'contain', 'yard', 'oper', 'contain', 'yard', 'oper', 'multi', 'layer', 'genet', 'algorithm', 'fuzzi', 'rule', 'strategi', 'fuzzi', 'knowledg', 'base', 'model']" +99,A New Method for Semi-Supervised Segmentation of Satellite Images,"Sara Sharifzadeh, Sam Amiri, Salman Abdi Jalebi",Mar-21,"['Satellite Image', 'unsupervised segmentation', 'semisupervised segmentation', 'formatting', 'feature clustering']","Satellite image segmentation is an important topic in many domains. This paper introduces a novel semi-supervised image segmentation method for satellite image segmentation. Unlike the semantic segmentation strategies, this method requires only limited labelled data from small local patches of satellite images. Due to the complexity and large number of land cover objects in satellite images, a fixed-size square window is used for feature extraction from 7 different local areas. The local features are extracted by spectral domain analysis. Then, classification is performed based on similarity of the local features to those of the7 labelled patches. This also allows efficient selection of the suitable window scale. Furthermore, the labeled features remove the need for iterative clustering for decision making about features. The labelled data also allows learning a subspace of transformed features for segmentation of water and green area based on simple thresholding. Comparison of the segmentation results using theproposed strategy compared to unsupervised techniques such as k-means clustering and Superpixel-based Fast Fuzzy C-Means Clustering (SFFCM) shows the superiority of the proposed strategy in terms of content-based segmentation.",https://pureportal.coventry.ac.uk/en/publications/a-new-method-for-semi-supervised-segmentation-of-satellite-images,"['https://pureportal.coventry.ac.uk/en/persons/sara-sharifzadeh', None, None]","['new', 'method', 'semi', 'supervis', 'segment', 'satellit', 'imag', 'sara', 'sharifzadeh', 'sam', 'amiri', 'salman', 'abdi', 'jalebi', 'satellit', 'imag', 'segment', 'import', 'topic', 'mani', 'domain', 'paper', 'introduc', 'novel', 'semi', 'supervis', 'imag', 'segment', 'method', 'satellit', 'imag', 'segment', 'unlik', 'semant', 'segment', 'strategi', 'method', 'requir', 'limit', 'label', 'data', 'small', 'local', 'patch', 'satellit', 'imag', 'due', 'complex', 'larg', 'number', 'land', 'cover', 'object', 'satellit', 'imag', 'fix', 'size', 'squar', 'window', 'use', 'featur', 'extract', '7', 'differ', 'local', 'area', 'local', 'featur', 'extract', 'spectral', 'domain', 'analysi', 'classif', 'perform', 'base', 'similar', 'local', 'featur', 'the7', 'label', 'patch', 'also', 'allow', 'effici', 'select', 'suitabl', 'window', 'scale', 'furthermor', 'label', 'featur', 'remov', 'need', 'iter', 'cluster', 'decis', 'make', 'featur', 'label', 'data', 'also', 'allow', 'learn', 'subspac', 'transform', 'featur', 'segment', 'water', 'green', 'area', 'base', 'simpl', 'threshold', 'comparison', 'segment', 'result', 'use', 'thepropos', 'strategi', 'compar', 'unsupervis', 'techniqu', 'k', 'mean', 'cluster', 'superpixel', 'base', 'fast', 'fuzzi', 'c', 'mean', 'cluster', 'sffcm', 'show', 'superior', 'propos', 'strategi', 'term', 'content', 'base', 'segment', 'satellit', 'imag', 'unsupervis', 'segment', 'semisupervis', 'segment', 'format', 'featur', 'cluster']" +100,An Improved Fuzzy Knowledge-Based Model For Long Stay Container Yards,"Ammar Al Bazi, Vasile Palade, Rami Al-Hadeethi, Ali Abbas",10-Jun-21,"['Fuzzy Knowledge-Based Model', 'Fuzzy Rules, Long Stay Containers', 'Duration of Stay Factor', '‘ON/OFF’ Strategy', 'Container Yard Operations', 'Unknown Departure Time']","This paper considers the problem of allocating newly arrived containers to stacks of existing containers in a yard when the departure date/time for containers is unknown. Many factors and constraints need to be considered when modelling this storage allocation problem. These constraints include the size, type and weight of the containers. The factors are the number of containers in a stack and the duration of stay of the topmost container in the stack. This paper aims to develop an improved Fuzzy Knowledge-Based ‘FKB’ model for best allocation practice of long-stay containers in a yard. In this model, the duration of stay factor does not need to be considered in the allocation decision if the duration of stay for the topmost containers in a stack is similar; hence, a new ‘ON/OFF’ strategy is proposed within the Fuzzy Knowledge-Based model to activate/deactivate this factor in the stacking algorithm whenever is required. Discrete Event Simulation and Fuzzy Knowledge-Based techniques are used to develop the proposed model. The model’s behaviour is tested using three real-life scenarios, including allocating containers in busy, moderately busy and quiet yards. The total number of re-handlings, the number of re-handlings per stack, and the number of re-handlings for containers were considered KPIs in each scenario. ",https://pureportal.coventry.ac.uk/en/publications/an-improved-fuzzy-knowledge-based-model-for-long-stay-container-y,"['https://pureportal.coventry.ac.uk/en/persons/ammar-al-bazi', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None]","['improv', 'fuzzi', 'knowledg', 'base', 'model', 'long', 'stay', 'contain', 'yard', 'ammar', 'al', 'bazi', 'vasil', 'palad', 'rami', 'al', 'hadeethi', 'ali', 'abba', 'paper', 'consid', 'problem', 'alloc', 'newli', 'arriv', 'contain', 'stack', 'exist', 'contain', 'yard', 'departur', 'date', 'time', 'contain', 'unknown', 'mani', 'factor', 'constraint', 'need', 'consid', 'model', 'storag', 'alloc', 'problem', 'constraint', 'includ', 'size', 'type', 'weight', 'contain', 'factor', 'number', 'contain', 'stack', 'durat', 'stay', 'topmost', 'contain', 'stack', 'paper', 'aim', 'develop', 'improv', 'fuzzi', 'knowledg', 'base', 'fkb', 'model', 'best', 'alloc', 'practic', 'long', 'stay', 'contain', 'yard', 'model', 'durat', 'stay', 'factor', 'need', 'consid', 'alloc', 'decis', 'durat', 'stay', 'topmost', 'contain', 'stack', 'similar', 'henc', 'new', 'strategi', 'propos', 'within', 'fuzzi', 'knowledg', 'base', 'model', 'activ', 'deactiv', 'factor', 'stack', 'algorithm', 'whenev', 'requir', 'discret', 'event', 'simul', 'fuzzi', 'knowledg', 'base', 'techniqu', 'use', 'develop', 'propos', 'model', 'model', 'behaviour', 'test', 'use', 'three', 'real', 'life', 'scenario', 'includ', 'alloc', 'contain', 'busi', 'moder', 'busi', 'quiet', 'yard', 'total', 'number', 'handl', 'number', 'handl', 'per', 'stack', 'number', 'handl', 'contain', 'consid', 'kpi', 'scenario', 'fuzzi', 'knowledg', 'base', 'model', 'fuzzi', 'rule', 'long', 'stay', 'contain', 'durat', 'stay', 'factor', 'strategi', 'contain', 'yard', 'oper', 'unknown', 'departur', 'time']" +101,A probabilistic predictive model for assessing the economic reusability of load-bearing building components: Developing a Circular Economy framework,"Kambiz Rakhshanbabanari, Jean-Claude Morel, Alireza Daneshkhah",Jul-21,"['Building structure', 'Economic reusability', 'Gaussian process regression', 'K-nearest neighbors', 'Random forest', 'Supervised machine learning']","The reuse of load-bearing building components has the potential to promote the circular economy in the building sector. One recent aspect of the efforts to improve reuse rates in buildings is estimating the reusability of the structural elements. This study develops a probabilistic predictive model using advanced supervised machine learning methods to evaluate the economic reusability of the load-bearing building elements. The results of sensitivity analysis and visualization techniques used in this study reveal that the most important economic factor is the need to purchase reused elements early in a project, which could have cash flow implications. The other most important factors are the potential financial risks, the procurement process, and the labour cost. This study unveils that the relationship between variables is not linear, and none of the identified factors could alone determine if an element is reusable or not. This study concludes that the complex interdependencies of factors affecting reuse cause a high level of uncertainty about the feasibility of reusing the load-bearing building structural components from an economic aspect. Nonetheless, this paper reveals that by using the probability theory foundations and combining it with advanced supervised machine learning methods, it is possible to develop tools that could reliably estimate the economic reusability of these elements based on affecting variables. Therefore, the authors suggest utilizing the approach developed in this research to promote the circularity of materials in different subsectors of the construction industry.",https://pureportal.coventry.ac.uk/en/publications/a-probabilistic-predictive-model-for-assessing-the-economic-reusa,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['probabilist', 'predict', 'model', 'assess', 'econom', 'reusabl', 'load', 'bear', 'build', 'compon', 'develop', 'circular', 'economi', 'framework', 'kambiz', 'rakhshanbabanari', 'jean', 'claud', 'morel', 'alireza', 'daneshkhah', 'reus', 'load', 'bear', 'build', 'compon', 'potenti', 'promot', 'circular', 'economi', 'build', 'sector', 'one', 'recent', 'aspect', 'effort', 'improv', 'reus', 'rate', 'build', 'estim', 'reusabl', 'structur', 'element', 'studi', 'develop', 'probabilist', 'predict', 'model', 'use', 'advanc', 'supervis', 'machin', 'learn', 'method', 'evalu', 'econom', 'reusabl', 'load', 'bear', 'build', 'element', 'result', 'sensit', 'analysi', 'visual', 'techniqu', 'use', 'studi', 'reveal', 'import', 'econom', 'factor', 'need', 'purchas', 'reus', 'element', 'earli', 'project', 'could', 'cash', 'flow', 'implic', 'import', 'factor', 'potenti', 'financi', 'risk', 'procur', 'process', 'labour', 'cost', 'studi', 'unveil', 'relationship', 'variabl', 'linear', 'none', 'identifi', 'factor', 'could', 'alon', 'determin', 'element', 'reusabl', 'studi', 'conclud', 'complex', 'interdepend', 'factor', 'affect', 'reus', 'caus', 'high', 'level', 'uncertainti', 'feasibl', 'reus', 'load', 'bear', 'build', 'structur', 'compon', 'econom', 'aspect', 'nonetheless', 'paper', 'reveal', 'use', 'probabl', 'theori', 'foundat', 'combin', 'advanc', 'supervis', 'machin', 'learn', 'method', 'possibl', 'develop', 'tool', 'could', 'reliabl', 'estim', 'econom', 'reusabl', 'element', 'base', 'affect', 'variabl', 'therefor', 'author', 'suggest', 'util', 'approach', 'develop', 'research', 'promot', 'circular', 'materi', 'differ', 'subsector', 'construct', 'industri', 'build', 'structur', 'econom', 'reusabl', 'gaussian', 'process', 'regress', 'k', 'nearest', 'neighbor', 'random', 'forest', 'supervis', 'machin', 'learn']" +102,A Quaternion Gated Recurrent Unit Neural Network for Sensor Fusion,"Uche Abiola Onyekpe, Vasile Palade, Stratis Kanarachos, Stavros Christopoulos",09-Mar-21,"['gated recurrent unit', 'quaternion neural network', 'quaternion gated recurrent unit', 'human activity recognition', 'INS', 'GPS outage', 'autonomous vehicle navigation', 'inertial navigation', 'neural networks', 'Autonomous vehicle navigation', 'Gated recurrent unit', 'Human activity recognition', 'Quaternion gated recurrent unit', 'Neural networks', 'Quaternion neural network', 'Inertial navigation']","Recurrent Neural Networks (RNNs) are known for their ability to learn relationships within temporal sequences. Gated Recurrent Unit (GRU) networks have found use in challenging time-dependent applications such as Natural Language Processing (NLP), financial analysis and sensor fusion due to their capability to cope with the vanishing gradient problem. GRUs are also known to be more computationally efficient than their variant, the Long Short-Term Memory neural network (LSTM), due to their less complex structure and as such, are more suitable for applications requiring more efficient management of computational resources. Many of such applications require a stronger mapping of their features to further enhance the prediction accuracy. A novel Quaternion Gated Recurrent Unit (QGRU) is proposed in this paper, which leverages the internal and external dependencies within the quaternion algebra to map correlations within and across multidimensional features. The QGRU can be used to efficiently capture the inter- and intra-dependencies within multidimensional features unlike the GRU, which only captures the dependencies within the sequence. Furthermore, the performance of the proposed method is evaluated on a sensor fusion problem involving navigation in Global Navigation Satellite System (GNSS) deprived environments as well as a human activity recognition problem. The results obtained show that the QGRU produces competitive results with almost 3.7 times fewer parameters compared to the GRU. The QGRU code is available at https://github.com/onyekpeu/Quarternion-Gated-Recurrent-Unit.",https://pureportal.coventry.ac.uk/en/publications/a-quaternion-gated-recurrent-unit-neural-network-for-sensor-fusio,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, 'https://pureportal.coventry.ac.uk/en/persons/stavros-christopoulos']","['quaternion', 'gate', 'recurr', 'unit', 'neural', 'network', 'sensor', 'fusion', 'uch', 'abiola', 'onyekp', 'vasil', 'palad', 'strati', 'kanaracho', 'stavro', 'christopoulo', 'recurr', 'neural', 'network', 'rnn', 'known', 'abil', 'learn', 'relationship', 'within', 'tempor', 'sequenc', 'gate', 'recurr', 'unit', 'gru', 'network', 'found', 'use', 'challeng', 'time', 'depend', 'applic', 'natur', 'languag', 'process', 'nlp', 'financi', 'analysi', 'sensor', 'fusion', 'due', 'capabl', 'cope', 'vanish', 'gradient', 'problem', 'gru', 'also', 'known', 'comput', 'effici', 'variant', 'long', 'short', 'term', 'memori', 'neural', 'network', 'lstm', 'due', 'less', 'complex', 'structur', 'suitabl', 'applic', 'requir', 'effici', 'manag', 'comput', 'resourc', 'mani', 'applic', 'requir', 'stronger', 'map', 'featur', 'enhanc', 'predict', 'accuraci', 'novel', 'quaternion', 'gate', 'recurr', 'unit', 'qgru', 'propos', 'paper', 'leverag', 'intern', 'extern', 'depend', 'within', 'quaternion', 'algebra', 'map', 'correl', 'within', 'across', 'multidimension', 'featur', 'qgru', 'use', 'effici', 'captur', 'inter', 'intra', 'depend', 'within', 'multidimension', 'featur', 'unlik', 'gru', 'captur', 'depend', 'within', 'sequenc', 'furthermor', 'perform', 'propos', 'method', 'evalu', 'sensor', 'fusion', 'problem', 'involv', 'navig', 'global', 'navig', 'satellit', 'system', 'gnss', 'depriv', 'environ', 'well', 'human', 'activ', 'recognit', 'problem', 'result', 'obtain', 'show', 'qgru', 'produc', 'competit', 'result', 'almost', '3', '7', 'time', 'fewer', 'paramet', 'compar', 'gru', 'qgru', 'code', 'avail', 'http', 'github', 'com', 'onyekpeu', 'quarternion', 'gate', 'recurr', 'unit', 'gate', 'recurr', 'unit', 'quaternion', 'neural', 'network', 'quaternion', 'gate', 'recurr', 'unit', 'human', 'activ', 'recognit', 'in', 'gp', 'outag', 'autonom', 'vehicl', 'navig', 'inerti', 'navig', 'neural', 'network', 'autonom', 'vehicl', 'navig', 'gate', 'recurr', 'unit', 'human', 'activ', 'recognit', 'quaternion', 'gate', 'recurr', 'unit', 'neural', 'network', 'quaternion', 'neural', 'network', 'inerti', 'navig']" +103,A Review on Collision Avoidance Systems for Unmanned Aerial Vehicles,"Kelvin Dushime, Lewis Nkenyereye, Seongki Yoo, Jae Seung Song",07-Dec-21,"['Internet of Things', 'Unmanned Aerial Vehicles (UAV)', 'Internet of Drones', 'Prediction', 'Collision avoidance']","The unmanned Aerial Vehicles (UAV) concept has attracted the attention of both academia and industry as an alternative to reduce the traffic congestion limitation. To coordinate the UAVs located in the sky, also called drones, the concept of the Internet of Drones (IoD) was introduced as overall coordination of UAVs in the sky. IoD paradigm offers a wide range of applications mainly targeting the military and civilian environments. Some of those applications include transportation, agriculture-based systems, entertainment, weather monitoring, healthcare systems, and road hazards monitoring. However, once an area is highly congested by a various number of drones, dynamic or statics obstacles can hinder the overall performance of drones. In order to avoid those obstacles, one of the proposed solutions is to apply collision avoidance techniques while the drones are on duty. In this paper, we present a brief survey of collision avoidance systems for the internet of drones. We have reviewed the current literature review ranging from the year 2010 to 2021. This work has taken into consideration two main frequently used databases in academia: Xplore for IEEE and ScienceDirect for Elsevier. After article selection, some articles were retained and discussed. A detailed discussion and analysis of selected articles were made while most of the techniques used in collision avoidance systems include video-based systems and swarm-based intelligence approaches. Furthermore, the paper discusses the different approaches which are used to design collision avoidance systems. Finally, this paper provides concluding remarks and future research orientation that will mainly focus on AI-based algorithms applied in collision avoidance systems.",https://pureportal.coventry.ac.uk/en/publications/a-review-on-collision-avoidance-systems-for-unmanned-aerial-vehic,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/seongki-yoo', None]","['review', 'collis', 'avoid', 'system', 'unman', 'aerial', 'vehicl', 'kelvin', 'dushim', 'lewi', 'nkenyerey', 'seongki', 'yoo', 'jae', 'seung', 'song', 'unman', 'aerial', 'vehicl', 'uav', 'concept', 'attract', 'attent', 'academia', 'industri', 'altern', 'reduc', 'traffic', 'congest', 'limit', 'coordin', 'uav', 'locat', 'sky', 'also', 'call', 'drone', 'concept', 'internet', 'drone', 'iod', 'introduc', 'overal', 'coordin', 'uav', 'sky', 'iod', 'paradigm', 'offer', 'wide', 'rang', 'applic', 'mainli', 'target', 'militari', 'civilian', 'environ', 'applic', 'includ', 'transport', 'agricultur', 'base', 'system', 'entertain', 'weather', 'monitor', 'healthcar', 'system', 'road', 'hazard', 'monitor', 'howev', 'area', 'highli', 'congest', 'variou', 'number', 'drone', 'dynam', 'static', 'obstacl', 'hinder', 'overal', 'perform', 'drone', 'order', 'avoid', 'obstacl', 'one', 'propos', 'solut', 'appli', 'collis', 'avoid', 'techniqu', 'drone', 'duti', 'paper', 'present', 'brief', 'survey', 'collis', 'avoid', 'system', 'internet', 'drone', 'review', 'current', 'literatur', 'review', 'rang', 'year', '2010', '2021', 'work', 'taken', 'consider', 'two', 'main', 'frequent', 'use', 'databas', 'academia', 'xplore', 'ieee', 'sciencedirect', 'elsevi', 'articl', 'select', 'articl', 'retain', 'discuss', 'detail', 'discuss', 'analysi', 'select', 'articl', 'made', 'techniqu', 'use', 'collis', 'avoid', 'system', 'includ', 'video', 'base', 'system', 'swarm', 'base', 'intellig', 'approach', 'furthermor', 'paper', 'discuss', 'differ', 'approach', 'use', 'design', 'collis', 'avoid', 'system', 'final', 'paper', 'provid', 'conclud', 'remark', 'futur', 'research', 'orient', 'mainli', 'focu', 'ai', 'base', 'algorithm', 'appli', 'collis', 'avoid', 'system', 'internet', 'thing', 'unman', 'aerial', 'vehicl', 'uav', 'internet', 'drone', 'predict', 'collis', 'avoid']" +104,A survey of empirical performance evaluation of permissioned blockchain platforms: Challenges and opportunities,"Mohammad Dabbagh, Kim-Kwang Raymond Choo, Amin Beheshti, Mohammad Tahir, Nader Sohrabi Safa",25-Jan-21,"['Permissioned blockchain', 'Performance evaluation', 'Distributed ledger', 'Consensus Algorithms', 'Decentralized Platforms']","Blockchain-based platforms, particularly those based on permissioned blockchain, are increasingly popular in a broad range of settings. In addition to security and privacy concerns, organizations seeking to implement such platforms also need to consider performance, especially in latency- or delay-sensitive applications. Performance is generally less studied in comparison to security and privacy, and therefore in this paper we survey existing empirical performance evaluations of different permissioned blockchain platforms published between 2015 and 2019, using a comparative framework. The framework comprises ten criteria. We then conclude the paper with a number of potential future research directions.",https://pureportal.coventry.ac.uk/en/publications/a-survey-of-empirical-performance-evaluation-of-permissioned-bloc,"[None, None, None, None, None]","['survey', 'empir', 'perform', 'evalu', 'permiss', 'blockchain', 'platform', 'challeng', 'opportun', 'mohammad', 'dabbagh', 'kim', 'kwang', 'raymond', 'choo', 'amin', 'beheshti', 'mohammad', 'tahir', 'nader', 'sohrabi', 'safa', 'blockchain', 'base', 'platform', 'particularli', 'base', 'permiss', 'blockchain', 'increasingli', 'popular', 'broad', 'rang', 'set', 'addit', 'secur', 'privaci', 'concern', 'organ', 'seek', 'implement', 'platform', 'also', 'need', 'consid', 'perform', 'especi', 'latenc', 'delay', 'sensit', 'applic', 'perform', 'gener', 'less', 'studi', 'comparison', 'secur', 'privaci', 'therefor', 'paper', 'survey', 'exist', 'empir', 'perform', 'evalu', 'differ', 'permiss', 'blockchain', 'platform', 'publish', '2015', '2019', 'use', 'compar', 'framework', 'framework', 'compris', 'ten', 'criteria', 'conclud', 'paper', 'number', 'potenti', 'futur', 'research', 'direct', 'permiss', 'blockchain', 'perform', 'evalu', 'distribut', 'ledger', 'consensu', 'algorithm', 'decentr', 'platform']" +105,"A Time Series Based Study of Correlation, Channel Power Imbalance and Diversity Gain in Indoor Distributed Antenna Systems at 60 GHz","Lei Zhang, Simon Cotton, Seong Ki Yoo, Hien Ngo, Marta Fernandez, William Scanlon",01-Nov-21,"['Antenna measurements', 'Antennas', 'Autoregressive integrated moving average (ARIMA) modeling', 'Correlation', 'Diversity methods', 'Diversity reception', 'Power measurement', 'Time measurement', 'autoregressive moving average (ARMA) modeling', 'channel measurement', 'channel power imbalance', 'distributed antenna system', 'diversity gain', 'millimeter wave', 'time series analysis']","In this article, we investigate the potential enhancements in signal reliability which can be achieved using a millimeter-wave distributed antenna system (DAS) within an indoor environment. To achieve this, we measured the signal power simultaneously received at nine ceiling-mounted access point (AP) locations likely to be used in future indoor DAS deployments while a mobile user imitated making a voice call on a hypothetical user equipment. Key metrics, associated with the performance of multiple antenna systems, such as the cross correlation coefficient (CCC) and channel power imbalance (CPI) are determined. It was found that line-of-sight (LOS) and quasi-LOS (QLOS) links with the APs typically led to higher CCC values than the non-LOS (NLOS) cases. Similarly, LOS and QLOS links typically produced higher CPI values between APs than the NLOS case. To enable the reproduction of our results, we have successfully applied autoregressive moving average and autoregressive integrated moving average modeling to the CCC and CPI time series. The performance improvement that can be achieved using a DAS instead of a single AP was evaluated using three commonly deployed diversity combining schemes, namely, selection combining, equal gain combining, and maximal ratio combining along with three AP selection mechanisms, namely, per-sample random AP selection, one-shot AP selection, and per-sample optimal AP selection. Finally, we have provided some useful insight into the influence of differing AP numbers on the diversity gain when considering the aforementioned AP selection methods.",https://pureportal.coventry.ac.uk/en/publications/a-time-series-based-study-of-correlation-channel-power-imbalance-,"[None, None, None, None, None, None]","['time', 'seri', 'base', 'studi', 'correl', 'channel', 'power', 'imbal', 'divers', 'gain', 'indoor', 'distribut', 'antenna', 'system', '60', 'ghz', 'lei', 'zhang', 'simon', 'cotton', 'seong', 'ki', 'yoo', 'hien', 'ngo', 'marta', 'fernandez', 'william', 'scanlon', 'articl', 'investig', 'potenti', 'enhanc', 'signal', 'reliabl', 'achiev', 'use', 'millimet', 'wave', 'distribut', 'antenna', 'system', 'da', 'within', 'indoor', 'environ', 'achiev', 'measur', 'signal', 'power', 'simultan', 'receiv', 'nine', 'ceil', 'mount', 'access', 'point', 'ap', 'locat', 'like', 'use', 'futur', 'indoor', 'da', 'deploy', 'mobil', 'user', 'imit', 'make', 'voic', 'call', 'hypothet', 'user', 'equip', 'key', 'metric', 'associ', 'perform', 'multipl', 'antenna', 'system', 'cross', 'correl', 'coeffici', 'ccc', 'channel', 'power', 'imbal', 'cpi', 'determin', 'found', 'line', 'sight', 'lo', 'quasi', 'lo', 'qlo', 'link', 'ap', 'typic', 'led', 'higher', 'ccc', 'valu', 'non', 'lo', 'nlo', 'case', 'similarli', 'lo', 'qlo', 'link', 'typic', 'produc', 'higher', 'cpi', 'valu', 'ap', 'nlo', 'case', 'enabl', 'reproduct', 'result', 'success', 'appli', 'autoregress', 'move', 'averag', 'autoregress', 'integr', 'move', 'averag', 'model', 'ccc', 'cpi', 'time', 'seri', 'perform', 'improv', 'achiev', 'use', 'da', 'instead', 'singl', 'ap', 'evalu', 'use', 'three', 'commonli', 'deploy', 'divers', 'combin', 'scheme', 'name', 'select', 'combin', 'equal', 'gain', 'combin', 'maxim', 'ratio', 'combin', 'along', 'three', 'ap', 'select', 'mechan', 'name', 'per', 'sampl', 'random', 'ap', 'select', 'one', 'shot', 'ap', 'select', 'per', 'sampl', 'optim', 'ap', 'select', 'final', 'provid', 'use', 'insight', 'influenc', 'differ', 'ap', 'number', 'divers', 'gain', 'consid', 'aforement', 'ap', 'select', 'method', 'antenna', 'measur', 'antenna', 'autoregress', 'integr', 'move', 'averag', 'arima', 'model', 'correl', 'divers', 'method', 'divers', 'recept', 'power', 'measur', 'time', 'measur', 'autoregress', 'move', 'averag', 'arma', 'model', 'channel', 'measur', 'channel', 'power', 'imbal', 'distribut', 'antenna', 'system', 'divers', 'gain', 'millimet', 'wave', 'time', 'seri', 'analysi']" +106,Bispectrum-based Cross-frequency Functional Connectivity: A Study of Alzheimer’s Disease,"Dominik Klepl, Fei He, Min Wu, Daniel J. Blackburn, Ptolemaios G. Sarrigiannis",08-Aug-21,[],"Alzheimer’s disease (AD) is a neurodegenerative disorder known to affect functional connectivity (FC) across many brain regions. Linear FC measures have been applied to study the differences in AD by splitting neurophysiological signals such as electroencephalography (EEG) recordings into discrete frequency bands and analysing them in isolation from each other. We address this limitation by quantifying cross-frequency FC in addition to the traditional within-band approach. Cross-bispectrum, a higher-order spectral analysis approach, is used to measure the nonlinear FC and is compared with the cross-spectrum, which only measures the linear FC within bands. This work reports the first use of cross-bispectrum to reconstruct a cross-frequency FC network where each frequency band is treated as a layer in a multilayer network with both inter- and intra-layer edges. An increase of within-band FC in AD is observed in low-frequency bands using both methods. Bispectrum also detects multiple cross-frequency differences, mainly increased FC in AD in delta-theta coupling. An increased importance of low-frequency coupling and decreased importance of high-frequency coupling is observed in AD. Integration properties of AD networks are more vulnerable than HC, while the segregation property is maintained in AD. Moreover, the segregation property of γ is less vulnerable in AD, suggesting the shift of importance from high-frequency activity towards low-frequency components. The results highlight the importance of studying nonlinearity and including cross-frequency FC in characterising AD. Moreover, the results demonstrate the advantages and limitations of using bispectrum to reconstruct FC networks.",https://pureportal.coventry.ac.uk/en/publications/bispectrum-based-cross-frequency-functional-connectivity-a-study-,"['https://pureportal.coventry.ac.uk/en/persons/dominik-klepl', 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None, None, None]","['bispectrum', 'base', 'cross', 'frequenc', 'function', 'connect', 'studi', 'alzheim', 'diseas', 'dominik', 'klepl', 'fei', 'min', 'wu', 'daniel', 'j', 'blackburn', 'ptolemaio', 'g', 'sarrigianni', 'alzheim', 'diseas', 'ad', 'neurodegen', 'disord', 'known', 'affect', 'function', 'connect', 'fc', 'across', 'mani', 'brain', 'region', 'linear', 'fc', 'measur', 'appli', 'studi', 'differ', 'ad', 'split', 'neurophysiolog', 'signal', 'electroencephalographi', 'eeg', 'record', 'discret', 'frequenc', 'band', 'analys', 'isol', 'address', 'limit', 'quantifi', 'cross', 'frequenc', 'fc', 'addit', 'tradit', 'within', 'band', 'approach', 'cross', 'bispectrum', 'higher', 'order', 'spectral', 'analysi', 'approach', 'use', 'measur', 'nonlinear', 'fc', 'compar', 'cross', 'spectrum', 'measur', 'linear', 'fc', 'within', 'band', 'work', 'report', 'first', 'use', 'cross', 'bispectrum', 'reconstruct', 'cross', 'frequenc', 'fc', 'network', 'frequenc', 'band', 'treat', 'layer', 'multilay', 'network', 'inter', 'intra', 'layer', 'edg', 'increas', 'within', 'band', 'fc', 'ad', 'observ', 'low', 'frequenc', 'band', 'use', 'method', 'bispectrum', 'also', 'detect', 'multipl', 'cross', 'frequenc', 'differ', 'mainli', 'increas', 'fc', 'ad', 'delta', 'theta', 'coupl', 'increas', 'import', 'low', 'frequenc', 'coupl', 'decreas', 'import', 'high', 'frequenc', 'coupl', 'observ', 'ad', 'integr', 'properti', 'ad', 'network', 'vulner', 'hc', 'segreg', 'properti', 'maintain', 'ad', 'moreov', 'segreg', 'properti', 'γ', 'less', 'vulner', 'ad', 'suggest', 'shift', 'import', 'high', 'frequenc', 'activ', 'toward', 'low', 'frequenc', 'compon', 'result', 'highlight', 'import', 'studi', 'nonlinear', 'includ', 'cross', 'frequenc', 'fc', 'characteris', 'ad', 'moreov', 'result', 'demonstr', 'advantag', 'limit', 'use', 'bispectrum', 'reconstruct', 'fc', 'network']" +107,"Blockchain and smart contract for access control in healthcare: A survey, issues and challenges, and open issues","Mehdi Sookhak, Mohammad Reza Jabbarpour, Nader Sohrabi Safa, F. Richard Yu",15-Mar-21,"['Access control', 'Authentication', 'Authorization', 'Blockchain', 'Smart contract', 'eHealth']","Emerging technologies are playing a critical role in the evolution of healthcare systems by presenting eHealth to provide high-quality services and better health to wide-range of patients. Achieving the eHealth goals highly depends on employing modern information and communication technologies (ICTs) to securely and efficiently collect and transmit electronic health records (EHRs) and make them accessible to authorized users and healthcare providers. However, the adoption of EHRs in healthcare providers puts the patients’ privacy and their information security at risk of data breaches. The advent of smart contracts and blockchain technology paves a way for developing efficient EHR access control methods to support secure identification, authentication, and authorization of the clients. This paper delineates an extensive survey on the state-of-the-art blockchain-based access control methods in healthcare domain as a basis for categorizing the existing and future developments in access control area. A thematic taxonomy of the blockchain-based access control methods is also presented to recognize the security issues of the existing methods and highlight the fundamental security requirements to design a granular access control method. This paper also aims for examining the similarities and differences of the traditional access control methods and describes some substantial and outstanding issues and challenges as further directions.",https://pureportal.coventry.ac.uk/en/publications/blockchain-and-smart-contract-for-access-control-in-healthcare-a-,"[None, None, None, None]","['blockchain', 'smart', 'contract', 'access', 'control', 'healthcar', 'survey', 'issu', 'challeng', 'open', 'issu', 'mehdi', 'sookhak', 'mohammad', 'reza', 'jabbarpour', 'nader', 'sohrabi', 'safa', 'f', 'richard', 'yu', 'emerg', 'technolog', 'play', 'critic', 'role', 'evolut', 'healthcar', 'system', 'present', 'ehealth', 'provid', 'high', 'qualiti', 'servic', 'better', 'health', 'wide', 'rang', 'patient', 'achiev', 'ehealth', 'goal', 'highli', 'depend', 'employ', 'modern', 'inform', 'commun', 'technolog', 'ict', 'secur', 'effici', 'collect', 'transmit', 'electron', 'health', 'record', 'ehr', 'make', 'access', 'author', 'user', 'healthcar', 'provid', 'howev', 'adopt', 'ehr', 'healthcar', 'provid', 'put', 'patient', 'privaci', 'inform', 'secur', 'risk', 'data', 'breach', 'advent', 'smart', 'contract', 'blockchain', 'technolog', 'pave', 'way', 'develop', 'effici', 'ehr', 'access', 'control', 'method', 'support', 'secur', 'identif', 'authent', 'author', 'client', 'paper', 'delin', 'extens', 'survey', 'state', 'art', 'blockchain', 'base', 'access', 'control', 'method', 'healthcar', 'domain', 'basi', 'categor', 'exist', 'futur', 'develop', 'access', 'control', 'area', 'themat', 'taxonomi', 'blockchain', 'base', 'access', 'control', 'method', 'also', 'present', 'recogn', 'secur', 'issu', 'exist', 'method', 'highlight', 'fundament', 'secur', 'requir', 'design', 'granular', 'access', 'control', 'method', 'paper', 'also', 'aim', 'examin', 'similar', 'differ', 'tradit', 'access', 'control', 'method', 'describ', 'substanti', 'outstand', 'issu', 'challeng', 'direct', 'access', 'control', 'authent', 'author', 'blockchain', 'smart', 'contract', 'ehealth']" +108,Building Capacity: HEED Skills Audit and Recommendations: HEED Skills Audit and Recommendations,Alison Halford,24-Mar-21,[],"This report aims to explore how HEED approached and delivered capacity building for the research team, project partners and the communities the team worked within Rwanda and Nepal.[i] This report’s purpose is threefold: first, to be evidential on how HEED planned, delivered and captured impact around capacity building so similar projects can develop best practice when skills development is a key deliverable. Second, to encourage other energy projects to document the impact produced by researchers and practitioners’ involvement while working with communities. Therefore, to recognise the tacit and dynamic aspects of knowledge production, not only the more explicit aspects. Third, suggest recommendations to support a skills-led approach to capacity building that provides personal and professional development opportunities to deepen knowledge production and impact.",https://pureportal.coventry.ac.uk/en/publications/building-capacity-heed-skills-audit-and-recommendations-heed-skil,['https://pureportal.coventry.ac.uk/en/persons/alison-halford'],"['build', 'capac', 'heed', 'skill', 'audit', 'recommend', 'heed', 'skill', 'audit', 'recommend', 'alison', 'halford', 'report', 'aim', 'explor', 'heed', 'approach', 'deliv', 'capac', 'build', 'research', 'team', 'project', 'partner', 'commun', 'team', 'work', 'within', 'rwanda', 'nepal', 'report', 'purpos', 'threefold', 'first', 'evidenti', 'heed', 'plan', 'deliv', 'captur', 'impact', 'around', 'capac', 'build', 'similar', 'project', 'develop', 'best', 'practic', 'skill', 'develop', 'key', 'deliver', 'second', 'encourag', 'energi', 'project', 'document', 'impact', 'produc', 'research', 'practition', 'involv', 'work', 'commun', 'therefor', 'recognis', 'tacit', 'dynam', 'aspect', 'knowledg', 'product', 'explicit', 'aspect', 'third', 'suggest', 'recommend', 'support', 'skill', 'led', 'approach', 'capac', 'build', 'provid', 'person', 'profession', 'develop', 'opportun', 'deepen', 'knowledg', 'product', 'impact']" +109,Cell site analysis; use and reliability of survey methods,"Matthew Stephen Tart, Iain Brodie, Nicholas Patrick-Gleed, Brian Edwards, Kevin Weeks, Robert Moore, Richard Haseler",Sep-21,"['Cell site analysis', 'Forensic telecommunications', 'Survey methods', 'Uncertainty', 'Forensic inference', 'Validation']","An RF Survey may form part of a wider forensic strategy. The purpose of a survey within this strategy, and the manner in which survey data may be used to better inform evaluative or investigative opinion, is discussed. Hazards of using survey results in isolation of other information to produce a series of piecemeal technical observations (in isolation of each other and the wider purpose of the examination) are explored. Technical issues concerning measuring a complex radio environment, and methods to address those issues, are presented. Experiments comparing CDR (“ground truth” data) from a known location is compared to survey measurements focussed on that location. The performance of methods using engineering handset survey devices (Anite Nemo) is compared with that of Software Controlled Radio (QRC ICS-500) for these trial data. Assessments of uncertainty within the methods tested are made, including accuracy, precision and reliability.",https://pureportal.coventry.ac.uk/en/publications/cell-site-analysis-use-and-reliability-of-survey-methods,"['https://pureportal.coventry.ac.uk/en/persons/matthew-stephen-tart', None, None, None, None, None, None]","['cell', 'site', 'analysi', 'use', 'reliabl', 'survey', 'method', 'matthew', 'stephen', 'tart', 'iain', 'brodi', 'nichola', 'patrick', 'gleed', 'brian', 'edward', 'kevin', 'week', 'robert', 'moor', 'richard', 'hasel', 'rf', 'survey', 'may', 'form', 'part', 'wider', 'forens', 'strategi', 'purpos', 'survey', 'within', 'strategi', 'manner', 'survey', 'data', 'may', 'use', 'better', 'inform', 'evalu', 'investig', 'opinion', 'discuss', 'hazard', 'use', 'survey', 'result', 'isol', 'inform', 'produc', 'seri', 'piecem', 'technic', 'observ', 'isol', 'wider', 'purpos', 'examin', 'explor', 'technic', 'issu', 'concern', 'measur', 'complex', 'radio', 'environ', 'method', 'address', 'issu', 'present', 'experi', 'compar', 'cdr', 'ground', 'truth', 'data', 'known', 'locat', 'compar', 'survey', 'measur', 'focuss', 'locat', 'perform', 'method', 'use', 'engin', 'handset', 'survey', 'devic', 'anit', 'nemo', 'compar', 'softwar', 'control', 'radio', 'qrc', 'ic', '500', 'trial', 'data', 'assess', 'uncertainti', 'within', 'method', 'test', 'made', 'includ', 'accuraci', 'precis', 'reliabl', 'cell', 'site', 'analysi', 'forens', 'telecommun', 'survey', 'method', 'uncertainti', 'forens', 'infer', 'valid']" +110,Centralised and decentralised sensor fusion‐based emergency brake assist,"Ankur Deo, Vasile Palade, Md Nazmul Huda",11-Aug-21,"['ADAS', 'Autonomous driving', 'Object detection and tracking', 'Sensor fusion']","Many advanced driver assistance systems (ADAS) are currently trying to utilise multi-sensor architectures, where the driver assistance algorithm receives data from a multitude of sen-sors. As mono‐sensor systems cannot provide reliable and consistent readings under all circum-stances because of errors and other limitations, fusing data from multiple sensors ensures that the environmental parameters are perceived correctly and reliably for most scenarios, thereby substan-tially improving the reliability of the multi‐sensor‐based automotive systems. This paper first high-lights the significance of efficiently fusing data from multiple sensors in ADAS features. An emergency brake assist (EBA) system is showcased using multiple sensors, namely, a light detection and ranging (LiDAR) sensor and camera. The architectures of the proposed ‘centralised’ and ‘decentral-ised’ sensor fusion approaches for EBA are discussed along with their constituents, i.e., the detection algorithms, the fusion algorithm, and the tracking algorithm. The centralised and decentralised architectures are built and analytically compared, and the performance of these two fusion architectures for EBA are evaluated in terms of speed of execution, accuracy, and computational cost. While both fusion methods are seen to drive the EBA application at an acceptable frame rate (~20fps or higher) on an Intel i5‐based Ubuntu system, it was concluded through the experiments and analyt-ical comparisons that the decentralised fusion‐driven EBA leads to higher accuracy; however, it has the downside of a higher computational cost. The centralised fusion‐driven EBA yields compara-tively less accurate results, but with the benefits of a higher frame rate and lesser computational cost.",https://pureportal.coventry.ac.uk/en/publications/centralised-and-decentralised-sensor-fusionbased-emergency-brake-,"['https://pureportal.coventry.ac.uk/en/persons/ankur-deo', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['centralis', 'decentralis', 'sensor', 'fusion', 'base', 'emerg', 'brake', 'assist', 'ankur', 'deo', 'vasil', 'palad', 'md', 'nazmul', 'huda', 'mani', 'advanc', 'driver', 'assist', 'system', 'ada', 'current', 'tri', 'utilis', 'multi', 'sensor', 'architectur', 'driver', 'assist', 'algorithm', 'receiv', 'data', 'multitud', 'sen', 'sor', 'mono', 'sensor', 'system', 'provid', 'reliabl', 'consist', 'read', 'circum', 'stanc', 'error', 'limit', 'fuse', 'data', 'multipl', 'sensor', 'ensur', 'environment', 'paramet', 'perceiv', 'correctli', 'reliabl', 'scenario', 'therebi', 'substan', 'tialli', 'improv', 'reliabl', 'multi', 'sensor', 'base', 'automot', 'system', 'paper', 'first', 'high', 'light', 'signific', 'effici', 'fuse', 'data', 'multipl', 'sensor', 'ada', 'featur', 'emerg', 'brake', 'assist', 'eba', 'system', 'showcas', 'use', 'multipl', 'sensor', 'name', 'light', 'detect', 'rang', 'lidar', 'sensor', 'camera', 'architectur', 'propos', 'centralis', 'decentr', 'ise', 'sensor', 'fusion', 'approach', 'eba', 'discuss', 'along', 'constitu', 'e', 'detect', 'algorithm', 'fusion', 'algorithm', 'track', 'algorithm', 'centralis', 'decentralis', 'architectur', 'built', 'analyt', 'compar', 'perform', 'two', 'fusion', 'architectur', 'eba', 'evalu', 'term', 'speed', 'execut', 'accuraci', 'comput', 'cost', 'fusion', 'method', 'seen', 'drive', 'eba', 'applic', 'accept', 'frame', 'rate', '20fp', 'higher', 'intel', 'i5', 'base', 'ubuntu', 'system', 'conclud', 'experi', 'analyt', 'ical', 'comparison', 'decentralis', 'fusion', 'driven', 'eba', 'lead', 'higher', 'accuraci', 'howev', 'downsid', 'higher', 'comput', 'cost', 'centralis', 'fusion', 'driven', 'eba', 'yield', 'compara', 'tive', 'less', 'accur', 'result', 'benefit', 'higher', 'frame', 'rate', 'lesser', 'comput', 'cost', 'ada', 'autonom', 'drive', 'object', 'detect', 'track', 'sensor', 'fusion']" +111,Characterising Alzheimer's Disease with EEG-based Energy Landscape Analysis,"Dominik Klepl, Fei He, Min Wu, Daniel J. Blackburn, Matteo De Marco, Ptolemaios Sarrigiannis",19-Feb-21,"['q-bio.NC', 'cs.IT', 'cs.SY', 'eess.SP', 'eess.SY', 'math.IT']","Alzheimer's disease (AD) is one of the most common neurodegenerative diseases, with around 50 million patients worldwide. Accessible and non-invasive methods of diagnosing and characterising AD are therefore urgently required. Electroencephalography (EEG) fulfils these criteria and is often used when studying AD. Several features derived from EEG were shown to predict AD with high accuracy, e.g. signal complexity and synchronisation. However, the dynamics of how the brain transitions between stable states have not been properly studied in the case of AD and EEG data. Energy landscape analysis is a method that can be used to quantify these dynamics. This work presents the first application of this method to both AD and EEG. Energy landscape assigns energy value to each possible state, i.e. pattern of activations across brain regions. The energy is inversely proportional to the probability of occurrence. By studying the features of energy landscapes of 20 AD patients and 20 healthy age-matched counterparts, significant differences were found. The dynamics of AD patients' brain networks were shown to be more constrained - with more local minima, less variation in basin size, and smaller basins. We show that energy landscapes can predict AD with high accuracy, performing significantly better than baseline models. ",https://pureportal.coventry.ac.uk/en/publications/characterising-alzheimers-disease-with-eeg-based-energy-landscape,"['https://pureportal.coventry.ac.uk/en/persons/dominik-klepl', 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None, None, None, None]","['characteris', 'alzheim', 'diseas', 'eeg', 'base', 'energi', 'landscap', 'analysi', 'dominik', 'klepl', 'fei', 'min', 'wu', 'daniel', 'j', 'blackburn', 'matteo', 'de', 'marco', 'ptolemaio', 'sarrigianni', 'alzheim', 'diseas', 'ad', 'one', 'common', 'neurodegen', 'diseas', 'around', '50', 'million', 'patient', 'worldwid', 'access', 'non', 'invas', 'method', 'diagnos', 'characteris', 'ad', 'therefor', 'urgent', 'requir', 'electroencephalographi', 'eeg', 'fulfil', 'criteria', 'often', 'use', 'studi', 'ad', 'sever', 'featur', 'deriv', 'eeg', 'shown', 'predict', 'ad', 'high', 'accuraci', 'e', 'g', 'signal', 'complex', 'synchronis', 'howev', 'dynam', 'brain', 'transit', 'stabl', 'state', 'properli', 'studi', 'case', 'ad', 'eeg', 'data', 'energi', 'landscap', 'analysi', 'method', 'use', 'quantifi', 'dynam', 'work', 'present', 'first', 'applic', 'method', 'ad', 'eeg', 'energi', 'landscap', 'assign', 'energi', 'valu', 'possibl', 'state', 'e', 'pattern', 'activ', 'across', 'brain', 'region', 'energi', 'invers', 'proport', 'probabl', 'occurr', 'studi', 'featur', 'energi', 'landscap', '20', 'ad', 'patient', '20', 'healthi', 'age', 'match', 'counterpart', 'signific', 'differ', 'found', 'dynam', 'ad', 'patient', 'brain', 'network', 'shown', 'constrain', 'local', 'minima', 'less', 'variat', 'basin', 'size', 'smaller', 'basin', 'show', 'energi', 'landscap', 'predict', 'ad', 'high', 'accuraci', 'perform', 'significantli', 'better', 'baselin', 'model', 'q', 'bio', 'nc', 'cs', 'cs', 'sy', 'eess', 'sp', 'eess', 'sy', 'math']" +112,Critical behavior of magnetic polymers in two and three dimensions,"Damien Paul Foster, Debjyoti Majumdar",16-Aug-21,['cond-mat.stat-mech'],"We explore the critical behavior of two- and three-dimensional lattice models of polymers in dilute solution where the monomers carry a magnetic moment which interacts ferromagnetically with near-neighbor monomers. Specifically, the model explored consists of a self-avoiding walk on a square or cubic lattice with Ising spins on the visited sites. In three dimensions we confirm and extend previous numerical work, showing clearly the first-order character of both the magnetic transition and the polymer collapse, which happen together. We present results in two dimensions, where the transition is seen to be continuous. Finite-size scaling is used to extract estimates for the critical exponents and the transition temperature in the absence of an external magnetic field.",https://pureportal.coventry.ac.uk/en/publications/critical-behavior-of-magnetic-polymers-in-two-and-three-dimension,"[None, None]","['critic', 'behavior', 'magnet', 'polym', 'two', 'three', 'dimens', 'damien', 'paul', 'foster', 'debjyoti', 'majumdar', 'explor', 'critic', 'behavior', 'two', 'three', 'dimension', 'lattic', 'model', 'polym', 'dilut', 'solut', 'monom', 'carri', 'magnet', 'moment', 'interact', 'ferromagnet', 'near', 'neighbor', 'monom', 'specif', 'model', 'explor', 'consist', 'self', 'avoid', 'walk', 'squar', 'cubic', 'lattic', 'ise', 'spin', 'visit', 'site', 'three', 'dimens', 'confirm', 'extend', 'previou', 'numer', 'work', 'show', 'clearli', 'first', 'order', 'charact', 'magnet', 'transit', 'polym', 'collaps', 'happen', 'togeth', 'present', 'result', 'two', 'dimens', 'transit', 'seen', 'continu', 'finit', 'size', 'scale', 'use', 'extract', 'estim', 'critic', 'expon', 'transit', 'temperatur', 'absenc', 'extern', 'magnet', 'field', 'cond', 'mat', 'stat', 'mech']" +113,CSI-COP Policy Brief 1: How Citizen Science Can Add Value to Investigate Compliance of the General Data Protection Regulation (GDPR). ,Huma Shah,30-Mar-21,"['Policy brief', 'Citizen science', 'GDPR', 'data protection', 'privacy', 'online tracking', 'web development', 'app development', 'transparency', 'informed consent']","Online tracking is out of control. The first policy brief in the EU Horizon2020 funded CSI-COP project recommends that EU funded projects should be required to set-up privacy-by design project websites and/or apps with tracking made transparent, especially by any third-party.",https://pureportal.coventry.ac.uk/en/publications/csi-cop-policy-brief-1-how-citizen-science-can-add-value-to-inves,['https://pureportal.coventry.ac.uk/en/persons/huma-shah'],"['csi', 'cop', 'polici', 'brief', '1', 'citizen', 'scienc', 'add', 'valu', 'investig', 'complianc', 'gener', 'data', 'protect', 'regul', 'gdpr', 'huma', 'shah', 'onlin', 'track', 'control', 'first', 'polici', 'brief', 'eu', 'horizon2020', 'fund', 'csi', 'cop', 'project', 'recommend', 'eu', 'fund', 'project', 'requir', 'set', 'privaci', 'design', 'project', 'websit', 'app', 'track', 'made', 'transpar', 'especi', 'third', 'parti', 'polici', 'brief', 'citizen', 'scienc', 'gdpr', 'data', 'protect', 'privaci', 'onlin', 'track', 'web', 'develop', 'app', 'develop', 'transpar', 'inform', 'consent']" +114,CSI-COP - 'Your Right to Privacy Online',"Huma Shah, Jaimz Winter",2021,[],,https://pureportal.coventry.ac.uk/en/publications/csi-cop-your-right-to-privacy-online,"['https://pureportal.coventry.ac.uk/en/persons/huma-shah', 'https://pureportal.coventry.ac.uk/en/persons/jaimz-winter']","['csi', 'cop', 'right', 'privaci', 'onlin', 'huma', 'shah', 'jaimz', 'winter']" +115,Deciding the consistency of non-linear real arithmetic constraints with a conflict driven search using cylindrical algebraic coverings,"E. Ábrahám, James H. Davenport, Matthew England, Gereon Kremer",Feb-21,"['Cylindrical algebraic decomposition', 'Non-linear real arithmetic', 'Real polynomial systems', 'Satisfiability modulo theories']","We present a new algorithm for determining the satisfiability of conjunctions of non-linear polynomial constraints over the reals, which can be used as a theory solver for satisfiability modulo theory (SMT) solving for non-linear real arithmetic. The algorithm is a variant of Cylindrical Algebraic Decomposition (CAD) adapted for satisfiability, where solution candidates (sample points) are constructed incrementally, either until a satisfying sample is found or sufficient samples have been sampled to conclude unsatisfiability. The choice of samples is guided by the input constraints and previous conflicts. The key idea behind our new approach is to start with a partial sample; demonstrate that it cannot be extended to a full sample; and from the reasons for that rule out a larger space around the partial sample, which build up incrementally into a cylindrical algebraic covering of the space. There are similarities with the incremental variant of CAD, the NLSAT method of Jovanović and de Moura, and the NuCAD algorithm of Brown; but we present worked examples and experimental results on a preliminary implementation to demonstrate the differences to these, and the benefits of the new approach.",https://pureportal.coventry.ac.uk/en/publications/deciding-the-consistency-of-non-linear-real-arithmetic-constraint,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england', None]","['decid', 'consist', 'non', 'linear', 'real', 'arithmet', 'constraint', 'conflict', 'driven', 'search', 'use', 'cylindr', 'algebra', 'cover', 'e', 'ábrahám', 'jame', 'h', 'davenport', 'matthew', 'england', 'gereon', 'kremer', 'present', 'new', 'algorithm', 'determin', 'satisfi', 'conjunct', 'non', 'linear', 'polynomi', 'constraint', 'real', 'use', 'theori', 'solver', 'satisfi', 'modulo', 'theori', 'smt', 'solv', 'non', 'linear', 'real', 'arithmet', 'algorithm', 'variant', 'cylindr', 'algebra', 'decomposit', 'cad', 'adapt', 'satisfi', 'solut', 'candid', 'sampl', 'point', 'construct', 'increment', 'either', 'satisfi', 'sampl', 'found', 'suffici', 'sampl', 'sampl', 'conclud', 'unsatisfi', 'choic', 'sampl', 'guid', 'input', 'constraint', 'previou', 'conflict', 'key', 'idea', 'behind', 'new', 'approach', 'start', 'partial', 'sampl', 'demonstr', 'extend', 'full', 'sampl', 'reason', 'rule', 'larger', 'space', 'around', 'partial', 'sampl', 'build', 'increment', 'cylindr', 'algebra', 'cover', 'space', 'similar', 'increment', 'variant', 'cad', 'nlsat', 'method', 'jovanović', 'de', 'moura', 'nucad', 'algorithm', 'brown', 'present', 'work', 'exampl', 'experiment', 'result', 'preliminari', 'implement', 'demonstr', 'differ', 'benefit', 'new', 'approach', 'cylindr', 'algebra', 'decomposit', 'non', 'linear', 'real', 'arithmet', 'real', 'polynomi', 'system', 'satisfi', 'modulo', 'theori']" +116,Diversity collaboratively guided random drift particle swarm optimization,"Chao Li, Jun Sun, Vasile Palade, Li-Wei Li",13-Jul-21,"['Diversity guided strategy', 'Random drift particle swarm optimization algorithm', 'Multimodal optimization problems', 'Economic dispatch problems']","The random drift particle swarm optimization (RDPSO) algorithm is an effective random search technique inspired by the trajectory analysis of the canonical PSO and the free electron model in metal conductors placed in an external electric field. However, like other PSO variants, the RDPSO algorithm also inevitably encounters premature convergence when solving multimodal problems. To address this issue, this paper proposes a novel diversity collaboratively guided (DCG) strategy for the RDPSO algorithm that enhances the search ability of the algorithm. In this strategy, two kinds of diversity measures are defined and modified in a collaborative manner. Specifically, the whole search process of the RDPSO is divided into three phases based on the changes in the two diversity measures. In each phase, different values are selected for the key parameters of the update equation in the RDPSO to make the particle swarm perform different search modes. Consequently, the improved RDPSO algorithm with the DCG strategy (DCG-RDPSO) can maintain its diversity dynamically at a certain level, and thus can search constantly without stagnation until the search process terminates. The performance evaluation of the proposed algorithm is done on the CEC-2013 benchmark suite, in comparison with several versions of RDPSO, different variants of PSO and several non-PSO evolutionary algorithms. Experimental results show that the proposed DCG strategy can significantly improve the performance and robustness of the RDPSO algorithm for most of the multimodal problems. Further experiments on economic dispatch problems also verify the effectiveness of the DCG strategy.",https://pureportal.coventry.ac.uk/en/publications/diversity-collaboratively-guided-random-drift-particle-swarm-opti,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['divers', 'collabor', 'guid', 'random', 'drift', 'particl', 'swarm', 'optim', 'chao', 'li', 'jun', 'sun', 'vasil', 'palad', 'li', 'wei', 'li', 'random', 'drift', 'particl', 'swarm', 'optim', 'rdpso', 'algorithm', 'effect', 'random', 'search', 'techniqu', 'inspir', 'trajectori', 'analysi', 'canon', 'pso', 'free', 'electron', 'model', 'metal', 'conductor', 'place', 'extern', 'electr', 'field', 'howev', 'like', 'pso', 'variant', 'rdpso', 'algorithm', 'also', 'inevit', 'encount', 'prematur', 'converg', 'solv', 'multimod', 'problem', 'address', 'issu', 'paper', 'propos', 'novel', 'divers', 'collabor', 'guid', 'dcg', 'strategi', 'rdpso', 'algorithm', 'enhanc', 'search', 'abil', 'algorithm', 'strategi', 'two', 'kind', 'divers', 'measur', 'defin', 'modifi', 'collabor', 'manner', 'specif', 'whole', 'search', 'process', 'rdpso', 'divid', 'three', 'phase', 'base', 'chang', 'two', 'divers', 'measur', 'phase', 'differ', 'valu', 'select', 'key', 'paramet', 'updat', 'equat', 'rdpso', 'make', 'particl', 'swarm', 'perform', 'differ', 'search', 'mode', 'consequ', 'improv', 'rdpso', 'algorithm', 'dcg', 'strategi', 'dcg', 'rdpso', 'maintain', 'divers', 'dynam', 'certain', 'level', 'thu', 'search', 'constantli', 'without', 'stagnat', 'search', 'process', 'termin', 'perform', 'evalu', 'propos', 'algorithm', 'done', 'cec', '2013', 'benchmark', 'suit', 'comparison', 'sever', 'version', 'rdpso', 'differ', 'variant', 'pso', 'sever', 'non', 'pso', 'evolutionari', 'algorithm', 'experiment', 'result', 'show', 'propos', 'dcg', 'strategi', 'significantli', 'improv', 'perform', 'robust', 'rdpso', 'algorithm', 'multimod', 'problem', 'experi', 'econom', 'dispatch', 'problem', 'also', 'verifi', 'effect', 'dcg', 'strategi', 'divers', 'guid', 'strategi', 'random', 'drift', 'particl', 'swarm', 'optim', 'algorithm', 'multimod', 'optim', 'problem', 'econom', 'dispatch', 'problem']" +117,DMO-QPSO: A multi-objective quantum-behaved particle swarm optimization algorithm based on decomposition with diversity control,"Qi You, Jun Sun, Feng Pan, Vasile Palade, Bilal Ahmad",16-Aug-21,"['Decomposition', 'Diversity control', 'Multi-objective optimization', 'Premature convergence', 'Quantum-behaved particle swarm optimization']","The decomposition-based multi-objective evolutionary algorithm (MOEA/D) has shown remarkable effectiveness in solving multi-objective problems (MOPs). In this paper, we integrate the quantum-behaved particle swarm optimization (QPSO) algorithm with the MOEA/D framework in order to make the QPSO be able to solve MOPs effectively, with the advantage of the QPSO being fully used. We also employ a diversity controlling mechanism to avoid the premature convergence especially at the later stage of the search process, and thus further improve the performance of our proposed algorithm. In addition, we introduce a number of nondominated solutions to generate the global best for guiding other particles in the swarm. Experiments are conducted to compare the proposed algorithm, DMO-QPSO, with four multi-objective particle swarm optimization algorithms and one multi-objective evolutionary algorithm on 15 test functions, including both bi-objective and tri-objective problems. The results show that the performance of the proposed DMO-QPSO is better than other five algorithms in solving most of these test problems. Moreover, we further study the impact of two different decomposition approaches, i.e., the penalty-based boundary intersection (PBI) and Tchebycheff (TCH) approaches, as well as the polynomial mutation operator on the algorithmic performance of DMO-QPSO.",https://pureportal.coventry.ac.uk/en/publications/dmo-qpso-a-multi-objective-quantum-behaved-particle-swarm-optimiz,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['dmo', 'qpso', 'multi', 'object', 'quantum', 'behav', 'particl', 'swarm', 'optim', 'algorithm', 'base', 'decomposit', 'divers', 'control', 'qi', 'jun', 'sun', 'feng', 'pan', 'vasil', 'palad', 'bilal', 'ahmad', 'decomposit', 'base', 'multi', 'object', 'evolutionari', 'algorithm', 'moea', 'shown', 'remark', 'effect', 'solv', 'multi', 'object', 'problem', 'mop', 'paper', 'integr', 'quantum', 'behav', 'particl', 'swarm', 'optim', 'qpso', 'algorithm', 'moea', 'framework', 'order', 'make', 'qpso', 'abl', 'solv', 'mop', 'effect', 'advantag', 'qpso', 'fulli', 'use', 'also', 'employ', 'divers', 'control', 'mechan', 'avoid', 'prematur', 'converg', 'especi', 'later', 'stage', 'search', 'process', 'thu', 'improv', 'perform', 'propos', 'algorithm', 'addit', 'introduc', 'number', 'nondomin', 'solut', 'gener', 'global', 'best', 'guid', 'particl', 'swarm', 'experi', 'conduct', 'compar', 'propos', 'algorithm', 'dmo', 'qpso', 'four', 'multi', 'object', 'particl', 'swarm', 'optim', 'algorithm', 'one', 'multi', 'object', 'evolutionari', 'algorithm', '15', 'test', 'function', 'includ', 'bi', 'object', 'tri', 'object', 'problem', 'result', 'show', 'perform', 'propos', 'dmo', 'qpso', 'better', 'five', 'algorithm', 'solv', 'test', 'problem', 'moreov', 'studi', 'impact', 'two', 'differ', 'decomposit', 'approach', 'e', 'penalti', 'base', 'boundari', 'intersect', 'pbi', 'tchebycheff', 'tch', 'approach', 'well', 'polynomi', 'mutat', 'oper', 'algorithm', 'perform', 'dmo', 'qpso', 'decomposit', 'divers', 'control', 'multi', 'object', 'optim', 'prematur', 'converg', 'quantum', 'behav', 'particl', 'swarm', 'optim']" +118,Economic Evaluation of Mental Health Effects of Flooding Using Bayesian Networks,"Tabassom Sedighi, Liz Varga, Amin Hosseinian-Far, Alireza Daneshkhah",13-Jul-21,"['bayesian network', 'Cost-effectiveness intervention', 'evaluation', 'flood risk management', 'mental health impacts', 'QALY', 'Evaluation', 'Flood risk management', 'Mental health impacts', 'Bayesian network']","The appraisal of appropriate levels of investment for devising flooding mitigation and to support recovery interventions is a complex and challenging task. Evaluation must account for social, political, environmental and other conditions, such as flood state expectations and local priorities. The evaluation method should be able to quickly identify evolving investment needs as the incidence and magnitude of flood events continue to grow. Quantification is essential and must consider multiple direct and indirect effects on flood related outcomes. The method proposed is this study is a Bayesian network, which may be used ex-post for evaluation, but also ex-ante for future assessment, and near real-time for the reallocation of investment into interventions. The particular case we study is the effect of flood interventions upon mental health, which is a gap in current investment analyses. Natural events such as floods expose people to negative mental health disorders including anxiety, distress and post-traumatic stress disorder. Such outcomes can be mitigated or exacerbated not only by state funded interventions, but by individual and community skills and experience. Success is also dampened when vulnerable and previously exposed victims are affected. Current measures evaluate solely the effectiveness of interventions to reduce physical damage to people and assets. This paper contributes a design for a Bayesian network that exposes causal pathways and conditional probabilities between interventions and mental health outcomes as well as providing a tool that can readily indicate the level of investment needed in alternative interventions based on desired mental health outcomes.",https://pureportal.coventry.ac.uk/en/publications/economic-evaluation-of-mental-health-effects-of-flooding-using-ba,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['econom', 'evalu', 'mental', 'health', 'effect', 'flood', 'use', 'bayesian', 'network', 'tabassom', 'sedighi', 'liz', 'varga', 'amin', 'hosseinian', 'far', 'alireza', 'daneshkhah', 'apprais', 'appropri', 'level', 'invest', 'devis', 'flood', 'mitig', 'support', 'recoveri', 'intervent', 'complex', 'challeng', 'task', 'evalu', 'must', 'account', 'social', 'polit', 'environment', 'condit', 'flood', 'state', 'expect', 'local', 'prioriti', 'evalu', 'method', 'abl', 'quickli', 'identifi', 'evolv', 'invest', 'need', 'incid', 'magnitud', 'flood', 'event', 'continu', 'grow', 'quantif', 'essenti', 'must', 'consid', 'multipl', 'direct', 'indirect', 'effect', 'flood', 'relat', 'outcom', 'method', 'propos', 'studi', 'bayesian', 'network', 'may', 'use', 'ex', 'post', 'evalu', 'also', 'ex', 'ant', 'futur', 'assess', 'near', 'real', 'time', 'realloc', 'invest', 'intervent', 'particular', 'case', 'studi', 'effect', 'flood', 'intervent', 'upon', 'mental', 'health', 'gap', 'current', 'invest', 'analys', 'natur', 'event', 'flood', 'expos', 'peopl', 'neg', 'mental', 'health', 'disord', 'includ', 'anxieti', 'distress', 'post', 'traumat', 'stress', 'disord', 'outcom', 'mitig', 'exacerb', 'state', 'fund', 'intervent', 'individu', 'commun', 'skill', 'experi', 'success', 'also', 'dampen', 'vulner', 'previous', 'expos', 'victim', 'affect', 'current', 'measur', 'evalu', 'sole', 'effect', 'intervent', 'reduc', 'physic', 'damag', 'peopl', 'asset', 'paper', 'contribut', 'design', 'bayesian', 'network', 'expos', 'causal', 'pathway', 'condit', 'probabl', 'intervent', 'mental', 'health', 'outcom', 'well', 'provid', 'tool', 'readili', 'indic', 'level', 'invest', 'need', 'altern', 'intervent', 'base', 'desir', 'mental', 'health', 'outcom', 'bayesian', 'network', 'cost', 'effect', 'intervent', 'evalu', 'flood', 'risk', 'manag', 'mental', 'health', 'impact', 'qali', 'evalu', 'flood', 'risk', 'manag', 'mental', 'health', 'impact', 'bayesian', 'network']" +119,Efficient activity recognition using lightweight CNN and DS-GRU network for surveillance applications,"Amin Ullah, Khan Muhammad, Weiping Ding, Vasile Palade, Ijaz Ul Haq, Sung Wook Baik",May-21,"['Activity recognition', 'Artificial intelligence', 'Deep learning', 'IoT', 'Machine learning', 'Pattern recognition', 'Video big data analytics']","Recognizing human activities has become a trend in smart surveillance that contains several challenges, such as performing effective analyses of huge video data streams, while maintaining low computational complexity, and performing this task in real-time. Current activity recognition techniques are using convolutional neural network (CNN) models with computationally complex classifiers, creating hurdles in obtaining quick responses for abnormal activities. To address these challenges in real-time surveillance, this paper proposes a lightweight deep learning-assisted framework for activity recognition. First, we detect a human in the surveillance stream using an effective CNN model, which is trained on two surveillance datasets. The detected individual is tracked throughout the video stream via an ultra-fast object tracker called the ‘minimum output sum of squared error’ (MOSSE). Next, for each tracked individual, pyramidal convolutional features are extracted from two consecutive frames using the efficient LiteFlowNet CNN. Finally, a novel deep skip connection gated recurrent unit (DS-GRU) is trained to learn the temporal changes in the sequence of frames for activity recognition. Experiments are conducted over five benchmark activity recognition datasets, and the results indicate the efficiency of the proposed technique for real-time surveillance applications compared to the state-of-the-art.",https://pureportal.coventry.ac.uk/en/publications/efficient-activity-recognition-using-lightweight-cnn-and-ds-gru-n,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None]","['effici', 'activ', 'recognit', 'use', 'lightweight', 'cnn', 'ds', 'gru', 'network', 'surveil', 'applic', 'amin', 'ullah', 'khan', 'muhammad', 'weip', 'ding', 'vasil', 'palad', 'ijaz', 'ul', 'haq', 'sung', 'wook', 'baik', 'recogn', 'human', 'activ', 'becom', 'trend', 'smart', 'surveil', 'contain', 'sever', 'challeng', 'perform', 'effect', 'analys', 'huge', 'video', 'data', 'stream', 'maintain', 'low', 'comput', 'complex', 'perform', 'task', 'real', 'time', 'current', 'activ', 'recognit', 'techniqu', 'use', 'convolut', 'neural', 'network', 'cnn', 'model', 'comput', 'complex', 'classifi', 'creat', 'hurdl', 'obtain', 'quick', 'respons', 'abnorm', 'activ', 'address', 'challeng', 'real', 'time', 'surveil', 'paper', 'propos', 'lightweight', 'deep', 'learn', 'assist', 'framework', 'activ', 'recognit', 'first', 'detect', 'human', 'surveil', 'stream', 'use', 'effect', 'cnn', 'model', 'train', 'two', 'surveil', 'dataset', 'detect', 'individu', 'track', 'throughout', 'video', 'stream', 'via', 'ultra', 'fast', 'object', 'tracker', 'call', 'minimum', 'output', 'sum', 'squar', 'error', 'moss', 'next', 'track', 'individu', 'pyramid', 'convolut', 'featur', 'extract', 'two', 'consecut', 'frame', 'use', 'effici', 'liteflownet', 'cnn', 'final', 'novel', 'deep', 'skip', 'connect', 'gate', 'recurr', 'unit', 'ds', 'gru', 'train', 'learn', 'tempor', 'chang', 'sequenc', 'frame', 'activ', 'recognit', 'experi', 'conduct', 'five', 'benchmark', 'activ', 'recognit', 'dataset', 'result', 'indic', 'effici', 'propos', 'techniqu', 'real', 'time', 'surveil', 'applic', 'compar', 'state', 'art', 'activ', 'recognit', 'artifici', 'intellig', 'deep', 'learn', 'iot', 'machin', 'learn', 'pattern', 'recognit', 'video', 'big', 'data', 'analyt']" +120,Efimov-DNA Phase diagram: three stranded DNA on a cubic lattice,"Somendra M. Bhattacharjee, Damien Paul Foster",12-Aug-21,"['Physics and Astronomy(all)', 'Physical and Theoretical Chemistry']","We define a generalized model for three-stranded DNA consisting of two chains of one type and a third chain of a different type. The DNA strands are modeled by random walks on the three-dimensional cubic lattice with different interactions between two chains of the same type and two chains of different types. This model may be thought of as a classical analog of the quantum three-body problem. In the quantum situation, it is known that three identical quantum particles will form a triplet with an infinite tower of bound states at the point where any pair of particles would have zero binding energy. The phase diagram is mapped out, and the different phase transitions are examined using finite-size scaling. We look particularly at the scaling of the DNA model at the equivalent Efimov point for chains up to 10 000 steps in length. We find clear evidence of several bound states in the finite-size scaling. We compare these states with the expected Efimov behavior.",https://pureportal.coventry.ac.uk/en/publications/efimov-dna-phase-diagram-three-stranded-dna-on-a-cubic-lattice,"[None, None]","['efimov', 'dna', 'phase', 'diagram', 'three', 'strand', 'dna', 'cubic', 'lattic', 'somendra', 'bhattacharje', 'damien', 'paul', 'foster', 'defin', 'gener', 'model', 'three', 'strand', 'dna', 'consist', 'two', 'chain', 'one', 'type', 'third', 'chain', 'differ', 'type', 'dna', 'strand', 'model', 'random', 'walk', 'three', 'dimension', 'cubic', 'lattic', 'differ', 'interact', 'two', 'chain', 'type', 'two', 'chain', 'differ', 'type', 'model', 'may', 'thought', 'classic', 'analog', 'quantum', 'three', 'bodi', 'problem', 'quantum', 'situat', 'known', 'three', 'ident', 'quantum', 'particl', 'form', 'triplet', 'infinit', 'tower', 'bound', 'state', 'point', 'pair', 'particl', 'would', 'zero', 'bind', 'energi', 'phase', 'diagram', 'map', 'differ', 'phase', 'transit', 'examin', 'use', 'finit', 'size', 'scale', 'look', 'particularli', 'scale', 'dna', 'model', 'equival', 'efimov', 'point', 'chain', '10', '000', 'step', 'length', 'find', 'clear', 'evid', 'sever', 'bound', 'state', 'finit', 'size', 'scale', 'compar', 'state', 'expect', 'efimov', 'behavior', 'physic', 'astronomi', 'physic', 'theoret', 'chemistri']" +121,EnSuRe: Energy & Accuracy Aware Fault-tolerant Scheduling on Real-time Heterogeneous Systems,"Sangeet Saha, Adewale Adetomi, Xiaojun Zhai, Server Kasap, Shoaib Ehsan, Tughrul Arslan, Klaus McDonald-Maier",26-Jul-21,"['Heterogeneous processors', 'Real-time systems', 'Fault-tolerant scheduling', 'Energy efficiency']","This paper proposes an energy efficient real-time scheduling strategy called EnSuRe, which (i) executes real-time tasks on low power consuming primary processors to enhance the system accuracy by maintaining the deadline and (ii) provides reliability against a fixed number of transient faults by selectively executing backup tasks on high power consuming backup processor. Simulation results reveal that EnSuRe consumes nearly 25% less energy, compared to existing techniques, while satisfying the fault tolerance requirements. EnSuRe is also able to achieve 75% system accuracy with 50% system utilisation. Further, the obtained simulation outcomes are validated on benchmark tasks via a fault injection framework on Xilinx ZYNQ APSoC heterogeneous dual core platform.",https://pureportal.coventry.ac.uk/en/publications/ensure-energy-amp-accuracy-aware-fault-tolerant-scheduling-on-rea,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/server-kasap', None, None, None]","['ensur', 'energi', 'accuraci', 'awar', 'fault', 'toler', 'schedul', 'real', 'time', 'heterogen', 'system', 'sangeet', 'saha', 'adewal', 'adetomi', 'xiaojun', 'zhai', 'server', 'kasap', 'shoaib', 'ehsan', 'tughrul', 'arslan', 'klau', 'mcdonald', 'maier', 'paper', 'propos', 'energi', 'effici', 'real', 'time', 'schedul', 'strategi', 'call', 'ensur', 'execut', 'real', 'time', 'task', 'low', 'power', 'consum', 'primari', 'processor', 'enhanc', 'system', 'accuraci', 'maintain', 'deadlin', 'ii', 'provid', 'reliabl', 'fix', 'number', 'transient', 'fault', 'select', 'execut', 'backup', 'task', 'high', 'power', 'consum', 'backup', 'processor', 'simul', 'result', 'reveal', 'ensur', 'consum', 'nearli', '25', 'less', 'energi', 'compar', 'exist', 'techniqu', 'satisfi', 'fault', 'toler', 'requir', 'ensur', 'also', 'abl', 'achiev', '75', 'system', 'accuraci', '50', 'system', 'utilis', 'obtain', 'simul', 'outcom', 'valid', 'benchmark', 'task', 'via', 'fault', 'inject', 'framework', 'xilinx', 'zynq', 'apsoc', 'heterogen', 'dual', 'core', 'platform', 'heterogen', 'processor', 'real', 'time', 'system', 'fault', 'toler', 'schedul', 'energi', 'effici']" +122,Evaluation of a Switched Combining Based Distributed Antenna System (DAS) for Pedestrian-to-Vehicle Communications,"Seongki Yoo, Simon Cotton, Lei Zhang, Michael Doone, Jae Seung Song, Sujan Rajbhandari",05-Aug-21,"['Antenna selection', 'distributed antenna system', 'diversity gain', 'pedestrian-to-vehicle communications', 'switched combining']","The safety of vulnerable road users is paramount, particularly as we move towards the widespread adoption of autonomous and self-driving vehicles. In this study, we investigate the use of a six-element distributed antenna system (DAS), operating at 5.8 GHz and mounted on the exterior (i.e., roof and wing mirrors) of an automobile, to enhance signal reliability for pedestrian-to-vehicle (P2V) communications. Due to its low complexity and ease of implementation, we consider the use of a switch-and-examine combining with post-examining selection (SECps) scheme to combine the signal received by the DAS. During our experiments, a pedestrian wearing a wireless device on their chest either stood stationary or walked by the side of a road. It was found that the overall signal reliability depends on not only the number, but also different groupings of the antennas which are selected. The goodness-of-fit results have shown that the temporal behavior of the diversity gain was adequately described by the Gaussian distribution. Building upon this, we also provide some useful insights into the antenna selection through the comparison of three different antenna selection mechanisms, namely per-sample random antenna selection, one-shot antenna selection and per-sample optimal antenna selection.",https://pureportal.coventry.ac.uk/en/publications/evaluation-of-a-switched-combining-based-distributed-antenna-syst,"['https://pureportal.coventry.ac.uk/en/persons/seongki-yoo', None, None, None, None, None]","['evalu', 'switch', 'combin', 'base', 'distribut', 'antenna', 'system', 'da', 'pedestrian', 'vehicl', 'commun', 'seongki', 'yoo', 'simon', 'cotton', 'lei', 'zhang', 'michael', 'doon', 'jae', 'seung', 'song', 'sujan', 'rajbhandari', 'safeti', 'vulner', 'road', 'user', 'paramount', 'particularli', 'move', 'toward', 'widespread', 'adopt', 'autonom', 'self', 'drive', 'vehicl', 'studi', 'investig', 'use', 'six', 'element', 'distribut', 'antenna', 'system', 'da', 'oper', '5', '8', 'ghz', 'mount', 'exterior', 'e', 'roof', 'wing', 'mirror', 'automobil', 'enhanc', 'signal', 'reliabl', 'pedestrian', 'vehicl', 'p2v', 'commun', 'due', 'low', 'complex', 'eas', 'implement', 'consid', 'use', 'switch', 'examin', 'combin', 'post', 'examin', 'select', 'secp', 'scheme', 'combin', 'signal', 'receiv', 'da', 'experi', 'pedestrian', 'wear', 'wireless', 'devic', 'chest', 'either', 'stood', 'stationari', 'walk', 'side', 'road', 'found', 'overal', 'signal', 'reliabl', 'depend', 'number', 'also', 'differ', 'group', 'antenna', 'select', 'good', 'fit', 'result', 'shown', 'tempor', 'behavior', 'divers', 'gain', 'adequ', 'describ', 'gaussian', 'distribut', 'build', 'upon', 'also', 'provid', 'use', 'insight', 'antenna', 'select', 'comparison', 'three', 'differ', 'antenna', 'select', 'mechan', 'name', 'per', 'sampl', 'random', 'antenna', 'select', 'one', 'shot', 'antenna', 'select', 'per', 'sampl', 'optim', 'antenna', 'select', 'antenna', 'select', 'distribut', 'antenna', 'system', 'divers', 'gain', 'pedestrian', 'vehicl', 'commun', 'switch', 'combin']" +123,Finding the Uncomfortable Solution: Responsible Innovation in Humanitarian Energy,"Ben Robinson, Alison Halford, Elena Gaura",05-Oct-21,[],"In response to the increasing number of displaced people, the humanitarian sector is exploring innovation as a framework to improve the delivery of the Sustainable Development Goals (SDGs). Traditionally, the focus on camp settings and short term solutions have resulted in a humanitarian response that is slow to adapt to the rapidity of technological innovation (Betts and Bloom, 2014). For example, 87.8% of African’s in Sub-Saharan Africa have a mobile phone (World Bank, 2019), yet 80% of displaced people living in camps in this same region still cook over open fires which are linked to long term health and environmental effects (Grafham and Lahn, 2018).As a result of the lessons learned from the Humanitarian Engineering and Energy for Displacement (HEED) project around the different perceptions of innovation between key energy stakeholders, this paper looks to engage with questions around ensuring innovation in the humanitarian sector, and more specifically humanitarian energy, is responsible. How can we define responsible? Is responsible innovation a theoretical nicety or can it ensure a just energy transition as outlined by the SDGs? What does responsible innovation look like in reality? Building to our underlying research question: what is the state-of-the-art in responsible innovation for humanitarian energy and how is it implemented at project level?",https://pureportal.coventry.ac.uk/en/publications/finding-the-uncomfortable-solution-responsible-innovation-in-huma,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['find', 'uncomfort', 'solut', 'respons', 'innov', 'humanitarian', 'energi', 'ben', 'robinson', 'alison', 'halford', 'elena', 'gaura', 'respons', 'increas', 'number', 'displac', 'peopl', 'humanitarian', 'sector', 'explor', 'innov', 'framework', 'improv', 'deliveri', 'sustain', 'develop', 'goal', 'sdg', 'tradit', 'focu', 'camp', 'set', 'short', 'term', 'solut', 'result', 'humanitarian', 'respons', 'slow', 'adapt', 'rapid', 'technolog', 'innov', 'bett', 'bloom', '2014', 'exampl', '87', '8', 'african', 'sub', 'saharan', 'africa', 'mobil', 'phone', 'world', 'bank', '2019', 'yet', '80', 'displac', 'peopl', 'live', 'camp', 'region', 'still', 'cook', 'open', 'fire', 'link', 'long', 'term', 'health', 'environment', 'effect', 'grafham', 'lahn', '2018', 'result', 'lesson', 'learn', 'humanitarian', 'engin', 'energi', 'displac', 'heed', 'project', 'around', 'differ', 'percept', 'innov', 'key', 'energi', 'stakehold', 'paper', 'look', 'engag', 'question', 'around', 'ensur', 'innov', 'humanitarian', 'sector', 'specif', 'humanitarian', 'energi', 'respons', 'defin', 'respons', 'respons', 'innov', 'theoret', 'niceti', 'ensur', 'energi', 'transit', 'outlin', 'sdg', 'respons', 'innov', 'look', 'like', 'realiti', 'build', 'underli', 'research', 'question', 'state', 'art', 'respons', 'innov', 'humanitarian', 'energi', 'implement', 'project', 'level']" +124,Generation of Pedestrian Crossing Scenarios Using Ped-Cross Generative Adversarial Network,"James Patrick Spooner, Vasile Palade, Madeline Cheah, Stratis Kanarachos, Alireza Daneshkhah",06-Jan-21,"['GaN', 'Machine learning', 'human pose', 'CAV', 'Autonomous Vehicle', 'pedestrian', 'Human pose', 'GAN', 'Dataset', 'Pedestrian', 'Autonomous', 'Automotive']","The safety of vulnerable road users is of paramount importance as transport moves towards fully automated driving. The richness of real-world data required for testing autonomous vehicles is limited and furthermore, available data do not present a fair representation of different scenarios and rare events. Before deploying autonomous vehicles publicly, their abilities must reach a safety threshold, not least with regards to vulnerable road users, such as pedestrians. In this paper, we present a novel Generative Adversarial Networks named the Ped-Cross GAN. Ped-Cross GAN is able to generate crossing sequences of pedestrians in the form of human pose sequences. The Ped-Cross GAN is trained with the Pedestrian Scenario dataset. The novel Pedestrian Scenario dataset, derived from existing datasets, enables training on richer pedestrian scenarios. We demonstrate an example of its use through training and testing the Ped-Cross GAN. The results show that the Ped-Cross GAN is able to generate new crossing scenarios that are of the same distribution from those contained in the Pedestrian Scenario dataset. Having a method with these capabilities is important for the future of transport, as it will allow for the adequate testing of Connected and Autonomous Vehicles on how they correctly perceive the intention of pedestrians crossing the street, ultimately leading to fewer pedestrian casualties on our roads. ",https://pureportal.coventry.ac.uk/en/publications/generation-of-pedestrian-crossing-scenarios-using-ped-cross-gener,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['gener', 'pedestrian', 'cross', 'scenario', 'use', 'ped', 'cross', 'gener', 'adversari', 'network', 'jame', 'patrick', 'spooner', 'vasil', 'palad', 'madelin', 'cheah', 'strati', 'kanaracho', 'alireza', 'daneshkhah', 'safeti', 'vulner', 'road', 'user', 'paramount', 'import', 'transport', 'move', 'toward', 'fulli', 'autom', 'drive', 'rich', 'real', 'world', 'data', 'requir', 'test', 'autonom', 'vehicl', 'limit', 'furthermor', 'avail', 'data', 'present', 'fair', 'represent', 'differ', 'scenario', 'rare', 'event', 'deploy', 'autonom', 'vehicl', 'publicli', 'abil', 'must', 'reach', 'safeti', 'threshold', 'least', 'regard', 'vulner', 'road', 'user', 'pedestrian', 'paper', 'present', 'novel', 'gener', 'adversari', 'network', 'name', 'ped', 'cross', 'gan', 'ped', 'cross', 'gan', 'abl', 'gener', 'cross', 'sequenc', 'pedestrian', 'form', 'human', 'pose', 'sequenc', 'ped', 'cross', 'gan', 'train', 'pedestrian', 'scenario', 'dataset', 'novel', 'pedestrian', 'scenario', 'dataset', 'deriv', 'exist', 'dataset', 'enabl', 'train', 'richer', 'pedestrian', 'scenario', 'demonstr', 'exampl', 'use', 'train', 'test', 'ped', 'cross', 'gan', 'result', 'show', 'ped', 'cross', 'gan', 'abl', 'gener', 'new', 'cross', 'scenario', 'distribut', 'contain', 'pedestrian', 'scenario', 'dataset', 'method', 'capabl', 'import', 'futur', 'transport', 'allow', 'adequ', 'test', 'connect', 'autonom', 'vehicl', 'correctli', 'perceiv', 'intent', 'pedestrian', 'cross', 'street', 'ultim', 'lead', 'fewer', 'pedestrian', 'casualti', 'road', 'gan', 'machin', 'learn', 'human', 'pose', 'cav', 'autonom', 'vehicl', 'pedestrian', 'human', 'pose', 'gan', 'dataset', 'pedestrian', 'autonom', 'automot']" +125,Generative adversarial network-based scheme for diagnosing faults in cyber-physical power systems,"Hossein Hassani, Roozbeh Razavi-Far, Mehrdad Saif, Vasile Palade",30-Jul-21,"['Cyber-physical power systems', 'Fault diagnosis', 'Feature selection', 'Generative adversarial networks']","This paper presents a novel diagnostic framework for distributed power systems that is based on using generative adversarial networks for generating artificial knockoffs in the power grid. The proposed framework makes use of the raw data measurements including voltage, frequency, and phase-angle that are collected from each bus in the cyber-physical power systems. The collected measurements are firstly fed into a feature selection module, where multiple state-of-the-art techniques have been used to extract the most informative features from the initial set of available features. The selected features are inputs to a knockoff generation module, where the generative adversarial networks are employed to generate the corresponding knockoffs of the selected features. The generated knockoffs are then fed into a classification module, in which two different classification models are used for the sake of fault diagnosis. Multiple experiments have been designed to investigate the effect of noise, fault resistance value, and sampling rate on the performance of the proposed framework. The effectiveness of the proposed framework is validated through a comprehensive study on the IEEE 118-bus system.",https://pureportal.coventry.ac.uk/en/publications/generative-adversarial-network-based-scheme-for-diagnosing-faults,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['gener', 'adversari', 'network', 'base', 'scheme', 'diagnos', 'fault', 'cyber', 'physic', 'power', 'system', 'hossein', 'hassani', 'roozbeh', 'razavi', 'far', 'mehrdad', 'saif', 'vasil', 'palad', 'paper', 'present', 'novel', 'diagnost', 'framework', 'distribut', 'power', 'system', 'base', 'use', 'gener', 'adversari', 'network', 'gener', 'artifici', 'knockoff', 'power', 'grid', 'propos', 'framework', 'make', 'use', 'raw', 'data', 'measur', 'includ', 'voltag', 'frequenc', 'phase', 'angl', 'collect', 'bu', 'cyber', 'physic', 'power', 'system', 'collect', 'measur', 'firstli', 'fed', 'featur', 'select', 'modul', 'multipl', 'state', 'art', 'techniqu', 'use', 'extract', 'inform', 'featur', 'initi', 'set', 'avail', 'featur', 'select', 'featur', 'input', 'knockoff', 'gener', 'modul', 'gener', 'adversari', 'network', 'employ', 'gener', 'correspond', 'knockoff', 'select', 'featur', 'gener', 'knockoff', 'fed', 'classif', 'modul', 'two', 'differ', 'classif', 'model', 'use', 'sake', 'fault', 'diagnosi', 'multipl', 'experi', 'design', 'investig', 'effect', 'nois', 'fault', 'resist', 'valu', 'sampl', 'rate', 'perform', 'propos', 'framework', 'effect', 'propos', 'framework', 'valid', 'comprehens', 'studi', 'ieee', '118', 'bu', 'system', 'cyber', 'physic', 'power', 'system', 'fault', 'diagnosi', 'featur', 'select', 'gener', 'adversari', 'network']" +126,Guest Editorial: Special Issue on Deep Representation and Transfer Learning for Smart and Connected Health,"Vasile Palade, Stefan Wermter, Ariel Ruiz-Garcia, Antonio De Padua Braga, Clive Cheong Took",04-Feb-21,"['Artificial Intelligence', 'Computer Networks and Communications', 'Computer Science Applications', 'Software']","Deep neural networks (NNs) have been proved to be efficient learning systems for supervised and unsupervised tasks. However, learning complex data representations using deep NNs can be difficult due to problems such as lack of data, exploding or vanishing gradients, high computational cost, or incorrect parameter initialization, among others. Deep representation and transfer learning (RTL) can facilitate the learning of data representations by taking advantage of transferable features learned by an NN model in a source domain, and adapting the model to a new domain.",https://pureportal.coventry.ac.uk/en/publications/guest-editorial-special-issue-on-deep-representation-and-transfer,"['https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None, None, None]","['guest', 'editori', 'special', 'issu', 'deep', 'represent', 'transfer', 'learn', 'smart', 'connect', 'health', 'vasil', 'palad', 'stefan', 'wermter', 'ariel', 'ruiz', 'garcia', 'antonio', 'de', 'padua', 'braga', 'clive', 'cheong', 'took', 'deep', 'neural', 'network', 'nn', 'prove', 'effici', 'learn', 'system', 'supervis', 'unsupervis', 'task', 'howev', 'learn', 'complex', 'data', 'represent', 'use', 'deep', 'nn', 'difficult', 'due', 'problem', 'lack', 'data', 'explod', 'vanish', 'gradient', 'high', 'comput', 'cost', 'incorrect', 'paramet', 'initi', 'among', 'other', 'deep', 'represent', 'transfer', 'learn', 'rtl', 'facilit', 'learn', 'data', 'represent', 'take', 'advantag', 'transfer', 'featur', 'learn', 'nn', 'model', 'sourc', 'domain', 'adapt', 'model', 'new', 'domain', 'artifici', 'intellig', 'comput', 'network', 'commun', 'comput', 'scienc', 'applic', 'softwar']" +127,Improving Algebraic Tools to Study Bifurcation Sequences of Population Models,"AmirHosein Sadeghimanesh, Matthew England",14-Sep-21,[],"Since being introduced by Collins in the 1970s Cylindrical Algebraic Decomposition has found many applications. We focus on its use to decomposition the parameter space of a parametric system of polynomial equations, and possibly some polynomial inequality constraints, with respect to the number of real solutions that the system attains. Previous studies simplify the CAD computation by first computing the discriminant variety of the system, which usually involves Gr¨obner Basis computation. However, on some even very small applied examples this itself can become expensive. Thus we consider development of new algorithms to reduce the complexity of this approach, by adopting numerical ideas and some recent technical developments in CAD theory. In this extended abstract we outline our recent progress as evaluated on an example from population dynamics with the Allee effect.",https://pureportal.coventry.ac.uk/en/publications/improving-algebraic-tools-to-study-bifurcation-sequences-of-popul,"['https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh', 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['improv', 'algebra', 'tool', 'studi', 'bifurc', 'sequenc', 'popul', 'model', 'amirhosein', 'sadeghimanesh', 'matthew', 'england', 'sinc', 'introduc', 'collin', '1970', 'cylindr', 'algebra', 'decomposit', 'found', 'mani', 'applic', 'focu', 'use', 'decomposit', 'paramet', 'space', 'parametr', 'system', 'polynomi', 'equat', 'possibl', 'polynomi', 'inequ', 'constraint', 'respect', 'number', 'real', 'solut', 'system', 'attain', 'previou', 'studi', 'simplifi', 'cad', 'comput', 'first', 'comput', 'discrimin', 'varieti', 'system', 'usual', 'involv', 'gr', 'obner', 'basi', 'comput', 'howev', 'even', 'small', 'appli', 'exampl', 'becom', 'expens', 'thu', 'consid', 'develop', 'new', 'algorithm', 'reduc', 'complex', 'approach', 'adopt', 'numer', 'idea', 'recent', 'technic', 'develop', 'cad', 'theori', 'extend', 'abstract', 'outlin', 'recent', 'progress', 'evalu', 'exampl', 'popul', 'dynam', 'alle', 'effect']" +128,Improving skin cancer classification using heavy-tailed student t-distribution in generative adversarial networks (Ted-gan),"Bilal Ahmad, Sun Jun, Vasile Palade, Qi You, Li Mao, Mao Zhongjie",19-Nov-21,"['Convolutional neural networks', 'Deep learning', 'GANs', 'Generative adversarial networks', 'Heavy-tailed distribution', 'Informative noise vector', 'Melanoma detection', 'Skin cancer classification', 'Student t-distribution', 'T-distribution', 'VAE', 'Variational autoencoder']","Deep learning has gained immense attention from researchers in medicine, especially in medical imaging. The main bottleneck is the unavailability of sufficiently large medical datasets required for the good performance of deep learning models. This paper proposes a new framework consisting of one variational autoencoder (VAE), two generative adversarial networks, and one auxiliary classifier to artificially generate realistic-looking skin lesion images and improve classification performance. We first train the encoder-decoder network to obtain the latent noise vector with the image manifold’s information and let the generative adversarial network sample the input from this informative noise vector in order to generate the skin lesion images. The use of informative noise allows the GAN to avoid mode collapse and creates faster convergence. To improve the diversity in the generated images, we use another GAN with an auxiliary classifier, which samples the noise vector from a heavy-tailed student t-distribution instead of a random noise Gaussian distribution. The proposed framework was named TED-GAN, with T from the t-distribution and ED from the encoder-decoder network which is part of the solution. The proposed framework could be used in a broad range of areas in medical imaging. We used it here to generate skin lesion images and have obtained an improved classification performance on the skin lesion classification task, rising from 66% average accuracy to 92.5%. The results show that TED-GAN has a better impact on the classification task because of its diverse range of generated images due to the use of a heavy-tailed t-distribution.",https://pureportal.coventry.ac.uk/en/publications/improving-skin-cancer-classification-using-heavy-tailed-student-t,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None, None]","['improv', 'skin', 'cancer', 'classif', 'use', 'heavi', 'tail', 'student', 'distribut', 'gener', 'adversari', 'network', 'ted', 'gan', 'bilal', 'ahmad', 'sun', 'jun', 'vasil', 'palad', 'qi', 'li', 'mao', 'mao', 'zhongji', 'deep', 'learn', 'gain', 'immens', 'attent', 'research', 'medicin', 'especi', 'medic', 'imag', 'main', 'bottleneck', 'unavail', 'suffici', 'larg', 'medic', 'dataset', 'requir', 'good', 'perform', 'deep', 'learn', 'model', 'paper', 'propos', 'new', 'framework', 'consist', 'one', 'variat', 'autoencod', 'vae', 'two', 'gener', 'adversari', 'network', 'one', 'auxiliari', 'classifi', 'artifici', 'gener', 'realist', 'look', 'skin', 'lesion', 'imag', 'improv', 'classif', 'perform', 'first', 'train', 'encod', 'decod', 'network', 'obtain', 'latent', 'nois', 'vector', 'imag', 'manifold', 'inform', 'let', 'gener', 'adversari', 'network', 'sampl', 'input', 'inform', 'nois', 'vector', 'order', 'gener', 'skin', 'lesion', 'imag', 'use', 'inform', 'nois', 'allow', 'gan', 'avoid', 'mode', 'collaps', 'creat', 'faster', 'converg', 'improv', 'divers', 'gener', 'imag', 'use', 'anoth', 'gan', 'auxiliari', 'classifi', 'sampl', 'nois', 'vector', 'heavi', 'tail', 'student', 'distribut', 'instead', 'random', 'nois', 'gaussian', 'distribut', 'propos', 'framework', 'name', 'ted', 'gan', 'distribut', 'ed', 'encod', 'decod', 'network', 'part', 'solut', 'propos', 'framework', 'could', 'use', 'broad', 'rang', 'area', 'medic', 'imag', 'use', 'gener', 'skin', 'lesion', 'imag', 'obtain', 'improv', 'classif', 'perform', 'skin', 'lesion', 'classif', 'task', 'rise', '66', 'averag', 'accuraci', '92', '5', 'result', 'show', 'ted', 'gan', 'better', 'impact', 'classif', 'task', 'divers', 'rang', 'gener', 'imag', 'due', 'use', 'heavi', 'tail', 'distribut', 'convolut', 'neural', 'network', 'deep', 'learn', 'gan', 'gener', 'adversari', 'network', 'heavi', 'tail', 'distribut', 'inform', 'nois', 'vector', 'melanoma', 'detect', 'skin', 'cancer', 'classif', 'student', 'distribut', 'distribut', 'vae', 'variat', 'autoencod']" +129,Investigating the effects of two fragrances on comfort in the automotive context,"Alexandre Gentner, Giuliano Gradinati, Carole Favart, Kojo Sarfo Gyamfi, James Brusey",08-Jan-21,"['overall comfort', 'olfactory comfort', 'thermal comfort,', 'scent diffusion', 'fragrance diffusion', 'automotive context']","What is this the impact of olfactory and visual factors on overall comfort? Can these factors have an effect on the perception of thermal comfort? These questions are particularly interesting in the context of a vehicle car cabin, since it leads to the possibility of visual or olfactory cues being used to maintain passenger thermal comfort at a lower energy cost. In this work, human subject trials (n=47) were performed in a temperature-controlled environ-ment varying air temperature, ambient light (none, yellow, blue) and scent (neutral, peppermint, orange & cinna-mon). Multiple linear regression shows olfactory factors to have a larger effect on overall comfort perception than visual factors. Either scent improved thermal perception in a slightly cold environment, while only peppermint im-proved thermal perception in a slightly warm environment. These results suggest that the use of visual and olfac-tory factors have the potential to increase car cabin comfort and / or improve the energy efficiency of the car cli-mate system.",https://pureportal.coventry.ac.uk/en/publications/investigating-the-effects-of-two-fragrances-on-comfort-in-the-aut,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/james-brusey']","['investig', 'effect', 'two', 'fragranc', 'comfort', 'automot', 'context', 'alexandr', 'gentner', 'giuliano', 'gradinati', 'carol', 'favart', 'kojo', 'sarfo', 'gyamfi', 'jame', 'brusey', 'impact', 'olfactori', 'visual', 'factor', 'overal', 'comfort', 'factor', 'effect', 'percept', 'thermal', 'comfort', 'question', 'particularli', 'interest', 'context', 'vehicl', 'car', 'cabin', 'sinc', 'lead', 'possibl', 'visual', 'olfactori', 'cue', 'use', 'maintain', 'passeng', 'thermal', 'comfort', 'lower', 'energi', 'cost', 'work', 'human', 'subject', 'trial', 'n', '47', 'perform', 'temperatur', 'control', 'environ', 'ment', 'vari', 'air', 'temperatur', 'ambient', 'light', 'none', 'yellow', 'blue', 'scent', 'neutral', 'peppermint', 'orang', 'cinna', 'mon', 'multipl', 'linear', 'regress', 'show', 'olfactori', 'factor', 'larger', 'effect', 'overal', 'comfort', 'percept', 'visual', 'factor', 'either', 'scent', 'improv', 'thermal', 'percept', 'slightli', 'cold', 'environ', 'peppermint', 'im', 'prove', 'thermal', 'percept', 'slightli', 'warm', 'environ', 'result', 'suggest', 'use', 'visual', 'olfac', 'tori', 'factor', 'potenti', 'increas', 'car', 'cabin', 'comfort', 'improv', 'energi', 'effici', 'car', 'cli', 'mate', 'system', 'overal', 'comfort', 'olfactori', 'comfort', 'thermal', 'comfort', 'scent', 'diffus', 'fragranc', 'diffus', 'automot', 'context']" +130,IoT-Enabled Light Intensity-Controlled Seamless Highway Lighting System,"Md Arafatur Rahman, A. Taufiq Asyhari, Mohammad S. Obaidat, Ibnu Febry Kurniawan, Marufa Yeasmin Mukta, P. Vijayakumar",Mar-21,"['Energy efficiency', 'internet of things', 'pervasive lighting system', 'relay network', 'smart highway', 'smart lighting']","Motivated by enormous highway-lighting energy consumption, smart lighting development is crucial to better manage available resources. While existing literature focused on ensuring cost-effective lighting, an equally important requirement, namely the visual comfort of motorists, is almost disregarded. This article proposes a novel Internet of Things-enabled system that can be intelligently controlled according to the traffic demand. Cooperative relay-network architecture is the central element that leverages upon placement of cyber-enabled lampposts to allow for sensing-exchanging highway traffic information. Data accumulation is exploited to automate adaptive switching on/off the lighting and provide backtracking detection of faulty lampposts. From the service provider's perspective, we envision to deploy low-cost highly durable sensing and network components to significantly cut down the operating cost. From the road user's perspective, the relay-network is envisaged to provide seamless driving experience where sufficient lighting is always perceived along the road. A critical analysis quantitatively evaluates the seamless driving experience considering car arrival rate, outage probability, and device malfunction probability. A road occupancy-based cost estimation analysis demonstrates the effective cost reduction of the proposal compared to existing systems. Furthermore, the performance of chosen communication modules under different setups is assessed through simulation, suggesting appropriate protocol for different highway traffic conditions.",https://pureportal.coventry.ac.uk/en/publications/iot-enabled-light-intensity-controlled-seamless-highway-lighting-,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/ibnu-febry-kurniawan', None, None]","['iot', 'enabl', 'light', 'intens', 'control', 'seamless', 'highway', 'light', 'system', 'md', 'arafatur', 'rahman', 'taufiq', 'asyhari', 'mohammad', 'obaidat', 'ibnu', 'febri', 'kurniawan', 'marufa', 'yeasmin', 'mukta', 'p', 'vijayakumar', 'motiv', 'enorm', 'highway', 'light', 'energi', 'consumpt', 'smart', 'light', 'develop', 'crucial', 'better', 'manag', 'avail', 'resourc', 'exist', 'literatur', 'focus', 'ensur', 'cost', 'effect', 'light', 'equal', 'import', 'requir', 'name', 'visual', 'comfort', 'motorist', 'almost', 'disregard', 'articl', 'propos', 'novel', 'internet', 'thing', 'enabl', 'system', 'intellig', 'control', 'accord', 'traffic', 'demand', 'cooper', 'relay', 'network', 'architectur', 'central', 'element', 'leverag', 'upon', 'placement', 'cyber', 'enabl', 'lamppost', 'allow', 'sens', 'exchang', 'highway', 'traffic', 'inform', 'data', 'accumul', 'exploit', 'autom', 'adapt', 'switch', 'light', 'provid', 'backtrack', 'detect', 'faulti', 'lamppost', 'servic', 'provid', 'perspect', 'envis', 'deploy', 'low', 'cost', 'highli', 'durabl', 'sens', 'network', 'compon', 'significantli', 'cut', 'oper', 'cost', 'road', 'user', 'perspect', 'relay', 'network', 'envisag', 'provid', 'seamless', 'drive', 'experi', 'suffici', 'light', 'alway', 'perceiv', 'along', 'road', 'critic', 'analysi', 'quantit', 'evalu', 'seamless', 'drive', 'experi', 'consid', 'car', 'arriv', 'rate', 'outag', 'probabl', 'devic', 'malfunct', 'probabl', 'road', 'occup', 'base', 'cost', 'estim', 'analysi', 'demonstr', 'effect', 'cost', 'reduct', 'propos', 'compar', 'exist', 'system', 'furthermor', 'perform', 'chosen', 'commun', 'modul', 'differ', 'setup', 'assess', 'simul', 'suggest', 'appropri', 'protocol', 'differ', 'highway', 'traffic', 'condit', 'energi', 'effici', 'internet', 'thing', 'pervas', 'light', 'system', 'relay', 'network', 'smart', 'highway', 'smart', 'light']" +131,IO-VNBD: Inertial and Odometry benchmark dataset for ground vehicle positioning,"Uche Onyekpe, Vasile Palade, Stratis Kanarachos, Alicja Szkolnik",Apr-21,"['Autonomous driving', 'Deep learning', 'GPS loss', 'INS', 'Vehicle positioning', 'Vehicular navigation', 'Wheel odometry']","Low-cost Inertial Navigation Sensors (INS) can be exploited for a reliable solution for tracking autonomous vehicles in the absence of GPS signals. However, position errors grow exponentially over time due to noises in the sensor measurements. The lack of a public and robust benchmark dataset has however hindered the advancement in the research, comparison and adoption of recent machine learning techniques such as deep learning techniques to learn the error in the INS for a more accurate positioning of the vehicle. In order to facilitate the benchmarking, fast development and evaluation of positioning algorithms, we therefore present the first of its kind large-scale and information-rich inertial and odometry focused public dataset called IO-VNBD (Inertial Odometry Vehicle Navigation Benchmark Dataset). The vehicle tracking dataset was recorded using a research vehicle equipped with ego-motion sensors on public roads in the United Kingdom, Nigeria, and France. The sensors include a GPS receiver, inertial navigation sensors, wheel-speed sensors amongst other sensors found in the car, as well as the inertial navigation sensors and GPS receiver in an Android smart phone sampling at 10 Hz. A diverse number of driving scenarios were captured such as traffic congestion, round-abouts, hard-braking, etc. on different road types (e.g. country roads, motorways, etc.) and with varying driving patterns. The dataset consists of a total driving time of about 40 h over 1,300 km for the vehicle extracted data and about 58 h over 4,400 km for the smartphone recorded data. We hope that this dataset will prove valuable in furthering research on the correlation between vehicle dynamics and dependable positioning estimation based on vehicle ego-motion sensors, as well as other related studies.",https://pureportal.coventry.ac.uk/en/publications/io-vnbd-inertial-and-odometry-benchmark-dataset-for-ground-vehicl-2,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None]","['io', 'vnbd', 'inerti', 'odometri', 'benchmark', 'dataset', 'ground', 'vehicl', 'posit', 'uch', 'onyekp', 'vasil', 'palad', 'strati', 'kanaracho', 'alicja', 'szkolnik', 'low', 'cost', 'inerti', 'navig', 'sensor', 'in', 'exploit', 'reliabl', 'solut', 'track', 'autonom', 'vehicl', 'absenc', 'gp', 'signal', 'howev', 'posit', 'error', 'grow', 'exponenti', 'time', 'due', 'nois', 'sensor', 'measur', 'lack', 'public', 'robust', 'benchmark', 'dataset', 'howev', 'hinder', 'advanc', 'research', 'comparison', 'adopt', 'recent', 'machin', 'learn', 'techniqu', 'deep', 'learn', 'techniqu', 'learn', 'error', 'in', 'accur', 'posit', 'vehicl', 'order', 'facilit', 'benchmark', 'fast', 'develop', 'evalu', 'posit', 'algorithm', 'therefor', 'present', 'first', 'kind', 'larg', 'scale', 'inform', 'rich', 'inerti', 'odometri', 'focus', 'public', 'dataset', 'call', 'io', 'vnbd', 'inerti', 'odometri', 'vehicl', 'navig', 'benchmark', 'dataset', 'vehicl', 'track', 'dataset', 'record', 'use', 'research', 'vehicl', 'equip', 'ego', 'motion', 'sensor', 'public', 'road', 'unit', 'kingdom', 'nigeria', 'franc', 'sensor', 'includ', 'gp', 'receiv', 'inerti', 'navig', 'sensor', 'wheel', 'speed', 'sensor', 'amongst', 'sensor', 'found', 'car', 'well', 'inerti', 'navig', 'sensor', 'gp', 'receiv', 'android', 'smart', 'phone', 'sampl', '10', 'hz', 'divers', 'number', 'drive', 'scenario', 'captur', 'traffic', 'congest', 'round', 'about', 'hard', 'brake', 'etc', 'differ', 'road', 'type', 'e', 'g', 'countri', 'road', 'motorway', 'etc', 'vari', 'drive', 'pattern', 'dataset', 'consist', 'total', 'drive', 'time', '40', 'h', '1', '300', 'km', 'vehicl', 'extract', 'data', '58', 'h', '4', '400', 'km', 'smartphon', 'record', 'data', 'hope', 'dataset', 'prove', 'valuabl', 'further', 'research', 'correl', 'vehicl', 'dynam', 'depend', 'posit', 'estim', 'base', 'vehicl', 'ego', 'motion', 'sensor', 'well', 'relat', 'studi', 'autonom', 'drive', 'deep', 'learn', 'gp', 'loss', 'in', 'vehicl', 'posit', 'vehicular', 'navig', 'wheel', 'odometri']" +132,Learning to localise automated vehicles in challenging environments using inertial navigation systems (INS),"Uche Onyekpe, Vasile Palade, Stratis Kanarachos",30-Jan-21,"['Autonomous vehicle navigation', 'Deep learning', 'GPS outage', 'Inertial navigation', 'INS', 'Neural networks']","An approach based on Artificial Neural Networks is proposed in this paper to improve the localisation accuracy of Inertial Navigation Systems (INS)/Global Navigation Satellite System (GNSS) based aided navigation during the absence of GNSS signals. The INS can be used to continuously position autonomous vehicles during GNSS signal losses around urban canyons, bridges, tunnels and trees, however, it suffers from unbounded exponential error drifts cascaded over time during the multiple integrations of the accelerometer and gyroscope measurements to position. More so, the error drift is characterised by a pattern dependent on time. This paper proposes several efficient neural network-based solutions to estimate the error drifts using Recurrent Neural Networks, such as the Input Delay Neural Network (IDNN), Long Short-Term Memory (LSTM), Vanilla Recurrent Neural Network (vRNN), and Gated Recurrent Unit (GRU). In contrast to previous papers published in literature, which focused on travel routes that do not take complex driving scenarios into consideration, this paper investigates the performance of the proposed methods on challenging scenarios, such as hard brake, roundabouts, sharp cornering, successive left and right turns and quick changes in vehicular acceleration across numerous test sequences. The results obtained show that the Neural Network-based approaches are able to provide up to 89.55% improvement on the INS displacement estimation and 93.35% on the INS orientation rate estimation.",https://pureportal.coventry.ac.uk/en/publications/learning-to-localise-automated-vehicles-in-challenging-environmen,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['learn', 'localis', 'autom', 'vehicl', 'challeng', 'environ', 'use', 'inerti', 'navig', 'system', 'in', 'uch', 'onyekp', 'vasil', 'palad', 'strati', 'kanaracho', 'approach', 'base', 'artifici', 'neural', 'network', 'propos', 'paper', 'improv', 'localis', 'accuraci', 'inerti', 'navig', 'system', 'in', 'global', 'navig', 'satellit', 'system', 'gnss', 'base', 'aid', 'navig', 'absenc', 'gnss', 'signal', 'in', 'use', 'continu', 'posit', 'autonom', 'vehicl', 'gnss', 'signal', 'loss', 'around', 'urban', 'canyon', 'bridg', 'tunnel', 'tree', 'howev', 'suffer', 'unbound', 'exponenti', 'error', 'drift', 'cascad', 'time', 'multipl', 'integr', 'acceleromet', 'gyroscop', 'measur', 'posit', 'error', 'drift', 'characteris', 'pattern', 'depend', 'time', 'paper', 'propos', 'sever', 'effici', 'neural', 'network', 'base', 'solut', 'estim', 'error', 'drift', 'use', 'recurr', 'neural', 'network', 'input', 'delay', 'neural', 'network', 'idnn', 'long', 'short', 'term', 'memori', 'lstm', 'vanilla', 'recurr', 'neural', 'network', 'vrnn', 'gate', 'recurr', 'unit', 'gru', 'contrast', 'previou', 'paper', 'publish', 'literatur', 'focus', 'travel', 'rout', 'take', 'complex', 'drive', 'scenario', 'consider', 'paper', 'investig', 'perform', 'propos', 'method', 'challeng', 'scenario', 'hard', 'brake', 'roundabout', 'sharp', 'corner', 'success', 'left', 'right', 'turn', 'quick', 'chang', 'vehicular', 'acceler', 'across', 'numer', 'test', 'sequenc', 'result', 'obtain', 'show', 'neural', 'network', 'base', 'approach', 'abl', 'provid', '89', '55', 'improv', 'in', 'displac', 'estim', '93', '35', 'in', 'orient', 'rate', 'estim', 'autonom', 'vehicl', 'navig', 'deep', 'learn', 'gp', 'outag', 'inerti', 'navig', 'in', 'neural', 'network']" +133,Learning Uncertainties in Wheel Odometry for Vehicular Localisation in GNSS Deprived Environments,"Uche Abiola Onyekpe, Vasile Palade, Stratis Kanarachos, Stavros Christopoulos",Feb-21,"['Autonomous Vehicle Navigation', 'Deep learning', 'GPS outage', 'Inertial Navigation System (INS)', 'LSTM', 'Wheel Speed']","Inertial Navigation Systems (INS) are commonly used to localise vehicles in the absence of Global Navigation Satellite Systems (GNSS) signals. However, they are plagued by noises, which grow exponentially over time during the triple integration computation, leading to a poor navigation solution. We explore the wheel encoder as an alternative to the accelerometer of the INS for positional tracking, and for the first time investigate the capability of deep learning using the Long Short-Term Memory (LSTM) neural network to learn the uncertainty inherent in the wheel speed measurements. These uncertainties could be manifested as changes in the tyre size or pressure, or wheel slips as a result of worn out tyres or wet/muddy road drive. The proposed solution has less integration steps in its computation, therefore providing the potential for a more accurate positioning estimation. Through a performance evaluation on several challenging scenarios for vehicular driving, such as hard braking, quick changes in vehicular acceleration, and wet/muddy road driving, we show that the wheel speed-based positioning approach is able to achieve up to 81.46 % improvement compared to the INS accelerometer approach.",https://pureportal.coventry.ac.uk/en/publications/learning-uncertainties-in-wheel-odometry-for-vehicular-localisati,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, 'https://pureportal.coventry.ac.uk/en/persons/stavros-christopoulos']","['learn', 'uncertainti', 'wheel', 'odometri', 'vehicular', 'localis', 'gnss', 'depriv', 'environ', 'uch', 'abiola', 'onyekp', 'vasil', 'palad', 'strati', 'kanaracho', 'stavro', 'christopoulo', 'inerti', 'navig', 'system', 'in', 'commonli', 'use', 'localis', 'vehicl', 'absenc', 'global', 'navig', 'satellit', 'system', 'gnss', 'signal', 'howev', 'plagu', 'nois', 'grow', 'exponenti', 'time', 'tripl', 'integr', 'comput', 'lead', 'poor', 'navig', 'solut', 'explor', 'wheel', 'encod', 'altern', 'acceleromet', 'in', 'posit', 'track', 'first', 'time', 'investig', 'capabl', 'deep', 'learn', 'use', 'long', 'short', 'term', 'memori', 'lstm', 'neural', 'network', 'learn', 'uncertainti', 'inher', 'wheel', 'speed', 'measur', 'uncertainti', 'could', 'manifest', 'chang', 'tyre', 'size', 'pressur', 'wheel', 'slip', 'result', 'worn', 'tyre', 'wet', 'muddi', 'road', 'drive', 'propos', 'solut', 'less', 'integr', 'step', 'comput', 'therefor', 'provid', 'potenti', 'accur', 'posit', 'estim', 'perform', 'evalu', 'sever', 'challeng', 'scenario', 'vehicular', 'drive', 'hard', 'brake', 'quick', 'chang', 'vehicular', 'acceler', 'wet', 'muddi', 'road', 'drive', 'show', 'wheel', 'speed', 'base', 'posit', 'approach', 'abl', 'achiev', '81', '46', 'improv', 'compar', 'in', 'acceleromet', 'approach', 'autonom', 'vehicl', 'navig', 'deep', 'learn', 'gp', 'outag', 'inerti', 'navig', 'system', 'in', 'lstm', 'wheel', 'speed']" +134,Measuring local sensitivity in Bayesian inference using a new class of metrics,"Tabassom Sedighi, Amin Hosseinian-Far, Alireza Daneshkhah",16-Sep-21,"['Bayesian robustness', 'Bayesian stability', 'credible metrics', 'local sensitivity analysis']","The local sensitivity analysis is recognized for its computational simplicity, and potential use in multi-dimensional and complex problems. Unfortunately, its major drawback is its asymptotic behavior where the prior to posterior convergence in terms of the standard metrics (and also computed by Fréchet derivative) used as a local sensitivity measure is not appropriate. The constructed local sensitivity measures do not converge to zero, and even diverge for the most multidimensional classes of prior distributions. Restricting the classes of priors or using other (Formula presented.) -divergence metrics have been proposed as the ways to resolve this issue which were not successful. We overcome this issue, by proposing a new flexible class of metrics so-called credible metrics whose asymptotic behavior is far more promising and no restrictions are required to impose. Using these metrics, the stability of Bayesian inference to the structure of the prior distribution will be then investigated. Under appropriate condition, we present a uniform bound in a sense that a close credible metric a priori will give a close credible metric a posteriori. As a result, we do not get the sort of divergence based on other metrics. We finally show that the posterior predictive distributions are more stable and robust.",https://pureportal.coventry.ac.uk/en/publications/measuring-local-sensitivity-in-bayesian-inference-using-a-new-cla,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['measur', 'local', 'sensit', 'bayesian', 'infer', 'use', 'new', 'class', 'metric', 'tabassom', 'sedighi', 'amin', 'hosseinian', 'far', 'alireza', 'daneshkhah', 'local', 'sensit', 'analysi', 'recogn', 'comput', 'simplic', 'potenti', 'use', 'multi', 'dimension', 'complex', 'problem', 'unfortun', 'major', 'drawback', 'asymptot', 'behavior', 'prior', 'posterior', 'converg', 'term', 'standard', 'metric', 'also', 'comput', 'fréchet', 'deriv', 'use', 'local', 'sensit', 'measur', 'appropri', 'construct', 'local', 'sensit', 'measur', 'converg', 'zero', 'even', 'diverg', 'multidimension', 'class', 'prior', 'distribut', 'restrict', 'class', 'prior', 'use', 'formula', 'present', 'diverg', 'metric', 'propos', 'way', 'resolv', 'issu', 'success', 'overcom', 'issu', 'propos', 'new', 'flexibl', 'class', 'metric', 'call', 'credibl', 'metric', 'whose', 'asymptot', 'behavior', 'far', 'promis', 'restrict', 'requir', 'impos', 'use', 'metric', 'stabil', 'bayesian', 'infer', 'structur', 'prior', 'distribut', 'investig', 'appropri', 'condit', 'present', 'uniform', 'bound', 'sens', 'close', 'credibl', 'metric', 'priori', 'give', 'close', 'credibl', 'metric', 'posteriori', 'result', 'get', 'sort', 'diverg', 'base', 'metric', 'final', 'show', 'posterior', 'predict', 'distribut', 'stabl', 'robust', 'bayesian', 'robust', 'bayesian', 'stabil', 'credibl', 'metric', 'local', 'sensit', 'analysi']" +135,Mobile computing and communications-driven fog-assisted disaster evacuation techniques for context-aware guidance support: A survey,"Ibnu Febry Kurniawan, A. Taufiq Asyhari, Fei He, Ye Liu",01-Nov-21,"['Disaster recovery', 'Evacuatiion guidance', 'Fog', 'Fog computing', 'Fog communications', 'Collaborative analytics', 'Evacuation guidance']","The importance of an optimal solution for disaster evacuation has recently raised attention from researchers across multiple disciplines. This is not only a serious, but also a challenging task due to the complexities of the evacuees’ behaviors, route planning, and demanding coordination services. Although existing studies have addressed these challenges to some extent, mass evacuation in natural disasters tends to be difficult to predict and manage due to the limitation of the underlying models to capture realistic situations. It is therefore desirable to have on-demand mechanisms of locally-driven computing and data exchange services in order to enable near real-time capture of the disaster area during the evacuation. For this purpose, this paper comprehensively surveys recent advances in information and communication technology-enabled disaster evacuations, with the focus on fog computation and communication services to support a massive evacuation process. A numerous variety of tools and techniques are encapsulated within a coordinated on-demand strategy of an evacuation platform, which is aimed to provide a situational awareness and response. Herein fog services appear to be one of the viable options for responsive mass evacuation because they enable low latency data processing and dissemination. They can additionally provide data analytics support for autonomous learning for both the short-term guidance supports and long-term usages. This work extends the existing data-oriented framework by outlining comprehensive functionalities and providing seamless integration. We review the principles, challenges, and future direction of the state-of-the-art strategies proposed to sit within each functionality. Taken together, this survey highlights the importance of adaptive coordination and reconfiguration within the fog services to facilitate responsive mass evacuations as well as open up new research challenges associated with analytics-embedding network and computation, which is critical for any disaster recovery activities.",https://pureportal.coventry.ac.uk/en/publications/mobile-computing-and-communications-driven-fog-assisted-disaster-,"['https://pureportal.coventry.ac.uk/en/persons/ibnu-febry-kurniawan', None, 'https://pureportal.coventry.ac.uk/en/persons/fei-he', None]","['mobil', 'comput', 'commun', 'driven', 'fog', 'assist', 'disast', 'evacu', 'techniqu', 'context', 'awar', 'guidanc', 'support', 'survey', 'ibnu', 'febri', 'kurniawan', 'taufiq', 'asyhari', 'fei', 'ye', 'liu', 'import', 'optim', 'solut', 'disast', 'evacu', 'recent', 'rais', 'attent', 'research', 'across', 'multipl', 'disciplin', 'seriou', 'also', 'challeng', 'task', 'due', 'complex', 'evacue', 'behavior', 'rout', 'plan', 'demand', 'coordin', 'servic', 'although', 'exist', 'studi', 'address', 'challeng', 'extent', 'mass', 'evacu', 'natur', 'disast', 'tend', 'difficult', 'predict', 'manag', 'due', 'limit', 'underli', 'model', 'captur', 'realist', 'situat', 'therefor', 'desir', 'demand', 'mechan', 'local', 'driven', 'comput', 'data', 'exchang', 'servic', 'order', 'enabl', 'near', 'real', 'time', 'captur', 'disast', 'area', 'evacu', 'purpos', 'paper', 'comprehens', 'survey', 'recent', 'advanc', 'inform', 'commun', 'technolog', 'enabl', 'disast', 'evacu', 'focu', 'fog', 'comput', 'commun', 'servic', 'support', 'massiv', 'evacu', 'process', 'numer', 'varieti', 'tool', 'techniqu', 'encapsul', 'within', 'coordin', 'demand', 'strategi', 'evacu', 'platform', 'aim', 'provid', 'situat', 'awar', 'respons', 'herein', 'fog', 'servic', 'appear', 'one', 'viabl', 'option', 'respons', 'mass', 'evacu', 'enabl', 'low', 'latenc', 'data', 'process', 'dissemin', 'addit', 'provid', 'data', 'analyt', 'support', 'autonom', 'learn', 'short', 'term', 'guidanc', 'support', 'long', 'term', 'usag', 'work', 'extend', 'exist', 'data', 'orient', 'framework', 'outlin', 'comprehens', 'function', 'provid', 'seamless', 'integr', 'review', 'principl', 'challeng', 'futur', 'direct', 'state', 'art', 'strategi', 'propos', 'sit', 'within', 'function', 'taken', 'togeth', 'survey', 'highlight', 'import', 'adapt', 'coordin', 'reconfigur', 'within', 'fog', 'servic', 'facilit', 'respons', 'mass', 'evacu', 'well', 'open', 'new', 'research', 'challeng', 'associ', 'analyt', 'embed', 'network', 'comput', 'critic', 'disast', 'recoveri', 'activ', 'disast', 'recoveri', 'evacuatiion', 'guidanc', 'fog', 'fog', 'comput', 'fog', 'commun', 'collabor', 'analyt', 'evacu', 'guidanc']" +136,Modelling the effect of market forces on the impact of introducing human immunodeficiency virus pre‐exposure prophylaxis among female sex workers,"Matthew Quaife, Fern Terris‐Prestholt, Zindoga Mukandavire, Peter Vickerman",Mar-21,"['HIV prevention', 'South Africa', 'economics of sex work', 'pre-exposure prophylaxis', 'transmission model']","Pre-exposure prophylaxis (PrEP) to prevent human immunodeficiency virus (HIV) enables female sex workers (FSWs) to protect themselves from HIV without relying on clients using condoms. Yet, because PrEP reduces HIV risk, financial incentives to not use condoms may lead to risk compensation: reductions in condom use and/or increases in commercial sex, and may reduce the price of unprotected sex. In this analysis, we integrate market forces into a dynamic HIV transmission model to assess how risk compensation could change the impact of PrEP among FSWs and clients. We parameterise how sexual behavior may change with PrEP use among FSWs using stated preference data combined with economic theory. Our projections suggest the impact of PrEP is sensitive to risk compensatory behaviors driven by changes in the economics of sex work. Condom substitution could reduce the impact of PrEP on HIV incidence by 55%, while increases in the frequency of commercial sex to counter decreases in the price charged for unprotected sex among PrEP users could entirely mitigate the impact of PrEP. Accounting for competition between PrEP users and nonusers exacerbates this further. Alternative scenarios where increases in unprotected sex among PrEP users are balanced by decreases in non-PrEP users have the opposite effect, resulting in PrEP having much greater impact. Intervention studies need to determine how HIV prevention products may change the economics of sex work and provision of unprotected sex to enable a better understanding of their impact.",https://pureportal.coventry.ac.uk/en/publications/modelling-the-effect-of-market-forces-on-the-impact-of-introducin,"[None, None, None, None]","['model', 'effect', 'market', 'forc', 'impact', 'introduc', 'human', 'immunodefici', 'viru', 'pre', 'exposur', 'prophylaxi', 'among', 'femal', 'sex', 'worker', 'matthew', 'quaif', 'fern', 'terri', 'prestholt', 'zindoga', 'mukandavir', 'peter', 'vickerman', 'pre', 'exposur', 'prophylaxi', 'prep', 'prevent', 'human', 'immunodefici', 'viru', 'hiv', 'enabl', 'femal', 'sex', 'worker', 'fsw', 'protect', 'hiv', 'without', 'reli', 'client', 'use', 'condom', 'yet', 'prep', 'reduc', 'hiv', 'risk', 'financi', 'incent', 'use', 'condom', 'may', 'lead', 'risk', 'compens', 'reduct', 'condom', 'use', 'increas', 'commerci', 'sex', 'may', 'reduc', 'price', 'unprotect', 'sex', 'analysi', 'integr', 'market', 'forc', 'dynam', 'hiv', 'transmiss', 'model', 'assess', 'risk', 'compens', 'could', 'chang', 'impact', 'prep', 'among', 'fsw', 'client', 'parameteris', 'sexual', 'behavior', 'may', 'chang', 'prep', 'use', 'among', 'fsw', 'use', 'state', 'prefer', 'data', 'combin', 'econom', 'theori', 'project', 'suggest', 'impact', 'prep', 'sensit', 'risk', 'compensatori', 'behavior', 'driven', 'chang', 'econom', 'sex', 'work', 'condom', 'substitut', 'could', 'reduc', 'impact', 'prep', 'hiv', 'incid', '55', 'increas', 'frequenc', 'commerci', 'sex', 'counter', 'decreas', 'price', 'charg', 'unprotect', 'sex', 'among', 'prep', 'user', 'could', 'entir', 'mitig', 'impact', 'prep', 'account', 'competit', 'prep', 'user', 'nonus', 'exacerb', 'altern', 'scenario', 'increas', 'unprotect', 'sex', 'among', 'prep', 'user', 'balanc', 'decreas', 'non', 'prep', 'user', 'opposit', 'effect', 'result', 'prep', 'much', 'greater', 'impact', 'intervent', 'studi', 'need', 'determin', 'hiv', 'prevent', 'product', 'may', 'chang', 'econom', 'sex', 'work', 'provis', 'unprotect', 'sex', 'enabl', 'better', 'understand', 'impact', 'hiv', 'prevent', 'south', 'africa', 'econom', 'sex', 'work', 'pre', 'exposur', 'prophylaxi', 'transmiss', 'model']" +137,MSLDOCK: Multi-Swarm Optimization for Flexible Ligand Docking and Virtual Screening,"Chao Li, Jun Sun, Vasile Palade",22-Mar-21,"['Library and Information Sciences', 'Computer Science Applications', 'General Chemical Engineering', 'General Chemistry']","Autodock and its various variants are widely utilized docking approaches, which adopt optimization methods as search algorithms for flexible ligand docking and virtual screening. However, many of them have their limitations, such as poor accuracy for dockings with highly flexible ligands and low docking efficiency. In this paper, a multi-swarm optimization algorithm integrated with Autodock environment is proposed to design a high-performance and high-efficiency docking program, namely, MSLDOCK. The search algorithm is a combination of the random drift particle swarm optimization with a novel multi-swarm strategy and the Solis and Wets local search method with a modified implementation. Due to the algorithm's structure, MSLDOCK also has a multithread mode. The experimental results reveal that MSLDOCK outperforms other two Autodock-based approaches in many aspects, such as self-docking, cross-docking, and virtual screening accuracies as well as docking efficiency. Moreover, compared with three non-Autodock-based docking programs, MSLDOCK can be a reliable choice for self-docking and virtual screening, especially for dealing with highly flexible ligand docking problems. The source code of MSLDOCK can be downloaded for free from https://github.com/lcmeteor/MSLDOCK.",https://pureportal.coventry.ac.uk/en/publications/msldock-multi-swarm-optimization-for-flexible-ligand-docking-and-,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['msldock', 'multi', 'swarm', 'optim', 'flexibl', 'ligand', 'dock', 'virtual', 'screen', 'chao', 'li', 'jun', 'sun', 'vasil', 'palad', 'autodock', 'variou', 'variant', 'wide', 'util', 'dock', 'approach', 'adopt', 'optim', 'method', 'search', 'algorithm', 'flexibl', 'ligand', 'dock', 'virtual', 'screen', 'howev', 'mani', 'limit', 'poor', 'accuraci', 'dock', 'highli', 'flexibl', 'ligand', 'low', 'dock', 'effici', 'paper', 'multi', 'swarm', 'optim', 'algorithm', 'integr', 'autodock', 'environ', 'propos', 'design', 'high', 'perform', 'high', 'effici', 'dock', 'program', 'name', 'msldock', 'search', 'algorithm', 'combin', 'random', 'drift', 'particl', 'swarm', 'optim', 'novel', 'multi', 'swarm', 'strategi', 'soli', 'wet', 'local', 'search', 'method', 'modifi', 'implement', 'due', 'algorithm', 'structur', 'msldock', 'also', 'multithread', 'mode', 'experiment', 'result', 'reveal', 'msldock', 'outperform', 'two', 'autodock', 'base', 'approach', 'mani', 'aspect', 'self', 'dock', 'cross', 'dock', 'virtual', 'screen', 'accuraci', 'well', 'dock', 'effici', 'moreov', 'compar', 'three', 'non', 'autodock', 'base', 'dock', 'program', 'msldock', 'reliabl', 'choic', 'self', 'dock', 'virtual', 'screen', 'especi', 'deal', 'highli', 'flexibl', 'ligand', 'dock', 'problem', 'sourc', 'code', 'msldock', 'download', 'free', 'http', 'github', 'com', 'lcmeteor', 'msldock', 'librari', 'inform', 'scienc', 'comput', 'scienc', 'applic', 'gener', 'chemic', 'engin', 'gener', 'chemistri']" +138,Multi-Phase Locking Value: A Generalized Method for Determining Instantaneous Multi-frequency Phase Coupling,"Yuan Yang, Bhavya Vasudeva, Hazem H. Refai, Fei He",20-Feb-21,"['q-bio.NC', 'eess.SP']"," Many physical, biological and neural systems behave as coupled oscillators, with characteristic phase coupling across different frequencies. Methods such as $n:m$ phase locking value and bi-phase locking value have previously been proposed to quantify phase coupling between two resonant frequencies (e.g. f, 2f/3) and across three frequencies (e.g. f_1, f_2, f_1+f_2), respectively. However, the existing phase coupling metrics have their limitations and limited applications. They cannot be used to detect or quantify phase coupling across multiple frequencies (e.g. f_1, f_2, f_3, f_4, f_1+f_2+f_3-f_4), or coupling that involves non-integer multiples of the frequencies (e.g. f_1, f_2, 2f_1/3+f_2/3). To address the gap, this paper proposes a generalized approach, named multi-phase locking value (M-PLV), for the quantification of various types of instantaneous multi-frequency phase coupling. Different from most instantaneous phase coupling metrics that measure the simultaneous phase coupling, the proposed M-PLV method also allows the detection of delayed phase coupling and the associated time lag between coupled oscillators. The M-PLV has been tested on cases where synthetic coupled signals are generated using white Gaussian signals, and a system comprised of multiple coupled Rossler oscillators. Results indicate that the M-PLV can provide a reliable estimation of the time window and frequency combination where the phase coupling is significant, as well as a precise determination of time lag in the case of delayed coupling. This method has the potential to become a powerful new tool for exploring phase coupling in complex nonlinear dynamic systems. ",https://pureportal.coventry.ac.uk/en/publications/multi-phase-locking-value-a-generalized-method-for-determining-in,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/fei-he']","['multi', 'phase', 'lock', 'valu', 'gener', 'method', 'determin', 'instantan', 'multi', 'frequenc', 'phase', 'coupl', 'yuan', 'yang', 'bhavya', 'vasudeva', 'hazem', 'h', 'refai', 'fei', 'mani', 'physic', 'biolog', 'neural', 'system', 'behav', 'coupl', 'oscil', 'characterist', 'phase', 'coupl', 'across', 'differ', 'frequenc', 'method', 'n', 'phase', 'lock', 'valu', 'bi', 'phase', 'lock', 'valu', 'previous', 'propos', 'quantifi', 'phase', 'coupl', 'two', 'reson', 'frequenc', 'e', 'g', 'f', '2f', '3', 'across', 'three', 'frequenc', 'e', 'g', 'f_1', 'f_2', 'f_1', 'f_2', 'respect', 'howev', 'exist', 'phase', 'coupl', 'metric', 'limit', 'limit', 'applic', 'use', 'detect', 'quantifi', 'phase', 'coupl', 'across', 'multipl', 'frequenc', 'e', 'g', 'f_1', 'f_2', 'f_3', 'f_4', 'f_1', 'f_2', 'f_3', 'f_4', 'coupl', 'involv', 'non', 'integ', 'multipl', 'frequenc', 'e', 'g', 'f_1', 'f_2', '2f_1', '3', 'f_2', '3', 'address', 'gap', 'paper', 'propos', 'gener', 'approach', 'name', 'multi', 'phase', 'lock', 'valu', 'plv', 'quantif', 'variou', 'type', 'instantan', 'multi', 'frequenc', 'phase', 'coupl', 'differ', 'instantan', 'phase', 'coupl', 'metric', 'measur', 'simultan', 'phase', 'coupl', 'propos', 'plv', 'method', 'also', 'allow', 'detect', 'delay', 'phase', 'coupl', 'associ', 'time', 'lag', 'coupl', 'oscil', 'plv', 'test', 'case', 'synthet', 'coupl', 'signal', 'gener', 'use', 'white', 'gaussian', 'signal', 'system', 'compris', 'multipl', 'coupl', 'rossler', 'oscil', 'result', 'indic', 'plv', 'provid', 'reliabl', 'estim', 'time', 'window', 'frequenc', 'combin', 'phase', 'coupl', 'signific', 'well', 'precis', 'determin', 'time', 'lag', 'case', 'delay', 'coupl', 'method', 'potenti', 'becom', 'power', 'new', 'tool', 'explor', 'phase', 'coupl', 'complex', 'nonlinear', 'dynam', 'system', 'q', 'bio', 'nc', 'eess', 'sp']" +139,Nonlinear Estimation of Sensor Faults With Unknown Dynamics for a Fixed Wing Unmanned Aerial Vehicle,"Enzo Iglésis, Nadjim Horri, Karim Dahia, James Brusey, Hélène Piet-Lahanier",19-Jul-21,"['Computer Networks and Communications', 'Aerospace Engineering', 'Control and Optimization']","In this paper, the estimation of additive inertial navigation sensor faults with unknown dynamics is considered with application to the longitudinal navigation and control of a fixed wing unmanned aerial vehicle. The faulty measurement is on the pitch angle.A jump Markov regularized particle filter is proposed for fault and state estimation of the nonlinear aircraft dynamics, with a Markovian jump strategy to manage the probabilistic transitions between the fault free and faulty modes. The jump strategy uses a small number of sentinel particles to continue testing the alternate hypothesis under both fault free and faulty modes. The proposed filter is shown to outperform the regularized particle filter for this application in terms of fault estimation accuracy and convergence time for scenarios involving both abrupt and incipient faults, without prior knowledge of the fault models. The state estimation is also more accurate and robust to faults using the proposed approach. The root-mean-square error for the altitude is reduced by 77% using the jump Markov regularized particle filter under a pitch sensor fault amplitude of up to 10 degrees. Performance enhancement compared to the regularized particle filter was found to be more pronounced when fault amplitudes increase.",https://pureportal.coventry.ac.uk/en/publications/nonlinear-estimation-of-sensor-faults-with-unknown-dynamics-for-a,"[None, 'https://pureportal.coventry.ac.uk/en/persons/nadjim-horri', None, 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', None]","['nonlinear', 'estim', 'sensor', 'fault', 'unknown', 'dynam', 'fix', 'wing', 'unman', 'aerial', 'vehicl', 'enzo', 'iglési', 'nadjim', 'horri', 'karim', 'dahia', 'jame', 'brusey', 'hélène', 'piet', 'lahani', 'paper', 'estim', 'addit', 'inerti', 'navig', 'sensor', 'fault', 'unknown', 'dynam', 'consid', 'applic', 'longitudin', 'navig', 'control', 'fix', 'wing', 'unman', 'aerial', 'vehicl', 'faulti', 'measur', 'pitch', 'angl', 'jump', 'markov', 'regular', 'particl', 'filter', 'propos', 'fault', 'state', 'estim', 'nonlinear', 'aircraft', 'dynam', 'markovian', 'jump', 'strategi', 'manag', 'probabilist', 'transit', 'fault', 'free', 'faulti', 'mode', 'jump', 'strategi', 'use', 'small', 'number', 'sentinel', 'particl', 'continu', 'test', 'altern', 'hypothesi', 'fault', 'free', 'faulti', 'mode', 'propos', 'filter', 'shown', 'outperform', 'regular', 'particl', 'filter', 'applic', 'term', 'fault', 'estim', 'accuraci', 'converg', 'time', 'scenario', 'involv', 'abrupt', 'incipi', 'fault', 'without', 'prior', 'knowledg', 'fault', 'model', 'state', 'estim', 'also', 'accur', 'robust', 'fault', 'use', 'propos', 'approach', 'root', 'mean', 'squar', 'error', 'altitud', 'reduc', '77', 'use', 'jump', 'markov', 'regular', 'particl', 'filter', 'pitch', 'sensor', 'fault', 'amplitud', '10', 'degre', 'perform', 'enhanc', 'compar', 'regular', 'particl', 'filter', 'found', 'pronounc', 'fault', 'amplitud', 'increas', 'comput', 'network', 'commun', 'aerospac', 'engin', 'control', 'optim']" +140,Nonlinear System Identification of Neural Systems from Neurophysiological Signals,"Fei He, Yuan Yang",15-Mar-21,"['Causality analysis', 'Computational neuroscience', 'EEG', 'Functional connectivity', 'Nonlinear system identification', 'Signal processing']","The human nervous system is one of the most complicated systems in nature. Complex nonlinear behaviours have been shown from the single neuron level to the system level. For decades, linear connectivity analysis methods, such as correlation, coherence and Granger causality, have been extensively used to assess the neural connectivities and input–output interconnections in neural systems. Recent studies indicate that these linear methods can only capture a certain amount of neural activities and functional relationships, and therefore cannot describe neural behaviours in a precise or complete way. In this review, we highlight recent advances in nonlinear system identification of neural systems, corresponding time and frequency domain analysis, and novel neural connectivity measures based on nonlinear system identification techniques. We argue that nonlinear modelling and analysis are necessary to study neuronal processing and signal transfer in neural systems quantitatively. These approaches can hopefully provide new insights to advance our understanding of neurophysiological mechanisms underlying neural functions. These nonlinear approaches also have the potential to produce sensitive biomarkers to facilitate the development of precision diagnostic tools for evaluating neurological disorders and the effects of targeted intervention.",https://pureportal.coventry.ac.uk/en/publications/nonlinear-system-identification-of-neural-systems-from-neurophysi-2,"['https://pureportal.coventry.ac.uk/en/persons/fei-he', None]","['nonlinear', 'system', 'identif', 'neural', 'system', 'neurophysiolog', 'signal', 'fei', 'yuan', 'yang', 'human', 'nervou', 'system', 'one', 'complic', 'system', 'natur', 'complex', 'nonlinear', 'behaviour', 'shown', 'singl', 'neuron', 'level', 'system', 'level', 'decad', 'linear', 'connect', 'analysi', 'method', 'correl', 'coher', 'granger', 'causal', 'extens', 'use', 'assess', 'neural', 'connect', 'input', 'output', 'interconnect', 'neural', 'system', 'recent', 'studi', 'indic', 'linear', 'method', 'captur', 'certain', 'amount', 'neural', 'activ', 'function', 'relationship', 'therefor', 'describ', 'neural', 'behaviour', 'precis', 'complet', 'way', 'review', 'highlight', 'recent', 'advanc', 'nonlinear', 'system', 'identif', 'neural', 'system', 'correspond', 'time', 'frequenc', 'domain', 'analysi', 'novel', 'neural', 'connect', 'measur', 'base', 'nonlinear', 'system', 'identif', 'techniqu', 'argu', 'nonlinear', 'model', 'analysi', 'necessari', 'studi', 'neuron', 'process', 'signal', 'transfer', 'neural', 'system', 'quantit', 'approach', 'hope', 'provid', 'new', 'insight', 'advanc', 'understand', 'neurophysiolog', 'mechan', 'underli', 'neural', 'function', 'nonlinear', 'approach', 'also', 'potenti', 'produc', 'sensit', 'biomark', 'facilit', 'develop', 'precis', 'diagnost', 'tool', 'evalu', 'neurolog', 'disord', 'effect', 'target', 'intervent', 'causal', 'analysi', 'comput', 'neurosci', 'eeg', 'function', 'connect', 'nonlinear', 'system', 'identif', 'signal', 'process']" +141,Novel lockstep-based fault mitigation approach for SoCs with roll-back and roll-forward recovery,"Server Kasap, Eduardo Weber Wachter, Xiaojun Zhai, Shoaib Ehsan, Klaus McDonald-Maier",Sep-21,"['ARM cortex-a processor', 'Fault tolerance', 'Lockstep', 'MicroBlaze processor', 'Reliability', 'Soft error mitigation', 'Zynq APSoC']","All-Programmable System-on-Chips (APSoCs) constitute a compelling option for employing applications in radiation environments thanks to their high-performance computing and power efficiency merits. Despite these advantages, APSoCs are sensitive to radiation like any other electronic device. Processors embedded in APSoCs, therefore, have to be adequately hardened against ionizing-radiation to make them a viable choice of design for harsh environments. This paper proposes a novel lockstep-based approach to harden the dual-core ARM Cortex-A9 processor in the Xilinx Zynq-7000 APSoC against radiation-induced soft errors by coupling it with a MicroBlaze TMR subsystem in the programmable logic (PL) layer of the Zynq. The proposed technique uses the concepts of checkpointing along with roll-back and roll-forward mechanisms at the software level, i.e. software redundancy, as well as processor replication and checker circuits at the hardware level (i.e. hardware redundancy). Results of fault injection experiments show that the proposed approach achieves high levels of protection against soft errors by mitigating around 98% of bit-flips injected into the register files of both ARM cores while keeping timing performance overhead as low as 25% if block and application sizes are adjusted appropriately. Furthermore, the incorporation of the roll-forward recovery operation in addition to the roll-back operation improves the Mean Workload between Failures (MWBF) of the system by up to ≈19% depending on the nature of the running application, since the application can proceed faster, in a scenario where a fault occurs, when treated with the roll-forward operation rather than roll-back operation. Thus, relatively more data can be processed before the next error occurs in the system.",https://pureportal.coventry.ac.uk/en/publications/novel-lockstep-based-fault-mitigation-approach-for-socs-with-roll,"['https://pureportal.coventry.ac.uk/en/persons/server-kasap', None, None, None, None]","['novel', 'lockstep', 'base', 'fault', 'mitig', 'approach', 'soc', 'roll', 'back', 'roll', 'forward', 'recoveri', 'server', 'kasap', 'eduardo', 'weber', 'wachter', 'xiaojun', 'zhai', 'shoaib', 'ehsan', 'klau', 'mcdonald', 'maier', 'programm', 'system', 'chip', 'apsoc', 'constitut', 'compel', 'option', 'employ', 'applic', 'radiat', 'environ', 'thank', 'high', 'perform', 'comput', 'power', 'effici', 'merit', 'despit', 'advantag', 'apsoc', 'sensit', 'radiat', 'like', 'electron', 'devic', 'processor', 'embed', 'apsoc', 'therefor', 'adequ', 'harden', 'ioniz', 'radiat', 'make', 'viabl', 'choic', 'design', 'harsh', 'environ', 'paper', 'propos', 'novel', 'lockstep', 'base', 'approach', 'harden', 'dual', 'core', 'arm', 'cortex', 'a9', 'processor', 'xilinx', 'zynq', '7000', 'apsoc', 'radiat', 'induc', 'soft', 'error', 'coupl', 'microblaz', 'tmr', 'subsystem', 'programm', 'logic', 'pl', 'layer', 'zynq', 'propos', 'techniqu', 'use', 'concept', 'checkpoint', 'along', 'roll', 'back', 'roll', 'forward', 'mechan', 'softwar', 'level', 'e', 'softwar', 'redund', 'well', 'processor', 'replic', 'checker', 'circuit', 'hardwar', 'level', 'e', 'hardwar', 'redund', 'result', 'fault', 'inject', 'experi', 'show', 'propos', 'approach', 'achiev', 'high', 'level', 'protect', 'soft', 'error', 'mitig', 'around', '98', 'bit', 'flip', 'inject', 'regist', 'file', 'arm', 'core', 'keep', 'time', 'perform', 'overhead', 'low', '25', 'block', 'applic', 'size', 'adjust', 'appropri', 'furthermor', 'incorpor', 'roll', 'forward', 'recoveri', 'oper', 'addit', 'roll', 'back', 'oper', 'improv', 'mean', 'workload', 'failur', 'mwbf', 'system', '19', 'depend', 'natur', 'run', 'applic', 'sinc', 'applic', 'proceed', 'faster', 'scenario', 'fault', 'occur', 'treat', 'roll', 'forward', 'oper', 'rather', 'roll', 'back', 'oper', 'thu', 'rel', 'data', 'process', 'next', 'error', 'occur', 'system', 'arm', 'cortex', 'processor', 'fault', 'toler', 'lockstep', 'microblaz', 'processor', 'reliabl', 'soft', 'error', 'mitig', 'zynq', 'apsoc']" +142,Optimising feedstock flowrate to improve the performance of an existing anaerobic digestion system.,"Rjaa Jawad Ashraf, Jonathan Daniel Nixon, James Brusey",24-Jun-21,"['feedstock flowrate', 'case study', 'measured data', 'multi-objective optimisation']","This paper presents an approach to model and optimise the feedstock flowrate of an anaerobic digestion (AD) cooking system by simultaneously minimising the volume of flared biogas, the unmet cooking demand and the energy cost. As research has typically focused on optimising the digester and its associated parameters to maximise the biogas yield; this research examines how different objectives can influence how one might want to control the system. The system is initially modelled and validated with measured data and an optimisation algorithm is then applied to control the feedstock flow rate. The results show that the performance of first order AD models, in predicting the biogas yield, only differs from measured data by 9% and that by controlling the feeding rate, the amount of flared biogas and unmet cooking demand can be reduced by 100% and approximately 87%, respectively when they are the only objective functions considered. If the energy cost is also added an objective function, then more precise control of feeding rate is needed to ensure that all three conflicting objectives are equally minimised. This result highlights the importance of using the correct feeding rate in the system and considering the overall system during optimisation as producing more biogas might not result in the most cost-effectivesystem.",https://pureportal.coventry.ac.uk/en/publications/optimising-feedstock-flowrate-to-improve-the-performance-of-an-ex,"['https://pureportal.coventry.ac.uk/en/persons/rjaa-jawad-ashraf', None, 'https://pureportal.coventry.ac.uk/en/persons/james-brusey']","['optimis', 'feedstock', 'flowrat', 'improv', 'perform', 'exist', 'anaerob', 'digest', 'system', 'rjaa', 'jawad', 'ashraf', 'jonathan', 'daniel', 'nixon', 'jame', 'brusey', 'paper', 'present', 'approach', 'model', 'optimis', 'feedstock', 'flowrat', 'anaerob', 'digest', 'ad', 'cook', 'system', 'simultan', 'minimis', 'volum', 'flare', 'bioga', 'unmet', 'cook', 'demand', 'energi', 'cost', 'research', 'typic', 'focus', 'optimis', 'digest', 'associ', 'paramet', 'maximis', 'bioga', 'yield', 'research', 'examin', 'differ', 'object', 'influenc', 'one', 'might', 'want', 'control', 'system', 'system', 'initi', 'model', 'valid', 'measur', 'data', 'optimis', 'algorithm', 'appli', 'control', 'feedstock', 'flow', 'rate', 'result', 'show', 'perform', 'first', 'order', 'ad', 'model', 'predict', 'bioga', 'yield', 'differ', 'measur', 'data', '9', 'control', 'feed', 'rate', 'amount', 'flare', 'bioga', 'unmet', 'cook', 'demand', 'reduc', '100', 'approxim', '87', 'respect', 'object', 'function', 'consid', 'energi', 'cost', 'also', 'ad', 'object', 'function', 'precis', 'control', 'feed', 'rate', 'need', 'ensur', 'three', 'conflict', 'object', 'equal', 'minimis', 'result', 'highlight', 'import', 'use', 'correct', 'feed', 'rate', 'system', 'consid', 'overal', 'system', 'optimis', 'produc', 'bioga', 'might', 'result', 'cost', 'effectivesystem', 'feedstock', 'flowrat', 'case', 'studi', 'measur', 'data', 'multi', 'object', 'optimis']" +143,Pedestrian and Vehicle Detection in Autonomous Vehicle Perception Systems—A Review,"Luiz G. Galvao, Maysam Abbod, Tatiana Kalganova, Vasile Palade, Md Nazmul Huda",Nov-21,"['Autonomous vehicle', 'Deep learning', 'Generic object detection', 'Pedestrian detection', 'Traditional technique', 'Vehicle detection']","Autonomous Vehicles (AVs) have the potential to solve many traffic problems, such as accidents, congestion and pollution. However, there are still challenges to overcome, for instance, AVs need to accurately perceive their environment to safely navigate in busy urban scenarios. The aim of this paper is to review recent articles on computer vision techniques that can be used to build an AV perception system. AV perception systems need to accurately detect non-static objects and predict their behaviour, as well as to detect static objects and recognise the information they are providing. This paper, in particular, focuses on the computer vision techniques used to detect pedestrians and vehicles. There have been many papers and reviews on pedestrians and vehicles detection so far. However, most of the past papers only reviewed pedestrian or vehicle detection separately. This review aims to present an overview of the AV systems in general, and then review and investigate several detection computer vision techniques for pedestrians and vehicles. The review concludes that both traditional and Deep Learning (DL) techniques have been used for pedestrian and vehicle detection; however, DL techniques have shown the best results. Although good detection results have been achieved for pedestrians and vehicles, the current algorithms still struggle to detect small, occluded, and truncated objects. In addition, there is limited research on how to improve detection performance in difficult light and weather conditions. Most of the algorithms have been tested on well-recognised datasets such as Caltech and KITTI; however, these datasets have their own limitations. Therefore, this paper recommends that future works should be implemented on more new challenging datasets, such as PIE and BDD100K.",https://pureportal.coventry.ac.uk/en/publications/pedestrian-and-vehicle-detection-in-autonomous-vehicle-perception,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['pedestrian', 'vehicl', 'detect', 'autonom', 'vehicl', 'percept', 'system', 'review', 'luiz', 'g', 'galvao', 'maysam', 'abbod', 'tatiana', 'kalganova', 'vasil', 'palad', 'md', 'nazmul', 'huda', 'autonom', 'vehicl', 'av', 'potenti', 'solv', 'mani', 'traffic', 'problem', 'accid', 'congest', 'pollut', 'howev', 'still', 'challeng', 'overcom', 'instanc', 'av', 'need', 'accur', 'perceiv', 'environ', 'safe', 'navig', 'busi', 'urban', 'scenario', 'aim', 'paper', 'review', 'recent', 'articl', 'comput', 'vision', 'techniqu', 'use', 'build', 'av', 'percept', 'system', 'av', 'percept', 'system', 'need', 'accur', 'detect', 'non', 'static', 'object', 'predict', 'behaviour', 'well', 'detect', 'static', 'object', 'recognis', 'inform', 'provid', 'paper', 'particular', 'focus', 'comput', 'vision', 'techniqu', 'use', 'detect', 'pedestrian', 'vehicl', 'mani', 'paper', 'review', 'pedestrian', 'vehicl', 'detect', 'far', 'howev', 'past', 'paper', 'review', 'pedestrian', 'vehicl', 'detect', 'separ', 'review', 'aim', 'present', 'overview', 'av', 'system', 'gener', 'review', 'investig', 'sever', 'detect', 'comput', 'vision', 'techniqu', 'pedestrian', 'vehicl', 'review', 'conclud', 'tradit', 'deep', 'learn', 'dl', 'techniqu', 'use', 'pedestrian', 'vehicl', 'detect', 'howev', 'dl', 'techniqu', 'shown', 'best', 'result', 'although', 'good', 'detect', 'result', 'achiev', 'pedestrian', 'vehicl', 'current', 'algorithm', 'still', 'struggl', 'detect', 'small', 'occlud', 'truncat', 'object', 'addit', 'limit', 'research', 'improv', 'detect', 'perform', 'difficult', 'light', 'weather', 'condit', 'algorithm', 'test', 'well', 'recognis', 'dataset', 'caltech', 'kitti', 'howev', 'dataset', 'limit', 'therefor', 'paper', 'recommend', 'futur', 'work', 'implement', 'new', 'challeng', 'dataset', 'pie', 'bdd100k', 'autonom', 'vehicl', 'deep', 'learn', 'gener', 'object', 'detect', 'pedestrian', 'detect', 'tradit', 'techniqu', 'vehicl', 'detect']" +144,"Predicting mortality, duration of treatment, pulmonary embolism and required ceiling of ventilatory support for COVID-19 inpatients: A Machine-Learning Approach","Abhinav Vepa, Amer Saleem, Kambiz Rakhshanbabanari, Omid Chatrabgoun, Tabassom Sedighi, Alireza Daneshkhah",20-Feb-21,[],"Introduction Within the UK, COVID-19 has contributed towards over 103,000 deaths. Multiple risk factors for COVID-19 have been identified including various demographics, co-morbidities, biochemical parameters, and physical assessment findings. However, using this vast data to improve clinical care has proven challenging. +Aims to develop a reliable, multivariable predictive model for COVID-19 in-patient outcomes, to aid risk-stratification and earlier clinical decision-making. +Methods Anonymized data regarding 44 independent predictor variables of 355 adults diagnosed with COVID-19, at a UK hospital, was manually extracted from electronic patient records for retrospective, case-controlled analysis. Primary outcomes included inpatient mortality, level of ventilatory support and oxygen therapy required, and duration of inpatient treatment. Secondary pulmonary embolism was the only secondary outcome. After balancing data, key variables were feature selected for each outcome using random forests. Predictive models were created using Bayesian Networks, and cross-validated. + +Results Our multivariable models were able to predict, using feature selected risk factors, the probability of inpatient mortality (F1 score 83.7%, PPV 82%, NPV 67.9%); level of ventilatory support required (F1 score varies from 55.8% “High-flow Oxygen level” to 71.5% “ITU-Admission level”); duration of inpatient treatment (varies from 46.7% for “≥ 2 days but < 3 days” to 69.8% “≤ 1 day”); and risk of pulmonary embolism sequelae (F1 score 85.8%, PPV of 83.7%, and NPV of 80.9%). +Conclusion Overall, our findings demonstrate reliable, multivariable predictive models for 4 outcomes, that utilize readily available clinical information for COVID-19 adult inpatients. Further research is required to externally validate our models and demonstrate their utility as clinical decision-making tools.",https://pureportal.coventry.ac.uk/en/publications/predicting-mortality-duration-of-treatment-pulmonary-embolism-and,"[None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['predict', 'mortal', 'durat', 'treatment', 'pulmonari', 'embol', 'requir', 'ceil', 'ventilatori', 'support', 'covid', '19', 'inpati', 'machin', 'learn', 'approach', 'abhinav', 'vepa', 'amer', 'saleem', 'kambiz', 'rakhshanbabanari', 'omid', 'chatrabgoun', 'tabassom', 'sedighi', 'alireza', 'daneshkhah', 'introduct', 'within', 'uk', 'covid', '19', 'contribut', 'toward', '103', '000', 'death', 'multipl', 'risk', 'factor', 'covid', '19', 'identifi', 'includ', 'variou', 'demograph', 'co', 'morbid', 'biochem', 'paramet', 'physic', 'assess', 'find', 'howev', 'use', 'vast', 'data', 'improv', 'clinic', 'care', 'proven', 'challeng', 'aim', 'develop', 'reliabl', 'multivari', 'predict', 'model', 'covid', '19', 'patient', 'outcom', 'aid', 'risk', 'stratif', 'earlier', 'clinic', 'decis', 'make', 'method', 'anonym', 'data', 'regard', '44', 'independ', 'predictor', 'variabl', '355', 'adult', 'diagnos', 'covid', '19', 'uk', 'hospit', 'manual', 'extract', 'electron', 'patient', 'record', 'retrospect', 'case', 'control', 'analysi', 'primari', 'outcom', 'includ', 'inpati', 'mortal', 'level', 'ventilatori', 'support', 'oxygen', 'therapi', 'requir', 'durat', 'inpati', 'treatment', 'secondari', 'pulmonari', 'embol', 'secondari', 'outcom', 'balanc', 'data', 'key', 'variabl', 'featur', 'select', 'outcom', 'use', 'random', 'forest', 'predict', 'model', 'creat', 'use', 'bayesian', 'network', 'cross', 'valid', 'result', 'multivari', 'model', 'abl', 'predict', 'use', 'featur', 'select', 'risk', 'factor', 'probabl', 'inpati', 'mortal', 'f1', 'score', '83', '7', 'ppv', '82', 'npv', '67', '9', 'level', 'ventilatori', 'support', 'requir', 'f1', 'score', 'vari', '55', '8', 'high', 'flow', 'oxygen', 'level', '71', '5', 'itu', 'admiss', 'level', 'durat', 'inpati', 'treatment', 'vari', '46', '7', '2', 'day', '3', 'day', '69', '8', '1', 'day', 'risk', 'pulmonari', 'embol', 'sequela', 'f1', 'score', '85', '8', 'ppv', '83', '7', 'npv', '80', '9', 'conclus', 'overal', 'find', 'demonstr', 'reliabl', 'multivari', 'predict', 'model', '4', 'outcom', 'util', 'readili', 'avail', 'clinic', 'inform', 'covid', '19', 'adult', 'inpati', 'research', 'requir', 'extern', 'valid', 'model', 'demonstr', 'util', 'clinic', 'decis', 'make', 'tool']" +145,Predicting the technical reusability of load-bearing building components: A probabilistic approach towards developing a Circular Economy framework,"Kambiz Rakhshanbabanari, Jean-Claude Morel, Alireza Daneshkhah",01-Oct-21,"['Gaussian process', 'reuse', 'Building structure', 'Supervised machine learning', 'Random forest', 'K-nearest neighbours', 'Reuse']","The construction sector is the largest consumer of raw materials and accounts for 25%–40% of the total CO2 emissions globally. Besides, construction activities produce the highest amount of waste among all other sectors. According to the waste hierarchies, reuse is preferred to recycling; however, most of the recovery of construction and demolition wastes happens in the form of recycling and not reuse. Part of the recent efforts to promote the reuse rates includes estimating the reusability of the load-bearing building components to assist the stakeholders in making sound judgements of the reuse potentials at the end-of-life of a building and alleviate the uncertainties and perceived risks. This study aims to develop a probabilistic model using advanced supervised machine learning techniques (including random forest, K-Nearest Neighbours algorithm, Gaussian process, and support vector machine) to predict the reuse potential of structural elements at the end-of-life of a building. For this purpose, using an online questionnaire, this paper seeks the experts’ opinions with actual reuse experience in the building sector to assess the identified barriers by the authors in an earlier study. Furthermore, the results of the survey are used to develop an easy-to-understand learner for assessing the technical reusability of the structural elements at the end-of-life of a building. The results indicate that the most significant factors affecting the reuse of building structural components are design-related including, matching the design of the new building with the strength of the recovered element.",https://pureportal.coventry.ac.uk/en/publications/predicting-the-technical-reusability-of-load-bearing-building-com,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['predict', 'technic', 'reusabl', 'load', 'bear', 'build', 'compon', 'probabilist', 'approach', 'toward', 'develop', 'circular', 'economi', 'framework', 'kambiz', 'rakhshanbabanari', 'jean', 'claud', 'morel', 'alireza', 'daneshkhah', 'construct', 'sector', 'largest', 'consum', 'raw', 'materi', 'account', '25', '40', 'total', 'co2', 'emiss', 'global', 'besid', 'construct', 'activ', 'produc', 'highest', 'amount', 'wast', 'among', 'sector', 'accord', 'wast', 'hierarchi', 'reus', 'prefer', 'recycl', 'howev', 'recoveri', 'construct', 'demolit', 'wast', 'happen', 'form', 'recycl', 'reus', 'part', 'recent', 'effort', 'promot', 'reus', 'rate', 'includ', 'estim', 'reusabl', 'load', 'bear', 'build', 'compon', 'assist', 'stakehold', 'make', 'sound', 'judgement', 'reus', 'potenti', 'end', 'life', 'build', 'allevi', 'uncertainti', 'perceiv', 'risk', 'studi', 'aim', 'develop', 'probabilist', 'model', 'use', 'advanc', 'supervis', 'machin', 'learn', 'techniqu', 'includ', 'random', 'forest', 'k', 'nearest', 'neighbour', 'algorithm', 'gaussian', 'process', 'support', 'vector', 'machin', 'predict', 'reus', 'potenti', 'structur', 'element', 'end', 'life', 'build', 'purpos', 'use', 'onlin', 'questionnair', 'paper', 'seek', 'expert', 'opinion', 'actual', 'reus', 'experi', 'build', 'sector', 'assess', 'identifi', 'barrier', 'author', 'earlier', 'studi', 'furthermor', 'result', 'survey', 'use', 'develop', 'easi', 'understand', 'learner', 'assess', 'technic', 'reusabl', 'structur', 'element', 'end', 'life', 'build', 'result', 'indic', 'signific', 'factor', 'affect', 'reus', 'build', 'structur', 'compon', 'design', 'relat', 'includ', 'match', 'design', 'new', 'build', 'strength', 'recov', 'element', 'gaussian', 'process', 'reus', 'build', 'structur', 'supervis', 'machin', 'learn', 'random', 'forest', 'k', 'nearest', 'neighbour', 'reus']" +146,Proving UNSAT in SMT: The Case of Quantifier Free Non-Linear Real Arithmetic,"E. Ábrahám, James H. Davenport, Matthew England, Gereon Kremer",16-Jul-21,[],"We discuss the topic of unsatisfiability proofs in SMT, particularly with reference to quantifier free non-linear real arithmetic. We outline how the methods here do not admit trivial proofs and how past formalisation attempts are not sufficient. We note that the new breed of local search based algorithms for this domain may offer an easier path forward.",https://pureportal.coventry.ac.uk/en/publications/proving-unsat-in-smt-the-case-of-quantifier-free-non-linear-real-,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england', None]","['prove', 'unsat', 'smt', 'case', 'quantifi', 'free', 'non', 'linear', 'real', 'arithmet', 'e', 'ábrahám', 'jame', 'h', 'davenport', 'matthew', 'england', 'gereon', 'kremer', 'discuss', 'topic', 'unsatisfi', 'proof', 'smt', 'particularli', 'refer', 'quantifi', 'free', 'non', 'linear', 'real', 'arithmet', 'outlin', 'method', 'admit', 'trivial', 'proof', 'past', 'formalis', 'attempt', 'suffici', 'note', 'new', 'breed', 'local', 'search', 'base', 'algorithm', 'domain', 'may', 'offer', 'easier', 'path', 'forward']" +147,Real-time registration of 3D echo to X-ray fluoroscopy based on cascading classifiers and image registration,"YingLiang Ma, R. James Houston, Ansab Fazili, Kawal S Rhode",25-Feb-21,"['3d ultrasound', 'Cardiac interventional guidance', 'Echo probe tracking', 'Image fusion', 'X-ray fluoroscopy']","Three-dimensional (3D) transesophageal echocardiography (TEE) is one of the most significant advances in cardiac imaging. Although TEE provides real-time 3D visualization of heart tissues and blood vessels and has no ionizing radiation, X-ray fluoroscopy still dominates in guidance of cardiac interventions due to TEE having a limited field of view and poor visualization of surgical instruments. Therefore, fusing 3D echo with live X-ray images can provide a better guidance solution. This paper proposes a novel framework for image fusion by detecting the pose of the TEE probe in X-ray images in real-time. The framework does not require any manual initialization. Instead it uses a cascade classifier to compute the position and in-plane rotation angle of the TEE probe. The remaining degrees of freedom are determined by fast marching against a template library. The proposed framework is validated on phantoms and patient data. The target registration error for the phantom was 2.1 mm. In addition, 10 patient datasets, seven of which were acquired from cardiac electrophysiology procedures and three from trans-catheter aortic valve implantation procedures, were used to test the clinical feasibility as well as accuracy. A mean registration error of 2.6 mm was achieved, which is well within typical clinical requirements.",https://pureportal.coventry.ac.uk/en/publications/real-time-registration-of-3d-echo-to-x-ray-fluoroscopy-based-on-c,"['https://pureportal.coventry.ac.uk/en/persons/yingliang-ma', None, None, None]","['real', 'time', 'registr', '3d', 'echo', 'x', 'ray', 'fluoroscopi', 'base', 'cascad', 'classifi', 'imag', 'registr', 'yingliang', 'r', 'jame', 'houston', 'ansab', 'fazili', 'kawal', 'rhode', 'three', 'dimension', '3d', 'transesophag', 'echocardiographi', 'tee', 'one', 'signific', 'advanc', 'cardiac', 'imag', 'although', 'tee', 'provid', 'real', 'time', '3d', 'visual', 'heart', 'tissu', 'blood', 'vessel', 'ioniz', 'radiat', 'x', 'ray', 'fluoroscopi', 'still', 'domin', 'guidanc', 'cardiac', 'intervent', 'due', 'tee', 'limit', 'field', 'view', 'poor', 'visual', 'surgic', 'instrument', 'therefor', 'fuse', '3d', 'echo', 'live', 'x', 'ray', 'imag', 'provid', 'better', 'guidanc', 'solut', 'paper', 'propos', 'novel', 'framework', 'imag', 'fusion', 'detect', 'pose', 'tee', 'probe', 'x', 'ray', 'imag', 'real', 'time', 'framework', 'requir', 'manual', 'initi', 'instead', 'use', 'cascad', 'classifi', 'comput', 'posit', 'plane', 'rotat', 'angl', 'tee', 'probe', 'remain', 'degre', 'freedom', 'determin', 'fast', 'march', 'templat', 'librari', 'propos', 'framework', 'valid', 'phantom', 'patient', 'data', 'target', 'registr', 'error', 'phantom', '2', '1', 'mm', 'addit', '10', 'patient', 'dataset', 'seven', 'acquir', 'cardiac', 'electrophysiolog', 'procedur', 'three', 'tran', 'cathet', 'aortic', 'valv', 'implant', 'procedur', 'use', 'test', 'clinic', 'feasibl', 'well', 'accuraci', 'mean', 'registr', 'error', '2', '6', 'mm', 'achiev', 'well', 'within', 'typic', 'clinic', 'requir', '3d', 'ultrasound', 'cardiac', 'intervent', 'guidanc', 'echo', 'probe', 'track', 'imag', 'fusion', 'x', 'ray', 'fluoroscopi']" +148,Scenario Optimisation and Sensitivity Analysis for Safe Automated Driving Using Gaussian Processes,"Felix Batsch, Alireza Daneshkhah, Vasile Palade, Madeline Cheah",15-Jan-21,"['Gaussian process', 'Sensitivity analysis', 'Machine learning', 'safe automated vehicles', 'critical scenarios', 'CAV', 'scenario based testing', 'logical scenario', 'Corner cases', 'Scenario-based testing', 'Logical scenario', 'Probabilistic sensitivity analysis', 'Critical scenarios', 'Safe automated vehicles']","Assuring the safety of automated vehicles is essential for their timely introduction and acceptance by policymakers and the public. To assess their safe design and robust decision making in response to all possible scenarios, new methods that use a scenario-based testing approach are needed, as testing on public roads in normal traffic would require driving millions of kilometres. We make use of the scenario-based testing approach and propose a method to model simulated scenarios using Gaussian Process based models to predict untested scenario outcomes. This enables us to efficiently determine the performance boundary, where the safe and unsafe scenarios can be evidently distinguished from each other. We present an iterative method that optimises the parameter space of a logical scenario towards the most critical scenarios on this performance boundary. Additionally, we conduct a novel probabilistic sensitivity analysis by efficiently computing several variance-based sensitivity indices using the Gaussian Process models and evaluate the relative importance of the scenario input parameters on the scenario outcome. We critically evaluate and investigate the usefulness of the proposed Gaussian Process based approach as a very efficient surrogate model, which can model the logical scenarios effectively in the presence of uncertainty. The proposed approach is applied on an exemplary logical scenario and shows viability in finding concrete critical scenarios. The reported results, derived from the proposed approach, could pave the way to more efficient testing of automated vehicles and instruct further physical tests on the determined critical scenarios.",https://pureportal.coventry.ac.uk/en/publications/scenario-optimisation-and-sensitivity-analysis-for-safe-automated,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['scenario', 'optimis', 'sensit', 'analysi', 'safe', 'autom', 'drive', 'use', 'gaussian', 'process', 'felix', 'batsch', 'alireza', 'daneshkhah', 'vasil', 'palad', 'madelin', 'cheah', 'assur', 'safeti', 'autom', 'vehicl', 'essenti', 'time', 'introduct', 'accept', 'policymak', 'public', 'assess', 'safe', 'design', 'robust', 'decis', 'make', 'respons', 'possibl', 'scenario', 'new', 'method', 'use', 'scenario', 'base', 'test', 'approach', 'need', 'test', 'public', 'road', 'normal', 'traffic', 'would', 'requir', 'drive', 'million', 'kilometr', 'make', 'use', 'scenario', 'base', 'test', 'approach', 'propos', 'method', 'model', 'simul', 'scenario', 'use', 'gaussian', 'process', 'base', 'model', 'predict', 'untest', 'scenario', 'outcom', 'enabl', 'us', 'effici', 'determin', 'perform', 'boundari', 'safe', 'unsaf', 'scenario', 'evid', 'distinguish', 'present', 'iter', 'method', 'optimis', 'paramet', 'space', 'logic', 'scenario', 'toward', 'critic', 'scenario', 'perform', 'boundari', 'addit', 'conduct', 'novel', 'probabilist', 'sensit', 'analysi', 'effici', 'comput', 'sever', 'varianc', 'base', 'sensit', 'indic', 'use', 'gaussian', 'process', 'model', 'evalu', 'rel', 'import', 'scenario', 'input', 'paramet', 'scenario', 'outcom', 'critic', 'evalu', 'investig', 'use', 'propos', 'gaussian', 'process', 'base', 'approach', 'effici', 'surrog', 'model', 'model', 'logic', 'scenario', 'effect', 'presenc', 'uncertainti', 'propos', 'approach', 'appli', 'exemplari', 'logic', 'scenario', 'show', 'viabil', 'find', 'concret', 'critic', 'scenario', 'report', 'result', 'deriv', 'propos', 'approach', 'could', 'pave', 'way', 'effici', 'test', 'autom', 'vehicl', 'instruct', 'physic', 'test', 'determin', 'critic', 'scenario', 'gaussian', 'process', 'sensit', 'analysi', 'machin', 'learn', 'safe', 'autom', 'vehicl', 'critic', 'scenario', 'cav', 'scenario', 'base', 'test', 'logic', 'scenario', 'corner', 'case', 'scenario', 'base', 'test', 'logic', 'scenario', 'probabilist', 'sensit', 'analysi', 'critic', 'scenario', 'safe', 'autom', 'vehicl']" +149,Security Improvement for Energy Harvesting based Overlay Cognitive Networks with Jamming-Assisted Full-Duplex Destinations,"Khuong Ho-Van, Paschalis Sofotasios, Sami Muhaidat, Simon Cotton, Seongki Yoo, Yury A. Brychkov, Octavia A. Dobre, Mikko Valkama",01-Nov-21,"['Energy harvesting', 'PHY layer security', 'full-duplex jamming', 'overlay cognitive radio', 'secrecy probability']","This work investigates the secrecy capability of energy harvesting based overlay cognitive networks (EHOCNs). To this end, we assume that a message by a licensed transmitter is relayed by an unlicensed sender. Critically, the unlicensed sender uses energy harvested from licensed signals, enhancing the overall energy efficiency and maintaining the integrity of licensed communications. To secure messages broadcast by the unlicensed sender against the wire-tapper, full-duplex destinations – unlicensed recipient and licensed receiver – jam the eavesdropper at the same time they receive signals from the unlicensed sender. To this effect, we derive closed-form formulas for the secrecy outageprobability, which then quantify the security performance of both unlicensed and licensed communications for EHOCNs with jamming-assisted full-duplex destinations, namely EHOCNwFD. In addition, optimum operating parameters are established, which can serve as essential design guidelines of such systems.",https://pureportal.coventry.ac.uk/en/publications/security-improvement-for-energy-harvesting-based-overlay-cognitiv,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/seongki-yoo', None, None, None]","['secur', 'improv', 'energi', 'harvest', 'base', 'overlay', 'cognit', 'network', 'jam', 'assist', 'full', 'duplex', 'destin', 'khuong', 'ho', 'van', 'paschali', 'sofotasio', 'sami', 'muhaidat', 'simon', 'cotton', 'seongki', 'yoo', 'yuri', 'brychkov', 'octavia', 'dobr', 'mikko', 'valkama', 'work', 'investig', 'secreci', 'capabl', 'energi', 'harvest', 'base', 'overlay', 'cognit', 'network', 'ehocn', 'end', 'assum', 'messag', 'licens', 'transmitt', 'relay', 'unlicens', 'sender', 'critic', 'unlicens', 'sender', 'use', 'energi', 'harvest', 'licens', 'signal', 'enhanc', 'overal', 'energi', 'effici', 'maintain', 'integr', 'licens', 'commun', 'secur', 'messag', 'broadcast', 'unlicens', 'sender', 'wire', 'tapper', 'full', 'duplex', 'destin', 'unlicens', 'recipi', 'licens', 'receiv', 'jam', 'eavesdropp', 'time', 'receiv', 'signal', 'unlicens', 'sender', 'effect', 'deriv', 'close', 'form', 'formula', 'secreci', 'outageprob', 'quantifi', 'secur', 'perform', 'unlicens', 'licens', 'commun', 'ehocn', 'jam', 'assist', 'full', 'duplex', 'destin', 'name', 'ehocnwfd', 'addit', 'optimum', 'oper', 'paramet', 'establish', 'serv', 'essenti', 'design', 'guidelin', 'system', 'energi', 'harvest', 'phi', 'layer', 'secur', 'full', 'duplex', 'jam', 'overlay', 'cognit', 'radio', 'secreci', 'probabl']" +150,Simultaneous Actuator and Sensor Faults Estimation for Aircraft Using a Jump-Markov Regularized Particle Filter,"Enzo Iglésis, Nadjim Horri, James Brusey, Karim Dahia, Hélène Piet-Lahanier",07-Jun-21,"['Safety, Risk, Reliability and Quality', 'Strategy and Management']","The advances in aircraft autonomy have led to an increased demand for robust sensor and actuator fault detection and estimation methods in challenging situations including the onset of ambiguous faults. In this paper, we consider potential simultaneous fault on sensors and actuators of an Unmanned Aerial Vehicle. The faults are estimated using a Jump-Markov Regularized Particle Filter. The jump Markov decision process is used within a regularized particle filter structure to drive a small subset of particles to test the likelihood of the alternate hypothesis to the current fault mode. A prior distribution of the fault is updated using innovations based on predicted control and measurements. Fault scenarios were focused on cases when the impacts of the actuator and sensor faults are similar. Monte Carlo simulations illustrate the ability of the approach to discriminate between the two types of faults and to accurately and rapidly estimate them. The states are also accurately estimated.",https://pureportal.coventry.ac.uk/en/publications/simultaneous-actuator-and-sensor-faults-estimation-for-aircraft-u,"[None, 'https://pureportal.coventry.ac.uk/en/persons/nadjim-horri', 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', None, None]","['simultan', 'actuat', 'sensor', 'fault', 'estim', 'aircraft', 'use', 'jump', 'markov', 'regular', 'particl', 'filter', 'enzo', 'iglési', 'nadjim', 'horri', 'jame', 'brusey', 'karim', 'dahia', 'hélène', 'piet', 'lahani', 'advanc', 'aircraft', 'autonomi', 'led', 'increas', 'demand', 'robust', 'sensor', 'actuat', 'fault', 'detect', 'estim', 'method', 'challeng', 'situat', 'includ', 'onset', 'ambigu', 'fault', 'paper', 'consid', 'potenti', 'simultan', 'fault', 'sensor', 'actuat', 'unman', 'aerial', 'vehicl', 'fault', 'estim', 'use', 'jump', 'markov', 'regular', 'particl', 'filter', 'jump', 'markov', 'decis', 'process', 'use', 'within', 'regular', 'particl', 'filter', 'structur', 'drive', 'small', 'subset', 'particl', 'test', 'likelihood', 'altern', 'hypothesi', 'current', 'fault', 'mode', 'prior', 'distribut', 'fault', 'updat', 'use', 'innov', 'base', 'predict', 'control', 'measur', 'fault', 'scenario', 'focus', 'case', 'impact', 'actuat', 'sensor', 'fault', 'similar', 'mont', 'carlo', 'simul', 'illustr', 'abil', 'approach', 'discrimin', 'two', 'type', 'fault', 'accur', 'rapidli', 'estim', 'state', 'also', 'accur', 'estim', 'safeti', 'risk', 'reliabl', 'qualiti', 'strategi', 'manag']" +151,SSF: Smart city Semantics Framework for reusability of semantic data,"JiEun Lee, SeungMyeong Jeong, Seongki Yoo, Jae Seung Song",07-Dec-21,"['semantics', 'smart city', 'template-based annotation']","Semantic data has semantic information about the relationship between information and resources of data collected in a smart city so that all different domains and data can be organically connected. Various services using semantic data such as public data integration of smart cities, semantic search, and linked open data are emerging, and services that open and freely use semantic data are also increasing. By using semantic data, it is possible to create a variety of services regardless of platform and resource characteristics. However, despite the many advantages of semantic data, it is not easy to use because it requires a high understanding of semantics such as SPARQL. Therefore, in this paper, we propose a semantic framework for users ofsemantic data so that new services can be created without a high understanding of semantics. The semantics framework includes a template-based annotator that supports automatically generating semantic data based on user input and a semantic REST API that allows you to utilize semantic data without understanding SPARQL.",https://pureportal.coventry.ac.uk/en/publications/ssf-smart-city-semantics-framework-for-reusability-of-semantic-da,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/seongki-yoo', None]","['ssf', 'smart', 'citi', 'semant', 'framework', 'reusabl', 'semant', 'data', 'jieun', 'lee', 'seungmyeong', 'jeong', 'seongki', 'yoo', 'jae', 'seung', 'song', 'semant', 'data', 'semant', 'inform', 'relationship', 'inform', 'resourc', 'data', 'collect', 'smart', 'citi', 'differ', 'domain', 'data', 'organ', 'connect', 'variou', 'servic', 'use', 'semant', 'data', 'public', 'data', 'integr', 'smart', 'citi', 'semant', 'search', 'link', 'open', 'data', 'emerg', 'servic', 'open', 'freeli', 'use', 'semant', 'data', 'also', 'increas', 'use', 'semant', 'data', 'possibl', 'creat', 'varieti', 'servic', 'regardless', 'platform', 'resourc', 'characterist', 'howev', 'despit', 'mani', 'advantag', 'semant', 'data', 'easi', 'use', 'requir', 'high', 'understand', 'semant', 'sparql', 'therefor', 'paper', 'propos', 'semant', 'framework', 'user', 'ofsemant', 'data', 'new', 'servic', 'creat', 'without', 'high', 'understand', 'semant', 'semant', 'framework', 'includ', 'templat', 'base', 'annot', 'support', 'automat', 'gener', 'semant', 'data', 'base', 'user', 'input', 'semant', 'rest', 'api', 'allow', 'util', 'semant', 'data', 'without', 'understand', 'sparql', 'semant', 'smart', 'citi', 'templat', 'base', 'annot']" +152,The challenges of community-based solar energy interventions: Lessons from two Rwandan Refugee Camps,"Jonathan Nixon, Kriti Bhargava, Alison Halford, Elena Gaura",Dec-21,"['Decentralized', 'Humanitarian', 'Micro-grid', 'Monitoring', 'Off-grid', 'Photovoltaic (PV)']","The paper presents evidence from the performance assessment of two solar energy interventions. Specifically, an evidence base was built around two community co-conceived standalone photovoltaic-battery systems, which were deployed in two refugee camps in Rwanda. We found that for both installations (a micro-grid and a community hall electrification system) energy consumption levels were low, showing that sizeable energy consumption gaps can still develop when co-conceived interventions are deployed. The consumption gap led to low performance ratios (33% and 25% respectively for the micro-grid and community hall system). To guide further work and improve the sustainability of community interventions, we draw a number of design principles for future energy interventions in similar contexts. To deliver sustainable energy transitions for refugees, there needs to be a move towards co-creating community interventions that promote self-governance to position communities as users, maintainers and suppliers of energy services, throughout an intervention's lifetime.",https://pureportal.coventry.ac.uk/en/publications/the-challenges-of-community-based-solar-energy-interventions-less,"['https://pureportal.coventry.ac.uk/en/persons/jonathan-nixon', None, 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['challeng', 'commun', 'base', 'solar', 'energi', 'intervent', 'lesson', 'two', 'rwandan', 'refuge', 'camp', 'jonathan', 'nixon', 'kriti', 'bhargava', 'alison', 'halford', 'elena', 'gaura', 'paper', 'present', 'evid', 'perform', 'assess', 'two', 'solar', 'energi', 'intervent', 'specif', 'evid', 'base', 'built', 'around', 'two', 'commun', 'co', 'conceiv', 'standalon', 'photovolta', 'batteri', 'system', 'deploy', 'two', 'refuge', 'camp', 'rwanda', 'found', 'instal', 'micro', 'grid', 'commun', 'hall', 'electrif', 'system', 'energi', 'consumpt', 'level', 'low', 'show', 'sizeabl', 'energi', 'consumpt', 'gap', 'still', 'develop', 'co', 'conceiv', 'intervent', 'deploy', 'consumpt', 'gap', 'led', 'low', 'perform', 'ratio', '33', '25', 'respect', 'micro', 'grid', 'commun', 'hall', 'system', 'guid', 'work', 'improv', 'sustain', 'commun', 'intervent', 'draw', 'number', 'design', 'principl', 'futur', 'energi', 'intervent', 'similar', 'context', 'deliv', 'sustain', 'energi', 'transit', 'refuge', 'need', 'move', 'toward', 'co', 'creat', 'commun', 'intervent', 'promot', 'self', 'govern', 'posit', 'commun', 'user', 'maintain', 'supplier', 'energi', 'servic', 'throughout', 'intervent', 'lifetim', 'decentr', 'humanitarian', 'micro', 'grid', 'monitor', 'grid', 'photovolta', 'pv']" +153,The DEWCAD project: pushing back the doubly exponential wall of cylindrical algebraic decomposition,"Russell Bradford, James H. Davenport, Matthew England, AmirHosein Sadeghimanesh, Ali Uncu",Sep-21,"['Computer Algebra', 'Symbolic Computation', 'Satisfiability Checking', 'SMT', 'Cylindrical Algebraic Decomposition']","This abstract seeks to introduce the ISSAC community to the DEWCAD project, which is based at Coventry University and the University of Bath, in the United Kingdom. The project seeks to push back the Doubly Exponential Wall of Cylindrical Algebraic Decomposition, through the integration of SAT/SMT technology, the extension of Lazard projection theory, and the development of new algorithms based on CAD technology but without producing CADs themselves. The project also seeks to develop applications of CAD and will focus on applications in the domains of economics and bio-network analysis.",https://pureportal.coventry.ac.uk/en/publications/the-dewcad-project-pushing-back-the-doubly-exponential-wall-of-cy,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england', 'https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh', None]","['dewcad', 'project', 'push', 'back', 'doubli', 'exponenti', 'wall', 'cylindr', 'algebra', 'decomposit', 'russel', 'bradford', 'jame', 'h', 'davenport', 'matthew', 'england', 'amirhosein', 'sadeghimanesh', 'ali', 'uncu', 'abstract', 'seek', 'introduc', 'issac', 'commun', 'dewcad', 'project', 'base', 'coventri', 'univers', 'univers', 'bath', 'unit', 'kingdom', 'project', 'seek', 'push', 'back', 'doubli', 'exponenti', 'wall', 'cylindr', 'algebra', 'decomposit', 'integr', 'sat', 'smt', 'technolog', 'extens', 'lazard', 'project', 'theori', 'develop', 'new', 'algorithm', 'base', 'cad', 'technolog', 'without', 'produc', 'cad', 'project', 'also', 'seek', 'develop', 'applic', 'cad', 'focu', 'applic', 'domain', 'econom', 'bio', 'network', 'analysi', 'comput', 'algebra', 'symbol', 'comput', 'satisfi', 'check', 'smt', 'cylindr', 'algebra', 'decomposit']" +154,The epidemiological landscape of anemia in women of reproductive age in sub-Saharan Africa,"Esteban Correa-Agudelo, Hae Young Kim, Godfrey N. Musuka, Zindoga Mukandavire, F. De Wolfe Miller, Frank Tanser, Diego F. Cuadros",07-Jun-21,['General'],"The role of geographical disparities of health-related risk factors with anemia are poorly documented for women of reproductive age in sub-Saharan Africa (SSA). We aimed to determine the contribution of potential factors and to identify areas at higher risk of anemia for women in reproductive age in SSA. Our study population comprised 27 nationally representative samples of women of reproductive age (15–49) who were enrolled in the Demographic and Health Surveys and conducted between 2010 and 2019 in SSA. Overall, we found a positive association between being anemic and the ecological exposure to malaria incidence [adjusted odds ratio (AOR) = 1.02, 95% confidence interval (CI) 1.02–1.02], and HIV prevalence (AOR = 1.01, CI 1.01–1.02). Women currently pregnant or under deworming medication for the last birth had 31% (AOR = 1.31, CI 1.24–1.39) and 5% (AOR = 1.05, CI 1.01–1.10) higher odds of having anemia, respectively. Similarly, women age 25–34 years old with low education, low income and living in urban settings had higher odds of having anemia. In addition, underweight women had 23% higher odds of suffering anemia (AOR = 1.23, CI 1.15–1.31). Females with low levels of education and wealth index were consistently associated with anemia across SSA. Spatial distribution shows increased risk of anemia in Central and Western Africa. Knowledge about the contribution of known major drivers and the spatial distribution of anemia risk can mitigate operational constraints and help to design geographically targeted intervention programs in SSA.",https://pureportal.coventry.ac.uk/en/publications/the-epidemiological-landscape-of-anemia-in-women-of-reproductive-,"[None, None, None, None, None, None, None]","['epidemiolog', 'landscap', 'anemia', 'women', 'reproduct', 'age', 'sub', 'saharan', 'africa', 'esteban', 'correa', 'agudelo', 'hae', 'young', 'kim', 'godfrey', 'n', 'musuka', 'zindoga', 'mukandavir', 'f', 'de', 'wolf', 'miller', 'frank', 'tanser', 'diego', 'f', 'cuadro', 'role', 'geograph', 'dispar', 'health', 'relat', 'risk', 'factor', 'anemia', 'poorli', 'document', 'women', 'reproduct', 'age', 'sub', 'saharan', 'africa', 'ssa', 'aim', 'determin', 'contribut', 'potenti', 'factor', 'identifi', 'area', 'higher', 'risk', 'anemia', 'women', 'reproduct', 'age', 'ssa', 'studi', 'popul', 'compris', '27', 'nation', 'repres', 'sampl', 'women', 'reproduct', 'age', '15', '49', 'enrol', 'demograph', 'health', 'survey', 'conduct', '2010', '2019', 'ssa', 'overal', 'found', 'posit', 'associ', 'anem', 'ecolog', 'exposur', 'malaria', 'incid', 'adjust', 'odd', 'ratio', 'aor', '1', '02', '95', 'confid', 'interv', 'ci', '1', '02', '1', '02', 'hiv', 'preval', 'aor', '1', '01', 'ci', '1', '01', '1', '02', 'women', 'current', 'pregnant', 'deworm', 'medic', 'last', 'birth', '31', 'aor', '1', '31', 'ci', '1', '24', '1', '39', '5', 'aor', '1', '05', 'ci', '1', '01', '1', '10', 'higher', 'odd', 'anemia', 'respect', 'similarli', 'women', 'age', '25', '34', 'year', 'old', 'low', 'educ', 'low', 'incom', 'live', 'urban', 'set', 'higher', 'odd', 'anemia', 'addit', 'underweight', 'women', '23', 'higher', 'odd', 'suffer', 'anemia', 'aor', '1', '23', 'ci', '1', '15', '1', '31', 'femal', 'low', 'level', 'educ', 'wealth', 'index', 'consist', 'associ', 'anemia', 'across', 'ssa', 'spatial', 'distribut', 'show', 'increas', 'risk', 'anemia', 'central', 'western', 'africa', 'knowledg', 'contribut', 'known', 'major', 'driver', 'spatial', 'distribut', 'anemia', 'risk', 'mitig', 'oper', 'constraint', 'help', 'design', 'geograph', 'target', 'intervent', 'program', 'ssa', 'gener']" +155,"The Salience of Islam to Muslim Heritage Children’s Experiences of Identity, Family, and Well-Being in Foster Care","Sariya Cheruvallil-Contractor, Alison Halford, Mphats Boti Phiri",25-May-21,"['Islam', 'Muslims', 'children in care', 'adoption', 'identity', 'looked-after children', 'foster care', 'faith', 'Britain', 'orphans', 'Orphans', 'Faith', 'Foster care', 'Children in care', 'Looked-after children', 'Identity', 'Adoption']","All children need permanent and secure homes in which they can explore their identities and evolve as human beings, citizens, and family members, and within which can they have a sense of security, continuity, stability, and belonging. There are approximately 4500 children of Muslim heritage in the care system in England and Wales, and this number is increasing. Using case studies that emerged from qualitative fieldwork, this article examines the role and impact of religion on children’s journeys through the care system, particularly in foster care. This article concludes that irrespective of the level of engagement Muslim heritage children in the care system have with their religious heritage, Islam has an enduring impact on how they perceive their identities. As a result, there is a pressing need for social workers and foster carers who care for these children to gain greater insights into Islam and Muslim culture. Such insights and understandings will help children settle faster and form stronger bonds of attachment with their foster carers, and in the long term, this will enhance life outcomes for these children.",https://pureportal.coventry.ac.uk/en/publications/the-salience-of-islam-to-muslim-heritage-childrens-experiences-of,"['https://pureportal.coventry.ac.uk/en/persons/sariya-cheruvallil-contractor', 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', None]","['salienc', 'islam', 'muslim', 'heritag', 'children', 'experi', 'ident', 'famili', 'well', 'foster', 'care', 'sariya', 'cheruvallil', 'contractor', 'alison', 'halford', 'mphat', 'boti', 'phiri', 'children', 'need', 'perman', 'secur', 'home', 'explor', 'ident', 'evolv', 'human', 'be', 'citizen', 'famili', 'member', 'within', 'sens', 'secur', 'continu', 'stabil', 'belong', 'approxim', '4500', 'children', 'muslim', 'heritag', 'care', 'system', 'england', 'wale', 'number', 'increas', 'use', 'case', 'studi', 'emerg', 'qualit', 'fieldwork', 'articl', 'examin', 'role', 'impact', 'religion', 'children', 'journey', 'care', 'system', 'particularli', 'foster', 'care', 'articl', 'conclud', 'irrespect', 'level', 'engag', 'muslim', 'heritag', 'children', 'care', 'system', 'religi', 'heritag', 'islam', 'endur', 'impact', 'perceiv', 'ident', 'result', 'press', 'need', 'social', 'worker', 'foster', 'carer', 'care', 'children', 'gain', 'greater', 'insight', 'islam', 'muslim', 'cultur', 'insight', 'understand', 'help', 'children', 'settl', 'faster', 'form', 'stronger', 'bond', 'attach', 'foster', 'carer', 'long', 'term', 'enhanc', 'life', 'outcom', 'children', 'islam', 'muslim', 'children', 'care', 'adopt', 'ident', 'look', 'children', 'foster', 'care', 'faith', 'britain', 'orphan', 'orphan', 'faith', 'foster', 'care', 'children', 'care', 'look', 'children', 'ident', 'adopt']" +156,Topic modelling in precision medicine with its applications in personalized diabetes management,"Chong Ni Ki, Amin Hosseinian-Far, Alireza Daneshkhah, Nader Salari",18-Jul-21,"['IoT-based systems for healthcare', 'latent Dirichlet allocation', 'NLP', 'personalized diabetes management', 'precision medicine', 'Topic model', 'topic modelling']","Advances in Internet of Things (IoT) and analytic-based systems in the past decade have found several applications in medical informatics, and have significantly facilitated healthcare decision making. Patients' data are collected through a variety of means, including IoT sensory systems, and require efficient, and accurate processing. Topic Modelling is an unsupervised machine learning algorithm for Natural Language Processing (NLP) that identifies relationships and associations within textual data. The application of Topic Modelling has been widely used on raw text data, where meaningful clusters (topics) are generated by the model. The purpose of this paper is to explore the varying methods of Topic Modelling, mostly the Latent Dirichlet allocation (LDA) model, and its applicability on personalized diabetes management. The proposed study evaluates the possibility of applying topic modelling methods on diabetes literature and genomic data in order to achieve precision medicine.",https://pureportal.coventry.ac.uk/en/publications/topic-modelling-in-precision-medicine-with-its-applications-in-pe,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None]","['topic', 'model', 'precis', 'medicin', 'applic', 'person', 'diabet', 'manag', 'chong', 'ni', 'ki', 'amin', 'hosseinian', 'far', 'alireza', 'daneshkhah', 'nader', 'salari', 'advanc', 'internet', 'thing', 'iot', 'analyt', 'base', 'system', 'past', 'decad', 'found', 'sever', 'applic', 'medic', 'informat', 'significantli', 'facilit', 'healthcar', 'decis', 'make', 'patient', 'data', 'collect', 'varieti', 'mean', 'includ', 'iot', 'sensori', 'system', 'requir', 'effici', 'accur', 'process', 'topic', 'model', 'unsupervis', 'machin', 'learn', 'algorithm', 'natur', 'languag', 'process', 'nlp', 'identifi', 'relationship', 'associ', 'within', 'textual', 'data', 'applic', 'topic', 'model', 'wide', 'use', 'raw', 'text', 'data', 'meaning', 'cluster', 'topic', 'gener', 'model', 'purpos', 'paper', 'explor', 'vari', 'method', 'topic', 'model', 'mostli', 'latent', 'dirichlet', 'alloc', 'lda', 'model', 'applic', 'person', 'diabet', 'manag', 'propos', 'studi', 'evalu', 'possibl', 'appli', 'topic', 'model', 'method', 'diabet', 'literatur', 'genom', 'data', 'order', 'achiev', 'precis', 'medicin', 'iot', 'base', 'system', 'healthcar', 'latent', 'dirichlet', 'alloc', 'nlp', 'person', 'diabet', 'manag', 'precis', 'medicin', 'topic', 'model', 'topic', 'model']" +157,Towards algorithm-free physical equilibrium model of computing,Seyed Mousavi,Dec-21,"['Equilibrium states', 'NP-completeness', 'Quantum computing']","Our computers today, from sophisticated servers to small smartphones, operate based on the same computing model, which requires running a sequence of discrete instructions, specified as an algorithm. This sequential computing paradigm has not yet led to a fast algorithm for an NP-complete problem despite numerous attempts over the past half a century. Unfortunately, even after the introduction of quantum mechanics to the world of computing, we still followed a similar sequential paradigm, which has not yet helped us obtain such an algorithm either. Here a completely different model of computing is proposed to replace the sequential paradigm of algorithms with inherent parallelism of physical processes. Using the proposed model, instead of writing algorithms to solve NP-complete problems, we construct physical systems whose equilibrium states correspond to the desired solutions and let them evolve to search for the solutions. The main requirements of the model are identified and quantum circuits are proposed for its potential implementation.",https://pureportal.coventry.ac.uk/en/publications/towards-algorithm-free-physical-equilibrium-model-of-computing,['https://pureportal.coventry.ac.uk/en/persons/seyed-mousavi-mousavi'],"['toward', 'algorithm', 'free', 'physic', 'equilibrium', 'model', 'comput', 'sey', 'mousavi', 'comput', 'today', 'sophist', 'server', 'small', 'smartphon', 'oper', 'base', 'comput', 'model', 'requir', 'run', 'sequenc', 'discret', 'instruct', 'specifi', 'algorithm', 'sequenti', 'comput', 'paradigm', 'yet', 'led', 'fast', 'algorithm', 'np', 'complet', 'problem', 'despit', 'numer', 'attempt', 'past', 'half', 'centuri', 'unfortun', 'even', 'introduct', 'quantum', 'mechan', 'world', 'comput', 'still', 'follow', 'similar', 'sequenti', 'paradigm', 'yet', 'help', 'us', 'obtain', 'algorithm', 'either', 'complet', 'differ', 'model', 'comput', 'propos', 'replac', 'sequenti', 'paradigm', 'algorithm', 'inher', 'parallel', 'physic', 'process', 'use', 'propos', 'model', 'instead', 'write', 'algorithm', 'solv', 'np', 'complet', 'problem', 'construct', 'physic', 'system', 'whose', 'equilibrium', 'state', 'correspond', 'desir', 'solut', 'let', 'evolv', 'search', 'solut', 'main', 'requir', 'model', 'identifi', 'quantum', 'circuit', 'propos', 'potenti', 'implement', 'equilibrium', 'state', 'np', 'complet', 'quantum', 'comput']" +158,Understanding HIV and associated risk factors among religious groups in Zimbabwe,"Munyaradzi Mapingure, Zindoga Mukandavire, Innocent Chingombe, Diego Cuadros, Farirai Mutenherwa, Owen Mugurungi, Godfrey Musuka",17-Feb-21,"['HIV', 'Prevention', 'Religious groups', 'Risk factors']","BackgroundThe influence of religion and belief systems is widely recognized as an important factor in understanding of health risk perception and myths in the general fight against the HIV pandemic. This study compares the understanding of HIV risk factors and utilization of some HIV services among religious groups in Zimbabwe.MethodsWe conducted secondary data statistical analysis to investigate the understanding of HIV and associated risk factors among religious groups in Zimbabwe using 2015–2016 Zimbabwe Demographic and Health Survey (ZDHS) data. We began by investigating associations between understanding of HIV and associated risk factors among religious groups. A multivariate stepwise backward elimination method was carried out to explore factors determining understanding of HIV risk after controlling for confounding factors using the most recent ZDHS data (2015–2016).ResultsThe results from the three surveys showed that, in general apostolic sector had low understanding of HIV and associated risk factors compared to other religious groups. Analysis of the 2015–2016 ZDHS data showed that women belonging to the apostolic sector were less likely to know where to get an HIV test odds ratio (OR) and 95% confidence interval, 0.665 (0.503–0.880) and to know that male circumcision reduces HIV transmission OR 0.863 (0.781–0.955). Women from this group had no knowledge that circumcised men can be infected if they do not use condoms OR 0.633 (0.579–0.693), nor that it is possible for a healthy-looking person to have HIV, OR 0.814 (0.719–0.921). They would not buy vegetables from a vendor with HIV OR 0.817 (0.729–0.915) and were less likely to support that HIV positive children should be allowed to attend school with HIV negative children OR 0.804 (0.680–0.950). Similar results were obtained for men in the apostolic sector. These men also did not agree that women were justified to use condoms if the husband has an Sexually Transmitted Infection (STI) OR 0.851 (0.748–0.967).ConclusionsOur results suggest that apostolic sector lack adequate knowledge of HIV and associated risk factors than other religious groups. Targeting HIV prevention programmes by religious groups could be an efficient approach for controlling HIV in Zimbabwe.",https://pureportal.coventry.ac.uk/en/publications/understanding-hiv-and-associated-risk-factors-among-religious-gro,"[None, None, None, None, None, None, None]","['understand', 'hiv', 'associ', 'risk', 'factor', 'among', 'religi', 'group', 'zimbabw', 'munyaradzi', 'mapingur', 'zindoga', 'mukandavir', 'innoc', 'chingomb', 'diego', 'cuadro', 'farirai', 'mutenherwa', 'owen', 'mugurungi', 'godfrey', 'musuka', 'backgroundth', 'influenc', 'religion', 'belief', 'system', 'wide', 'recogn', 'import', 'factor', 'understand', 'health', 'risk', 'percept', 'myth', 'gener', 'fight', 'hiv', 'pandem', 'studi', 'compar', 'understand', 'hiv', 'risk', 'factor', 'util', 'hiv', 'servic', 'among', 'religi', 'group', 'zimbabw', 'methodsw', 'conduct', 'secondari', 'data', 'statist', 'analysi', 'investig', 'understand', 'hiv', 'associ', 'risk', 'factor', 'among', 'religi', 'group', 'zimbabw', 'use', '2015', '2016', 'zimbabw', 'demograph', 'health', 'survey', 'zdh', 'data', 'began', 'investig', 'associ', 'understand', 'hiv', 'associ', 'risk', 'factor', 'among', 'religi', 'group', 'multivari', 'stepwis', 'backward', 'elimin', 'method', 'carri', 'explor', 'factor', 'determin', 'understand', 'hiv', 'risk', 'control', 'confound', 'factor', 'use', 'recent', 'zdh', 'data', '2015', '2016', 'resultsth', 'result', 'three', 'survey', 'show', 'gener', 'apostol', 'sector', 'low', 'understand', 'hiv', 'associ', 'risk', 'factor', 'compar', 'religi', 'group', 'analysi', '2015', '2016', 'zdh', 'data', 'show', 'women', 'belong', 'apostol', 'sector', 'less', 'like', 'know', 'get', 'hiv', 'test', 'odd', 'ratio', '95', 'confid', 'interv', '0', '665', '0', '503', '0', '880', 'know', 'male', 'circumcis', 'reduc', 'hiv', 'transmiss', '0', '863', '0', '781', '0', '955', 'women', 'group', 'knowledg', 'circumcis', 'men', 'infect', 'use', 'condom', '0', '633', '0', '579', '0', '693', 'possibl', 'healthi', 'look', 'person', 'hiv', '0', '814', '0', '719', '0', '921', 'would', 'buy', 'veget', 'vendor', 'hiv', '0', '817', '0', '729', '0', '915', 'less', 'like', 'support', 'hiv', 'posit', 'children', 'allow', 'attend', 'school', 'hiv', 'neg', 'children', '0', '804', '0', '680', '0', '950', 'similar', 'result', 'obtain', 'men', 'apostol', 'sector', 'men', 'also', 'agre', 'women', 'justifi', 'use', 'condom', 'husband', 'sexual', 'transmit', 'infect', 'sti', '0', '851', '0', '748', '0', '967', 'conclusionsour', 'result', 'suggest', 'apostol', 'sector', 'lack', 'adequ', 'knowledg', 'hiv', 'associ', 'risk', 'factor', 'religi', 'group', 'target', 'hiv', 'prevent', 'programm', 'religi', 'group', 'could', 'effici', 'approach', 'control', 'hiv', 'zimbabw', 'hiv', 'prevent', 'religi', 'group', 'risk', 'factor']" +159,Unpacking Gender and Sexuality in Contemporary Mormonism,Alison Halford,01-Oct-21,[],,https://pureportal.coventry.ac.uk/en/publications/unpacking-gender-and-sexuality-in-contemporary-mormonism,['https://pureportal.coventry.ac.uk/en/persons/alison-halford'],"['unpack', 'gender', 'sexual', 'contemporari', 'mormon', 'alison', 'halford']" +160,Unsupervised Doppler Radar Based Activity Recognition for e-Healthcare,"Yordanka Karayaneva, Sara Sharifzadeh, Wenda Li, Yanguo Jing, Bo Tan",2021,"['Activity recognition', 'DCT analysis', 'Data visualization', 'Discrete cosine transforms', 'Doppler radar', 'Feature extraction', 'Health and safety', 'Principal component analysis', 'Unsupervised learning', 'data visualization', 'health and safety', 'unsupervised learning']","Passive radio frequency (RF) sensing and monitoring of human daily activities in elderly care homes is an emerging topic. Micro-Doppler radars are an appealing solution considering their non-intrusiveness, deep penetration, and high-distance range. Unsupervised activity recognition using Doppler radar data has not received attention, in spite of its importance in case of unlabelled or poorly labelled activities in real scenarios. This study proposes two unsupervised feature extraction methods for the purpose of human activity monitoring using Doppler-streams. These include a local Discrete Cosine Transform (DCT)-based feature extraction method and a local entropy-based feature extraction method. In addition, a novel application of Convolutional Variational Autoencoder (CVAE) feature extraction is employed for the first time for Doppler radar data. The three feature extraction architectures are compared with the previously used Convolutional Autoencoder (CAE) and linear feature extraction based on Principal Component Analysis (PCA) and 2DPCA. Unsupervised clustering is performed using K-Means and K-Medoids. The results show the superiority of DCT-based method, entropy-based method, and CVAE features compared to CAE, PCA, and 2DPCA, with more than 5%-20% average accuracy. In regards to computation time, the two proposed methods are noticeably much faster than the existing CVAE. Furthermore, for high-dimensional data visualisation, three manifold learning techniques are considered. The methods are compared for the projection of raw data as well as the encoded CVAE features. All three methods show an improved visualisation ability when applied to the encoded CVAE features.",https://pureportal.coventry.ac.uk/en/publications/unsupervised-doppler-radar-based-activity-recognition-for-e-healt,"[None, 'https://pureportal.coventry.ac.uk/en/persons/sara-sharifzadeh', None, None, None]","['unsupervis', 'doppler', 'radar', 'base', 'activ', 'recognit', 'e', 'healthcar', 'yordanka', 'karayaneva', 'sara', 'sharifzadeh', 'wenda', 'li', 'yanguo', 'jing', 'bo', 'tan', 'passiv', 'radio', 'frequenc', 'rf', 'sens', 'monitor', 'human', 'daili', 'activ', 'elderli', 'care', 'home', 'emerg', 'topic', 'micro', 'doppler', 'radar', 'appeal', 'solut', 'consid', 'non', 'intrus', 'deep', 'penetr', 'high', 'distanc', 'rang', 'unsupervis', 'activ', 'recognit', 'use', 'doppler', 'radar', 'data', 'receiv', 'attent', 'spite', 'import', 'case', 'unlabel', 'poorli', 'label', 'activ', 'real', 'scenario', 'studi', 'propos', 'two', 'unsupervis', 'featur', 'extract', 'method', 'purpos', 'human', 'activ', 'monitor', 'use', 'doppler', 'stream', 'includ', 'local', 'discret', 'cosin', 'transform', 'dct', 'base', 'featur', 'extract', 'method', 'local', 'entropi', 'base', 'featur', 'extract', 'method', 'addit', 'novel', 'applic', 'convolut', 'variat', 'autoencod', 'cvae', 'featur', 'extract', 'employ', 'first', 'time', 'doppler', 'radar', 'data', 'three', 'featur', 'extract', 'architectur', 'compar', 'previous', 'use', 'convolut', 'autoencod', 'cae', 'linear', 'featur', 'extract', 'base', 'princip', 'compon', 'analysi', 'pca', '2dpca', 'unsupervis', 'cluster', 'perform', 'use', 'k', 'mean', 'k', 'medoid', 'result', 'show', 'superior', 'dct', 'base', 'method', 'entropi', 'base', 'method', 'cvae', 'featur', 'compar', 'cae', 'pca', '2dpca', '5', '20', 'averag', 'accuraci', 'regard', 'comput', 'time', 'two', 'propos', 'method', 'notic', 'much', 'faster', 'exist', 'cvae', 'furthermor', 'high', 'dimension', 'data', 'visualis', 'three', 'manifold', 'learn', 'techniqu', 'consid', 'method', 'compar', 'project', 'raw', 'data', 'well', 'encod', 'cvae', 'featur', 'three', 'method', 'show', 'improv', 'visualis', 'abil', 'appli', 'encod', 'cvae', 'featur', 'activ', 'recognit', 'dct', 'analysi', 'data', 'visual', 'discret', 'cosin', 'transform', 'doppler', 'radar', 'featur', 'extract', 'health', 'safeti', 'princip', 'compon', 'analysi', 'unsupervis', 'learn', 'data', 'visual', 'health', 'safeti', 'unsupervis', 'learn']" +161,Using Machine Learning Algorithms to Develop a Clinical Decision-Making Tool for COVID-19 Inpatients,"Abhinav Veoa, Amer Saleem, Kambiz Rakhshan, Alireza Daneshkhah, Tabassom Sedighi, Shamarina Shohaimi, Amr Omar, Nader Salari, Omid Chatrabgoun, Diana Dharmaraj , Junaid Sami, Shital Parekh, Mohamed Ibrahim, Mohammed Raza, Poonam Kapila, Prithwiraj Chakrabarti",09-Jun-21,"['bayesian network', 'COVID-19', 'Random forest', 'SARS-CoV-2', 'risk stratification', 'synthetic minority oversampling technique', 'Synthetic minority oversampling technique (SMOTE)', 'Risk stratification', 'SARS CoV', 'Bayesian network']","Background: Within the UK, COVID-19 has contributed towards over 103,000 deaths. Although multiple risk factors for COVID-19 have been identified, using this data to improve clinical care has proven challenging. The main aim of this study is to develop a reliable, multivariable predictive model for COVID-19 in-patient outcomes, thus enabling risk-stratification and earlier clinical decision-making. Methods: Anonymised data consisting of 44 independent predictor variables from 355 adults diagnosed with COVID-19, at a UK hospital, was manually extracted from electronic patient records for retrospective, case–control analysis. Primary outcomes included inpatient mortality, required ventilatory support, and duration of inpatient treatment. Pulmonary embolism sequala was the only secondary outcome. After balancing data, key variables were feature selected for each outcome using random forests. Predictive models were then learned and constructed using Bayesian networks. Results: The proposed probabilistic models were able to predict, using feature selected risk factors, the probability of the mentioned outcomes. Overall, our findings demonstrate reliable, multivariable, quantitative predictive models for four outcomes, which utilise readily available clinical information for COVID-19 adult inpatients. Further research is required to externally validate our models and demonstrate their utility as risk stratification and clinical decision-making tools.",https://pureportal.coventry.ac.uk/en/publications/using-machine-learning-algorithms-to-develop-a-clinical-decision-,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None, None, None, None, None, None, None, None, None, None]","['use', 'machin', 'learn', 'algorithm', 'develop', 'clinic', 'decis', 'make', 'tool', 'covid', '19', 'inpati', 'abhinav', 'veoa', 'amer', 'saleem', 'kambiz', 'rakhshan', 'alireza', 'daneshkhah', 'tabassom', 'sedighi', 'shamarina', 'shohaimi', 'amr', 'omar', 'nader', 'salari', 'omid', 'chatrabgoun', 'diana', 'dharmaraj', 'junaid', 'sami', 'shital', 'parekh', 'moham', 'ibrahim', 'moham', 'raza', 'poonam', 'kapila', 'prithwiraj', 'chakrabarti', 'background', 'within', 'uk', 'covid', '19', 'contribut', 'toward', '103', '000', 'death', 'although', 'multipl', 'risk', 'factor', 'covid', '19', 'identifi', 'use', 'data', 'improv', 'clinic', 'care', 'proven', 'challeng', 'main', 'aim', 'studi', 'develop', 'reliabl', 'multivari', 'predict', 'model', 'covid', '19', 'patient', 'outcom', 'thu', 'enabl', 'risk', 'stratif', 'earlier', 'clinic', 'decis', 'make', 'method', 'anonymis', 'data', 'consist', '44', 'independ', 'predictor', 'variabl', '355', 'adult', 'diagnos', 'covid', '19', 'uk', 'hospit', 'manual', 'extract', 'electron', 'patient', 'record', 'retrospect', 'case', 'control', 'analysi', 'primari', 'outcom', 'includ', 'inpati', 'mortal', 'requir', 'ventilatori', 'support', 'durat', 'inpati', 'treatment', 'pulmonari', 'embol', 'sequala', 'secondari', 'outcom', 'balanc', 'data', 'key', 'variabl', 'featur', 'select', 'outcom', 'use', 'random', 'forest', 'predict', 'model', 'learn', 'construct', 'use', 'bayesian', 'network', 'result', 'propos', 'probabilist', 'model', 'abl', 'predict', 'use', 'featur', 'select', 'risk', 'factor', 'probabl', 'mention', 'outcom', 'overal', 'find', 'demonstr', 'reliabl', 'multivari', 'quantit', 'predict', 'model', 'four', 'outcom', 'utilis', 'readili', 'avail', 'clinic', 'inform', 'covid', '19', 'adult', 'inpati', 'research', 'requir', 'extern', 'valid', 'model', 'demonstr', 'util', 'risk', 'stratif', 'clinic', 'decis', 'make', 'tool', 'bayesian', 'network', 'covid', '19', 'random', 'forest', 'sar', 'cov', '2', 'risk', 'stratif', 'synthet', 'minor', 'oversampl', 'techniqu', 'synthet', 'minor', 'oversampl', 'techniqu', 'smote', 'risk', 'stratif', 'sar', 'cov', 'bayesian', 'network']" +162,WhONet: Wheel Odometry neural Network for vehicular localisation in GNSS-deprived environments,"Uche Onyekpe, Vasile Palade, Anuradha Herath, Stratis Kanarachos, Michael E. Fitzpatrick",Oct-21,"['Autonomous vehicles', 'Deep learning', 'GNSS outage', 'Inertial Navigation System', 'Machine learning', 'Neural networks', 'Positioning', 'Wheel odometry']","In this paper, a deep learning approach is proposed to accurately position wheeled vehicles in Global Navigation Satellite Systems (GNSS) deprived environments. In the absence of GNSS signals, information on the speed of the wheels of a vehicle (or other robots alike), recorded from the wheel encoder, can be used to provide continuous positioning information for the vehicle, through the integration of the vehicle's linear velocity to displacement. However, the displacement estimation from the wheel speed measurements are characterised by uncertainties, which could be manifested as wheel slips or/and changes to the tyre size or pressure, from wet and muddy road drives or tyres wearing out. As such, we exploit recent advances in deep learning to propose the Wheel Odometry neural Network (WhONet) to learn the uncertainties in the wheel speed measurements needed for correction and accurate positioning. The performance of the proposed WhONet is first evaluated on several challenging driving scenarios, such as on roundabouts, sharp cornering, hard-brake and wet roads (drifts). WhONet's performance is then further and extensively evaluated on longer-term GNSS outage scenarios of 30 s, 60 s, 120 s and 180 s duration, respectively over a total distance of 493 km. The experimental results obtained show that the proposed method is able to accurately position the vehicle with up to 93% reduction in the positioning error of its original counterpart (physics model) after any 180 s of travel.",https://pureportal.coventry.ac.uk/en/publications/whonet-wheel-odometry-neural-network-for-vehicular-localisation-i,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', 'https://pureportal.coventry.ac.uk/en/persons/anuradha-herath', None, None]","['whonet', 'wheel', 'odometri', 'neural', 'network', 'vehicular', 'localis', 'gnss', 'depriv', 'environ', 'uch', 'onyekp', 'vasil', 'palad', 'anuradha', 'herath', 'strati', 'kanaracho', 'michael', 'e', 'fitzpatrick', 'paper', 'deep', 'learn', 'approach', 'propos', 'accur', 'posit', 'wheel', 'vehicl', 'global', 'navig', 'satellit', 'system', 'gnss', 'depriv', 'environ', 'absenc', 'gnss', 'signal', 'inform', 'speed', 'wheel', 'vehicl', 'robot', 'alik', 'record', 'wheel', 'encod', 'use', 'provid', 'continu', 'posit', 'inform', 'vehicl', 'integr', 'vehicl', 'linear', 'veloc', 'displac', 'howev', 'displac', 'estim', 'wheel', 'speed', 'measur', 'characteris', 'uncertainti', 'could', 'manifest', 'wheel', 'slip', 'chang', 'tyre', 'size', 'pressur', 'wet', 'muddi', 'road', 'drive', 'tyre', 'wear', 'exploit', 'recent', 'advanc', 'deep', 'learn', 'propos', 'wheel', 'odometri', 'neural', 'network', 'whonet', 'learn', 'uncertainti', 'wheel', 'speed', 'measur', 'need', 'correct', 'accur', 'posit', 'perform', 'propos', 'whonet', 'first', 'evalu', 'sever', 'challeng', 'drive', 'scenario', 'roundabout', 'sharp', 'corner', 'hard', 'brake', 'wet', 'road', 'drift', 'whonet', 'perform', 'extens', 'evalu', 'longer', 'term', 'gnss', 'outag', 'scenario', '30', '60', '120', '180', 'durat', 'respect', 'total', 'distanc', '493', 'km', 'experiment', 'result', 'obtain', 'show', 'propos', 'method', 'abl', 'accur', 'posit', 'vehicl', '93', 'reduct', 'posit', 'error', 'origin', 'counterpart', 'physic', 'model', '180', 'travel', 'autonom', 'vehicl', 'deep', 'learn', 'gnss', 'outag', 'inerti', 'navig', 'system', 'machin', 'learn', 'neural', 'network', 'posit', 'wheel', 'odometri']" +163,"Working Towards Modern, Affordable & Sustainable Energy Systems in the Context of Displacement: Recommendations for Researchers and Practitioners",Alison Halford,18-Jan-21,[],"Working towards modern, affordable & sustainable energy systems in the context of displacement: Recommendations for researchers and practitioners is a working paper drawn from presentations and discussions that emerged during the ‘Agency of Change: Energy in the Displaced Context’ digital Conference held on Wednesday 4th November 2020. The conference was organised by the Centre of Data Science, Coventry University on behalf of the GCRF EPSRC Humanitarian Engineering and Energy for Displacement (HEED) project. This report summarises the discussions that took place between practitioners, academics, policymakers and the HEED team during the HEED working conference on Wednesday 4 November 2020. Drawing upon a range of expertise in the field of social science, humanitarian and renewables engineering and computer science, conference participants sought to identify potential solutions, innovative responses and best practices to increase access to safe, sustainable and affordable energy in the context of displacement.",https://pureportal.coventry.ac.uk/en/publications/working-towards-modern-affordable-amp-sustainable-energy-systems-,['https://pureportal.coventry.ac.uk/en/persons/alison-halford'],"['work', 'toward', 'modern', 'afford', 'sustain', 'energi', 'system', 'context', 'displac', 'recommend', 'research', 'practition', 'alison', 'halford', 'work', 'toward', 'modern', 'afford', 'sustain', 'energi', 'system', 'context', 'displac', 'recommend', 'research', 'practition', 'work', 'paper', 'drawn', 'present', 'discuss', 'emerg', 'agenc', 'chang', 'energi', 'displac', 'context', 'digit', 'confer', 'held', 'wednesday', '4th', 'novemb', '2020', 'confer', 'organis', 'centr', 'data', 'scienc', 'coventri', 'univers', 'behalf', 'gcrf', 'epsrc', 'humanitarian', 'engin', 'energi', 'displac', 'heed', 'project', 'report', 'summaris', 'discuss', 'took', 'place', 'practition', 'academ', 'policymak', 'heed', 'team', 'heed', 'work', 'confer', 'wednesday', '4', 'novemb', '2020', 'draw', 'upon', 'rang', 'expertis', 'field', 'social', 'scienc', 'humanitarian', 'renew', 'engin', 'comput', 'scienc', 'confer', 'particip', 'sought', 'identifi', 'potenti', 'solut', 'innov', 'respons', 'best', 'practic', 'increas', 'access', 'safe', 'sustain', 'afford', 'energi', 'context', 'displac']" +164,"‘Come, Follow Me’, The Sacralising of the Home, and The Guardian of the Family: How Do European Women Negotiate the Domestic Space in the Church of Jesus Christ of Latter-Day Saints?",Alison Halford,12-May-21,"['Gender', 'Lived religion', 'Mormonism', 'Regional practices', 'The Church of Jesus Christ of Latter-day Saints']","In October 2018, the Prophet Russell M. Nelson informed members of the Church of Jesus Christ of Latter-day Saints that the Church teaching curriculum would shift focus away from lessons taught on Sunday. Instead, members were now asked to engage with ‘home-centred, church-supported’ religious instruction using the Church materials ‘Come, Follow Me’. In a religion where Church leaders still defend the idealised family structure of a stay-at-home mother and a father as the provider, the renewed emphasis on the domestic sphere as the site for Church teaching could also reinforce traditional Mormon gender roles. This article draws upon the lived religion of Latter-day Saint women in Sweden, Greece and England to understand how they negotiate gender in their homes. Looking at the implementation of ‘Come, Follow Me’ of sacralising of the home as a gendered practice, there appears to be reinforcing the primacy of the domestic space in the reproduction of religious practices and doctrinal instruction. Simultaneously, in conceptualising a gender role, the guardian of the family, I show the ways that European Latter-day Saint women are providing, protecting and nurturing their families. The domestic space then becomes instrumental in providing space for more nuanced, complex gender constructs that accommodate Mormon beliefs, cultural context and secular notions of gender without destabilising the institutional structure.",https://pureportal.coventry.ac.uk/en/publications/come-follow-me-the-sacralising-of-the-home-and-the-guardian-of-th,['https://pureportal.coventry.ac.uk/en/persons/alison-halford'],"['come', 'follow', 'sacralis', 'home', 'guardian', 'famili', 'european', 'women', 'negoti', 'domest', 'space', 'church', 'jesu', 'christ', 'latter', 'day', 'saint', 'alison', 'halford', 'octob', '2018', 'prophet', 'russel', 'nelson', 'inform', 'member', 'church', 'jesu', 'christ', 'latter', 'day', 'saint', 'church', 'teach', 'curriculum', 'would', 'shift', 'focu', 'away', 'lesson', 'taught', 'sunday', 'instead', 'member', 'ask', 'engag', 'home', 'centr', 'church', 'support', 'religi', 'instruct', 'use', 'church', 'materi', 'come', 'follow', 'religion', 'church', 'leader', 'still', 'defend', 'idealis', 'famili', 'structur', 'stay', 'home', 'mother', 'father', 'provid', 'renew', 'emphasi', 'domest', 'sphere', 'site', 'church', 'teach', 'could', 'also', 'reinforc', 'tradit', 'mormon', 'gender', 'role', 'articl', 'draw', 'upon', 'live', 'religion', 'latter', 'day', 'saint', 'women', 'sweden', 'greec', 'england', 'understand', 'negoti', 'gender', 'home', 'look', 'implement', 'come', 'follow', 'sacralis', 'home', 'gender', 'practic', 'appear', 'reinforc', 'primaci', 'domest', 'space', 'reproduct', 'religi', 'practic', 'doctrin', 'instruct', 'simultan', 'conceptualis', 'gender', 'role', 'guardian', 'famili', 'show', 'way', 'european', 'latter', 'day', 'saint', 'women', 'provid', 'protect', 'nurtur', 'famili', 'domest', 'space', 'becom', 'instrument', 'provid', 'space', 'nuanc', 'complex', 'gender', 'construct', 'accommod', 'mormon', 'belief', 'cultur', 'context', 'secular', 'notion', 'gender', 'without', 'destabilis', 'institut', 'structur', 'gender', 'live', 'religion', 'mormon', 'region', 'practic', 'church', 'jesu', 'christ', 'latter', 'day', 'saint']" +165,A Leap from Randomized to Quantum Clustering with Support Vector Machine - A Computation Complexity Analysis,"Arit Kumar Bishwas, Ashish Mani, Vasile Palade",03-Aug-20,"['Clustering', 'Randomized Algorithm', 'Quantum Algorithm', 'Supervised Learning']","Supervised machine learning deals with developing complex non-linear models, which can be used later to predict the output for a known input. Clustering is usually treated as an unsupervised machine learning task, but we can formulate a solution to a clustering problem by using a supervised classification algorithm [1]. However, these classification algorithms are highly computationally intensive in nature, so the overall complexity in designing a clustering solution is often very costly from an implementation point of view. The more data we use, the more computational power is required too. Recent advancements in quantum computing show promising advantages in dealing with this kind of computational issues we face while training a complex machine-learning algorithm. In this paper, we do a theoretical investigation on the runtime complexity of algorithms, from classical to randomized, and then to quantum frameworks, when designing a clustering algorithm. The analysis shows significant computational advantages with a quantum framework as compared to the classical and randomized versions of the implementation.",https://pureportal.coventry.ac.uk/en/publications/a-leap-from-randomized-to-quantum-clustering-with-support-vector-,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade']","['leap', 'random', 'quantum', 'cluster', 'support', 'vector', 'machin', 'comput', 'complex', 'analysi', 'arit', 'kumar', 'bishwa', 'ashish', 'mani', 'vasil', 'palad', 'supervis', 'machin', 'learn', 'deal', 'develop', 'complex', 'non', 'linear', 'model', 'use', 'later', 'predict', 'output', 'known', 'input', 'cluster', 'usual', 'treat', 'unsupervis', 'machin', 'learn', 'task', 'formul', 'solut', 'cluster', 'problem', 'use', 'supervis', 'classif', 'algorithm', '1', 'howev', 'classif', 'algorithm', 'highli', 'comput', 'intens', 'natur', 'overal', 'complex', 'design', 'cluster', 'solut', 'often', 'costli', 'implement', 'point', 'view', 'data', 'use', 'comput', 'power', 'requir', 'recent', 'advanc', 'quantum', 'comput', 'show', 'promis', 'advantag', 'deal', 'kind', 'comput', 'issu', 'face', 'train', 'complex', 'machin', 'learn', 'algorithm', 'paper', 'theoret', 'investig', 'runtim', 'complex', 'algorithm', 'classic', 'random', 'quantum', 'framework', 'design', 'cluster', 'algorithm', 'analysi', 'show', 'signific', 'comput', 'advantag', 'quantum', 'framework', 'compar', 'classic', 'random', 'version', 'implement', 'cluster', 'random', 'algorithm', 'quantum', 'algorithm', 'supervis', 'learn']" +166,A low cost and highly accurate technique for big data spatial-temporal interpolation,"M. Esmaeilbeigi, O. Chatrabgoun, A. Hosseinian-Far, R. Montasari, A. Daneshkhah",01-Jul-20,"['Big data', 'Layer by layer interpolation', 'Radial basis functions', 'Spatial-temporal interpolation']","The high velocity, variety and volume of data generation by today's systems have necessitated Big Data (BD) analytic techniques. This has penetrated a wide range of industries; BD as a notion has various types and characteristics, and therefore a variety of analytic techniques would be required. The traditional analysis methods are typically unable to analyse spatial-temporal BD. Interpolation is required to approximate the values between the already existing data points, yet since there exist both location and time dimensions, only a multivariate interpolation would be appropriate. Nevertheless, existing software are unable to perform such complex interpolations. To overcome this challenge, this paper presents a layer by layer interpolation approach for spatial-temporal BD. Developing this layered structure provides the opportunity for working with much smaller linear system of equations. Consequently, this structure increases the accuracy and stability of numerical structure of the considered BD interpolation. To construct this layer by layer interpolation, we have used the good properties of Radial Basis Functions (RBFs). The proposed new approach is applied to numerical examples in spatial-temporal big data and the obtained results confirm the high accuracy and low computational cost. Finally, our approach is applied to explore one of the air pollution indices, i.e. daily PM2.5 concentration, based on different stations in the contiguous United States, and it is evaluated by leave-one-out cross validation.",https://pureportal.coventry.ac.uk/en/publications/a-low-cost-and-highly-accurate-technique-for-big-data-spatial-tem,"[None, None, None, None, None]","['low', 'cost', 'highli', 'accur', 'techniqu', 'big', 'data', 'spatial', 'tempor', 'interpol', 'esmaeilbeigi', 'chatrabgoun', 'hosseinian', 'far', 'r', 'montasari', 'daneshkhah', 'high', 'veloc', 'varieti', 'volum', 'data', 'gener', 'today', 'system', 'necessit', 'big', 'data', 'bd', 'analyt', 'techniqu', 'penetr', 'wide', 'rang', 'industri', 'bd', 'notion', 'variou', 'type', 'characterist', 'therefor', 'varieti', 'analyt', 'techniqu', 'would', 'requir', 'tradit', 'analysi', 'method', 'typic', 'unabl', 'analys', 'spatial', 'tempor', 'bd', 'interpol', 'requir', 'approxim', 'valu', 'alreadi', 'exist', 'data', 'point', 'yet', 'sinc', 'exist', 'locat', 'time', 'dimens', 'multivari', 'interpol', 'would', 'appropri', 'nevertheless', 'exist', 'softwar', 'unabl', 'perform', 'complex', 'interpol', 'overcom', 'challeng', 'paper', 'present', 'layer', 'layer', 'interpol', 'approach', 'spatial', 'tempor', 'bd', 'develop', 'layer', 'structur', 'provid', 'opportun', 'work', 'much', 'smaller', 'linear', 'system', 'equat', 'consequ', 'structur', 'increas', 'accuraci', 'stabil', 'numer', 'structur', 'consid', 'bd', 'interpol', 'construct', 'layer', 'layer', 'interpol', 'use', 'good', 'properti', 'radial', 'basi', 'function', 'rbf', 'propos', 'new', 'approach', 'appli', 'numer', 'exampl', 'spatial', 'tempor', 'big', 'data', 'obtain', 'result', 'confirm', 'high', 'accuraci', 'low', 'comput', 'cost', 'final', 'approach', 'appli', 'explor', 'one', 'air', 'pollut', 'indic', 'e', 'daili', 'pm2', '5', 'concentr', 'base', 'differ', 'station', 'contigu', 'unit', 'state', 'evalu', 'leav', 'one', 'cross', 'valid', 'big', 'data', 'layer', 'layer', 'interpol', 'radial', 'basi', 'function', 'spatial', 'tempor', 'interpol']" +167,A machine learning based software pipeline to pick the variable ordering for algorithms with polynomial inputs,"Dorian Florescu, Matthew England",08-Jul-20,"['Cylindrical algebraic decomposition', 'Machine learning', 'Mathematical software', 'Scikit-learn', 'Variable ordering']","We are interested in the application of Machine Learning (ML) technology to improve mathematical software. It may seem that the probabilistic nature of ML tools would invalidate the exact results prized by such software, however, the algorithms which underpin the software often come with a range of choices which are good candidates for ML application. We refer to choices which have no effect on the mathematical correctness of the software, but do impact its performance. In the past we experimented with one such choice: the variable ordering to use when building a Cylindrical Algebraic Decomposition (CAD). We used the Python library Scikit-Learn (sklearn) to experiment with different ML models, and developed new techniques for feature generation and hyper-parameter selection. These techniques could easily be adapted for making decisions other than our immediate application of CAD variable ordering. Hence in this paper we present a software pipeline to use sklearn to pick the variable ordering for an algorithm that acts on a polynomial system. The code described is freely available online.",https://pureportal.coventry.ac.uk/en/publications/a-machine-learning-based-software-pipeline-to-pick-the-variable-o,"[None, 'https://pureportal.coventry.ac.uk/en/persons/matthew-england']","['machin', 'learn', 'base', 'softwar', 'pipelin', 'pick', 'variabl', 'order', 'algorithm', 'polynomi', 'input', 'dorian', 'florescu', 'matthew', 'england', 'interest', 'applic', 'machin', 'learn', 'ml', 'technolog', 'improv', 'mathemat', 'softwar', 'may', 'seem', 'probabilist', 'natur', 'ml', 'tool', 'would', 'invalid', 'exact', 'result', 'prize', 'softwar', 'howev', 'algorithm', 'underpin', 'softwar', 'often', 'come', 'rang', 'choic', 'good', 'candid', 'ml', 'applic', 'refer', 'choic', 'effect', 'mathemat', 'correct', 'softwar', 'impact', 'perform', 'past', 'experi', 'one', 'choic', 'variabl', 'order', 'use', 'build', 'cylindr', 'algebra', 'decomposit', 'cad', 'use', 'python', 'librari', 'scikit', 'learn', 'sklearn', 'experi', 'differ', 'ml', 'model', 'develop', 'new', 'techniqu', 'featur', 'gener', 'hyper', 'paramet', 'select', 'techniqu', 'could', 'easili', 'adapt', 'make', 'decis', 'immedi', 'applic', 'cad', 'variabl', 'order', 'henc', 'paper', 'present', 'softwar', 'pipelin', 'use', 'sklearn', 'pick', 'variabl', 'order', 'algorithm', 'act', 'polynomi', 'system', 'code', 'describ', 'freeli', 'avail', 'onlin', 'cylindr', 'algebra', 'decomposit', 'machin', 'learn', 'mathemat', 'softwar', 'scikit', 'learn', 'variabl', 'order']" +168,A new hardware approach to self-organizing maps,"Leonardo A. Dias, Maria G.F. Coutinho, Elena Gaura, Marcelo A.C. Fernandes",31-Jul-20,"['Big Data', 'FPGA', 'Hardware', 'Self-Organizing Map']","Self-Organizing Maps (SOMs) are widely used as a data mining technique for applications that require data dimensionality reduction and clustering. Given the complexity of the SOM learning phase and the massive dimensionality of many data sets as well as their sample size in Big Data applications, high-speed processing is critical when implementing SOM approaches. This paper proposes a new hardware approach to SOM implementation, exploiting parallelization, to optimize the system's processing time. Unlike most implementations in the literature, this proposed approach allows the parallelization of the data dimensions instead of the map, ensuring high processing speed regardless of data dimensions. An implementation with field-programmable gate arrays (FPGA) is presented and evaluated. Key evaluation metrics are processing time (or throughput) and FPGA area occupancy (or hardware resources). ",https://pureportal.coventry.ac.uk/en/publications/a-new-hardware-approach-to-self-organizing-maps,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', None]","['new', 'hardwar', 'approach', 'self', 'organ', 'map', 'leonardo', 'dia', 'maria', 'g', 'f', 'coutinho', 'elena', 'gaura', 'marcelo', 'c', 'fernand', 'self', 'organ', 'map', 'som', 'wide', 'use', 'data', 'mine', 'techniqu', 'applic', 'requir', 'data', 'dimension', 'reduct', 'cluster', 'given', 'complex', 'som', 'learn', 'phase', 'massiv', 'dimension', 'mani', 'data', 'set', 'well', 'sampl', 'size', 'big', 'data', 'applic', 'high', 'speed', 'process', 'critic', 'implement', 'som', 'approach', 'paper', 'propos', 'new', 'hardwar', 'approach', 'som', 'implement', 'exploit', 'parallel', 'optim', 'system', 'process', 'time', 'unlik', 'implement', 'literatur', 'propos', 'approach', 'allow', 'parallel', 'data', 'dimens', 'instead', 'map', 'ensur', 'high', 'process', 'speed', 'regardless', 'data', 'dimens', 'implement', 'field', 'programm', 'gate', 'array', 'fpga', 'present', 'evalu', 'key', 'evalu', 'metric', 'process', 'time', 'throughput', 'fpga', 'area', 'occup', 'hardwar', 'resourc', 'big', 'data', 'fpga', 'hardwar', 'self', 'organ', 'map']" +169,A scalable hybrid MAC strategy for traffic-differentiated IoT-enabled intra-vehicular networks,"M.A. Rahman, A.T. Asyhari, I.F. Kurniawan, M.J. Ali, M.M. Rahman, M. Karim",01-May-20,"['Automotive', 'Congestion', 'Intra-vehicular network', 'IoT', 'MAC strategy', 'Medium access', 'Packet delivery ratio', 'Vehicle']","The increasing popularity of Internet of Things-enabled Intra-Vehicular Wireless Sensor Networks (IoT-IVWSNs) relying on IEEE 802.15.4 standard has generated a massive amount of wireless data traffic and put a great pressure in the network functionalities. Along this trend, the existing medium-access control (MAC) protocol struggles to keep up with the unprecedented demand of vehicle monitoring sensors simultaneously emitting data, which can lead to packet collisions, severe network congestion and lost of time-critical data, due to the inflexible characteristics of the protocol. In order to mitigate these issues, this work proposes an enhanced MAC scheme that is scalable to account for diverse sensor-traffic quality of services. The hybrid scheme aims to effectively combine two procedures, namely history- and priority-based MAC, to allocate appropriate network resources for smooth transmission flow from multiple sensors. History-based MAC exploits historical contention data to optimize a near-future contention window that aims to minimize packet collision and expedite the average data delivery. Priority-based MAC assigns priority based on the time-criticality of the sensing data, which is subsequently being used to schedules network resources. Numerical results show the desirable performance of the hybrid scheme for IoT-IVWSNs in comparison to the existing MAC and sole history-based or priority-based strategies in the context of packet delivery ratio and transmission delay.",https://pureportal.coventry.ac.uk/en/publications/a-scalable-hybrid-mac-strategy-for-traffic-differentiated-iot-ena,"[None, None, None, None, None, None]","['scalabl', 'hybrid', 'mac', 'strategi', 'traffic', 'differenti', 'iot', 'enabl', 'intra', 'vehicular', 'network', 'rahman', 'asyhari', 'f', 'kurniawan', 'j', 'ali', 'rahman', 'karim', 'increas', 'popular', 'internet', 'thing', 'enabl', 'intra', 'vehicular', 'wireless', 'sensor', 'network', 'iot', 'ivwsn', 'reli', 'ieee', '802', '15', '4', 'standard', 'gener', 'massiv', 'amount', 'wireless', 'data', 'traffic', 'put', 'great', 'pressur', 'network', 'function', 'along', 'trend', 'exist', 'medium', 'access', 'control', 'mac', 'protocol', 'struggl', 'keep', 'unpreced', 'demand', 'vehicl', 'monitor', 'sensor', 'simultan', 'emit', 'data', 'lead', 'packet', 'collis', 'sever', 'network', 'congest', 'lost', 'time', 'critic', 'data', 'due', 'inflex', 'characterist', 'protocol', 'order', 'mitig', 'issu', 'work', 'propos', 'enhanc', 'mac', 'scheme', 'scalabl', 'account', 'divers', 'sensor', 'traffic', 'qualiti', 'servic', 'hybrid', 'scheme', 'aim', 'effect', 'combin', 'two', 'procedur', 'name', 'histori', 'prioriti', 'base', 'mac', 'alloc', 'appropri', 'network', 'resourc', 'smooth', 'transmiss', 'flow', 'multipl', 'sensor', 'histori', 'base', 'mac', 'exploit', 'histor', 'content', 'data', 'optim', 'near', 'futur', 'content', 'window', 'aim', 'minim', 'packet', 'collis', 'expedit', 'averag', 'data', 'deliveri', 'prioriti', 'base', 'mac', 'assign', 'prioriti', 'base', 'time', 'critic', 'sens', 'data', 'subsequ', 'use', 'schedul', 'network', 'resourc', 'numer', 'result', 'show', 'desir', 'perform', 'hybrid', 'scheme', 'iot', 'ivwsn', 'comparison', 'exist', 'mac', 'sole', 'histori', 'base', 'prioriti', 'base', 'strategi', 'context', 'packet', 'deliveri', 'ratio', 'transmiss', 'delay', 'automot', 'congest', 'intra', 'vehicular', 'network', 'iot', 'mac', 'strategi', 'medium', 'access', 'packet', 'deliveri', 'ratio', 'vehicl']" +170,Behavioural Analytics: A Preventative Means for the Future of Policing,"Alireza Daneshkhah, Hamid Jahankhani, Homan Forouzan, Reza Montasari, Amin Hosseinian-Far",17-Jul-20,"['Behavioural analytics', 'Future of policing', 'Information security', 'Machine learning', 'Predictive inference', 'Topic model']","Without sufficient intelligence, police response to crimes occurs in the form a reactive retort. This is even more so in the case of cyberspace policing, as digital platforms increase the complexities involved in the overall police incident response development. In this paper, we briefly introduce cybercrime and the necessities that police forces have to deal with. We argue that there is an urgent need for development and adoption of proactive and preventive techniques to identify and curb cyber and cyber-enabled crimes. We then present topic modelling as one of effective preventive techniques for predicting behaviours that can potentially be linked to cybercrime activities on social media.",https://pureportal.coventry.ac.uk/en/publications/behavioural-analytics-a-preventative-means-for-the-future-of-poli,"['https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None, None]","['behaviour', 'analyt', 'prevent', 'mean', 'futur', 'polic', 'alireza', 'daneshkhah', 'hamid', 'jahankhani', 'homan', 'forouzan', 'reza', 'montasari', 'amin', 'hosseinian', 'far', 'without', 'suffici', 'intellig', 'polic', 'respons', 'crime', 'occur', 'form', 'reactiv', 'retort', 'even', 'case', 'cyberspac', 'polic', 'digit', 'platform', 'increas', 'complex', 'involv', 'overal', 'polic', 'incid', 'respons', 'develop', 'paper', 'briefli', 'introduc', 'cybercrim', 'necess', 'polic', 'forc', 'deal', 'argu', 'urgent', 'need', 'develop', 'adopt', 'proactiv', 'prevent', 'techniqu', 'identifi', 'curb', 'cyber', 'cyber', 'enabl', 'crime', 'present', 'topic', 'model', 'one', 'effect', 'prevent', 'techniqu', 'predict', 'behaviour', 'potenti', 'link', 'cybercrim', 'activ', 'social', 'media', 'behaviour', 'analyt', 'futur', 'polic', 'inform', 'secur', 'machin', 'learn', 'predict', 'infer', 'topic', 'model']" +171,Components reuse in the building sector – A systematic review,"Kambiz Rakhshanbabanari, Jean-Claude Morel, Hafiz Alaka, Rabia Charef",01-Apr-20,"['Reuse', 'building components', 'systematic literature review', 'building sector', 'construction and demolition waste', 'circular economy', 'superstructure']","Widespread reuse of building components can promote the circularity of materials in the building sector. However, the reuse of building components is not yet a mainstream practise. Although there have been several studies on the factors affecting the reuse of building components, there is no single study that has tried to harmonize the circumstances affecting this intervention. Through a systematic literature review targeting peer-reviewed journal articles, this study intends to identify and stratify factors affecting the reuse of components of the superstructure of a building and eventually delineate correlations between these factors. Factors identified throughout this study are classified into six major categories and 23 sub-categories. Then the inter-dependencies between the barriers are studied by developing the correlation indices between the sub-categories. Results indicate that addressing the economic, social and regulatory barriers should be prioritized. Although the impact of barriers under perception, risk, compliance and market sub-categories are very pronounced, the highest inter-dependency among the sub-categories is found between perception and risk. It suggests that the perception of the stakeholders about building components reuse is affected by the potential risks associated with this intervention.",https://pureportal.coventry.ac.uk/en/publications/components-reuse-in-the-building-sector-a-systematic-review,"[None, None, None, None]","['compon', 'reus', 'build', 'sector', 'systemat', 'review', 'kambiz', 'rakhshanbabanari', 'jean', 'claud', 'morel', 'hafiz', 'alaka', 'rabia', 'charef', 'widespread', 'reus', 'build', 'compon', 'promot', 'circular', 'materi', 'build', 'sector', 'howev', 'reus', 'build', 'compon', 'yet', 'mainstream', 'practis', 'although', 'sever', 'studi', 'factor', 'affect', 'reus', 'build', 'compon', 'singl', 'studi', 'tri', 'harmon', 'circumst', 'affect', 'intervent', 'systemat', 'literatur', 'review', 'target', 'peer', 'review', 'journal', 'articl', 'studi', 'intend', 'identifi', 'stratifi', 'factor', 'affect', 'reus', 'compon', 'superstructur', 'build', 'eventu', 'delin', 'correl', 'factor', 'factor', 'identifi', 'throughout', 'studi', 'classifi', 'six', 'major', 'categori', '23', 'sub', 'categori', 'inter', 'depend', 'barrier', 'studi', 'develop', 'correl', 'indic', 'sub', 'categori', 'result', 'indic', 'address', 'econom', 'social', 'regulatori', 'barrier', 'priorit', 'although', 'impact', 'barrier', 'percept', 'risk', 'complianc', 'market', 'sub', 'categori', 'pronounc', 'highest', 'inter', 'depend', 'among', 'sub', 'categori', 'found', 'percept', 'risk', 'suggest', 'percept', 'stakehold', 'build', 'compon', 'reus', 'affect', 'potenti', 'risk', 'associ', 'intervent', 'reus', 'build', 'compon', 'systemat', 'literatur', 'review', 'build', 'sector', 'construct', 'demolit', 'wast', 'circular', 'economi', 'superstructur']" +172,Constructing gene regulatory networks from microarray data using non-Gaussian pair-copula Bayesian networks,"Omid Chatrabgoun, Amin Hosseinian-Far, Alireza Daneshkhah",24-Jul-20,"['Gene regulatory networkaphical modelsdynamic time warping algorithmmodified PC algorithmpair-copula constructions', 'Gaussian graphical models', 'Gene regulatory networks', 'dynamic time warping algorithm', 'pair-copula constructions', 'modified PC algorithm']","Many biological and biomedical research areas such as drug design require analyzing the Gene Regulatory Networks (GRNs) to provide clear insight and understanding of the cellular processes in live cells. Under normality assumption for the genes, GRNs can be constructed by assessing the nonzero elements of the inverse covariance matrix. Nevertheless, such techniques are unable to deal with non-normality, multi-modality and heavy tailedness that are commonly seen in current massive genetic data. To relax this limitative constraint, one can apply copula function which is a multivariate cumulative distribution function with uniform marginal distribution. However, since the dependency structures of different pairs of genes in a multivariate problem are very different, the regular multivariate copula will not allow for the construction of an appropriate model. The solution to this problem is using Pair-Copula Constructions (PCCs) which are decompositions of a multivariate density into a cascade of bivariate copula, and therefore, assign different bivariate copula function for each local term. In fact, in this paper, we have constructed inverse covariance matrix based on the use of PCCs when the normality assumption can be moderately or severely violated for capturing a wide range of distributional features and complex dependency structure. To learn the non-Gaussian model for the considered GRN with non-Gaussian genomic data, we apply modified version of copula-based PC algorithm in which normality assumption of marginal densities is dropped. This paper also considers the Dynamic Time Warping (DTW) algorithm to determine the existence of a time delay relation between two genes. Breast cancer is one of the most common diseases in the world where GRN analysis of its subtypes is considerably important; Since by revealing the differences in the GRNs of these subtypes, new therapies and drugs can be found. The findings of our research are used to construct GRNs with high performance, for various subtypes of breast cancer rather than simply using previous models.",https://pureportal.coventry.ac.uk/en/publications/constructing-gene-regulatory-networks-from-microarray-data-using-,"['https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['construct', 'gene', 'regulatori', 'network', 'microarray', 'data', 'use', 'non', 'gaussian', 'pair', 'copula', 'bayesian', 'network', 'omid', 'chatrabgoun', 'amin', 'hosseinian', 'far', 'alireza', 'daneshkhah', 'mani', 'biolog', 'biomed', 'research', 'area', 'drug', 'design', 'requir', 'analyz', 'gene', 'regulatori', 'network', 'grn', 'provid', 'clear', 'insight', 'understand', 'cellular', 'process', 'live', 'cell', 'normal', 'assumpt', 'gene', 'grn', 'construct', 'assess', 'nonzero', 'element', 'invers', 'covari', 'matrix', 'nevertheless', 'techniqu', 'unabl', 'deal', 'non', 'normal', 'multi', 'modal', 'heavi', 'tailed', 'commonli', 'seen', 'current', 'massiv', 'genet', 'data', 'relax', 'limit', 'constraint', 'one', 'appli', 'copula', 'function', 'multivari', 'cumul', 'distribut', 'function', 'uniform', 'margin', 'distribut', 'howev', 'sinc', 'depend', 'structur', 'differ', 'pair', 'gene', 'multivari', 'problem', 'differ', 'regular', 'multivari', 'copula', 'allow', 'construct', 'appropri', 'model', 'solut', 'problem', 'use', 'pair', 'copula', 'construct', 'pcc', 'decomposit', 'multivari', 'densiti', 'cascad', 'bivari', 'copula', 'therefor', 'assign', 'differ', 'bivari', 'copula', 'function', 'local', 'term', 'fact', 'paper', 'construct', 'invers', 'covari', 'matrix', 'base', 'use', 'pcc', 'normal', 'assumpt', 'moder', 'sever', 'violat', 'captur', 'wide', 'rang', 'distribut', 'featur', 'complex', 'depend', 'structur', 'learn', 'non', 'gaussian', 'model', 'consid', 'grn', 'non', 'gaussian', 'genom', 'data', 'appli', 'modifi', 'version', 'copula', 'base', 'pc', 'algorithm', 'normal', 'assumpt', 'margin', 'densiti', 'drop', 'paper', 'also', 'consid', 'dynam', 'time', 'warp', 'dtw', 'algorithm', 'determin', 'exist', 'time', 'delay', 'relat', 'two', 'gene', 'breast', 'cancer', 'one', 'common', 'diseas', 'world', 'grn', 'analysi', 'subtyp', 'consider', 'import', 'sinc', 'reveal', 'differ', 'grn', 'subtyp', 'new', 'therapi', 'drug', 'found', 'find', 'research', 'use', 'construct', 'grn', 'high', 'perform', 'variou', 'subtyp', 'breast', 'cancer', 'rather', 'simpli', 'use', 'previou', 'model', 'gene', 'regulatori', 'networkaph', 'modelsdynam', 'time', 'warp', 'algorithmmodifi', 'pc', 'algorithmpair', 'copula', 'construct', 'gaussian', 'graphic', 'model', 'gene', 'regulatori', 'network', 'dynam', 'time', 'warp', 'algorithm', 'pair', 'copula', 'construct', 'modifi', 'pc', 'algorithm']" +173,Contemporary Issues for the Church of Jesus Christ of Latter-day Saints in Ireland and the United Kingdom,"Alison Halford, Hazel O'Brien",29-Nov-20,[],,https://pureportal.coventry.ac.uk/en/publications/contemporary-issues-for-the-church-of-jesus-christ-of-latter-day-,"['https://pureportal.coventry.ac.uk/en/persons/alison-halford', None]","['contemporari', 'issu', 'church', 'jesu', 'christ', 'latter', 'day', 'saint', 'ireland', 'unit', 'kingdom', 'alison', 'halford', 'hazel', 'brien']" +174,Copula-based probabilistic assessment of intensity and duration of cold episodes: A case study of Malayer vineyard region,"Omid Chatrabgoun, R Karimi, Alireza Daneshkhah, Soroush Abolfathi, H Nouri, Mohsen Esmaeilbeigi",15-Dec-20,"['Copula model', 'Extreme climatic event', 'Frost', 'Probabilistic risk assessment', 'Return period', 'Vineyard']","Frost, particularly during the spring, is one of the most damaging weather phenomena for vineyards, causing significant economic losses to vineyards around the world each year. The risk of tardive frost damage in vineyards due to changing climate is considered as an important threat to the sustainable production of grapes. Therefore, the cold monitoring strategies is one of the criteria with significant impacts on the yields and prosperity of horticulture and raisin factories. Frost events can be characterized by duration and severity. This paper investigates the risk and impacts of frost phenomenon in the vineyards by modeling the joint distribution of duration and severity factors and analyzing the influential parameter’s dependency structure using capabilities of copula functions. A novel mathematical framework is developed within this study to understand the risk and uncertainties associate with frost events and the impacts on yields of vineyards by analyzing the non-linear dependency structure using copula functions as an efficient tool. The developed model was successfully validated for the case study of vineyard in Malayer city of Iran. The copula model developed in this study was shown to be a robust tool for predicting the return period of the frost events.",https://pureportal.coventry.ac.uk/en/publications/copula-based-probabilistic-assessment-of-intensity-and-duration-o,"['https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None]","['copula', 'base', 'probabilist', 'assess', 'intens', 'durat', 'cold', 'episod', 'case', 'studi', 'malay', 'vineyard', 'region', 'omid', 'chatrabgoun', 'r', 'karimi', 'alireza', 'daneshkhah', 'soroush', 'abolfathi', 'h', 'nouri', 'mohsen', 'esmaeilbeigi', 'frost', 'particularli', 'spring', 'one', 'damag', 'weather', 'phenomena', 'vineyard', 'caus', 'signific', 'econom', 'loss', 'vineyard', 'around', 'world', 'year', 'risk', 'tardiv', 'frost', 'damag', 'vineyard', 'due', 'chang', 'climat', 'consid', 'import', 'threat', 'sustain', 'product', 'grape', 'therefor', 'cold', 'monitor', 'strategi', 'one', 'criteria', 'signific', 'impact', 'yield', 'prosper', 'horticultur', 'raisin', 'factori', 'frost', 'event', 'character', 'durat', 'sever', 'paper', 'investig', 'risk', 'impact', 'frost', 'phenomenon', 'vineyard', 'model', 'joint', 'distribut', 'durat', 'sever', 'factor', 'analyz', 'influenti', 'paramet', 'depend', 'structur', 'use', 'capabl', 'copula', 'function', 'novel', 'mathemat', 'framework', 'develop', 'within', 'studi', 'understand', 'risk', 'uncertainti', 'associ', 'frost', 'event', 'impact', 'yield', 'vineyard', 'analyz', 'non', 'linear', 'depend', 'structur', 'use', 'copula', 'function', 'effici', 'tool', 'develop', 'model', 'success', 'valid', 'case', 'studi', 'vineyard', 'malay', 'citi', 'iran', 'copula', 'model', 'develop', 'studi', 'shown', 'robust', 'tool', 'predict', 'return', 'period', 'frost', 'event', 'copula', 'model', 'extrem', 'climat', 'event', 'frost', 'probabilist', 'risk', 'assess', 'return', 'period', 'vineyard']" +175,Digital Twin Technologies and Smart Cities,"Maryam Farsi (Editor), Alireza Daneshkhah (Editor), Amin Hosseinian-Far (Editor), Hamid Jahankhani (Editor)",2020,"['Visualization solution for smart cities', 'Predicting efficiency of cities', 'Digital Twins', 'internet of things', 'smart cities', 'Asset Management', 'Artificial intelligence', 'Digital Twin visualization', 'Diagnosing sustainability of cities', 'Digital twin city', 'Real-time analysis of city data']","This book provides a holistic perspective on Digital Twin (DT) technologies, and presents cutting-edge research in the field. It assesses the opportunities that DT can offer for smart cities, and covers the requirements for ensuring secure, safe and sustainable smart cities. Further, the book demonstrates that DT and its benefits with regard to: data visualisation, real-time data analytics, and learning leading to improved confidence in decision making; reasoning, monitoring and warning to support accurate diagnostics and prognostics; acting using edge control and what-ifanalysis; and connection with back-end business applications hold significant potential for applications in smart cities, by employing a wide range of sensory and data-acquisition systems in various parts of the urban infrastructure. The contributing authors reveal how and why DT technologies that are used for monitoring, visualising, diagnosing and predicting in real-time are vital to cities’ sustainability and efficiency. The concepts outlined in the book represents a city together with all of its infrastructure elements, which communicate with each other in a complex manner. Moreover, securing Internet of Things (IoT) which is one of the key enablers of DT’s is discussed in details and from various perspectives. The book offers an outstanding reference guide for practitioners and researchers in manufacturing, operations research and communications, who are considering digitising some of their assets and related services. It is also a valuable asset for graduate students and academics who are looking to identify research gaps and develop their own proposals for further research.",https://pureportal.coventry.ac.uk/en/publications/digital-twin-technologies-and-smart-cities,"[None, None, None, None]","['digit', 'twin', 'technolog', 'smart', 'citi', 'maryam', 'farsi', 'editor', 'alireza', 'daneshkhah', 'editor', 'amin', 'hosseinian', 'far', 'editor', 'hamid', 'jahankhani', 'editor', 'book', 'provid', 'holist', 'perspect', 'digit', 'twin', 'dt', 'technolog', 'present', 'cut', 'edg', 'research', 'field', 'assess', 'opportun', 'dt', 'offer', 'smart', 'citi', 'cover', 'requir', 'ensur', 'secur', 'safe', 'sustain', 'smart', 'citi', 'book', 'demonstr', 'dt', 'benefit', 'regard', 'data', 'visualis', 'real', 'time', 'data', 'analyt', 'learn', 'lead', 'improv', 'confid', 'decis', 'make', 'reason', 'monitor', 'warn', 'support', 'accur', 'diagnost', 'prognost', 'act', 'use', 'edg', 'control', 'ifanalysi', 'connect', 'back', 'end', 'busi', 'applic', 'hold', 'signific', 'potenti', 'applic', 'smart', 'citi', 'employ', 'wide', 'rang', 'sensori', 'data', 'acquisit', 'system', 'variou', 'part', 'urban', 'infrastructur', 'contribut', 'author', 'reveal', 'dt', 'technolog', 'use', 'monitor', 'visualis', 'diagnos', 'predict', 'real', 'time', 'vital', 'citi', 'sustain', 'effici', 'concept', 'outlin', 'book', 'repres', 'citi', 'togeth', 'infrastructur', 'element', 'commun', 'complex', 'manner', 'moreov', 'secur', 'internet', 'thing', 'iot', 'one', 'key', 'enabl', 'dt', 'discuss', 'detail', 'variou', 'perspect', 'book', 'offer', 'outstand', 'refer', 'guid', 'practition', 'research', 'manufactur', 'oper', 'research', 'commun', 'consid', 'digitis', 'asset', 'relat', 'servic', 'also', 'valuabl', 'asset', 'graduat', 'student', 'academ', 'look', 'identifi', 'research', 'gap', 'develop', 'propos', 'research', 'visual', 'solut', 'smart', 'citi', 'predict', 'effici', 'citi', 'digit', 'twin', 'internet', 'thing', 'smart', 'citi', 'asset', 'manag', 'artifici', 'intellig', 'digit', 'twin', 'visual', 'diagnos', 'sustain', 'citi', 'digit', 'twin', 'citi', 'real', 'time', 'analysi', 'citi', 'data']" +176,Effective Capacity Analysis over Generalized Composite Fading Channels,"Seong Ki Yoo, Simon Cotton, Paschalis Sofotasios, Sami Muhaidat, George Karagiannidis",17-Jun-20,"['Channel capacity', 'composite fading', 'effective capacity', ', η-μ / inverse gamma model', 'κ-μ / inverse gamma model']","A performance analysis of the effective capacity in two recently proposed generalized composite fading channels, namely $\kappa$-$\mu$ / inverse gamma and $\eta$-$\mu$ / inverse gamma composite fading channels, is conducted. To this end, accurate analytic expressions for the effective capacity are derived along with simple tight bound representations. Additionally, simple approximate expressions at the high average signal-to-noise ratio regime are also provided. The effective capacity is then analyzed for different delay constraint, multipath fading and shadowing conditions. The numerical results show that the achievable spectral efficiency lessens as the multipath fading and shadowing parameters decrease (i.e., severe multipath fading and heavy shadowing become prevalent) or the delay constraint increases. The accuracy and tightness of the proposed bounds is demonstrated and approximate representations are also provided to verify their usefulness. Furthermore, our numerical results are validated through a careful comparison with the simulated results.",https://pureportal.coventry.ac.uk/en/publications/effective-capacity-analysis-over-generalized-composite-fading-cha,"[None, None, None, None, None]","['effect', 'capac', 'analysi', 'gener', 'composit', 'fade', 'channel', 'seong', 'ki', 'yoo', 'simon', 'cotton', 'paschali', 'sofotasio', 'sami', 'muhaidat', 'georg', 'karagiannidi', 'perform', 'analysi', 'effect', 'capac', 'two', 'recent', 'propos', 'gener', 'composit', 'fade', 'channel', 'name', 'kappa', 'mu', 'invers', 'gamma', 'eta', 'mu', 'invers', 'gamma', 'composit', 'fade', 'channel', 'conduct', 'end', 'accur', 'analyt', 'express', 'effect', 'capac', 'deriv', 'along', 'simpl', 'tight', 'bound', 'represent', 'addit', 'simpl', 'approxim', 'express', 'high', 'averag', 'signal', 'nois', 'ratio', 'regim', 'also', 'provid', 'effect', 'capac', 'analyz', 'differ', 'delay', 'constraint', 'multipath', 'fade', 'shadow', 'condit', 'numer', 'result', 'show', 'achiev', 'spectral', 'effici', 'lessen', 'multipath', 'fade', 'shadow', 'paramet', 'decreas', 'e', 'sever', 'multipath', 'fade', 'heavi', 'shadow', 'becom', 'preval', 'delay', 'constraint', 'increas', 'accuraci', 'tight', 'propos', 'bound', 'demonstr', 'approxim', 'represent', 'also', 'provid', 'verifi', 'use', 'furthermor', 'numer', 'result', 'valid', 'care', 'comparison', 'simul', 'result', 'channel', 'capac', 'composit', 'fade', 'effect', 'capac', 'η', 'μ', 'invers', 'gamma', 'model', 'κ', 'μ', 'invers', 'gamma', 'model']" +177,Energy Optimization on Joint Task Computation Using Genetic Algorithm,"Ibnu Febry Kurniawan, Taufiq Asyhari, Fei He",21-Dec-20,"['Energy Consumption', 'Fog Computing', 'Joint Computation', 'Multi-hop Network', 'Optimization']","Joint computation is a form of collaborative job execution running at separate physical units, which are previously grouped by their unique functionalities. While existing studies have mainly utilized joint computation with direct coordination between nodes in different segments, it is worth considering another scenario where an additional node within a layer relays data to another layer. As a consequence, the node can serve as an aggregation point for data capture units prior to transmission to the sink node. However, this new arrangement produces additional transmission paths and can thus cause additional energy spending. This pilot study investigates the joint computation problem aiming at optimizing energy consumption. Relevant components, such as computation and communication, are taken into account and modeled into formal representation. A genetic algorithm-based solution is then used as a tool to optimize parameter setup. According to the experiment results, the metaheuristic algorithm has potential to achieve the optimal system configuration, emphasizing the data length that affects the final energy spending on communications. However, the algorithm cannot always guarantee the optimality as it relies on the random variable used in the process.",https://pureportal.coventry.ac.uk/en/publications/energy-optimization-on-joint-task-computation-using-genetic-algor,"['https://pureportal.coventry.ac.uk/en/persons/ibnu-febry-kurniawan', None, 'https://pureportal.coventry.ac.uk/en/persons/fei-he']","['energi', 'optim', 'joint', 'task', 'comput', 'use', 'genet', 'algorithm', 'ibnu', 'febri', 'kurniawan', 'taufiq', 'asyhari', 'fei', 'joint', 'comput', 'form', 'collabor', 'job', 'execut', 'run', 'separ', 'physic', 'unit', 'previous', 'group', 'uniqu', 'function', 'exist', 'studi', 'mainli', 'util', 'joint', 'comput', 'direct', 'coordin', 'node', 'differ', 'segment', 'worth', 'consid', 'anoth', 'scenario', 'addit', 'node', 'within', 'layer', 'relay', 'data', 'anoth', 'layer', 'consequ', 'node', 'serv', 'aggreg', 'point', 'data', 'captur', 'unit', 'prior', 'transmiss', 'sink', 'node', 'howev', 'new', 'arrang', 'produc', 'addit', 'transmiss', 'path', 'thu', 'caus', 'addit', 'energi', 'spend', 'pilot', 'studi', 'investig', 'joint', 'comput', 'problem', 'aim', 'optim', 'energi', 'consumpt', 'relev', 'compon', 'comput', 'commun', 'taken', 'account', 'model', 'formal', 'represent', 'genet', 'algorithm', 'base', 'solut', 'use', 'tool', 'optim', 'paramet', 'setup', 'accord', 'experi', 'result', 'metaheurist', 'algorithm', 'potenti', 'achiev', 'optim', 'system', 'configur', 'emphas', 'data', 'length', 'affect', 'final', 'energi', 'spend', 'commun', 'howev', 'algorithm', 'alway', 'guarante', 'optim', 'reli', 'random', 'variabl', 'use', 'process', 'energi', 'consumpt', 'fog', 'comput', 'joint', 'comput', 'multi', 'hop', 'network', 'optim']" +178,"Evaluating assumptions of scales for subjective assessment of thermal environments – Do laypersons perceive them the way, we researchers believe?","Marcel Schweiker, Maíra André, Farah Al-Atrash, Hanan Al-Khatri, Rea Risky Alprianti, Hayder Alsaad, Rucha Amin, Eleni Ampatzi, Alpha Yacob Arsano, Elie Azar, Bahareh Bannazadeh, Amina Batagarawa, Susanne Becker, Carolina Buonocore, Bin Cao, Joon-Ho Choi, Chungyoon Chun, Hein Daanen, Siti Aisyah Damiati, Lyrian DanielShow 73 moreShow lessRenata De Vecchi, Shivraj Dhaka, Samuel Domínguez-Amarillo, Edyta Dudkiewicz, Lakshmi Prabha Edappilly, Jesica Fernández-Agüera, Mireille Folkerts, Arjan Frijns, Gabriel Gaona, Vishal Garg, Stephanie Gauthier, Shahla Ghaffari Jabbari, Djamila Harimi, Runa T. Hellwig, Gesche M Huebner, Quan Jin, Mina Jowkar, Jungsoo Kim, Nelson King, Boris Kingma, M. Donny Koerniawan, Jakub Kolarik, Shailendra Kumar, Alison Kwok, Roberto Lamberts, Marta Laska, M.C. Jeffrey Lee, Yoonhee Lee, Vanessa Lindermayr, Mohammadbagher Mahaki, Udochukwu Marcel-Okafor, Laura Marín-Restrepo, Anna Marquardsen, Francesco Martellotta, Jyotirmay Mathur, Isabel Mino-Rodriguez, Azadeh Montazami, Di Mou, Bassam Moujalled, Mia Nakajima, Edward Ng, Marcellinus Okafor, Mark Olweny, Wanlu Ouyang, Ana Lígia Papst de Abreu, Alexis Pérez-Fargallo, Indrika Rajapaksha, Greici Ramos, Saif Rashid, Christoph F. Reinhart, Ma. Isabel Rivera, Mazyar Salmanzadeh, Karin Schakib-Ekbatan, Stefano Schiavon, Salman Shooshtarian, Masanori Shukuya, Veronica Soebarto, Suhendri Suhendri, Mohammad Tahsildoost, Federico Tartarini, Despoina Teli, Priyam Tewari, Samar Thapa, Maureen Trebilcock, Jörg Trojan, Ruqayyatu B. Tukur, Conrad Voelker, Yeung Yam, Liu Yang, Gabriela Zapata-Lancaster, Yongchao Zhai, Yingxin Zhu, ZahraSadat Zomorodian",15-Mar-20,"['Adaptation', 'Climatic zone', 'Diversity', 'Field study', 'Language', 'Post-Occupancy-Evaluation', 'Scales', 'Season', 'Thermal acceptance', 'Thermal comfort', 'Thermal sensation']","People's subjective response to any thermal environment is commonly investigated by using rating scales describing the degree of thermal sensation, comfort, and acceptability. Subsequent analyses of results collected in this way rely on the assumption that specific distances between verbal anchors placed on the scale exist and that relationships between verbal anchors from different dimensions that are assessed (e.g. thermal sensation and comfort) do not change. Another inherent assumption is that such scales are independent of the context in which they are used (climate zone, season, etc.). Despite their use worldwide, there is indication that contextual differences influence the way the scales are perceived and therefore question the reliability of the scales’ interpretation. To address this issue, a large international collaborative questionnaire study was conducted in 26 countries, using 21 different languages, which led to a dataset of 8225 questionnaires. Results, analysed by means of robust statistical techniques, revealed that only a subset of the responses are in accordance with the mentioned assumptions. Significant differences appeared between groups of participants in their perception of the scales, both in relation to distances of the anchors and relationships between scales. It was also found that respondents’ interpretations of scales changed with contextual factors, such as climate, season, and language. These findings highlight the need to carefully consider context-dependent factors in interpreting and reporting results from thermal comfort studies or post-occupancy evaluations, as well as to revisit the use of rating scales and the analysis methods used in thermal comfort studies to improve their reliability.",https://pureportal.coventry.ac.uk/en/publications/evaluating-assumptions-of-scales-for-subjective-assessment-of-the,"[None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None]","['evalu', 'assumpt', 'scale', 'subject', 'assess', 'thermal', 'environ', 'layperson', 'perceiv', 'way', 'research', 'believ', 'marcel', 'schweiker', 'maíra', 'andré', 'farah', 'al', 'atrash', 'hanan', 'al', 'khatri', 'rea', 'riski', 'alprianti', 'hayder', 'alsaad', 'rucha', 'amin', 'eleni', 'ampatzi', 'alpha', 'yacob', 'arsano', 'eli', 'azar', 'bahareh', 'bannazadeh', 'amina', 'batagarawa', 'susann', 'becker', 'carolina', 'buonocor', 'bin', 'cao', 'joon', 'ho', 'choi', 'chungyoon', 'chun', 'hein', 'daanen', 'siti', 'aisyah', 'damiati', 'lyrian', 'danielshow', '73', 'moreshow', 'lessrenata', 'de', 'vecchi', 'shivraj', 'dhaka', 'samuel', 'domínguez', 'amarillo', 'edyta', 'dudkiewicz', 'lakshmi', 'prabha', 'edappilli', 'jesica', 'fernández', 'agüera', 'mireil', 'folkert', 'arjan', 'frijn', 'gabriel', 'gaona', 'vishal', 'garg', 'stephani', 'gauthier', 'shahla', 'ghaffari', 'jabbari', 'djamila', 'harimi', 'runa', 'hellwig', 'gesch', 'huebner', 'quan', 'jin', 'mina', 'jowkar', 'jungsoo', 'kim', 'nelson', 'king', 'bori', 'kingma', 'donni', 'koerniawan', 'jakub', 'kolarik', 'shailendra', 'kumar', 'alison', 'kwok', 'roberto', 'lambert', 'marta', 'laska', 'c', 'jeffrey', 'lee', 'yoonhe', 'lee', 'vanessa', 'lindermayr', 'mohammadbagh', 'mahaki', 'udochukwu', 'marcel', 'okafor', 'laura', 'marín', 'restrepo', 'anna', 'marquardsen', 'francesco', 'martellotta', 'jyotirmay', 'mathur', 'isabel', 'mino', 'rodriguez', 'azadeh', 'montazami', 'di', 'mou', 'bassam', 'moujal', 'mia', 'nakajima', 'edward', 'ng', 'marcellinu', 'okafor', 'mark', 'olweni', 'wanlu', 'ouyang', 'ana', 'lígia', 'papst', 'de', 'abreu', 'alexi', 'pérez', 'fargallo', 'indrika', 'rajapaksha', 'greici', 'ramo', 'saif', 'rashid', 'christoph', 'f', 'reinhart', 'isabel', 'rivera', 'mazyar', 'salmanzadeh', 'karin', 'schakib', 'ekbatan', 'stefano', 'schiavon', 'salman', 'shooshtarian', 'masanori', 'shukuya', 'veronica', 'soebarto', 'suhendri', 'suhendri', 'mohammad', 'tahsildoost', 'federico', 'tartarini', 'despoina', 'teli', 'priyam', 'tewari', 'samar', 'thapa', 'maureen', 'trebilcock', 'jörg', 'trojan', 'ruqayyatu', 'b', 'tukur', 'conrad', 'voelker', 'yeung', 'yam', 'liu', 'yang', 'gabriela', 'zapata', 'lancast', 'yongchao', 'zhai', 'yingxin', 'zhu', 'zahrasadat', 'zomorodian', 'peopl', 'subject', 'respons', 'thermal', 'environ', 'commonli', 'investig', 'use', 'rate', 'scale', 'describ', 'degre', 'thermal', 'sensat', 'comfort', 'accept', 'subsequ', 'analys', 'result', 'collect', 'way', 'reli', 'assumpt', 'specif', 'distanc', 'verbal', 'anchor', 'place', 'scale', 'exist', 'relationship', 'verbal', 'anchor', 'differ', 'dimens', 'assess', 'e', 'g', 'thermal', 'sensat', 'comfort', 'chang', 'anoth', 'inher', 'assumpt', 'scale', 'independ', 'context', 'use', 'climat', 'zone', 'season', 'etc', 'despit', 'use', 'worldwid', 'indic', 'contextu', 'differ', 'influenc', 'way', 'scale', 'perceiv', 'therefor', 'question', 'reliabl', 'scale', 'interpret', 'address', 'issu', 'larg', 'intern', 'collabor', 'questionnair', 'studi', 'conduct', '26', 'countri', 'use', '21', 'differ', 'languag', 'led', 'dataset', '8225', 'questionnair', 'result', 'analys', 'mean', 'robust', 'statist', 'techniqu', 'reveal', 'subset', 'respons', 'accord', 'mention', 'assumpt', 'signific', 'differ', 'appear', 'group', 'particip', 'percept', 'scale', 'relat', 'distanc', 'anchor', 'relationship', 'scale', 'also', 'found', 'respond', 'interpret', 'scale', 'chang', 'contextu', 'factor', 'climat', 'season', 'languag', 'find', 'highlight', 'need', 'care', 'consid', 'context', 'depend', 'factor', 'interpret', 'report', 'result', 'thermal', 'comfort', 'studi', 'post', 'occup', 'evalu', 'well', 'revisit', 'use', 'rate', 'scale', 'analysi', 'method', 'use', 'thermal', 'comfort', 'studi', 'improv', 'reliabl', 'adapt', 'climat', 'zone', 'divers', 'field', 'studi', 'languag', 'post', 'occup', 'evalu', 'scale', 'season', 'thermal', 'accept', 'thermal', 'comfort', 'thermal', 'sensat']" +179,Farm Area Segmentation in Satellite Images Using DeepLabv3+ Neural Networks,"Sara Sharifzadeh, Jagati Tata, Hilda Sharifzadeh, Bo Tan",30-Jul-20,"['Farm detection', 'Satellite image', 'Semantic segmentation']","Farm detection using low resolution satellite images is an important part of digital agriculture applications such as crop yield monitoring. However, it has not received enough attention compared to high-resolution images. Although high resolution images are more efficient for detection of land cover components, the analysis of low-resolution images are yet important due to the low-resolution repositories of the past satellite images used for timeseries analysis, free availability and economic concerns. In this paper, semantic segmentation of farm areas is addressed using low resolution satellite images. The segmentation is performed in two stages; First, local patches or Regions of Interest (ROI) that include farm areas are detected. Next, deep semantic segmentation strategies are employed to detect the farm pixels. For patch classification, two previously developed local patch classification strategies are employed; a two-step semi-supervised methodology using hand-crafted features and Support Vector Machine (SVM) modelling and transfer learning using the pretrained Convolutional Neural Networks (CNNs). For the latter, the high-level features learnt from the massive filter banks of deep Visual Geometry Group Network (VGG-16) are utilized. After classifying the image patches that contain farm areas, the DeepLabv3+ model is used for semantic segmentation of farm pixels. Four different pretrained networks, resnet18, resnet50, resnet101 and mobilenetv2, are used to transfer their learnt features for the new farm segmentation problem. The first step results show the superiority of the transfer learning compared to hand-crafted features for classification of patches. The second step results show that the model trained based on resnet50 achieved the highest semantic segmentation accuracy.",https://pureportal.coventry.ac.uk/en/publications/farm-area-segmentation-in-satellite-images-using-deeplabv3-neural,"['https://pureportal.coventry.ac.uk/en/persons/sara-sharifzadeh', None, None, None]","['farm', 'area', 'segment', 'satellit', 'imag', 'use', 'deeplabv3', 'neural', 'network', 'sara', 'sharifzadeh', 'jagati', 'tata', 'hilda', 'sharifzadeh', 'bo', 'tan', 'farm', 'detect', 'use', 'low', 'resolut', 'satellit', 'imag', 'import', 'part', 'digit', 'agricultur', 'applic', 'crop', 'yield', 'monitor', 'howev', 'receiv', 'enough', 'attent', 'compar', 'high', 'resolut', 'imag', 'although', 'high', 'resolut', 'imag', 'effici', 'detect', 'land', 'cover', 'compon', 'analysi', 'low', 'resolut', 'imag', 'yet', 'import', 'due', 'low', 'resolut', 'repositori', 'past', 'satellit', 'imag', 'use', 'timeseri', 'analysi', 'free', 'avail', 'econom', 'concern', 'paper', 'semant', 'segment', 'farm', 'area', 'address', 'use', 'low', 'resolut', 'satellit', 'imag', 'segment', 'perform', 'two', 'stage', 'first', 'local', 'patch', 'region', 'interest', 'roi', 'includ', 'farm', 'area', 'detect', 'next', 'deep', 'semant', 'segment', 'strategi', 'employ', 'detect', 'farm', 'pixel', 'patch', 'classif', 'two', 'previous', 'develop', 'local', 'patch', 'classif', 'strategi', 'employ', 'two', 'step', 'semi', 'supervis', 'methodolog', 'use', 'hand', 'craft', 'featur', 'support', 'vector', 'machin', 'svm', 'model', 'transfer', 'learn', 'use', 'pretrain', 'convolut', 'neural', 'network', 'cnn', 'latter', 'high', 'level', 'featur', 'learnt', 'massiv', 'filter', 'bank', 'deep', 'visual', 'geometri', 'group', 'network', 'vgg', '16', 'util', 'classifi', 'imag', 'patch', 'contain', 'farm', 'area', 'deeplabv3', 'model', 'use', 'semant', 'segment', 'farm', 'pixel', 'four', 'differ', 'pretrain', 'network', 'resnet18', 'resnet50', 'resnet101', 'mobilenetv2', 'use', 'transfer', 'learnt', 'featur', 'new', 'farm', 'segment', 'problem', 'first', 'step', 'result', 'show', 'superior', 'transfer', 'learn', 'compar', 'hand', 'craft', 'featur', 'classif', 'patch', 'second', 'step', 'result', 'show', 'model', 'train', 'base', 'resnet50', 'achiev', 'highest', 'semant', 'segment', 'accuraci', 'farm', 'detect', 'satellit', 'imag', 'semant', 'segment']" +180,Generation of pedestrian pose structures using generative adversarial networks,"James Spooner, Madeline Cheah, Vasile Palade, Stratis Kanarachos, Alireza Daneshkhah",17-Feb-20,"['Autonomous Driving', 'GANs', 'Neural Networks', 'Pedestrians', 'Pose estimation']","The safety of vulnerable road users is of paramount importance as transport moves towards fully automated driving. The richness of real-world data required for testing autonomous vehicles is limited, and furthermore, the available data does not have a fair representation of different scenarios and rare events. This work presents a novel approach for the generation of human pose structures, specifically the type of pose structures that would appear to be in pedestrian scenarios. The results show that the generated pedestrian structures are indistinguishable from the ground truth pose structures when classified using a suitably trained classifier. The paper demonstrates that the Generative Adversarial Network architecture can be used to create realistic new training samples, and, in future, new pedestrian events.",https://pureportal.coventry.ac.uk/en/publications/generation-of-pedestrian-pose-structures-using-generative-adversa,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['gener', 'pedestrian', 'pose', 'structur', 'use', 'gener', 'adversari', 'network', 'jame', 'spooner', 'madelin', 'cheah', 'vasil', 'palad', 'strati', 'kanaracho', 'alireza', 'daneshkhah', 'safeti', 'vulner', 'road', 'user', 'paramount', 'import', 'transport', 'move', 'toward', 'fulli', 'autom', 'drive', 'rich', 'real', 'world', 'data', 'requir', 'test', 'autonom', 'vehicl', 'limit', 'furthermor', 'avail', 'data', 'fair', 'represent', 'differ', 'scenario', 'rare', 'event', 'work', 'present', 'novel', 'approach', 'gener', 'human', 'pose', 'structur', 'specif', 'type', 'pose', 'structur', 'would', 'appear', 'pedestrian', 'scenario', 'result', 'show', 'gener', 'pedestrian', 'structur', 'indistinguish', 'ground', 'truth', 'pose', 'structur', 'classifi', 'use', 'suitabl', 'train', 'classifi', 'paper', 'demonstr', 'gener', 'adversari', 'network', 'architectur', 'use', 'creat', 'realist', 'new', 'train', 'sampl', 'futur', 'new', 'pedestrian', 'event', 'autonom', 'drive', 'gan', 'neural', 'network', 'pedestrian', 'pose', 'estim']" +181,Geometrical Frustration in Interacting Self-Avoiding Walk Models of Polymers in Dilute Solution,Damien Foster,22-Jul-20,"['phase transitions', 'Polymer Models', 'Random walk']","We look at the effects of geometric frustration in two-dimensional interacting self-avoiding walk models. Models in which these effects are present do not behave in the same way as the standard interacting self-avoiding walk model where an attractive interaction energy is included between non-consecutive, nearest-neighbour visited sites on the lattice. We present, in particular, the different numerical methods we have used to study these models, as well as some of the main results found for a number of different models.",https://pureportal.coventry.ac.uk/en/publications/geometrical-frustration-in-interacting-self-avoiding-walk-models-,[None],"['geometr', 'frustrat', 'interact', 'self', 'avoid', 'walk', 'model', 'polym', 'dilut', 'solut', 'damien', 'foster', 'look', 'effect', 'geometr', 'frustrat', 'two', 'dimension', 'interact', 'self', 'avoid', 'walk', 'model', 'model', 'effect', 'present', 'behav', 'way', 'standard', 'interact', 'self', 'avoid', 'walk', 'model', 'attract', 'interact', 'energi', 'includ', 'non', 'consecut', 'nearest', 'neighbour', 'visit', 'site', 'lattic', 'present', 'particular', 'differ', 'numer', 'method', 'use', 'studi', 'model', 'well', 'main', 'result', 'found', 'number', 'differ', 'model', 'phase', 'transit', 'polym', 'model', 'random', 'walk']" +182,Individual and community-level benefits of PrEP in western Kenya and South Africa: Implications for population prioritization of PrEP provision,"Edinah Mudimu, Kathryn Peebles, Zindoga Mukandavire, Emily Nightingale, Monisha Sharma, Graham F Medley, Daniel J Klein, Katharine Kripke, Anna Bershteyn",31-Dec-20,"['Biochemistry, Genetics and Molecular Biology(all)', 'Agricultural and Biological Sciences(all)', 'General']","BACKGROUND: Pre-exposure prophylaxis (PrEP) is highly effective in preventing HIV and has the potential to significantly impact the HIV epidemic. Given limited resources for HIV prevention, identifying PrEP provision strategies that maximize impact is critical.METHODS: We used a stochastic individual-based network model to evaluate the direct (infections prevented among PrEP users) and indirect (infections prevented among non-PrEP users as a result of PrEP) benefits of PrEP, the person-years of PrEP required to prevent one HIV infection, and the community-level impact of providing PrEP to populations defined by gender and age in western Kenya and South Africa. We examined sensitivity of results to scale-up of antiretroviral therapy (ART) and voluntary medical male circumcision (VMMC) by comparing two scenarios: maintaining current coverage (""status quo"") and rapid scale-up to meet programmatic targets (""fast-track"").RESULTS: The community-level impact of PrEP was greatest among women aged 15-24 due to high incidence, while PrEP use among men aged 15-24 yielded the highest proportion of indirect infections prevented in the community. These indirect infections prevented continue to increase over time (western Kenya: 0.4-5.5 (status quo); 0.4-4.9 (fast-track); South Africa: 0.5-1.8 (status quo); 0.5-3.0 (fast-track)) relative to direct infections prevented among PrEP users. The number of person-years of PrEP needed to prevent one HIV infection was lower (59 western Kenya and 69 in South Africa in the status quo scenario; 201 western Kenya and 87 in South Africa in the fast-track scenario) when PrEP was provided only to women compared with only to men over time horizons of up to 5 years, as the indirect benefits of providing PrEP to men accrue in later years.CONCLUSIONS: Providing PrEP to women aged 15-24 prevents the greatest number of HIV infections per person-year of PrEP, but PrEP provision for young men also provides indirect benefits to women and to the community overall. This finding supports existing policies that prioritize PrEP use for young women, while also illuminating the community-level benefits of PrEP availability for men when resources permit.",https://pureportal.coventry.ac.uk/en/publications/individual-and-community-level-benefits-of-prep-in-western-kenya-,"[None, None, None, None, None, None, None, None, None]","['individu', 'commun', 'level', 'benefit', 'prep', 'western', 'kenya', 'south', 'africa', 'implic', 'popul', 'priorit', 'prep', 'provis', 'edinah', 'mudimu', 'kathryn', 'peebl', 'zindoga', 'mukandavir', 'emili', 'nightingal', 'monisha', 'sharma', 'graham', 'f', 'medley', 'daniel', 'j', 'klein', 'katharin', 'kripk', 'anna', 'bershteyn', 'background', 'pre', 'exposur', 'prophylaxi', 'prep', 'highli', 'effect', 'prevent', 'hiv', 'potenti', 'significantli', 'impact', 'hiv', 'epidem', 'given', 'limit', 'resourc', 'hiv', 'prevent', 'identifi', 'prep', 'provis', 'strategi', 'maxim', 'impact', 'critic', 'method', 'use', 'stochast', 'individu', 'base', 'network', 'model', 'evalu', 'direct', 'infect', 'prevent', 'among', 'prep', 'user', 'indirect', 'infect', 'prevent', 'among', 'non', 'prep', 'user', 'result', 'prep', 'benefit', 'prep', 'person', 'year', 'prep', 'requir', 'prevent', 'one', 'hiv', 'infect', 'commun', 'level', 'impact', 'provid', 'prep', 'popul', 'defin', 'gender', 'age', 'western', 'kenya', 'south', 'africa', 'examin', 'sensit', 'result', 'scale', 'antiretrovir', 'therapi', 'art', 'voluntari', 'medic', 'male', 'circumcis', 'vmmc', 'compar', 'two', 'scenario', 'maintain', 'current', 'coverag', 'statu', 'quo', 'rapid', 'scale', 'meet', 'programmat', 'target', 'fast', 'track', 'result', 'commun', 'level', 'impact', 'prep', 'greatest', 'among', 'women', 'age', '15', '24', 'due', 'high', 'incid', 'prep', 'use', 'among', 'men', 'age', '15', '24', 'yield', 'highest', 'proport', 'indirect', 'infect', 'prevent', 'commun', 'indirect', 'infect', 'prevent', 'continu', 'increas', 'time', 'western', 'kenya', '0', '4', '5', '5', 'statu', 'quo', '0', '4', '4', '9', 'fast', 'track', 'south', 'africa', '0', '5', '1', '8', 'statu', 'quo', '0', '5', '3', '0', 'fast', 'track', 'rel', 'direct', 'infect', 'prevent', 'among', 'prep', 'user', 'number', 'person', 'year', 'prep', 'need', 'prevent', 'one', 'hiv', 'infect', 'lower', '59', 'western', 'kenya', '69', 'south', 'africa', 'statu', 'quo', 'scenario', '201', 'western', 'kenya', '87', 'south', 'africa', 'fast', 'track', 'scenario', 'prep', 'provid', 'women', 'compar', 'men', 'time', 'horizon', '5', 'year', 'indirect', 'benefit', 'provid', 'prep', 'men', 'accru', 'later', 'year', 'conclus', 'provid', 'prep', 'women', 'age', '15', '24', 'prevent', 'greatest', 'number', 'hiv', 'infect', 'per', 'person', 'year', 'prep', 'prep', 'provis', 'young', 'men', 'also', 'provid', 'indirect', 'benefit', 'women', 'commun', 'overal', 'find', 'support', 'exist', 'polici', 'priorit', 'prep', 'use', 'young', 'women', 'also', 'illumin', 'commun', 'level', 'benefit', 'prep', 'avail', 'men', 'resourc', 'permit', 'biochemistri', 'genet', 'molecular', 'biolog', 'agricultur', 'biolog', 'scienc', 'gener']" +183,Indoor Visible Light Communication: A Tutorial and Survey,"Galefang Allycan Mapunda, Reuben Ramogomana, Leatile Marata, Bokamoso Basutli , Amjad Saeed Khan, Joseph Monamati Chuma",11-Dec-20,"['Information Systems', 'Computer Networks and Communications', 'Electrical and Electronic Engineering']","With the advancement of solid-state devices for lighting, illumination is on the verge of being completely restructured. This revolution comes with numerous advantages and viable opportunities that can transform the world of wireless communications for the better. Solid-state LEDs are rapidly replacing the contemporary incandescent and fluorescent lamps. In addition to their high energy efficiency, LEDs are desirable for their low heat generation, long lifespan, and their capability to switch on and off at an extremely high rate. The ability of switching between different levels of luminous intensity at such a rate has enabled the inception of a new communication technology referred to as visible light communication (VLC). With this technology, the LED lamps are additionally being used for data transmission. This paper provides a tutorial and a survey of VLC in terms of the design, development, and evaluation techniques as well as current challenges and their envisioned solutions. The focus of this paper is mainly directed towards an indoor setup. An overview of VLC, theory of illumination, system receivers, system architecture, and ongoing developments are provided. We further provide some baseline simulation results to give a technical background on the performance of VLC systems. Moreover, we provide the potential of incorporating VLC techniques in the current and upcoming technologies such as fifth-generation (5G), beyond fifth-generation (B5G) wireless communication trends including sixth-generation (6G), and intelligent reflective surfaces (IRSs) among others.",https://pureportal.coventry.ac.uk/en/publications/indoor-visible-light-communication-a-tutorial-and-survey,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/amjad-saeed-khan', None]","['indoor', 'visibl', 'light', 'commun', 'tutori', 'survey', 'galefang', 'allycan', 'mapunda', 'reuben', 'ramogomana', 'leatil', 'marata', 'bokamoso', 'basutli', 'amjad', 'saeed', 'khan', 'joseph', 'monamati', 'chuma', 'advanc', 'solid', 'state', 'devic', 'light', 'illumin', 'verg', 'complet', 'restructur', 'revolut', 'come', 'numer', 'advantag', 'viabl', 'opportun', 'transform', 'world', 'wireless', 'commun', 'better', 'solid', 'state', 'led', 'rapidli', 'replac', 'contemporari', 'incandesc', 'fluoresc', 'lamp', 'addit', 'high', 'energi', 'effici', 'led', 'desir', 'low', 'heat', 'gener', 'long', 'lifespan', 'capabl', 'switch', 'extrem', 'high', 'rate', 'abil', 'switch', 'differ', 'level', 'lumin', 'intens', 'rate', 'enabl', 'incept', 'new', 'commun', 'technolog', 'refer', 'visibl', 'light', 'commun', 'vlc', 'technolog', 'led', 'lamp', 'addit', 'use', 'data', 'transmiss', 'paper', 'provid', 'tutori', 'survey', 'vlc', 'term', 'design', 'develop', 'evalu', 'techniqu', 'well', 'current', 'challeng', 'envis', 'solut', 'focu', 'paper', 'mainli', 'direct', 'toward', 'indoor', 'setup', 'overview', 'vlc', 'theori', 'illumin', 'system', 'receiv', 'system', 'architectur', 'ongo', 'develop', 'provid', 'provid', 'baselin', 'simul', 'result', 'give', 'technic', 'background', 'perform', 'vlc', 'system', 'moreov', 'provid', 'potenti', 'incorpor', 'vlc', 'techniqu', 'current', 'upcom', 'technolog', 'fifth', 'gener', '5g', 'beyond', 'fifth', 'gener', 'b5g', 'wireless', 'commun', 'trend', 'includ', 'sixth', 'gener', '6g', 'intellig', 'reflect', 'surfac', 'irss', 'among', 'other', 'inform', 'system', 'comput', 'network', 'commun', 'electr', 'electron', 'engin']" +184,IO-VNBD: Inertial and Odometry Benchmark Dataset for Ground Vehicle Positioning,"Uche Onyekpe, Vasile Palade, Stratis Kanarachos, Alicja Szkolnik",04-May-20,['eess.SP'],"Low-cost inertial navigation sensors (INS) can be exploited for a reliable tracking solution for autonomous vehicles. However, position errors grow exponentially due to noises in the measurements. Several deep learning techniques have been investigated to mitigate the errors for a better navigation solution [1-10]. However, these studies have involved the use of different datasets not made publicly available. The lack of a robust benchmark dataset has thus hindered the advancement in the research, comparison and adoption of deep learning techniques for vehicle positioning based on inertial navigation. In order to facilitate the benchmarking, fast development and evaluation of positioning algorithms, we therefore present the first of its kind large-scale and information-rich inertial and odometry focused public dataset called IO-VNBD (Inertial Odometry Vehicle Navigation Benchmark Dataset).The vehicle tracking dataset was recorded using a research vehicle equipped with ego-motion sensors on public roads in the United Kingdom, Nigeria, and France. The sensors include a GPS receiver, inertial navigation sensors, wheel-speed sensors amongst other sensors found on the car as well as the inertial navigation sensors and GPS receiver in an android smart phone sampling at 10HZ. A diverse number of scenarios and vehicle dynamics are captured such as traffic, round-abouts, hard-braking etc. on different road types (country roads, motorways etc.) with varying driving patterns. The dataset consists of a total driving time of about 40 hours over 1,300km for the vehicle extracted data and about 58 hours over 4,400 km for the smartphone recorded data. We hope that this dataset will prove valuable in furthering research on the correlation between vehicle dynamics and its displacement as well as other related studies ",https://pureportal.coventry.ac.uk/en/publications/io-vnbd-inertial-and-odometry-benchmark-dataset-for-ground-vehicl,"[None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None, None]","['io', 'vnbd', 'inerti', 'odometri', 'benchmark', 'dataset', 'ground', 'vehicl', 'posit', 'uch', 'onyekp', 'vasil', 'palad', 'strati', 'kanaracho', 'alicja', 'szkolnik', 'low', 'cost', 'inerti', 'navig', 'sensor', 'in', 'exploit', 'reliabl', 'track', 'solut', 'autonom', 'vehicl', 'howev', 'posit', 'error', 'grow', 'exponenti', 'due', 'nois', 'measur', 'sever', 'deep', 'learn', 'techniqu', 'investig', 'mitig', 'error', 'better', 'navig', 'solut', '1', '10', 'howev', 'studi', 'involv', 'use', 'differ', 'dataset', 'made', 'publicli', 'avail', 'lack', 'robust', 'benchmark', 'dataset', 'thu', 'hinder', 'advanc', 'research', 'comparison', 'adopt', 'deep', 'learn', 'techniqu', 'vehicl', 'posit', 'base', 'inerti', 'navig', 'order', 'facilit', 'benchmark', 'fast', 'develop', 'evalu', 'posit', 'algorithm', 'therefor', 'present', 'first', 'kind', 'larg', 'scale', 'inform', 'rich', 'inerti', 'odometri', 'focus', 'public', 'dataset', 'call', 'io', 'vnbd', 'inerti', 'odometri', 'vehicl', 'navig', 'benchmark', 'dataset', 'vehicl', 'track', 'dataset', 'record', 'use', 'research', 'vehicl', 'equip', 'ego', 'motion', 'sensor', 'public', 'road', 'unit', 'kingdom', 'nigeria', 'franc', 'sensor', 'includ', 'gp', 'receiv', 'inerti', 'navig', 'sensor', 'wheel', 'speed', 'sensor', 'amongst', 'sensor', 'found', 'car', 'well', 'inerti', 'navig', 'sensor', 'gp', 'receiv', 'android', 'smart', 'phone', 'sampl', '10hz', 'divers', 'number', 'scenario', 'vehicl', 'dynam', 'captur', 'traffic', 'round', 'about', 'hard', 'brake', 'etc', 'differ', 'road', 'type', 'countri', 'road', 'motorway', 'etc', 'vari', 'drive', 'pattern', 'dataset', 'consist', 'total', 'drive', 'time', '40', 'hour', '1', '300km', 'vehicl', 'extract', 'data', '58', 'hour', '4', '400', 'km', 'smartphon', 'record', 'data', 'hope', 'dataset', 'prove', 'valuabl', 'further', 'research', 'correl', 'vehicl', 'dynam', 'displac', 'well', 'relat', 'studi', 'eess', 'sp']" +185,Is modelling complexity always needed? Insights from modelling PrEP introduction in South Africa,"Hannah Grant, Anna M Foss, Charlotte Watts, Graham F Medley, Zindoga Mukandavire",23-Nov-20,"['infectious disease', 'models', 'sexual health']","BACKGROUND: Mathematical models can be powerful policymaking tools. Simple, static models are user-friendly for policymakers. More complex, dynamic models account for time-dependent changes but are complicated to understand and produce. Under which conditions are static models adequate? We compare static and dynamic model predictions of whether behavioural disinhibition could undermine the impact of HIV pre-exposure prophylaxis (PrEP) provision to female sex workers in South Africa.METHODS: A static model of HIV risk was developed and adapted into a dynamic model. Both models were used to estimate the possible reduction in condom use, following PrEP introduction, without increasing HIV risk. The results were compared over a 20-year time horizon, in two contexts: at epidemic equilibrium and during an increasing epidemic.RESULTS: Over time horizons of up to 5 years, the models are consistent. Over longer timeframes, the static model overstates the tolerated reduction in condom use where initial condom use is reasonably high ($\ge$50%) and/or PrEP effectiveness is low ($\le$45%), especially during an increasing epidemic.CONCLUSIONS: Static models can provide useful deductions to guide policymaking around the introduction of a new HIV intervention over short-medium time horizons of up to 5 years. Over longer timeframes, static models may not sufficiently emphasise situations of programmatic importance, especially where underlying epidemics are still increasing.",https://pureportal.coventry.ac.uk/en/publications/is-modelling-complexity-always-needed-insights-from-modelling-pre,"[None, None, None, None, None]","['model', 'complex', 'alway', 'need', 'insight', 'model', 'prep', 'introduct', 'south', 'africa', 'hannah', 'grant', 'anna', 'foss', 'charlott', 'watt', 'graham', 'f', 'medley', 'zindoga', 'mukandavir', 'background', 'mathemat', 'model', 'power', 'policymak', 'tool', 'simpl', 'static', 'model', 'user', 'friendli', 'policymak', 'complex', 'dynam', 'model', 'account', 'time', 'depend', 'chang', 'complic', 'understand', 'produc', 'condit', 'static', 'model', 'adequ', 'compar', 'static', 'dynam', 'model', 'predict', 'whether', 'behaviour', 'disinhibit', 'could', 'undermin', 'impact', 'hiv', 'pre', 'exposur', 'prophylaxi', 'prep', 'provis', 'femal', 'sex', 'worker', 'south', 'africa', 'method', 'static', 'model', 'hiv', 'risk', 'develop', 'adapt', 'dynam', 'model', 'model', 'use', 'estim', 'possibl', 'reduct', 'condom', 'use', 'follow', 'prep', 'introduct', 'without', 'increas', 'hiv', 'risk', 'result', 'compar', '20', 'year', 'time', 'horizon', 'two', 'context', 'epidem', 'equilibrium', 'increas', 'epidem', 'result', 'time', 'horizon', '5', 'year', 'model', 'consist', 'longer', 'timefram', 'static', 'model', 'overst', 'toler', 'reduct', 'condom', 'use', 'initi', 'condom', 'use', 'reason', 'high', 'ge', '50', 'prep', 'effect', 'low', 'le', '45', 'especi', 'increas', 'epidem', 'conclus', 'static', 'model', 'provid', 'use', 'deduct', 'guid', 'policymak', 'around', 'introduct', 'new', 'hiv', 'intervent', 'short', 'medium', 'time', 'horizon', '5', 'year', 'longer', 'timefram', 'static', 'model', 'may', 'suffici', 'emphasis', 'situat', 'programmat', 'import', 'especi', 'underli', 'epidem', 'still', 'increas', 'infecti', 'diseas', 'model', 'sexual', 'health']" +186,Nonlinear System Identification of Neural Systems from Neurophysiological Signals,"Fei He, Yuan Yang",Aug-20,[],,https://pureportal.coventry.ac.uk/en/publications/nonlinear-system-identification-of-neural-systems-from-neurophysi,"['https://pureportal.coventry.ac.uk/en/persons/fei-he', None]","['nonlinear', 'system', 'identif', 'neural', 'system', 'neurophysiolog', 'signal', 'fei', 'yuan', 'yang']" +187,On Shadowing the κ-μ Fading Model,"Nidhi Simmons, Carlos Rafael Nogueira Da Silva, Simon Cotton, Paschalis Sofotasios, Seong Ki Yoo, Michel Yacoub",29-Jul-20,"['Channel modeling', 'generalized fading', 'mobile to mobile communications', 'shadowed κ-μ fading', 'shadowing']","In this paper, we extensively investigate the way in which κ - μ fading channels can be impacted by shadowing. Following from this, a family of shadowed κ - μ fading models are introduced and classified according to whether the underlying κ - μ fading undergoes single or double shadowing. In total, we discuss three types of single shadowed κ - μ model (denoted Type I to Type III) and three types of double shadowed κ - μ model (denoted Type I to Type III). The taxonomy of the single shadowed Type I - III models is dependent upon whether the fading model assumes that the dominant component, the scattered waves, or both experience shadowing. Although the physical definition of the examined models make no predetermination of the statistics of the shadowing process, for illustrative purposes, two example cases are provided for each type of single shadowed model by assuming that the shadowing is influenced by either a Nakagami- m random variable (RV) or an inverse Nakagami- m RV. It is worth noting that these RVs have been shown to provide an adequate characterization of shadowing in numerous communication scenarios of practical interest. The categorization of the double shadowed Type I - III models is dependent upon whether a) the envelope experiences shadowing of the dominant component, which is preceded (or succeeded) by a secondary round of (multiplicative) shadowing, or b) the dominant and scattered contributions are fluctuated by two independent shadowing processes, or c) the scattered waves of the envelope are subject to shadowing, which is also preceded (or succeeded) by a secondary round of multiplicative shadowing. Similar to the single shadowed models, we provide two example cases for each type of double shadowed model by assuming that the shadowing phenomena are shaped by a Nakagami- m RV, an inverse Nakagami- m RV or their mixture. It is worth highlighting that the double shadowed κ - μ models offer remarkable flexibility as they include the κ - μ , η - μ , and the various types of single shadowed κ - μ distribution as special cases. This property renders them particularly useful for the effective characterization and modeling of the diverse composite fading conditions encountered in communication scenarios in many emerging wireless applications.",https://pureportal.coventry.ac.uk/en/publications/on-shadowing-the-%CE%BA-%CE%BC-fading-model,"[None, None, None, None, None, None]","['shadow', 'κ', 'μ', 'fade', 'model', 'nidhi', 'simmon', 'carlo', 'rafael', 'nogueira', 'da', 'silva', 'simon', 'cotton', 'paschali', 'sofotasio', 'seong', 'ki', 'yoo', 'michel', 'yacoub', 'paper', 'extens', 'investig', 'way', 'κ', 'μ', 'fade', 'channel', 'impact', 'shadow', 'follow', 'famili', 'shadow', 'κ', 'μ', 'fade', 'model', 'introduc', 'classifi', 'accord', 'whether', 'underli', 'κ', 'μ', 'fade', 'undergo', 'singl', 'doubl', 'shadow', 'total', 'discuss', 'three', 'type', 'singl', 'shadow', 'κ', 'μ', 'model', 'denot', 'type', 'type', 'iii', 'three', 'type', 'doubl', 'shadow', 'κ', 'μ', 'model', 'denot', 'type', 'type', 'iii', 'taxonomi', 'singl', 'shadow', 'type', 'iii', 'model', 'depend', 'upon', 'whether', 'fade', 'model', 'assum', 'domin', 'compon', 'scatter', 'wave', 'experi', 'shadow', 'although', 'physic', 'definit', 'examin', 'model', 'make', 'predetermin', 'statist', 'shadow', 'process', 'illustr', 'purpos', 'two', 'exampl', 'case', 'provid', 'type', 'singl', 'shadow', 'model', 'assum', 'shadow', 'influenc', 'either', 'nakagami', 'random', 'variabl', 'rv', 'invers', 'nakagami', 'rv', 'worth', 'note', 'rv', 'shown', 'provid', 'adequ', 'character', 'shadow', 'numer', 'commun', 'scenario', 'practic', 'interest', 'categor', 'doubl', 'shadow', 'type', 'iii', 'model', 'depend', 'upon', 'whether', 'envelop', 'experi', 'shadow', 'domin', 'compon', 'preced', 'succeed', 'secondari', 'round', 'multipl', 'shadow', 'b', 'domin', 'scatter', 'contribut', 'fluctuat', 'two', 'independ', 'shadow', 'process', 'c', 'scatter', 'wave', 'envelop', 'subject', 'shadow', 'also', 'preced', 'succeed', 'secondari', 'round', 'multipl', 'shadow', 'similar', 'singl', 'shadow', 'model', 'provid', 'two', 'exampl', 'case', 'type', 'doubl', 'shadow', 'model', 'assum', 'shadow', 'phenomena', 'shape', 'nakagami', 'rv', 'invers', 'nakagami', 'rv', 'mixtur', 'worth', 'highlight', 'doubl', 'shadow', 'κ', 'μ', 'model', 'offer', 'remark', 'flexibl', 'includ', 'κ', 'μ', 'η', 'μ', 'variou', 'type', 'singl', 'shadow', 'κ', 'μ', 'distribut', 'special', 'case', 'properti', 'render', 'particularli', 'use', 'effect', 'character', 'model', 'divers', 'composit', 'fade', 'condit', 'encount', 'commun', 'scenario', 'mani', 'emerg', 'wireless', 'applic', 'channel', 'model', 'gener', 'fade', 'mobil', 'mobil', 'commun', 'shadow', 'κ', 'μ', 'fade', 'shadow']" +188,On the functional central limit theorem for first passage time of nonlinear semi-Markov reward processes,"Omid Chatrabgoun, Alireza Daneshkhah, Shahid University",01-Oct-20,"['Functional central limit theorem', 'first passage time', 'martingales', 'reward processes', 'semi-Markov processes']","In this article we examine the functional central limit theorem for the first passage time of reward processes defined over a finite state space semi-Markov process. In order to apply this process for a wider range of real-world applications, the reward functions, considered in this work, are assumed to have general forms instead of the constant rates reported in the other studies. We benefit from the martingale theory and Poisson equations to prove and establish the convergence of the first passage time of reward processes to a zero mean Brownian motion. Necessary conditions to derive the results presented in this article are the existence of variances for sojourn times in each state and second order integrability of reward functions with respect to the distribution of sojourn times. We finally verify the presented methodology through a numerical illustration.",https://pureportal.coventry.ac.uk/en/publications/on-the-functional-central-limit-theorem-for-first-passage-time-of,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None]","['function', 'central', 'limit', 'theorem', 'first', 'passag', 'time', 'nonlinear', 'semi', 'markov', 'reward', 'process', 'omid', 'chatrabgoun', 'alireza', 'daneshkhah', 'shahid', 'univers', 'articl', 'examin', 'function', 'central', 'limit', 'theorem', 'first', 'passag', 'time', 'reward', 'process', 'defin', 'finit', 'state', 'space', 'semi', 'markov', 'process', 'order', 'appli', 'process', 'wider', 'rang', 'real', 'world', 'applic', 'reward', 'function', 'consid', 'work', 'assum', 'gener', 'form', 'instead', 'constant', 'rate', 'report', 'studi', 'benefit', 'martingal', 'theori', 'poisson', 'equat', 'prove', 'establish', 'converg', 'first', 'passag', 'time', 'reward', 'process', 'zero', 'mean', 'brownian', 'motion', 'necessari', 'condit', 'deriv', 'result', 'present', 'articl', 'exist', 'varianc', 'sojourn', 'time', 'state', 'second', 'order', 'integr', 'reward', 'function', 'respect', 'distribut', 'sojourn', 'time', 'final', 'verifi', 'present', 'methodolog', 'numer', 'illustr', 'function', 'central', 'limit', 'theorem', 'first', 'passag', 'time', 'martingal', 'reward', 'process', 'semi', 'markov', 'process']" +189,Opinion evidence in Cell Site Analysis,Matthew Stephen Tart,Jul-20,[],"Issues concerning forensic inference exist in all areas of Forensic Science, and Cell Site Analysis is no exception. There is a standard concerning opinion evidence adopted by both the European Network of Forensic Science Institutes (ENFSI) and the Association of Forensic Science Providers (AFSP) based on the principles of the Case Assessment and Interpretation (CAI) Model widely used within “traditional” forensic Science. This standard has not been widely adopted, or does not appear to be particularly well known, either within Cell Site Analysis or in the general field of Digital Forensics. This paper is aimed at Cell Site Analysis experts and outlines the legislative and regulatory framework within which opinion in Cell Site Analysis is provided and addresses how the principles defined in the AFSP standard can be applied to Cell Site Analysis. A case example highlighting differences between a task-driven approach commonly used within Cell Site Analysis and a CAI approach to the same data is presented and explored.",https://pureportal.coventry.ac.uk/en/publications/opinion-evidence-in-cell-site-analysis,['https://pureportal.coventry.ac.uk/en/persons/matthew-stephen-tart'],"['opinion', 'evid', 'cell', 'site', 'analysi', 'matthew', 'stephen', 'tart', 'issu', 'concern', 'forens', 'infer', 'exist', 'area', 'forens', 'scienc', 'cell', 'site', 'analysi', 'except', 'standard', 'concern', 'opinion', 'evid', 'adopt', 'european', 'network', 'forens', 'scienc', 'institut', 'enfsi', 'associ', 'forens', 'scienc', 'provid', 'afsp', 'base', 'principl', 'case', 'assess', 'interpret', 'cai', 'model', 'wide', 'use', 'within', 'tradit', 'forens', 'scienc', 'standard', 'wide', 'adopt', 'appear', 'particularli', 'well', 'known', 'either', 'within', 'cell', 'site', 'analysi', 'gener', 'field', 'digit', 'forens', 'paper', 'aim', 'cell', 'site', 'analysi', 'expert', 'outlin', 'legisl', 'regulatori', 'framework', 'within', 'opinion', 'cell', 'site', 'analysi', 'provid', 'address', 'principl', 'defin', 'afsp', 'standard', 'appli', 'cell', 'site', 'analysi', 'case', 'exampl', 'highlight', 'differ', 'task', 'driven', 'approach', 'commonli', 'use', 'within', 'cell', 'site', 'analysi', 'cai', 'approach', 'data', 'present', 'explor']" +190,Polymer in wedge-shaped confinement: Effect on the θ temperature,"Sanjay Kumar, Keerti Chuhan, Sadhana Singh, Damien Foster",20-Mar-20,"['Statistical and Nonlinear Physics', 'Statistics and Probability', 'Condensed Matter Physics']","The equilibrium properties of a finite-length linear polymer chain confined in an infinite wedge composed of two perfectly reflecting hard walls meeting at a variable apex angle (α) are presented. One end of the polymer is anchored a distance y from the apex on the conical axis of symmetry, while the other end is free. We report here, the nonmonotonic behavior of θ temperature as a function of y for a finite-length chain. Data collapse for different chain lengths indicates that such behavior will exist for all finite lengths. We delineate the origin of such nonmonotonic behavior, which may have potential applications in understanding the cellular process occurring in nanoconfined geometries.",https://pureportal.coventry.ac.uk/en/publications/polymer-in-wedge-shaped-confinement-effect-on-the-%CE%B8-temperature,"[None, None, None, None]","['polym', 'wedg', 'shape', 'confin', 'effect', 'θ', 'temperatur', 'sanjay', 'kumar', 'keerti', 'chuhan', 'sadhana', 'singh', 'damien', 'foster', 'equilibrium', 'properti', 'finit', 'length', 'linear', 'polym', 'chain', 'confin', 'infinit', 'wedg', 'compos', 'two', 'perfectli', 'reflect', 'hard', 'wall', 'meet', 'variabl', 'apex', 'angl', 'α', 'present', 'one', 'end', 'polym', 'anchor', 'distanc', 'apex', 'conic', 'axi', 'symmetri', 'end', 'free', 'report', 'nonmonoton', 'behavior', 'θ', 'temperatur', 'function', 'finit', 'length', 'chain', 'data', 'collaps', 'differ', 'chain', 'length', 'indic', 'behavior', 'exist', 'finit', 'length', 'delin', 'origin', 'nonmonoton', 'behavior', 'may', 'potenti', 'applic', 'understand', 'cellular', 'process', 'occur', 'nanoconfin', 'geometri', 'statist', 'nonlinear', 'physic', 'statist', 'probabl', 'condens', 'matter', 'physic']" +191,Quantifying early COVID-19 outbreak transmission in South Africa and exploring vaccine efficacy scenarios,"Zindoga Mukandavire, Farai Nyabadza, Noble J Malunguza, Diego F Cuadros, Tinevimbo Shiri, Godfrey Musuka",24-Jul-20,"['Biochemistry, Genetics and Molecular Biology(all)', 'Agricultural and Biological Sciences(all)', 'General']","The emergence and fast global spread of COVID-19 has presented one of the greatest public health challenges in modern times with no proven cure or vaccine. Africa is still early in this epidemic, therefore the extent of disease severity is not yet clear. We used a mathematical model to fit to the observed cases of COVID-19 in South Africa to estimate the basic reproductive number and critical vaccination coverage to control the disease for different hypothetical vaccine efficacy scenarios. We also estimated the percentage reduction in effective contacts due to the social distancing measures implemented. Early model estimates show that COVID-19 outbreak in South Africa had a basic reproductive number of 2.95 (95% credible interval [CrI] 2.83-3.33). A vaccine with 70% efficacy had the capacity to contain COVID-19 outbreak but at very higher vaccination coverage 94.44% (95% Crl 92.44-99.92%) with a vaccine of 100% efficacy requiring 66.10% (95% Crl 64.72-69.95%) coverage. Social distancing measures put in place have so far reduced the number of social contacts by 80.31% (95% Crl 79.76-80.85%). These findings suggest that a highly efficacious vaccine would have been required to contain COVID-19 in South Africa. Therefore, the current social distancing measures to reduce contacts will remain key in controlling the infection in the absence of vaccines and other therapeutics.",https://pureportal.coventry.ac.uk/en/publications/quantifying-early-covid-19-outbreak-transmission-in-south-africa-,"[None, None, None, None, None, None]","['quantifi', 'earli', 'covid', '19', 'outbreak', 'transmiss', 'south', 'africa', 'explor', 'vaccin', 'efficaci', 'scenario', 'zindoga', 'mukandavir', 'farai', 'nyabadza', 'nobl', 'j', 'malunguza', 'diego', 'f', 'cuadro', 'tinevimbo', 'shiri', 'godfrey', 'musuka', 'emerg', 'fast', 'global', 'spread', 'covid', '19', 'present', 'one', 'greatest', 'public', 'health', 'challeng', 'modern', 'time', 'proven', 'cure', 'vaccin', 'africa', 'still', 'earli', 'epidem', 'therefor', 'extent', 'diseas', 'sever', 'yet', 'clear', 'use', 'mathemat', 'model', 'fit', 'observ', 'case', 'covid', '19', 'south', 'africa', 'estim', 'basic', 'reproduct', 'number', 'critic', 'vaccin', 'coverag', 'control', 'diseas', 'differ', 'hypothet', 'vaccin', 'efficaci', 'scenario', 'also', 'estim', 'percentag', 'reduct', 'effect', 'contact', 'due', 'social', 'distanc', 'measur', 'implement', 'earli', 'model', 'estim', 'show', 'covid', '19', 'outbreak', 'south', 'africa', 'basic', 'reproduct', 'number', '2', '95', '95', 'credibl', 'interv', 'cri', '2', '83', '3', '33', 'vaccin', '70', 'efficaci', 'capac', 'contain', 'covid', '19', 'outbreak', 'higher', 'vaccin', 'coverag', '94', '44', '95', 'crl', '92', '44', '99', '92', 'vaccin', '100', 'efficaci', 'requir', '66', '10', '95', 'crl', '64', '72', '69', '95', 'coverag', 'social', 'distanc', 'measur', 'put', 'place', 'far', 'reduc', 'number', 'social', 'contact', '80', '31', '95', 'crl', '79', '76', '80', '85', 'find', 'suggest', 'highli', 'efficaci', 'vaccin', 'would', 'requir', 'contain', 'covid', '19', 'south', 'africa', 'therefor', 'current', 'social', 'distanc', 'measur', 'reduc', 'contact', 'remain', 'key', 'control', 'infect', 'absenc', 'vaccin', 'therapeut', 'biochemistri', 'genet', 'molecular', 'biolog', 'agricultur', 'biolog', 'scienc', 'gener']" +192,Safeguarding gains in the Sexual and Reproductive Health and AIDS Response amidst COVID-19: The Role of African Civil Society,"Rouzeh Eghtessadi, Zindoga Mukandavire, Farirai Mutenherwa, Diego F. Cuadros, Godfrey Musuka",01-Nov-20,"['Africa', 'COVID-19', 'CSOs', 'Civil society', 'Gender', 'Sexual and reproductive health']","This article outlines the role of African civil society in safeguarding gains registered to date in sexual and reproductive health and the response to HIV. The case is made for why civil society organizations (CSOs) must be engaged vigilantly in the COVID-19 response in Africa. Lockdown disruptions and the rerouting of health funds to the pandemic have impeded access to essential sexual and reproductive health (SRH) and social protection services. Compounded by pre-existing inequalities faced by vulnerable populations, the poor SRH outcomes amid COVID-19 call for CSOs to intensify demand for the accountability of governments. CSOs should also continue to persevere in their aim to rapidly close community-health facility gaps and provide safety nets to mitigate the gendered impact of COVID-19.",https://pureportal.coventry.ac.uk/en/publications/safeguarding-gains-in-the-sexual-and-reproductive-health-and-aids,"[None, None, None, None, None]","['safeguard', 'gain', 'sexual', 'reproduct', 'health', 'aid', 'respons', 'amidst', 'covid', '19', 'role', 'african', 'civil', 'societi', 'rouzeh', 'eghtessadi', 'zindoga', 'mukandavir', 'farirai', 'mutenherwa', 'diego', 'f', 'cuadro', 'godfrey', 'musuka', 'articl', 'outlin', 'role', 'african', 'civil', 'societi', 'safeguard', 'gain', 'regist', 'date', 'sexual', 'reproduct', 'health', 'respons', 'hiv', 'case', 'made', 'civil', 'societi', 'organ', 'cso', 'must', 'engag', 'vigilantli', 'covid', '19', 'respons', 'africa', 'lockdown', 'disrupt', 'rerout', 'health', 'fund', 'pandem', 'imped', 'access', 'essenti', 'sexual', 'reproduct', 'health', 'srh', 'social', 'protect', 'servic', 'compound', 'pre', 'exist', 'inequ', 'face', 'vulner', 'popul', 'poor', 'srh', 'outcom', 'amid', 'covid', '19', 'call', 'cso', 'intensifi', 'demand', 'account', 'govern', 'cso', 'also', 'continu', 'persever', 'aim', 'rapidli', 'close', 'commun', 'health', 'facil', 'gap', 'provid', 'safeti', 'net', 'mitig', 'gender', 'impact', 'covid', '19', 'africa', 'covid', '19', 'cso', 'civil', 'societi', 'gender', 'sexual', 'reproduct', 'health']" +193,Some Computational Considerations for Kernel-Based Support Vector Machine,"Mohsen Esmaeilbeigi, Alireza Daneshkhah, Omid Chatrabgoun",2020,"['Classification', 'Cross-validation', 'Kernel-based SVM', 'Support vector machine (SVM)']","Sometimes healthcare perspectives in communications technologies require data mining, especially classification as a supervised learning. Support vector machines (SVMs) are considered as efficient supervised learning approaches for classification due to their robustness against several types of model misspecifications and outliers. Kernel-based SVMs are known to be more flexible tools for a wide range of supervised learning tasks and can efficiently handle non-linear relationship between input variables and outputs (or labels). They are more robust with respect to the aforementioned model misspecifications, and also more accurate in the sense that the root-mean-square error computed by fitting the kernel-based SVMs is considerably smaller than the one computed by fitting the standard/linear SVMs. However, the choice of kernel type and particularity kernel’s parameters could have significant impact on the classification accuracy and other supervised learning tasks required in network security, Internet of things, cybersecurity, etc. One of the findings of this study is that larger kernel parameter(s) would encourage SVMs with more localities and vice versa. This chapter provides some results on the effect of the kernel parameter on the kernel-based SVM classification. We thus first examine the effect of these parameters on the classification results using the kernel-based SVM, and then specify the optimal value of these parameters using cross-validation (CV) technique.",https://pureportal.coventry.ac.uk/en/publications/some-computational-considerations-for-kernel-based-support-vector,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None]","['comput', 'consider', 'kernel', 'base', 'support', 'vector', 'machin', 'mohsen', 'esmaeilbeigi', 'alireza', 'daneshkhah', 'omid', 'chatrabgoun', 'sometim', 'healthcar', 'perspect', 'commun', 'technolog', 'requir', 'data', 'mine', 'especi', 'classif', 'supervis', 'learn', 'support', 'vector', 'machin', 'svm', 'consid', 'effici', 'supervis', 'learn', 'approach', 'classif', 'due', 'robust', 'sever', 'type', 'model', 'misspecif', 'outlier', 'kernel', 'base', 'svm', 'known', 'flexibl', 'tool', 'wide', 'rang', 'supervis', 'learn', 'task', 'effici', 'handl', 'non', 'linear', 'relationship', 'input', 'variabl', 'output', 'label', 'robust', 'respect', 'aforement', 'model', 'misspecif', 'also', 'accur', 'sens', 'root', 'mean', 'squar', 'error', 'comput', 'fit', 'kernel', 'base', 'svm', 'consider', 'smaller', 'one', 'comput', 'fit', 'standard', 'linear', 'svm', 'howev', 'choic', 'kernel', 'type', 'particular', 'kernel', 'paramet', 'could', 'signific', 'impact', 'classif', 'accuraci', 'supervis', 'learn', 'task', 'requir', 'network', 'secur', 'internet', 'thing', 'cybersecur', 'etc', 'one', 'find', 'studi', 'larger', 'kernel', 'paramet', 'would', 'encourag', 'svm', 'local', 'vice', 'versa', 'chapter', 'provid', 'result', 'effect', 'kernel', 'paramet', 'kernel', 'base', 'svm', 'classif', 'thu', 'first', 'examin', 'effect', 'paramet', 'classif', 'result', 'use', 'kernel', 'base', 'svm', 'specifi', 'optim', 'valu', 'paramet', 'use', 'cross', 'valid', 'cv', 'techniqu', 'classif', 'cross', 'valid', 'kernel', 'base', 'svm', 'support', 'vector', 'machin', 'svm']" +194,Spatiotemporal transmission dynamics of the COVID-19 pandemic and its impact on critical healthcare capacity,"Diego F. Cuadros, Yanyu Xiao, Zindoga Mukandavire, Esteban Correa-Agudelo, Andrés Hernández, Hana Kim, Neil J. MacKinnon",Jul-20,"['COVID-19', 'Critical healthcare capacity', 'Spatial epidemiology', 'Spatially-explicit mathematical model', 'Transport connectivity']","The role of geospatial disparities in the dynamics of the COVID-19 pandemic is poorly understood. We developed a spatially-explicit mathematical model to simulate transmission dynamics of COVID-19 disease infection in relation with the uneven distribution of the healthcare capacity in Ohio, U.S. The results showed substantial spatial variation in the spread of the disease, with localized areas showing marked differences in disease attack rates. Higher COVID-19 attack rates experienced in some highly connected and urbanized areas (274 cases per 100,000 people) could substantially impact the critical health care response of these areas regardless of their potentially high healthcare capacity compared to more rural and less connected counterparts (85 cases per 100,000). Accounting for the spatially uneven disease diffusion linked to the geographical distribution of the critical care resources is essential in designing effective prevention and control programmes aimed at reducing the impact of COVID-19 pandemic.",https://pureportal.coventry.ac.uk/en/publications/spatiotemporal-transmission-dynamics-of-the-covid-19-pandemic-and,"[None, None, None, None, None, None, None]","['spatiotempor', 'transmiss', 'dynam', 'covid', '19', 'pandem', 'impact', 'critic', 'healthcar', 'capac', 'diego', 'f', 'cuadro', 'yanyu', 'xiao', 'zindoga', 'mukandavir', 'esteban', 'correa', 'agudelo', 'andré', 'hernández', 'hana', 'kim', 'neil', 'j', 'mackinnon', 'role', 'geospati', 'dispar', 'dynam', 'covid', '19', 'pandem', 'poorli', 'understood', 'develop', 'spatial', 'explicit', 'mathemat', 'model', 'simul', 'transmiss', 'dynam', 'covid', '19', 'diseas', 'infect', 'relat', 'uneven', 'distribut', 'healthcar', 'capac', 'ohio', 'u', 'result', 'show', 'substanti', 'spatial', 'variat', 'spread', 'diseas', 'local', 'area', 'show', 'mark', 'differ', 'diseas', 'attack', 'rate', 'higher', 'covid', '19', 'attack', 'rate', 'experienc', 'highli', 'connect', 'urban', 'area', '274', 'case', 'per', '100', '000', 'peopl', 'could', 'substanti', 'impact', 'critic', 'health', 'care', 'respons', 'area', 'regardless', 'potenti', 'high', 'healthcar', 'capac', 'compar', 'rural', 'less', 'connect', 'counterpart', '85', 'case', 'per', '100', '000', 'account', 'spatial', 'uneven', 'diseas', 'diffus', 'link', 'geograph', 'distribut', 'critic', 'care', 'resourc', 'essenti', 'design', 'effect', 'prevent', 'control', 'programm', 'aim', 'reduc', 'impact', 'covid', '19', 'pandem', 'covid', '19', 'critic', 'healthcar', 'capac', 'spatial', 'epidemiolog', 'spatial', 'explicit', 'mathemat', 'model', 'transport', 'connect']" +195,Stemming cholera tides in Zimbabwe through mass vaccination,"Zindoga Mukandavire, Portia Manangazira, Farai Nyabadza, Diego F Cuadros, Godfrey Musuka, J. Glenn Morris, Jr",01-Jul-20,"['Cholera', 'vaccination', 'prevention', 'mathematical model', 'basic reproductive number']","BackgroundIn 2018, Zimbabwe declared another major cholera outbreak a decade after recording one of the worst cholera outbreaks in Africa.MethodsA mathematical model for cholera was used to estimate the magnitude of the cholera outbreak and vaccination coverage using cholera cases reported data. A Markov chain Monte Carlo method based on a Bayesian framework was used to fit the model in order to estimate the basic reproductive number and required vaccination coverage for cholera control.ResultsThe results showed that the outbreak had a basic reproductive number of 1.82 (95% credible interval [CrI] 1.53–2.11) and required vaccination coverage of at least 58% (95% Crl 45–68%) to be contained using an oral cholera vaccine of 78% efficacy. Sensitivity analysis demonstrated that a vaccine with at least 55% efficacy was sufficient to contain the outbreak but at higher coverage of 75% (95% Crl 58–88%). However, high-efficacy vaccines would greatly reduce the required coverage, with 100% efficacy vaccine reducing coverage to 45% (95% Crl 35–53%).ConclusionsThese findings reinforce the crucial need for oral cholera vaccines to control cholera in Zimbabwe, considering that the decay of water reticulation and sewerage infrastructure is unlikely to be effectively addressed in the coming years.",https://pureportal.coventry.ac.uk/en/publications/stemming-cholera-tides-in-zimbabwe-through-mass-vaccination,"[None, None, None, None, None, None, None]","['stem', 'cholera', 'tide', 'zimbabw', 'mass', 'vaccin', 'zindoga', 'mukandavir', 'portia', 'manangazira', 'farai', 'nyabadza', 'diego', 'f', 'cuadro', 'godfrey', 'musuka', 'j', 'glenn', 'morri', 'jr', 'backgroundin', '2018', 'zimbabw', 'declar', 'anoth', 'major', 'cholera', 'outbreak', 'decad', 'record', 'one', 'worst', 'cholera', 'outbreak', 'africa', 'methodsa', 'mathemat', 'model', 'cholera', 'use', 'estim', 'magnitud', 'cholera', 'outbreak', 'vaccin', 'coverag', 'use', 'cholera', 'case', 'report', 'data', 'markov', 'chain', 'mont', 'carlo', 'method', 'base', 'bayesian', 'framework', 'use', 'fit', 'model', 'order', 'estim', 'basic', 'reproduct', 'number', 'requir', 'vaccin', 'coverag', 'cholera', 'control', 'resultsth', 'result', 'show', 'outbreak', 'basic', 'reproduct', 'number', '1', '82', '95', 'credibl', 'interv', 'cri', '1', '53', '2', '11', 'requir', 'vaccin', 'coverag', 'least', '58', '95', 'crl', '45', '68', 'contain', 'use', 'oral', 'cholera', 'vaccin', '78', 'efficaci', 'sensit', 'analysi', 'demonstr', 'vaccin', 'least', '55', 'efficaci', 'suffici', 'contain', 'outbreak', 'higher', 'coverag', '75', '95', 'crl', '58', '88', 'howev', 'high', 'efficaci', 'vaccin', 'would', 'greatli', 'reduc', 'requir', 'coverag', '100', 'efficaci', 'vaccin', 'reduc', 'coverag', '45', '95', 'crl', '35', '53', 'conclusionsthes', 'find', 'reinforc', 'crucial', 'need', 'oral', 'cholera', 'vaccin', 'control', 'cholera', 'zimbabw', 'consid', 'decay', 'water', 'reticul', 'sewerag', 'infrastructur', 'unlik', 'effect', 'address', 'come', 'year', 'cholera', 'vaccin', 'prevent', 'mathemat', 'model', 'basic', 'reproduct', 'number']" +196,"The empty womb, the unanswered prayer: Female Infertility and involuntary childlessness in British Mormon communities",Alison Halford,28-Dec-20,"['Gender, Mormonism', 'Reproduction and fertility']",,https://pureportal.coventry.ac.uk/en/publications/the-empty-womb-the-unanswered-prayer-female-infertility-and-invol,['https://pureportal.coventry.ac.uk/en/persons/alison-halford'],"['empti', 'womb', 'unansw', 'prayer', 'femal', 'infertil', 'involuntari', 'childless', 'british', 'mormon', 'commun', 'alison', 'halford', 'gender', 'mormon', 'reproduct', 'fertil']" +197,The impact of physical exercise on the fatigue symptoms in patients with multiple sclerosis: A systematic review and meta-analysis,"Nazanin Razazian, Mohsen Kazeminia, Hossein Moayedi, Alireza Daneshkhah, Shamarina Shohaimi, Masoud Mohammadi, Rostam Jalali, Nader Salari",13-Mar-20,"['Fatigue', 'Multiple sclerosis', 'Physical exercise']","Background: Despite many benefits of the physical activity on physical and mental health of patients with Multiple Sclerosis (MS), the activity level in these patients is still very limited, and they continue to suffer from impairment in functioning ability. The main aim of this study is thus to closely examine exercise's effect on fatigue of patients with MS worldwide, with particular interest on Iran based on a comprehensive systematic review and meta-analysis. Methods: The studies used in this systematic review were selected from the articles published from 1996 to 2019, in national and international databases including SID, Magiran, Iranmedex, Irandoc, Google Scholar, Cochrane, Embase, ScienceDirect, Scopus, PubMed and Web of Science (ISI). These databases were thoroughly searched, and the relevant ones were selected based on some plausible keywords to the aim of this study. Heterogeneity index between studies was determined using Cochran's test and I2. Due to heterogeneity in studies, the random effects model was used to estimate standardized mean difference. Results: From the systematic review, a meta-analysis was performed on 31 articles which were fulfilled the inclusion criteria. The sample including of 714 subjects was selected from the intervention group, and almost the same sample size of 720 individuals were selected in the control group. Based on the results derived from this meta-analysis, the standardized mean difference between the intervention group before and after the intervention was respectively estimated to be 23.8 ± 6.2 and 16.9 ± 3.2, which indicates that the physical exercise reduces fatigue in patients with MS. Conclusion: The results of this study extracted from a detailed meta-analysis reveal and confirm that physical exercise significantly reduces fatigue in patients with MS. As a results, a regular exercise program is strongly recommended to be part of a rehabilitation program for these patients.",https://pureportal.coventry.ac.uk/en/publications/the-impact-of-physical-exercise-on-the-fatigue-symptoms-in-patien,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None, None]","['impact', 'physic', 'exercis', 'fatigu', 'symptom', 'patient', 'multipl', 'sclerosi', 'systemat', 'review', 'meta', 'analysi', 'nazanin', 'razazian', 'mohsen', 'kazeminia', 'hossein', 'moayedi', 'alireza', 'daneshkhah', 'shamarina', 'shohaimi', 'masoud', 'mohammadi', 'rostam', 'jalali', 'nader', 'salari', 'background', 'despit', 'mani', 'benefit', 'physic', 'activ', 'physic', 'mental', 'health', 'patient', 'multipl', 'sclerosi', 'ms', 'activ', 'level', 'patient', 'still', 'limit', 'continu', 'suffer', 'impair', 'function', 'abil', 'main', 'aim', 'studi', 'thu', 'close', 'examin', 'exercis', 'effect', 'fatigu', 'patient', 'ms', 'worldwid', 'particular', 'interest', 'iran', 'base', 'comprehens', 'systemat', 'review', 'meta', 'analysi', 'method', 'studi', 'use', 'systemat', 'review', 'select', 'articl', 'publish', '1996', '2019', 'nation', 'intern', 'databas', 'includ', 'sid', 'magiran', 'iranmedex', 'irandoc', 'googl', 'scholar', 'cochran', 'embas', 'sciencedirect', 'scopu', 'pubm', 'web', 'scienc', 'isi', 'databas', 'thoroughli', 'search', 'relev', 'one', 'select', 'base', 'plausibl', 'keyword', 'aim', 'studi', 'heterogen', 'index', 'studi', 'determin', 'use', 'cochran', 'test', 'i2', 'due', 'heterogen', 'studi', 'random', 'effect', 'model', 'use', 'estim', 'standard', 'mean', 'differ', 'result', 'systemat', 'review', 'meta', 'analysi', 'perform', '31', 'articl', 'fulfil', 'inclus', 'criteria', 'sampl', 'includ', '714', 'subject', 'select', 'intervent', 'group', 'almost', 'sampl', 'size', '720', 'individu', 'select', 'control', 'group', 'base', 'result', 'deriv', 'meta', 'analysi', 'standard', 'mean', 'differ', 'intervent', 'group', 'intervent', 'respect', 'estim', '23', '8', '6', '2', '16', '9', '3', '2', 'indic', 'physic', 'exercis', 'reduc', 'fatigu', 'patient', 'ms', 'conclus', 'result', 'studi', 'extract', 'detail', 'meta', 'analysi', 'reveal', 'confirm', 'physic', 'exercis', 'significantli', 'reduc', 'fatigu', 'patient', 'ms', 'result', 'regular', 'exercis', 'program', 'strongli', 'recommend', 'part', 'rehabilit', 'program', 'patient', 'fatigu', 'multipl', 'sclerosi', 'physic', 'exercis']" +198,"The influence of acclimatization, age and gender-related differences on thermal perception in university buildings: case studies in Scotland and England","Mina Jowkar, Hom Bahadur Rijal, James Brusey, Azadeh Montazami, Alenka Temeljotov-Salaj",15-Jul-20,"['Thermal comfort', 'Higher learning environments', 'Thermal acceptability', 'Comfort temperature', 'Thermal satisfaction']","The higher education sector in the UK is responsible for large amount of the country's energy consumption. Space heating, which is the largest and most expensive part of the energy used in the UK educational buildings is a potential target for improving energy efficiency. However, the role of thermal comfort in students' productivity in academic environments cannot be overlooked. Considering the prevalence of two different climatic conditions in Northern and Southern/Midland regions of the UK, this study investigated thermal comfort in two university campuses in Scotland and England. environmental measurements combined with a simultaneous questionnaire survey were conducted in eight university buildings in Edinburgh and Coventry. The field study was carried out during the academic year of 2017-18 on 3507 students. The results confirmed influence of students' acclimatization, showing a warmer than neutral mean Thermal Sensation Vote (TSV) and cooler thermal preference in Edinburgh than Coventry. The higher acceptable temperature in Coventry (23.5 °C) than Edinburgh (22.1 °C) reinforced the results on the influence of climatic adaptation. Thermal acceptability was examined in a direct (analysing the actual votes on thermal acceptability) and an indirect approach (considering the TSV between −1 and 1 as acceptable). The indirect approach was shown to be a better predictor of the thermal acceptability as this method extends beyond the acceptable range suggested by the direct method. Thermal perceptions of females were shown to be colder than males in university classrooms. However, no statistically significant difference was observed in the thermal comfort of different age groups.",https://pureportal.coventry.ac.uk/en/publications/the-influence-of-acclimatization-age-and-gender-related-differenc,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', 'https://pureportal.coventry.ac.uk/en/persons/azadeh-montazami', None]","['influenc', 'acclimat', 'age', 'gender', 'relat', 'differ', 'thermal', 'percept', 'univers', 'build', 'case', 'studi', 'scotland', 'england', 'mina', 'jowkar', 'hom', 'bahadur', 'rijal', 'jame', 'brusey', 'azadeh', 'montazami', 'alenka', 'temeljotov', 'salaj', 'higher', 'educ', 'sector', 'uk', 'respons', 'larg', 'amount', 'countri', 'energi', 'consumpt', 'space', 'heat', 'largest', 'expens', 'part', 'energi', 'use', 'uk', 'educ', 'build', 'potenti', 'target', 'improv', 'energi', 'effici', 'howev', 'role', 'thermal', 'comfort', 'student', 'product', 'academ', 'environ', 'overlook', 'consid', 'preval', 'two', 'differ', 'climat', 'condit', 'northern', 'southern', 'midland', 'region', 'uk', 'studi', 'investig', 'thermal', 'comfort', 'two', 'univers', 'campus', 'scotland', 'england', 'environment', 'measur', 'combin', 'simultan', 'questionnair', 'survey', 'conduct', 'eight', 'univers', 'build', 'edinburgh', 'coventri', 'field', 'studi', 'carri', 'academ', 'year', '2017', '18', '3507', 'student', 'result', 'confirm', 'influenc', 'student', 'acclimat', 'show', 'warmer', 'neutral', 'mean', 'thermal', 'sensat', 'vote', 'tsv', 'cooler', 'thermal', 'prefer', 'edinburgh', 'coventri', 'higher', 'accept', 'temperatur', 'coventri', '23', '5', 'c', 'edinburgh', '22', '1', 'c', 'reinforc', 'result', 'influenc', 'climat', 'adapt', 'thermal', 'accept', 'examin', 'direct', 'analys', 'actual', 'vote', 'thermal', 'accept', 'indirect', 'approach', 'consid', 'tsv', '1', '1', 'accept', 'indirect', 'approach', 'shown', 'better', 'predictor', 'thermal', 'accept', 'method', 'extend', 'beyond', 'accept', 'rang', 'suggest', 'direct', 'method', 'thermal', 'percept', 'femal', 'shown', 'colder', 'male', 'univers', 'classroom', 'howev', 'statist', 'signific', 'differ', 'observ', 'thermal', 'comfort', 'differ', 'age', 'group', 'thermal', 'comfort', 'higher', 'learn', 'environ', 'thermal', 'accept', 'comfort', 'temperatur', 'thermal', 'satisfact']" +199,The prevalence of Restless Legs Syndrome/Willis-ekbom disease (RLS/WED) in the third trimester of pregnancy: a systematic review,"Niloofar Darvishi, Alireza Daneshkhah, Behnam Khaledi-Paveh, Aliakbar Vaisi-Raygani, Masoud Mohammadi, Nader Salari, Fateme Darvishi, Alireza Abdi, Rostam Jalali",13-Apr-20,"['Pregnancy', 'Prevalence', 'Restless legs syndrome', 'Systematic review']","BACKGROUND: RLS is known as one of the most common movement disorders during pregnancy, which is most aggravated in the third trimester of pregnancy and can affect up to one-third of pregnant women. This study intends to determine the total prevalence of RLS in the third trimester of pregnancy through a systematic review.METHODS: The present study was conducted via meta-analysis method up to 2019. The papers related to the subject of interest were obtained through searching in SID, MagIran, IranDoc, Scopus, Embase, Web of Science (ISI), PubMed, Science Direct, and Google Scholar databases. Heterogeneity of the studies was examined via I2 index, and the data were analyzed in Comprehensive meta-analysis software.RESULTS: In investigating 10 papers capturing 2431 subjects within the age range of 25-39 years, the total prevalence of RLS in the third trimester of pregnancy based on meta-analysis was obtained as 22.9% (95% CI: 14.7-33.8%). Further, as the sample size increased, the RLS prevalence diminished, while with increase in years, this prevalence increased, where this difference was statistically significant (P < 0.05).CONCLUSION: Prevalence of RLS in the third trimester of pregnancy is high, healthcare policymakers should organize educational classes to improve the life dimensions among this group of pregnant women.",https://pureportal.coventry.ac.uk/en/publications/the-prevalence-of-restless-legs-syndromewillis-ekbom-disease-rlsw,"[None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None, None, None, None, None, None]","['preval', 'restless', 'leg', 'syndrom', 'willi', 'ekbom', 'diseas', 'rl', 'wed', 'third', 'trimest', 'pregnanc', 'systemat', 'review', 'niloofar', 'darvishi', 'alireza', 'daneshkhah', 'behnam', 'khaledi', 'paveh', 'aliakbar', 'vaisi', 'raygani', 'masoud', 'mohammadi', 'nader', 'salari', 'fatem', 'darvishi', 'alireza', 'abdi', 'rostam', 'jalali', 'background', 'rl', 'known', 'one', 'common', 'movement', 'disord', 'pregnanc', 'aggrav', 'third', 'trimest', 'pregnanc', 'affect', 'one', 'third', 'pregnant', 'women', 'studi', 'intend', 'determin', 'total', 'preval', 'rl', 'third', 'trimest', 'pregnanc', 'systemat', 'review', 'method', 'present', 'studi', 'conduct', 'via', 'meta', 'analysi', 'method', '2019', 'paper', 'relat', 'subject', 'interest', 'obtain', 'search', 'sid', 'magiran', 'irandoc', 'scopu', 'embas', 'web', 'scienc', 'isi', 'pubm', 'scienc', 'direct', 'googl', 'scholar', 'databas', 'heterogen', 'studi', 'examin', 'via', 'i2', 'index', 'data', 'analyz', 'comprehens', 'meta', 'analysi', 'softwar', 'result', 'investig', '10', 'paper', 'captur', '2431', 'subject', 'within', 'age', 'rang', '25', '39', 'year', 'total', 'preval', 'rl', 'third', 'trimest', 'pregnanc', 'base', 'meta', 'analysi', 'obtain', '22', '9', '95', 'ci', '14', '7', '33', '8', 'sampl', 'size', 'increas', 'rl', 'preval', 'diminish', 'increas', 'year', 'preval', 'increas', 'differ', 'statist', 'signific', 'p', '0', '05', 'conclus', 'preval', 'rl', 'third', 'trimest', 'pregnanc', 'high', 'healthcar', 'policymak', 'organ', 'educ', 'class', 'improv', 'life', 'dimens', 'among', 'group', 'pregnant', 'women', 'pregnanc', 'preval', 'restless', 'leg', 'syndrom', 'systemat', 'review']" +200,The prevalence of severe depression in Iranian older adult: a meta-analysis and meta-regression,"Nader Salari, Masoud Mohammadi, Aliakbar Vaisi-Raygani, Alireza Abdi, Shamarina Shohaimi, Behnam Khaledipaveh, Alireza Daneshkhah, Rostam Jalali",03-Feb-20,"['Iranian older adult', 'Meta-analysis', 'Prevalence', 'Severe depression']","Background: Depression is one of the most common psychiatric disorders in the older adult and one of the most common risk factors for suicide in the older adult. Studies show different and inconsistent prevalence rates in Iran. This study aims to determine the prevalence of severe depression in Iranian older adult through a meta-analysis approach. Methods: The present meta-analysis was conducted between January 2000-August 2019. Articles related to the subject matter were obtained by searching Scopus, Sciencedirect, SID, magiran, Barakat Knowledge Network System, Medline (PubMed), and Google Scholar databases. The heterogeneity of the studies was evaluated using I + 2 index and the data were analyzed in Comprehensive Meta-Analysis software. Results: In a study of 3948 individuals aged 50-90 years, the overall prevalence of severe depression in Iranian older adult was 8.2% (95% CI, 4.14-6.3%) based on meta-analysis. Also, in order to investigate the effects of potential factors (sample size and year of study) on the heterogeneity of severe depression in Iranian older adult, meta-regression was used. It was reported that the prevalence of severe depression in Iranian older adult decreased with increasing sample size and increasing years of the study, which is significantly different (P < 0.05). Conclusion: Considering the high prevalence of severe depression in Iranian older adult, it is necessary for health policy makers to take effective control measures and periodic care for the older adult. + ",https://pureportal.coventry.ac.uk/en/publications/the-prevalence-of-severe-depression-in-iranian-older-adult-a-meta,"[None, None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None]","['preval', 'sever', 'depress', 'iranian', 'older', 'adult', 'meta', 'analysi', 'meta', 'regress', 'nader', 'salari', 'masoud', 'mohammadi', 'aliakbar', 'vaisi', 'raygani', 'alireza', 'abdi', 'shamarina', 'shohaimi', 'behnam', 'khaledipaveh', 'alireza', 'daneshkhah', 'rostam', 'jalali', 'background', 'depress', 'one', 'common', 'psychiatr', 'disord', 'older', 'adult', 'one', 'common', 'risk', 'factor', 'suicid', 'older', 'adult', 'studi', 'show', 'differ', 'inconsist', 'preval', 'rate', 'iran', 'studi', 'aim', 'determin', 'preval', 'sever', 'depress', 'iranian', 'older', 'adult', 'meta', 'analysi', 'approach', 'method', 'present', 'meta', 'analysi', 'conduct', 'januari', '2000', 'august', '2019', 'articl', 'relat', 'subject', 'matter', 'obtain', 'search', 'scopu', 'sciencedirect', 'sid', 'magiran', 'barakat', 'knowledg', 'network', 'system', 'medlin', 'pubm', 'googl', 'scholar', 'databas', 'heterogen', 'studi', 'evalu', 'use', '2', 'index', 'data', 'analyz', 'comprehens', 'meta', 'analysi', 'softwar', 'result', 'studi', '3948', 'individu', 'age', '50', '90', 'year', 'overal', 'preval', 'sever', 'depress', 'iranian', 'older', 'adult', '8', '2', '95', 'ci', '4', '14', '6', '3', 'base', 'meta', 'analysi', 'also', 'order', 'investig', 'effect', 'potenti', 'factor', 'sampl', 'size', 'year', 'studi', 'heterogen', 'sever', 'depress', 'iranian', 'older', 'adult', 'meta', 'regress', 'use', 'report', 'preval', 'sever', 'depress', 'iranian', 'older', 'adult', 'decreas', 'increas', 'sampl', 'size', 'increas', 'year', 'studi', 'significantli', 'differ', 'p', '0', '05', 'conclus', 'consid', 'high', 'preval', 'sever', 'depress', 'iranian', 'older', 'adult', 'necessari', 'health', 'polici', 'maker', 'take', 'effect', 'control', 'measur', 'period', 'care', 'older', 'adult', 'iranian', 'older', 'adult', 'meta', 'analysi', 'preval', 'sever', 'depress']" +201,The prevalence of sleep disturbances among physicians and nurses facing the COVID-19 patients: a systematic review and meta-analysis,"Nader Salari, Habibolah Khazaie, Amin Hosseinian-Far, Hooman Ghasemi, Masoud Mohammadi, Shamarina Shohaimi, Alireza Daneshkhah, Behnam Khaledi-Paveh, Melika Hosseinian-Far",29-Sep-20,"['Sleep disturbances', 'COVID-19', 'Coronavirus', 'Physicians', 'Healthcare workers', 'Nurses']","Background: In all epidemics, healthcare staff are at the centre of risks and damages caused by pathogens. Today, nurses and physicians are faced with unprecedented work pressures in the face of the COVID-19 pandemic, resulting in several psychological disorders such as stress, anxiety and sleep disturbances. The aim of this study is to investigate the prevalence of sleep disturbances in hospital nurses and physicians facing the COVID-19 patients. Method: A systematic review and metanalysis was conducted in accordance with the PRISMA criteria. The PubMed, Scopus, Science direct, Web of science, CINHAL, Medline, and Google Scholar databases were searched with no lower time-limt and until 24 June 2020. The heterogeneity of the studies was measured using I2 test and the publication bias was assessed by the Egger's test at the significance level of 0.05. Results: The I2 test was used to evaluate the heterogeneity of the selected studies, based on the results of I2 test, the prevalence of sleep disturbances in nurses and physicians is I2: 97.4% and I2: 97.3% respectively. After following the systematic review processes, 7 cross-sectional studies were selected for meta-analysis. Six studies with the sample size of 3745 nurses were examined in and the prevalence of sleep disturbances was approximated to be 34.8% (95% CI: 24.8-46.4%). The prevalence of sleep disturbances in physicians was also measured in 5 studies with the sample size of 2123 physicians. According to the results, the prevalence of sleep disturbances in physicians caring for the COVID-19 patients was reported to be 41.6% (95% CI: 27.7-57%). Conclusion: Healthcare workers, as the front line of the fight against COVID-19, are more vulnerable to the harmful effects of this disease than other groups in society. Increasing workplace stress increases sleep disturbances in the medical staff, especially nurses and physicians. In other words, increased stress due to the exposure to COVID-19 increases the prevalence of sleep disturbances in nurses and physicians. Therefore, it is important for health policymakers to provide solutions and interventions to reduce the workplace stress and pressures on medical staff.",https://pureportal.coventry.ac.uk/en/publications/the-prevalence-of-sleep-disturbances-among-physicians-and-nurses-,"[None, None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None, None]","['preval', 'sleep', 'disturb', 'among', 'physician', 'nurs', 'face', 'covid', '19', 'patient', 'systemat', 'review', 'meta', 'analysi', 'nader', 'salari', 'habibolah', 'khazai', 'amin', 'hosseinian', 'far', 'hooman', 'ghasemi', 'masoud', 'mohammadi', 'shamarina', 'shohaimi', 'alireza', 'daneshkhah', 'behnam', 'khaledi', 'paveh', 'melika', 'hosseinian', 'far', 'background', 'epidem', 'healthcar', 'staff', 'centr', 'risk', 'damag', 'caus', 'pathogen', 'today', 'nurs', 'physician', 'face', 'unpreced', 'work', 'pressur', 'face', 'covid', '19', 'pandem', 'result', 'sever', 'psycholog', 'disord', 'stress', 'anxieti', 'sleep', 'disturb', 'aim', 'studi', 'investig', 'preval', 'sleep', 'disturb', 'hospit', 'nurs', 'physician', 'face', 'covid', '19', 'patient', 'method', 'systemat', 'review', 'metanalysi', 'conduct', 'accord', 'prisma', 'criteria', 'pubm', 'scopu', 'scienc', 'direct', 'web', 'scienc', 'cinhal', 'medlin', 'googl', 'scholar', 'databas', 'search', 'lower', 'time', 'limt', '24', 'june', '2020', 'heterogen', 'studi', 'measur', 'use', 'i2', 'test', 'public', 'bia', 'assess', 'egger', 'test', 'signific', 'level', '0', '05', 'result', 'i2', 'test', 'use', 'evalu', 'heterogen', 'select', 'studi', 'base', 'result', 'i2', 'test', 'preval', 'sleep', 'disturb', 'nurs', 'physician', 'i2', '97', '4', 'i2', '97', '3', 'respect', 'follow', 'systemat', 'review', 'process', '7', 'cross', 'section', 'studi', 'select', 'meta', 'analysi', 'six', 'studi', 'sampl', 'size', '3745', 'nurs', 'examin', 'preval', 'sleep', 'disturb', 'approxim', '34', '8', '95', 'ci', '24', '8', '46', '4', 'preval', 'sleep', 'disturb', 'physician', 'also', 'measur', '5', 'studi', 'sampl', 'size', '2123', 'physician', 'accord', 'result', 'preval', 'sleep', 'disturb', 'physician', 'care', 'covid', '19', 'patient', 'report', '41', '6', '95', 'ci', '27', '7', '57', 'conclus', 'healthcar', 'worker', 'front', 'line', 'fight', 'covid', '19', 'vulner', 'harm', 'effect', 'diseas', 'group', 'societi', 'increas', 'workplac', 'stress', 'increas', 'sleep', 'disturb', 'medic', 'staff', 'especi', 'nurs', 'physician', 'word', 'increas', 'stress', 'due', 'exposur', 'covid', '19', 'increas', 'preval', 'sleep', 'disturb', 'nurs', 'physician', 'therefor', 'import', 'health', 'policymak', 'provid', 'solut', 'intervent', 'reduc', 'workplac', 'stress', 'pressur', 'medic', 'staff', 'sleep', 'disturb', 'covid', '19', 'coronaviru', 'physician', 'healthcar', 'worker', 'nurs']" +202,"The prevalence of stress, anxiety and depression within front-line healthcare workers caring for COVID-19 patients: a systematic review and meta-regression","Nader Salari, Habibolah Khazaie, Amin Hosseinian-Far, Behnam Khaledi-Paveh, Mohsen Kazeminia, Masoud Mohammadi, Shamarina Shohaimi, Alireza Daneshkhah, Soudabeh Eskandari",17-Dec-20,"['COVID-19', 'Depression', 'Anxiety', 'Healthcare workers', 'Stress']","Background Stress, anxiety, and depression are some of the most important research and practice challenges for psychologists, psychiatrists, and behavioral scientists. Due to the importance of issue and the lack of general statistics on these disorders among the Hospital staff treating the COVID-19 patients, this study aims to systematically review and determine the prevalence of stress, anxiety and depression within front-line healthcare workers caring for COVID-19 patients.Methods In this research work, the systematic review, meta-analysis and meta-regression approaches are used to approximate the prevalence of stress, anxiety and depression within front-line healthcare workers caring for COVID-19 patients. The keywords of prevalence, anxiety, stress, depression, psychopathy, mental illness, mental disorder, doctor, physician, nurse, hospital staff, 2019-nCoV, COVID-19, SARS-CoV-2 and Coronaviruses were used for searching the SID, MagIran, IranMedex, IranDoc, ScienceDirect, Embase, Scopus, PubMed, Web of Science (ISI) and Google Scholar databases. The search process was conducted in December 2019 to June 2020. In order to amalgamate and analyze the reported results within the collected studies, the random effects model is used. The heterogeneity of the studies is assessed using the I2 index. Lastly, the data analysis is performed within the Comprehensive Meta-Analysis software.Results Of the 29 studies with a total sample size of 22,380, 21 papers have reported the prevalence of depression, 23 have reported the prevalence of anxiety, and 9 studies have reported the prevalence of stress. The prevalence of depression is 24.3% (18% CI 18.2–31.6%), the prevalence of anxiety is 25.8% (95% CI 20.5–31.9%), and the prevalence of stress is 45% (95% CI 24.3–67.5%) among the hospitals’ Hospital staff caring for the COVID-19 patients. According to the results of meta-regression analysis, with increasing the sample size, the prevalence of depression and anxiety decreased, and this was statistically significant (P < 0.05), however, the prevalence of stress increased with increasing the sample size, yet this was not statistically significant (P = 0.829).Conclusion The results of this study clearly demonstrate that the prevalence of stress, anxiety and depression within front-line healthcare workers caring for COVID-19 patients is high. Therefore, the health policy-makers should take measures to control and prevent mental disorders in the Hospital staff.",https://pureportal.coventry.ac.uk/en/publications/the-prevalence-of-stress-anxiety-and-depression-within-front-line,"[None, None, None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah', None]","['preval', 'stress', 'anxieti', 'depress', 'within', 'front', 'line', 'healthcar', 'worker', 'care', 'covid', '19', 'patient', 'systemat', 'review', 'meta', 'regress', 'nader', 'salari', 'habibolah', 'khazai', 'amin', 'hosseinian', 'far', 'behnam', 'khaledi', 'paveh', 'mohsen', 'kazeminia', 'masoud', 'mohammadi', 'shamarina', 'shohaimi', 'alireza', 'daneshkhah', 'soudabeh', 'eskandari', 'background', 'stress', 'anxieti', 'depress', 'import', 'research', 'practic', 'challeng', 'psychologist', 'psychiatrist', 'behavior', 'scientist', 'due', 'import', 'issu', 'lack', 'gener', 'statist', 'disord', 'among', 'hospit', 'staff', 'treat', 'covid', '19', 'patient', 'studi', 'aim', 'systemat', 'review', 'determin', 'preval', 'stress', 'anxieti', 'depress', 'within', 'front', 'line', 'healthcar', 'worker', 'care', 'covid', '19', 'patient', 'method', 'research', 'work', 'systemat', 'review', 'meta', 'analysi', 'meta', 'regress', 'approach', 'use', 'approxim', 'preval', 'stress', 'anxieti', 'depress', 'within', 'front', 'line', 'healthcar', 'worker', 'care', 'covid', '19', 'patient', 'keyword', 'preval', 'anxieti', 'stress', 'depress', 'psychopathi', 'mental', 'ill', 'mental', 'disord', 'doctor', 'physician', 'nurs', 'hospit', 'staff', '2019', 'ncov', 'covid', '19', 'sar', 'cov', '2', 'coronavirus', 'use', 'search', 'sid', 'magiran', 'iranmedex', 'irandoc', 'sciencedirect', 'embas', 'scopu', 'pubm', 'web', 'scienc', 'isi', 'googl', 'scholar', 'databas', 'search', 'process', 'conduct', 'decemb', '2019', 'june', '2020', 'order', 'amalgam', 'analyz', 'report', 'result', 'within', 'collect', 'studi', 'random', 'effect', 'model', 'use', 'heterogen', 'studi', 'assess', 'use', 'i2', 'index', 'lastli', 'data', 'analysi', 'perform', 'within', 'comprehens', 'meta', 'analysi', 'softwar', 'result', '29', 'studi', 'total', 'sampl', 'size', '22', '380', '21', 'paper', 'report', 'preval', 'depress', '23', 'report', 'preval', 'anxieti', '9', 'studi', 'report', 'preval', 'stress', 'preval', 'depress', '24', '3', '18', 'ci', '18', '2', '31', '6', 'preval', 'anxieti', '25', '8', '95', 'ci', '20', '5', '31', '9', 'preval', 'stress', '45', '95', 'ci', '24', '3', '67', '5', 'among', 'hospit', 'hospit', 'staff', 'care', 'covid', '19', 'patient', 'accord', 'result', 'meta', 'regress', 'analysi', 'increas', 'sampl', 'size', 'preval', 'depress', 'anxieti', 'decreas', 'statist', 'signific', 'p', '0', '05', 'howev', 'preval', 'stress', 'increas', 'increas', 'sampl', 'size', 'yet', 'statist', 'signific', 'p', '0', '829', 'conclus', 'result', 'studi', 'clearli', 'demonstr', 'preval', 'stress', 'anxieti', 'depress', 'within', 'front', 'line', 'healthcar', 'worker', 'care', 'covid', '19', 'patient', 'high', 'therefor', 'health', 'polici', 'maker', 'take', 'measur', 'control', 'prevent', 'mental', 'disord', 'hospit', 'staff', 'covid', '19', 'depress', 'anxieti', 'healthcar', 'worker', 'stress']" +203,Time to Scale Up Preexposure Prophylaxis Beyond the Highest-Risk Populations? Modeling Insights From High-Risk Women in Sub-Saharan Africa,"Hannah Grant, Gabriela B. Gomez, Katharine Kripke, Ruanne V. Barnabas, Charlotte Watts, Graham F. Medley, Zindoga Mukandavire",01-Nov-20,"['HIV', 'pre-exposure prophylaxis', 'female sex workers', 'adolescent girls and young women', 'scale-up', 'women', 'impact', 'cost-effectiveness', 'sub-Saharan Africa']","OBJECTIVES: New HIV infections remain higher in women than men in sub-Saharan Africa. Preexposure prophylaxis (PrEP) is an effective HIV prevention measure, currently prioritized for those at highest risk, such as female sex workers (FSWs), for whom it is most cost-effective. However, the greatest number of HIV infections in sub-Saharan Africa occurs in women in the general population. As countries consider wider PrEP scale-up, there is a need to weigh the population-level impact, cost, and relative cost-effectiveness to inform priority setting. METHODS: We developed mathematical models of HIV risk to women and derived tools to highlight key considerations for PrEP programming. The models were fitted to South Africa, Zimbabwe, and Kenya, spanning a range of HIV burden in sub-Saharan Africa. The impact, cost, and cost-effectiveness of PrEP scale-up for adolescent girls and young women (AGYW), women 25 to 34 years old, and women 35 to 49 years old were assessed, accounting for differences in population sizes and the low program retention levels reported in demonstration projects. RESULTS: Preexposure prophylaxis could avert substantially more infections a year among women in general population than among FSW. The greatest number of infections could be averted annually among AGYW in South Africa (24-fold that for FSW). In Zimbabwe, the greatest number of infections could be averted among women 25 to 34 years old (8-fold that for FSW); and in Kenya, similarly between AGYW and women 25 to 34 years old (3-fold that for FSW). However, the unit costs of PrEP delivery for AGYW, women 25 to 34 years old, and women 35 to 49 years old would have to reduce considerably (by 70.8%-91.0% across scenarios) for scale-up to these populations to be as cost-effective as for FSW. CONCLUSIONS: Preexposure prophylaxis has the potential to substantially reduce new HIV infections in HIV-endemic countries in sub-Saharan Africa. This will necessitate PrEP being made widely available beyond those at highest individual risk and continued integration into a range of national services and at community level to significantly bring down the costs and improve cost-effectiveness.",https://pureportal.coventry.ac.uk/en/publications/time-to-scale-up-preexposure-prophylaxis-beyond-the-highest-risk-,"[None, None, None, None, None, None, None]","['time', 'scale', 'preexposur', 'prophylaxi', 'beyond', 'highest', 'risk', 'popul', 'model', 'insight', 'high', 'risk', 'women', 'sub', 'saharan', 'africa', 'hannah', 'grant', 'gabriela', 'b', 'gomez', 'katharin', 'kripk', 'ruann', 'v', 'barnaba', 'charlott', 'watt', 'graham', 'f', 'medley', 'zindoga', 'mukandavir', 'object', 'new', 'hiv', 'infect', 'remain', 'higher', 'women', 'men', 'sub', 'saharan', 'africa', 'preexposur', 'prophylaxi', 'prep', 'effect', 'hiv', 'prevent', 'measur', 'current', 'priorit', 'highest', 'risk', 'femal', 'sex', 'worker', 'fsw', 'cost', 'effect', 'howev', 'greatest', 'number', 'hiv', 'infect', 'sub', 'saharan', 'africa', 'occur', 'women', 'gener', 'popul', 'countri', 'consid', 'wider', 'prep', 'scale', 'need', 'weigh', 'popul', 'level', 'impact', 'cost', 'rel', 'cost', 'effect', 'inform', 'prioriti', 'set', 'method', 'develop', 'mathemat', 'model', 'hiv', 'risk', 'women', 'deriv', 'tool', 'highlight', 'key', 'consider', 'prep', 'program', 'model', 'fit', 'south', 'africa', 'zimbabw', 'kenya', 'span', 'rang', 'hiv', 'burden', 'sub', 'saharan', 'africa', 'impact', 'cost', 'cost', 'effect', 'prep', 'scale', 'adolesc', 'girl', 'young', 'women', 'agyw', 'women', '25', '34', 'year', 'old', 'women', '35', '49', 'year', 'old', 'assess', 'account', 'differ', 'popul', 'size', 'low', 'program', 'retent', 'level', 'report', 'demonstr', 'project', 'result', 'preexposur', 'prophylaxi', 'could', 'avert', 'substanti', 'infect', 'year', 'among', 'women', 'gener', 'popul', 'among', 'fsw', 'greatest', 'number', 'infect', 'could', 'avert', 'annual', 'among', 'agyw', 'south', 'africa', '24', 'fold', 'fsw', 'zimbabw', 'greatest', 'number', 'infect', 'could', 'avert', 'among', 'women', '25', '34', 'year', 'old', '8', 'fold', 'fsw', 'kenya', 'similarli', 'agyw', 'women', '25', '34', 'year', 'old', '3', 'fold', 'fsw', 'howev', 'unit', 'cost', 'prep', 'deliveri', 'agyw', 'women', '25', '34', 'year', 'old', 'women', '35', '49', 'year', 'old', 'would', 'reduc', 'consider', '70', '8', '91', '0', 'across', 'scenario', 'scale', 'popul', 'cost', 'effect', 'fsw', 'conclus', 'preexposur', 'prophylaxi', 'potenti', 'substanti', 'reduc', 'new', 'hiv', 'infect', 'hiv', 'endem', 'countri', 'sub', 'saharan', 'africa', 'necessit', 'prep', 'made', 'wide', 'avail', 'beyond', 'highest', 'individu', 'risk', 'continu', 'integr', 'rang', 'nation', 'servic', 'commun', 'level', 'significantli', 'bring', 'cost', 'improv', 'cost', 'effect', 'hiv', 'pre', 'exposur', 'prophylaxi', 'femal', 'sex', 'worker', 'adolesc', 'girl', 'young', 'women', 'scale', 'women', 'impact', 'cost', 'effect', 'sub', 'saharan', 'africa']" +204,"Understanding Household Fuel Choice Behaviour in the Amazonas State, Brazil: Effects of Validation and Feature Selection","Kojo Sarfo Gyamfi, Elena Gaura, James Brusey, Alessandro Bezerra Trindade, Nandor Verba",28-Jul-20,"['rural electrification', 'fuel stacking', 'fuel choice', 'multinomial logistic regression model', 'Rural electrification', 'Fuel choice', 'Fuel stacking', 'Multinomial logistic regression model']","Since 2003, Brazil has striven to provide energy access to all, in rural areas, in an effort to economically empower the communities. Unpacking fuel stacking behaviour can shed light onto the speed of transition toward the exclusive use of advanced fuel types. This paper presents findings from surveys that were carried out with 14 non-electrified communities in a rural area of Rio Negro, Amazonas State, Brazil. We identify the fuel choice determinants in these communities using a multinomial logistic regression model and more generally discuss the validity and robustness of such models in the context of statistical validation and evaluation metrics. Specifically for the Amazonas communities considered in this study, the research showed that the fuel choice determinants are the age of household, the number of people at meals each day, the number of meals daily, the community, education of the household head, and the income level of the household. Moreover, given the Brazilian policies related to energy and sustainability, this region is not likely to reach the Sustainable Development Goals proposed by United Nations for 2030.",https://pureportal.coventry.ac.uk/en/publications/understanding-household-fuel-choice-behaviour-in-the-amazonas-sta,"[None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura', 'https://pureportal.coventry.ac.uk/en/persons/james-brusey', None, None]","['understand', 'household', 'fuel', 'choic', 'behaviour', 'amazona', 'state', 'brazil', 'effect', 'valid', 'featur', 'select', 'kojo', 'sarfo', 'gyamfi', 'elena', 'gaura', 'jame', 'brusey', 'alessandro', 'bezerra', 'trindad', 'nandor', 'verba', 'sinc', '2003', 'brazil', 'striven', 'provid', 'energi', 'access', 'rural', 'area', 'effort', 'econom', 'empow', 'commun', 'unpack', 'fuel', 'stack', 'behaviour', 'shed', 'light', 'onto', 'speed', 'transit', 'toward', 'exclus', 'use', 'advanc', 'fuel', 'type', 'paper', 'present', 'find', 'survey', 'carri', '14', 'non', 'electrifi', 'commun', 'rural', 'area', 'rio', 'negro', 'amazona', 'state', 'brazil', 'identifi', 'fuel', 'choic', 'determin', 'commun', 'use', 'multinomi', 'logist', 'regress', 'model', 'gener', 'discuss', 'valid', 'robust', 'model', 'context', 'statist', 'valid', 'evalu', 'metric', 'specif', 'amazona', 'commun', 'consid', 'studi', 'research', 'show', 'fuel', 'choic', 'determin', 'age', 'household', 'number', 'peopl', 'meal', 'day', 'number', 'meal', 'daili', 'commun', 'educ', 'household', 'head', 'incom', 'level', 'household', 'moreov', 'given', 'brazilian', 'polici', 'relat', 'energi', 'sustain', 'region', 'like', 'reach', 'sustain', 'develop', 'goal', 'propos', 'unit', 'nation', '2030', 'rural', 'electrif', 'fuel', 'stack', 'fuel', 'choic', 'multinomi', 'logist', 'regress', 'model', 'rural', 'electrif', 'fuel', 'choic', 'fuel', 'stack', 'multinomi', 'logist', 'regress', 'model']" +205,Vehicular localisation at high and low estimation rates during gnss outages: A deep learning approach,"Uche Onyekpe, Stratis Kanarachos, Vasile Palade, Stavros Richard G. Christopoulos",25-Sep-20,"['Autonomous vehicle navigation', 'Deep learning', 'GPS outage', 'High sampling rate', 'Inertial navigation', 'INS', 'INS/GPS-integrated navigation', 'Neural networks']","Road localisation of autonomous vehicles is reliant on consistent accurate GNSS (Global Navigation Satellite System) positioning information. Commercial GNSS receivers usually sample at 1 Hz, which is not sufficient to robustly and accurately track a vehicle in certain scenarios, such as driving on the highway, where the vehicle could travel at medium to high speeds, or in safety-critical scenarios. In addition, the GNSS relies on a number of satellites to perform triangulation and may experience signal loss around tall buildings, bridges, tunnels and trees. An approach to overcoming this problem involves integrating the GNSS with a vehicle-mounted Inertial Navigation Sensor (INS) system to provide a continuous and more reliable high rate positioning solution. INSs are however plagued by unbounded exponential error drifts during the double integration of the acceleration to displacement. Several deep learning algorithms have been employed to learn the error drift for a better positioning prediction. We therefore investigate in this chapter the performance of Long Short-Term Memory (LSTM), Input Delay Neural Network (IDNN), Multi-Layer Neural Network (MLNN) and Kalman Filter (KF) for high data rate positioning. We show that Deep Neural Network-based solutions can exhibit better performances for high data rate positioning of vehicles in comparison to commonly used approaches like the Kalman filter.",https://pureportal.coventry.ac.uk/en/publications/vehicular-localisation-at-high-and-low-estimation-rates-during-gn,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/vasile-palade', None]","['vehicular', 'localis', 'high', 'low', 'estim', 'rate', 'gnss', 'outag', 'deep', 'learn', 'approach', 'uch', 'onyekp', 'strati', 'kanaracho', 'vasil', 'palad', 'stavro', 'richard', 'g', 'christopoulo', 'road', 'localis', 'autonom', 'vehicl', 'reliant', 'consist', 'accur', 'gnss', 'global', 'navig', 'satellit', 'system', 'posit', 'inform', 'commerci', 'gnss', 'receiv', 'usual', 'sampl', '1', 'hz', 'suffici', 'robustli', 'accur', 'track', 'vehicl', 'certain', 'scenario', 'drive', 'highway', 'vehicl', 'could', 'travel', 'medium', 'high', 'speed', 'safeti', 'critic', 'scenario', 'addit', 'gnss', 'reli', 'number', 'satellit', 'perform', 'triangul', 'may', 'experi', 'signal', 'loss', 'around', 'tall', 'build', 'bridg', 'tunnel', 'tree', 'approach', 'overcom', 'problem', 'involv', 'integr', 'gnss', 'vehicl', 'mount', 'inerti', 'navig', 'sensor', 'in', 'system', 'provid', 'continu', 'reliabl', 'high', 'rate', 'posit', 'solut', 'inss', 'howev', 'plagu', 'unbound', 'exponenti', 'error', 'drift', 'doubl', 'integr', 'acceler', 'displac', 'sever', 'deep', 'learn', 'algorithm', 'employ', 'learn', 'error', 'drift', 'better', 'posit', 'predict', 'therefor', 'investig', 'chapter', 'perform', 'long', 'short', 'term', 'memori', 'lstm', 'input', 'delay', 'neural', 'network', 'idnn', 'multi', 'layer', 'neural', 'network', 'mlnn', 'kalman', 'filter', 'kf', 'high', 'data', 'rate', 'posit', 'show', 'deep', 'neural', 'network', 'base', 'solut', 'exhibit', 'better', 'perform', 'high', 'data', 'rate', 'posit', 'vehicl', 'comparison', 'commonli', 'use', 'approach', 'like', 'kalman', 'filter', 'autonom', 'vehicl', 'navig', 'deep', 'learn', 'gp', 'outag', 'high', 'sampl', 'rate', 'inerti', 'navig', 'in', 'in', 'gp', 'integr', 'navig', 'neural', 'network']" +206,Cell site analysis: Roles and interpretation,"Matthew Stephen Tart, Robert Bird, David Baldwin, Sue Pope",28-Aug-19,"['Cellsite analysis', 'Forensic interpretation', 'Digital forensics']","This paper considers the confusion that exists between opinion and non-opinion evidence concerning telecommunication data – and thus the boundary between expert and technical evidence. The difference between presentation, explanation and interpretation (for Technical, Investigative or Evaluative purposes) of data is outlined. The authors consider how the term “interpretation” may be used differently in connection with expert witnesses, witnesses giving technical evidence, and by the judiciary, suggesting that this may give rise to unrealistic expectations of a practitioner’s ability to reliably answer questions. Recommendations for core competencies are made for those giving telecommunications evidence to recognise when they are presenting opinion evidence and therefore (potentially inadvertently) acting as expert witnesses.",https://pureportal.coventry.ac.uk/en/publications/cell-site-analysis-roles-and-interpretation,"['https://pureportal.coventry.ac.uk/en/persons/matthew-stephen-tart', None, None, None]","['cell', 'site', 'analysi', 'role', 'interpret', 'matthew', 'stephen', 'tart', 'robert', 'bird', 'david', 'baldwin', 'sue', 'pope', 'paper', 'consid', 'confus', 'exist', 'opinion', 'non', 'opinion', 'evid', 'concern', 'telecommun', 'data', 'thu', 'boundari', 'expert', 'technic', 'evid', 'differ', 'present', 'explan', 'interpret', 'technic', 'investig', 'evalu', 'purpos', 'data', 'outlin', 'author', 'consid', 'term', 'interpret', 'may', 'use', 'differ', 'connect', 'expert', 'wit', 'wit', 'give', 'technic', 'evid', 'judiciari', 'suggest', 'may', 'give', 'rise', 'unrealist', 'expect', 'practition', 'abil', 'reliabl', 'answer', 'question', 'recommend', 'core', 'compet', 'made', 'give', 'telecommun', 'evid', 'recognis', 'present', 'opinion', 'evid', 'therefor', 'potenti', 'inadvert', 'act', 'expert', 'wit', 'cellsit', 'analysi', 'forens', 'interpret', 'digit', 'forens']" +207,Mass transpiration in magneto-hydrodynamic boundary layer flow over a superlinear stretching sheet embedded in porous medium with slip,"P. N. Vinay Kumar, U. S. Mahabaleshwar, K. R. Nagaraju, M. Mousavi Nezhad, A. Daneshkhah",01-Jan-19,"['Darcy number', 'Mass transpiration', 'MHD flow', 'Navier’s slip', 'Superlinear stretching sheet']","We have studied mass transpiration of a magneto-hydrodynamic (MHD) flow of a Newtonian fluid over a superlinear stretching sheet embedded in a porous medium. A model was created of a nonlinear system of partial differential equations that are transformed into third-order nonlinear ordinary differential equations via similarity transformations and then solved analytically using differential transform method and Pade approximants. The main focus of the present study is on the effect of Navier’s slip boundary condition on flow behavior. A comprehensive study is presented on the effects of various parameters, such as Navier’s slip condition, mass transpiration (suction/injection), and Darcy number on the axial and transverse velocity profiles of the laminar boundary layer flow through the stretching sheet.",https://pureportal.coventry.ac.uk/en/publications/mass-transpiration-in-magneto-hydrodynamic-boundary-layer-flow-ov,"[None, None, None, None, None]","['mass', 'transpir', 'magneto', 'hydrodynam', 'boundari', 'layer', 'flow', 'superlinear', 'stretch', 'sheet', 'embed', 'porou', 'medium', 'slip', 'p', 'n', 'vinay', 'kumar', 'u', 'mahabaleshwar', 'k', 'r', 'nagaraju', 'mousavi', 'nezhad', 'daneshkhah', 'studi', 'mass', 'transpir', 'magneto', 'hydrodynam', 'mhd', 'flow', 'newtonian', 'fluid', 'superlinear', 'stretch', 'sheet', 'embed', 'porou', 'medium', 'model', 'creat', 'nonlinear', 'system', 'partial', 'differenti', 'equat', 'transform', 'third', 'order', 'nonlinear', 'ordinari', 'differenti', 'equat', 'via', 'similar', 'transform', 'solv', 'analyt', 'use', 'differenti', 'transform', 'method', 'pade', 'approxim', 'main', 'focu', 'present', 'studi', 'effect', 'navier', 'slip', 'boundari', 'condit', 'flow', 'behavior', 'comprehens', 'studi', 'present', 'effect', 'variou', 'paramet', 'navier', 'slip', 'condit', 'mass', 'transpir', 'suction', 'inject', 'darci', 'number', 'axial', 'transvers', 'veloc', 'profil', 'laminar', 'boundari', 'layer', 'flow', 'stretch', 'sheet', 'darci', 'number', 'mass', 'transpir', 'mhd', 'flow', 'navier', 'slip', 'superlinear', 'stretch', 'sheet']" +208,Remote sensing technologies and energy applications in refugee camps,"Jonathan Daniel Nixon, Elena Gaura",01-Jan-19,['Social Sciences(all)'],"Whilst technological breakthroughs alone cannot revolutionise energy access for refugees, a number of innovations are offering the possibility of transformational change. One area, explored in this chapter by the University of Coventry, is the need for wireless sensor networks and communication technology to gather data to inform systematic decision making. This chapter reviews a range of energy technologies and delivery approaches that have been trialled in camps, including discussion of the resulting problems and challenges that have been met. The chapter makes the case for improved energy intervention planning and identifies multi-criteria decision-making approaches that could be utilised in the context of refugee camps for dealing with both evaluation and design problems. The chapter concludes by exploring the possibility of using alternative wireless sensors and monitoring devices to gather data on a range of energy systems to inform decision making and management of shared community resources.",https://pureportal.coventry.ac.uk/en/publications/remote-sensing-technologies-and-energy-applications-in-refugee-ca,"[None, 'https://pureportal.coventry.ac.uk/en/persons/elena-gaura']","['remot', 'sens', 'technolog', 'energi', 'applic', 'refuge', 'camp', 'jonathan', 'daniel', 'nixon', 'elena', 'gaura', 'whilst', 'technolog', 'breakthrough', 'alon', 'revolutionis', 'energi', 'access', 'refuge', 'number', 'innov', 'offer', 'possibl', 'transform', 'chang', 'one', 'area', 'explor', 'chapter', 'univers', 'coventri', 'need', 'wireless', 'sensor', 'network', 'commun', 'technolog', 'gather', 'data', 'inform', 'systemat', 'decis', 'make', 'chapter', 'review', 'rang', 'energi', 'technolog', 'deliveri', 'approach', 'triall', 'camp', 'includ', 'discuss', 'result', 'problem', 'challeng', 'met', 'chapter', 'make', 'case', 'improv', 'energi', 'intervent', 'plan', 'identifi', 'multi', 'criteria', 'decis', 'make', 'approach', 'could', 'utilis', 'context', 'refuge', 'camp', 'deal', 'evalu', 'design', 'problem', 'chapter', 'conclud', 'explor', 'possibl', 'use', 'altern', 'wireless', 'sensor', 'monitor', 'devic', 'gather', 'data', 'rang', 'energi', 'system', 'inform', 'decis', 'make', 'manag', 'share', 'commun', 'resourc', 'social', 'scienc']" +209,Spontaneous Fruit Fly Optimisation for truss weight minimisation: Performance evaluation based on the no free lunch theorem,"Uche Onyekpe, Stratis Kanarachos, Michael E. Fitzpatrick",24-Sep-19,"['math.OC', 'cs.CE']"," Over the past decade, several researchers have presented various optimisation algorithms for use in truss design. The no free lunch theorem implies that no optimisation algorithm fits all problems; therefore, the interest is not only in the accuracy and convergence rate of the algorithm but also the tuning effort and population size required for achieving the optimal result. The latter is particularly crucial for computationally intensive or high-dimensional problems. Contrast-based Fruit-fly Optimisation Algorithm (c-FOA) proposed by Kanarachos et al. in 2017 is based on the efficiency of fruit flies in food foraging by olfaction and visual contrast. The proposed Spontaneous Fruit Fly Optimisation (s-FOA) enhances c-FOA and addresses the difficulty in solving nonlinear optimisation algorithms by presenting standard parameters and lean population size for use on all optimisation problems. Six benchmark problems were studied to assess the performance of s-FOA. A comparison of the results obtained from documented literature and other investigated techniques demonstrates the competence and robustness of the algorithm in truss optimisation. ",https://pureportal.coventry.ac.uk/en/publications/spontaneous-fruit-fly-optimisation-for-truss-weight-minimisation-,"[None, None, None]","['spontan', 'fruit', 'fli', 'optimis', 'truss', 'weight', 'minimis', 'perform', 'evalu', 'base', 'free', 'lunch', 'theorem', 'uch', 'onyekp', 'strati', 'kanaracho', 'michael', 'e', 'fitzpatrick', 'past', 'decad', 'sever', 'research', 'present', 'variou', 'optimis', 'algorithm', 'use', 'truss', 'design', 'free', 'lunch', 'theorem', 'impli', 'optimis', 'algorithm', 'fit', 'problem', 'therefor', 'interest', 'accuraci', 'converg', 'rate', 'algorithm', 'also', 'tune', 'effort', 'popul', 'size', 'requir', 'achiev', 'optim', 'result', 'latter', 'particularli', 'crucial', 'comput', 'intens', 'high', 'dimension', 'problem', 'contrast', 'base', 'fruit', 'fli', 'optimis', 'algorithm', 'c', 'foa', 'propos', 'kanaracho', 'et', 'al', '2017', 'base', 'effici', 'fruit', 'fli', 'food', 'forag', 'olfact', 'visual', 'contrast', 'propos', 'spontan', 'fruit', 'fli', 'optimis', 'foa', 'enhanc', 'c', 'foa', 'address', 'difficulti', 'solv', 'nonlinear', 'optimis', 'algorithm', 'present', 'standard', 'paramet', 'lean', 'popul', 'size', 'use', 'optimis', 'problem', 'six', 'benchmark', 'problem', 'studi', 'assess', 'perform', 'foa', 'comparison', 'result', 'obtain', 'document', 'literatur', 'investig', 'techniqu', 'demonstr', 'compet', 'robust', 'algorithm', 'truss', 'optimis', 'math', 'oc', 'cs', 'ce']" +210,"The Scales Project, a cross-national dataset on the interpretation of thermal perception scales","Marcel Schweiker, Amar Abdul-Zahra, Maíra André, Farah Al-Atrash, Hanan Al-Khatri, Rea Risky Alprianti, Hayder Alsaad, Rucha Amin, Eleni Ampatzi, Alpha Yacob Arsano, Montazami Azadeh, Elie Azar, Bannazadeh Bahareh, Amina Batagarawa, Susanne Becker, Carolina Buonocore, Bin Cao, Joon Ho Choi, Chungyoon Chun, Hein DaanenShow 76 moreShow lessSiti Aisyah Damiati, Lyrian Daniel, Renata De Vecchi, Shivraj Dhaka, Samuel Domínguez-Amarillo, Edyta Dudkiewicz, Lakshmi Prabha Edappilly, Jesica Fernández-Agüera, Mireille Folkerts, Arjan Frijns, Gabriel Gaona, Vishal Garg, Stephanie Gauthier, Shahla Ghaffari Jabbari, Djamila Harimi, Runa T. Hellwig, Gesche M. Huebner, Quan Jin, Mina Jowkar, Renate Kania, Jungsoo Kim, Nelson King, Boris Kingma, M. Donny Koerniawan, Jakub Kolarik, Shailendra Kumar, Alison Kwok, Roberto Lamberts, Marta Laska, M. C.Jeffrey Lee, Yoonhee Lee, Vanessa Lindermayr, Mohammadbagher Mahaki, Udochukwu Marcel-Okafor, Laura Marín-Restrepo, Anna Marquardsen, Francesco Martellotta, Jyotirmay Mathur, Gráinne McGill, Isabel Mino-Rodriguez, Di Mou, Bassam Moujalled, Mia Nakajima, Edward Ng, Marcellinus Okafor, Mark Olweny, Wanlu Ouyang, Ana Ligia Papst de Abreu, Alexis Pérez-Fargallo, Indrika Rajapaksha, Greici Ramos, Saif Rashid, Christoph F. Reinhart, Ma Isabel Rivera, Mazyar Salmanzadeh, Karin Schakib-Ekbatan, Stefano Schiavon, Salman Shooshtarian, Masanori Shukuya, Veronica Soebarto, Suhendri, Mohammad Tahsildoost, Federico Tartarini, Despoina Teli, Priyam Tewari, Samar Thapa, Maureen Trebilcock, Jörg Trojan, Ruqayyatu B. Tukur, Conrad Voelker, Yeung Yam, Liu Yang, Gabriela Zapata-Lancaster, Yongchao Zhai, Yingxin Zhu, Zahra Sadat Zomorodian",26-Nov-19,"['Statistics and Probability', 'Information Systems', 'Education', 'Computer Science Applications', 'Statistics, Probability and Uncertainty', 'Library and Information Sciences']","Thermal discomfort is one of the main triggers for occupants’ interactions with components of the built environment such as adjustments of thermostats and/or opening windows and strongly related to the energy use in buildings. Understanding causes for thermal (dis-)comfort is crucial for design and operation of any type of building. The assessment of human thermal perception through rating scales, for example in post-occupancy studies, has been applied for several decades; however, long-existing assumptions related to these rating scales had been questioned by several researchers. The aim of this study was to gain deeper knowledge on contextual influences on the interpretation of thermal perception scales and their verbal anchors by survey participants. A questionnaire was designed and consequently applied in 21 language versions. These surveys were conducted in 57 cities in 30 countries resulting in a dataset containing responses from 8225 participants. The database offers potential for further analysis in the areas of building design and operation, psycho-physical relationships between human perception and the built environment, and linguistic analyses.",https://pureportal.coventry.ac.uk/en/publications/the-scales-project-a-cross-national-dataset-on-the-interpretation,"[None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None, None]","['scale', 'project', 'cross', 'nation', 'dataset', 'interpret', 'thermal', 'percept', 'scale', 'marcel', 'schweiker', 'amar', 'abdul', 'zahra', 'maíra', 'andré', 'farah', 'al', 'atrash', 'hanan', 'al', 'khatri', 'rea', 'riski', 'alprianti', 'hayder', 'alsaad', 'rucha', 'amin', 'eleni', 'ampatzi', 'alpha', 'yacob', 'arsano', 'montazami', 'azadeh', 'eli', 'azar', 'bannazadeh', 'bahareh', 'amina', 'batagarawa', 'susann', 'becker', 'carolina', 'buonocor', 'bin', 'cao', 'joon', 'ho', 'choi', 'chungyoon', 'chun', 'hein', 'daanenshow', '76', 'moreshow', 'lesssiti', 'aisyah', 'damiati', 'lyrian', 'daniel', 'renata', 'de', 'vecchi', 'shivraj', 'dhaka', 'samuel', 'domínguez', 'amarillo', 'edyta', 'dudkiewicz', 'lakshmi', 'prabha', 'edappilli', 'jesica', 'fernández', 'agüera', 'mireil', 'folkert', 'arjan', 'frijn', 'gabriel', 'gaona', 'vishal', 'garg', 'stephani', 'gauthier', 'shahla', 'ghaffari', 'jabbari', 'djamila', 'harimi', 'runa', 'hellwig', 'gesch', 'huebner', 'quan', 'jin', 'mina', 'jowkar', 'renat', 'kania', 'jungsoo', 'kim', 'nelson', 'king', 'bori', 'kingma', 'donni', 'koerniawan', 'jakub', 'kolarik', 'shailendra', 'kumar', 'alison', 'kwok', 'roberto', 'lambert', 'marta', 'laska', 'c', 'jeffrey', 'lee', 'yoonhe', 'lee', 'vanessa', 'lindermayr', 'mohammadbagh', 'mahaki', 'udochukwu', 'marcel', 'okafor', 'laura', 'marín', 'restrepo', 'anna', 'marquardsen', 'francesco', 'martellotta', 'jyotirmay', 'mathur', 'gráinn', 'mcgill', 'isabel', 'mino', 'rodriguez', 'di', 'mou', 'bassam', 'moujal', 'mia', 'nakajima', 'edward', 'ng', 'marcellinu', 'okafor', 'mark', 'olweni', 'wanlu', 'ouyang', 'ana', 'ligia', 'papst', 'de', 'abreu', 'alexi', 'pérez', 'fargallo', 'indrika', 'rajapaksha', 'greici', 'ramo', 'saif', 'rashid', 'christoph', 'f', 'reinhart', 'isabel', 'rivera', 'mazyar', 'salmanzadeh', 'karin', 'schakib', 'ekbatan', 'stefano', 'schiavon', 'salman', 'shooshtarian', 'masanori', 'shukuya', 'veronica', 'soebarto', 'suhendri', 'mohammad', 'tahsildoost', 'federico', 'tartarini', 'despoina', 'teli', 'priyam', 'tewari', 'samar', 'thapa', 'maureen', 'trebilcock', 'jörg', 'trojan', 'ruqayyatu', 'b', 'tukur', 'conrad', 'voelker', 'yeung', 'yam', 'liu', 'yang', 'gabriela', 'zapata', 'lancast', 'yongchao', 'zhai', 'yingxin', 'zhu', 'zahra', 'sadat', 'zomorodian', 'thermal', 'discomfort', 'one', 'main', 'trigger', 'occup', 'interact', 'compon', 'built', 'environ', 'adjust', 'thermostat', 'open', 'window', 'strongli', 'relat', 'energi', 'use', 'build', 'understand', 'caus', 'thermal', 'di', 'comfort', 'crucial', 'design', 'oper', 'type', 'build', 'assess', 'human', 'thermal', 'percept', 'rate', 'scale', 'exampl', 'post', 'occup', 'studi', 'appli', 'sever', 'decad', 'howev', 'long', 'exist', 'assumpt', 'relat', 'rate', 'scale', 'question', 'sever', 'research', 'aim', 'studi', 'gain', 'deeper', 'knowledg', 'contextu', 'influenc', 'interpret', 'thermal', 'percept', 'scale', 'verbal', 'anchor', 'survey', 'particip', 'questionnair', 'design', 'consequ', 'appli', '21', 'languag', 'version', 'survey', 'conduct', '57', 'citi', '30', 'countri', 'result', 'dataset', 'contain', 'respons', '8225', 'particip', 'databas', 'offer', 'potenti', 'analysi', 'area', 'build', 'design', 'oper', 'psycho', 'physic', 'relationship', 'human', 'percept', 'built', 'environ', 'linguist', 'analys', 'statist', 'probabl', 'inform', 'system', 'educ', 'comput', 'scienc', 'applic', 'statist', 'probabl', 'uncertainti', 'librari', 'inform', 'scienc']" +211,Algebraic tools in the study of Multistationarity of Chemical Reaction Networks,AmirHosein Sadeghimanesh,Oct-18,[],,https://pureportal.coventry.ac.uk/en/publications/algebraic-tools-in-the-study-of-multistationarity-of-chemical-rea,['https://pureportal.coventry.ac.uk/en/persons/amirhosein-sadeghimanesh-sadeghi-manesh'],"['algebra', 'tool', 'studi', 'multistationar', 'chemic', 'reaction', 'network', 'amirhosein', 'sadeghimanesh']" +212,Among the last ones to leave? Understanding the Journeys of Muslim Children in the Care System in England,"Sariya Cheruvallil-Contractor, Alison Halford, Mphatso Jones Boti Phiri, Savita De Souza",2018,[],"Children of Muslim heritage are likely to experience significant delay in finding a fostering or adoptive placement and where a child has complex needs due to health, disability, age, mixed or multiple heritage background or being part of a sibling group, finding permanent placement takes even longer. In some cases, they may never find a permanent home at all. Such delays cause lasting harm for children and according to Selwyn et al, ‘delay in decision making and action has an unacceptable price in terms of the reduction in children’s life chances and the financial costs to local authorities, the emotional and financial burden later placed on adoptive families and future costs to society’ (2006). Policy makers’ response has been to emphasise transracial placements so that the process of finding a permanent home is expedited for these children.Through interviews with social workers, foster carers, adoptive parents and prospective adoptive parents, this research presents a research-informed narrative of the complexities in Muslim children’s circumstances and identities, which influence how decisions are made about their lives. By better understanding the journeys of these children through the care system, this research will provide an evidence base for practitioners, policy makers and communities to draw upon, and in doing so will improve outcomes for these children, their families and for society as a whole.This research provides strong evidence of the salience of Islam to Muslim children’s identities. When children come into care they experience upheaval, displacement and trauma – in such contexts faith is familiar and enables children to be resilient. If in their new home, children’s faith and ethnic needs are provided, they are happier, are more settled and attach better and sooner to their carers. Foster carers and adopters agree that faith is central to their identities too, that faith motivates them to care for the children they look after and that they may be best placed to meet the needs of children who come from ethnic and religious backgrounds similar to their own. For adopters there was an additional emphasis on the child they adopted ‘looking like them’. Based on this key finding of the salience of religion to the formation, evolution and preservation of the identities of children in public care, we suggest 7 inter-related recommendations for policy makers, social workers, carers and for the Muslim community to take forward. We do not assign a particular recommendation to a particular group, instead we call for joined-up thinking and collective action from these stakeholders, aimed at prioritising each child’s welfare, security and happiness.As a final word we emphasise the good practice that we can evidence in how social workers address the faith needs of Muslim children. The story is by no means only about good practice. Indeed, we have found evidence of blind-spots and lacunae. Nevertheless for a profession that faces regular unfair coverage from the media, it is important to emphasise the strengths of the profession and the conscientious care it provides to the most vulnerable children in our societies. Our intention with this report, is to celebrate and share the good practice and where there are blind-spots to engage critically but also collegially to fill the gaps in provision.The seven recommendations we make on the basis of this project are as follows:Recommendation 1: Include religion in SSDA903 returns and the national DfE database on looked after childrenRecommendation 2: Recognise the salience of faith in children’s journeys through the care system and enhance the faith literacy of social work practitioners and policy makers. Recommendation 3: Develop and disseminate Islamic theological guidance on adoption and fostering that prioritises the children’s needs.Recommendation 4: Where required adoptive parents need be offered theological advice on the issue of establishing Mahram relations with their adopted children. If they choose to lactate their children they should be offered medical supportRecommendation 5: The agreements between Islamic modesty guidelines and safeguarding policy need to be shared with Muslim foster carers.Recommendation 6: In line with the recommendation of the Education Select Committee, more outreach, information and recruitment work needs to be undertaken with diverse British Muslim communities to increase the number of Muslim foster carers and adopters.Recommendation 7: Need to evaluate the impact of the removal of ethnicity from adoption law and guidance in England on practice.",https://pureportal.coventry.ac.uk/en/publications/among-the-last-ones-to-leave-understanding-the-journeys-of-muslim,"['https://pureportal.coventry.ac.uk/en/persons/sariya-cheruvallil-contractor', 'https://pureportal.coventry.ac.uk/en/persons/alison-halford', None, None]","['among', 'last', 'one', 'leav', 'understand', 'journey', 'muslim', 'children', 'care', 'system', 'england', 'sariya', 'cheruvallil', 'contractor', 'alison', 'halford', 'mphatso', 'jone', 'boti', 'phiri', 'savita', 'de', 'souza', 'children', 'muslim', 'heritag', 'like', 'experi', 'signific', 'delay', 'find', 'foster', 'adopt', 'placement', 'child', 'complex', 'need', 'due', 'health', 'disabl', 'age', 'mix', 'multipl', 'heritag', 'background', 'part', 'sibl', 'group', 'find', 'perman', 'placement', 'take', 'even', 'longer', 'case', 'may', 'never', 'find', 'perman', 'home', 'delay', 'caus', 'last', 'harm', 'children', 'accord', 'selwyn', 'et', 'al', 'delay', 'decis', 'make', 'action', 'unaccept', 'price', 'term', 'reduct', 'children', 'life', 'chanc', 'financi', 'cost', 'local', 'author', 'emot', 'financi', 'burden', 'later', 'place', 'adopt', 'famili', 'futur', 'cost', 'societi', '2006', 'polici', 'maker', 'respons', 'emphasis', 'transraci', 'placement', 'process', 'find', 'perman', 'home', 'expedit', 'children', 'interview', 'social', 'worker', 'foster', 'carer', 'adopt', 'parent', 'prospect', 'adopt', 'parent', 'research', 'present', 'research', 'inform', 'narr', 'complex', 'muslim', 'children', 'circumst', 'ident', 'influenc', 'decis', 'made', 'live', 'better', 'understand', 'journey', 'children', 'care', 'system', 'research', 'provid', 'evid', 'base', 'practition', 'polici', 'maker', 'commun', 'draw', 'upon', 'improv', 'outcom', 'children', 'famili', 'societi', 'whole', 'research', 'provid', 'strong', 'evid', 'salienc', 'islam', 'muslim', 'children', 'ident', 'children', 'come', 'care', 'experi', 'upheav', 'displac', 'trauma', 'context', 'faith', 'familiar', 'enabl', 'children', 'resili', 'new', 'home', 'children', 'faith', 'ethnic', 'need', 'provid', 'happier', 'settl', 'attach', 'better', 'sooner', 'carer', 'foster', 'carer', 'adopt', 'agre', 'faith', 'central', 'ident', 'faith', 'motiv', 'care', 'children', 'look', 'may', 'best', 'place', 'meet', 'need', 'children', 'come', 'ethnic', 'religi', 'background', 'similar', 'adopt', 'addit', 'emphasi', 'child', 'adopt', 'look', 'like', 'base', 'key', 'find', 'salienc', 'religion', 'format', 'evolut', 'preserv', 'ident', 'children', 'public', 'care', 'suggest', '7', 'inter', 'relat', 'recommend', 'polici', 'maker', 'social', 'worker', 'carer', 'muslim', 'commun', 'take', 'forward', 'assign', 'particular', 'recommend', 'particular', 'group', 'instead', 'call', 'join', 'think', 'collect', 'action', 'stakehold', 'aim', 'prioritis', 'child', 'welfar', 'secur', 'happi', 'final', 'word', 'emphasis', 'good', 'practic', 'evid', 'social', 'worker', 'address', 'faith', 'need', 'muslim', 'children', 'stori', 'mean', 'good', 'practic', 'inde', 'found', 'evid', 'blind', 'spot', 'lacuna', 'nevertheless', 'profess', 'face', 'regular', 'unfair', 'coverag', 'media', 'import', 'emphasis', 'strength', 'profess', 'conscienti', 'care', 'provid', 'vulner', 'children', 'societi', 'intent', 'report', 'celebr', 'share', 'good', 'practic', 'blind', 'spot', 'engag', 'critic', 'also', 'collegi', 'fill', 'gap', 'provis', 'seven', 'recommend', 'make', 'basi', 'project', 'follow', 'recommend', '1', 'includ', 'religion', 'ssda903', 'return', 'nation', 'dfe', 'databas', 'look', 'childrenrecommend', '2', 'recognis', 'salienc', 'faith', 'children', 'journey', 'care', 'system', 'enhanc', 'faith', 'literaci', 'social', 'work', 'practition', 'polici', 'maker', 'recommend', '3', 'develop', 'dissemin', 'islam', 'theolog', 'guidanc', 'adopt', 'foster', 'prioritis', 'children', 'need', 'recommend', '4', 'requir', 'adopt', 'parent', 'need', 'offer', 'theolog', 'advic', 'issu', 'establish', 'mahram', 'relat', 'adopt', 'children', 'choos', 'lactat', 'children', 'offer', 'medic', 'supportrecommend', '5', 'agreement', 'islam', 'modesti', 'guidelin', 'safeguard', 'polici', 'need', 'share', 'muslim', 'foster', 'carer', 'recommend', '6', 'line', 'recommend', 'educ', 'select', 'committe', 'outreach', 'inform', 'recruit', 'work', 'need', 'undertaken', 'divers', 'british', 'muslim', 'commun', 'increas', 'number', 'muslim', 'foster', 'carer', 'adopt', 'recommend', '7', 'need', 'evalu', 'impact', 'remov', 'ethnic', 'adopt', 'law', 'guidanc', 'england', 'practic']" +213,Discrete Weighted Exponential Distribution of the Second Type: Properties and Applications,"Mahdi Rasekhi, Omid Chatrabgoun, Alireza Daneshkhah",2018,[],"In this paper, we propose a new lifetime model as a discrete version of the continuous weighted exponential distribution which is called discrete weighted exponential distribution (DWED). This model is a generalization of the discrete exponential distribution which is originally introduced by Chakraborty (2015). We present various statistical indices/properties of this distribution including reliability indices, moment generating function, probability generating function, survival and hazard rate functions, index of dispersion, and stress-strength parameter. We rst present a numerical method to compute the maximum likelihood estima-tions (MLEs) of the models parameters, and then conduct a simulation study to further analyze these estimations. The advantages of the DWED are shown in practice by applying it on two real world applications and compare it with some other well-known lifetime distributions.",https://pureportal.coventry.ac.uk/en/publications/discrete-weighted-exponential-distribution-of-the-second-type-pro,"[None, 'https://pureportal.coventry.ac.uk/en/persons/omid-chatrabgoun', 'https://pureportal.coventry.ac.uk/en/persons/alireza-daneshkhah']","['discret', 'weight', 'exponenti', 'distribut', 'second', 'type', 'properti', 'applic', 'mahdi', 'rasekhi', 'omid', 'chatrabgoun', 'alireza', 'daneshkhah', 'paper', 'propos', 'new', 'lifetim', 'model', 'discret', 'version', 'continu', 'weight', 'exponenti', 'distribut', 'call', 'discret', 'weight', 'exponenti', 'distribut', 'dwed', 'model', 'gener', 'discret', 'exponenti', 'distribut', 'origin', 'introduc', 'chakraborti', '2015', 'present', 'variou', 'statist', 'indic', 'properti', 'distribut', 'includ', 'reliabl', 'indic', 'moment', 'gener', 'function', 'probabl', 'gener', 'function', 'surviv', 'hazard', 'rate', 'function', 'index', 'dispers', 'stress', 'strength', 'paramet', 'rst', 'present', 'numer', 'method', 'comput', 'maximum', 'likelihood', 'estima', 'tion', 'mle', 'model', 'paramet', 'conduct', 'simul', 'studi', 'analyz', 'estim', 'advantag', 'dwed', 'shown', 'practic', 'appli', 'two', 'real', 'world', 'applic', 'compar', 'well', 'known', 'lifetim', 'distribut']" +214,h*pt: 一种鼓励质量平衡产量的 h 型指数,Xiaorui Jiang,Jan-17,"['h*pt-index', 'h-index', 'citation distribution', 'research evaluation', 'qualitative indicator']","As a balanced indicator for both the quality and productivity of researchers’ scientific outputs, h-index suffers severely from loss of significant information in citation distributions so that its ability to discriminate researchers is rather limited. H-index not only fails to distinguish researchers with quasi the same h-values, but also lacks the ability to promote researchers’ foci on originality and high quality. Current extensions to h-index by exploiting citation distribution characteristics all exhibit some “pathologically” eccentric behaviors against either real datasets or theoretical distributions. With a motivation of balancing quality and quantity, this paper proposes a new h-type index h*pt by exploiting citation distribution characteristics, which encourages quality by defining reward/penalty factors to excess/long-tail citations, and at the same time balances productivity by scaling citations outside the h-core to the average performance of the long-tail papers. Extensive experiments on both the ACL Anthology Network dataset and several theoretical citation distributions prove that the proposed h*pt achieves reasonably better results than previous h-type extensions.",https://pureportal.coventry.ac.uk/en/publications/hpt-an-h-type-index-encouraging-quality-and-balancing-productivit,['https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang'],"['h', 'pt', '一种鼓励质量平衡产量的', 'h', '型指数', 'xiaorui', 'jiang', 'balanc', 'indic', 'qualiti', 'product', 'research', 'scientif', 'output', 'h', 'index', 'suffer', 'sever', 'loss', 'signific', 'inform', 'citat', 'distribut', 'abil', 'discrimin', 'research', 'rather', 'limit', 'h', 'index', 'fail', 'distinguish', 'research', 'quasi', 'h', 'valu', 'also', 'lack', 'abil', 'promot', 'research', 'foci', 'origin', 'high', 'qualiti', 'current', 'extens', 'h', 'index', 'exploit', 'citat', 'distribut', 'characterist', 'exhibit', 'patholog', 'eccentr', 'behavior', 'either', 'real', 'dataset', 'theoret', 'distribut', 'motiv', 'balanc', 'qualiti', 'quantiti', 'paper', 'propos', 'new', 'h', 'type', 'index', 'h', 'pt', 'exploit', 'citat', 'distribut', 'characterist', 'encourag', 'qualiti', 'defin', 'reward', 'penalti', 'factor', 'excess', 'long', 'tail', 'citat', 'time', 'balanc', 'product', 'scale', 'citat', 'outsid', 'h', 'core', 'averag', 'perform', 'long', 'tail', 'paper', 'extens', 'experi', 'acl', 'antholog', 'network', 'dataset', 'sever', 'theoret', 'citat', 'distribut', 'prove', 'propos', 'h', 'pt', 'achiev', 'reason', 'better', 'result', 'previou', 'h', 'type', 'extens', 'h', 'pt', 'index', 'h', 'index', 'citat', 'distribut', 'research', 'evalu', 'qualit', 'indic']" +215,基于城市群的空气质量数据的可视分析方法研究,"Guodao Sun, Yajuan Hu, Li Jiang, Xiaorui Jiang, Ronghua Liang",15-Mar-17,"['Visual analysis', 'Urban agglomeration', 'Air quality data']","Air pollution has gradually become an important issue, and has attracted more and more attention from the general public and the scientific community. How do different cities interact with each other with respect to the air quality issue? What is the similarity and difference among the air quality attributes of distinct cities, and what factors may influence the interaction? We answer these intricate questions by proposing a comprehensive visual analysis system to explore the evolution of an urban agglomeration. The method proposes a Voronoi diagram to show the spatial distribution of urban agglomeration and the evolution of urban agglomeration in space, a stacked graph with threads embedded to show urban agglomeration in the time evolution process, and a parallel coordinates diagram to show the pollution situation of urban agglomerations. We have applied our method to the real urban air quality data. Our system was used to explore the evolution of urban agglomeration and provide a necessary foundation for united pollution prevention of urban agglomerations.",https://pureportal.coventry.ac.uk/en/publications/urban-agglomerations-based-visual-analysis-of-air-quality-data,"[None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang', None]","['基于城市群的空气质量数据的可视分析方法研究', 'guodao', 'sun', 'yajuan', 'hu', 'li', 'jiang', 'xiaorui', 'jiang', 'ronghua', 'liang', 'air', 'pollut', 'gradual', 'becom', 'import', 'issu', 'attract', 'attent', 'gener', 'public', 'scientif', 'commun', 'differ', 'citi', 'interact', 'respect', 'air', 'qualiti', 'issu', 'similar', 'differ', 'among', 'air', 'qualiti', 'attribut', 'distinct', 'citi', 'factor', 'may', 'influenc', 'interact', 'answer', 'intric', 'question', 'propos', 'comprehens', 'visual', 'analysi', 'system', 'explor', 'evolut', 'urban', 'agglomer', 'method', 'propos', 'voronoi', 'diagram', 'show', 'spatial', 'distribut', 'urban', 'agglomer', 'evolut', 'urban', 'agglomer', 'space', 'stack', 'graph', 'thread', 'embed', 'show', 'urban', 'agglomer', 'time', 'evolut', 'process', 'parallel', 'coordin', 'diagram', 'show', 'pollut', 'situat', 'urban', 'agglomer', 'appli', 'method', 'real', 'urban', 'air', 'qualiti', 'data', 'system', 'use', 'explor', 'evolut', 'urban', 'agglomer', 'provid', 'necessari', 'foundat', 'unit', 'pollut', 'prevent', 'urban', 'agglomer', 'visual', 'analysi', 'urban', 'agglomer', 'air', 'qualiti', 'data']" +216,Major Differences of Cloud Computing Adoption in Universities: Europe vs Middle East,"Mahmoud Odeh, Kevin Warwick, Oswaldo Cadenas",Dec-14,"['Cloud Computing', 'Education', 'Social differences', 'Europe', 'Middle East']","The extensive use of cloud computing in educational institutes around the world brings unique challenges for universities. Some of these challenges are due to clear differences between Europe and Middle East universities. These differencesstem from the natural variation between people. Cloud computing has created a new concept to deal with software services and hardware infrastructure. Some benefits are immediately gained, for instance, to allow students to share theirinformation easily and to discover new experiences of the education system. However, this introduces more challenges, such as security and configuration of resources in shared environments. Educational institutes cannot escape from these challenges. Yet some differences occur between universities which use cloud computing as an educational tool or a form of social connection. This paper discusses some benefits and limitations of using cloud computing and major differences in using cloud computing at universities in Europe and the Middle East, based on the social perspective, security and economics concepts, and personal responsibility. ",https://pureportal.coventry.ac.uk/en/publications/major-differences-of-cloud-computing-adoption-in-universities-eur-2,"[None, 'https://pureportal.coventry.ac.uk/en/persons/kevin-warwick', None]","['major', 'differ', 'cloud', 'comput', 'adopt', 'univers', 'europ', 'vs', 'middl', 'east', 'mahmoud', 'odeh', 'kevin', 'warwick', 'oswaldo', 'cadena', 'extens', 'use', 'cloud', 'comput', 'educ', 'institut', 'around', 'world', 'bring', 'uniqu', 'challeng', 'univers', 'challeng', 'due', 'clear', 'differ', 'europ', 'middl', 'east', 'univers', 'differencesstem', 'natur', 'variat', 'peopl', 'cloud', 'comput', 'creat', 'new', 'concept', 'deal', 'softwar', 'servic', 'hardwar', 'infrastructur', 'benefit', 'immedi', 'gain', 'instanc', 'allow', 'student', 'share', 'theirinform', 'easili', 'discov', 'new', 'experi', 'educ', 'system', 'howev', 'introduc', 'challeng', 'secur', 'configur', 'resourc', 'share', 'environ', 'educ', 'institut', 'escap', 'challeng', 'yet', 'differ', 'occur', 'univers', 'use', 'cloud', 'comput', 'educ', 'tool', 'form', 'social', 'connect', 'paper', 'discuss', 'benefit', 'limit', 'use', 'cloud', 'comput', 'major', 'differ', 'use', 'cloud', 'comput', 'univers', 'europ', 'middl', 'east', 'base', 'social', 'perspect', 'secur', 'econom', 'concept', 'person', 'respons', 'cloud', 'comput', 'educ', 'social', 'differ', 'europ', 'middl', 'east']" +217,Extraction of cardiac and respiratory motion information from cardiac x-ray fluoroscopy images using hierarchical manifold learning,"Maria Panayiotou, Andrew P King, Kanwal K. Bhatia, R James Housden, YingLiang Ma, C Aldo Rinaldi, Jaswinder S. Gill, Michael Cooklin, Mark O'Neill, Kawal S Rhode",2013,"['Respiratory Motion', 'Respiratory Gating', 'Manifold Learning', 'Respiratory Phase', 'Cardiac Gating']","We present a novel and clinically useful method to automatically determine the regions that carry cardiac and respiratory motion information directly from standard mono-plane X-ray fluoroscopy images. We demonstrate the application of our method for the purposes of retrospective cardiac and respiratory gating of X-ray images. Validation is performed on five mono-plane imaging sequences comprising a total of 284 frames from five patients undergoing radiofrequency ablation for the treatment of atrial fibrillation. We established end-inspiration, end-expiration and systolic gating with success rates of 100%, 100% and 95.3%, respectively. This technique is useful for retrospective gating of X-ray images and, unlike many previously proposed techniques, does not require specific catheters to be visible and works without any knowledge of catheter geometry.",https://pureportal.coventry.ac.uk/en/publications/extraction-of-cardiac-and-respiratory-motion-information-from-car,"[None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/yingliang-ma', None, None, None, None, None]","['extract', 'cardiac', 'respiratori', 'motion', 'inform', 'cardiac', 'x', 'ray', 'fluoroscopi', 'imag', 'use', 'hierarch', 'manifold', 'learn', 'maria', 'panayiot', 'andrew', 'p', 'king', 'kanwal', 'k', 'bhatia', 'r', 'jame', 'housden', 'yingliang', 'c', 'aldo', 'rinaldi', 'jaswind', 'gill', 'michael', 'cooklin', 'mark', 'neill', 'kawal', 'rhode', 'present', 'novel', 'clinic', 'use', 'method', 'automat', 'determin', 'region', 'carri', 'cardiac', 'respiratori', 'motion', 'inform', 'directli', 'standard', 'mono', 'plane', 'x', 'ray', 'fluoroscopi', 'imag', 'demonstr', 'applic', 'method', 'purpos', 'retrospect', 'cardiac', 'respiratori', 'gate', 'x', 'ray', 'imag', 'valid', 'perform', 'five', 'mono', 'plane', 'imag', 'sequenc', 'compris', 'total', '284', 'frame', 'five', 'patient', 'undergo', 'radiofrequ', 'ablat', 'treatment', 'atrial', 'fibril', 'establish', 'end', 'inspir', 'end', 'expir', 'systol', 'gate', 'success', 'rate', '100', '100', '95', '3', 'respect', 'techniqu', 'use', 'retrospect', 'gate', 'x', 'ray', 'imag', 'unlik', 'mani', 'previous', 'propos', 'techniqu', 'requir', 'specif', 'cathet', 'visibl', 'work', 'without', 'knowledg', 'cathet', 'geometri', 'respiratori', 'motion', 'respiratori', 'gate', 'manifold', 'learn', 'respiratori', 'phase', 'cardiac', 'gate']" +218,Infarct Segmentation Challenge on Delayed Enhancement MRI of the Left Ventricle,"Rashed Karim, Piet Claus, Zhong Chen, R James Housden, Samantha Obom, Harminder Gill, YingLiang Ma, Prince Acheampong, Mark O'Neill, Reza Razavi, Kawal S Rhode",2013,[],This paper presents collated results from the Delayed en-hancement MRI (DE-MRI) segmentation challenge as part of MICCAI 2012. DE-MRI Images from fifteen patients and fifteen pigs were randomly selected from two different imaging centres. Three independent sets of manual segmentations were obtained and included in this study. A ground truth consensus segmentation based on all human rater segmentations was obtained using an Expectation-Maximization (EM) method (the STAPLE method). Automated segmentations from five groups contributed to this challenge.,https://pureportal.coventry.ac.uk/en/publications/infarct-segmentation-challenge-on-delayed-enhancement-mri-of-the-,"[None, None, None, None, None, None, 'https://pureportal.coventry.ac.uk/en/persons/yingliang-ma', None, None, None, None]","['infarct', 'segment', 'challeng', 'delay', 'enhanc', 'mri', 'left', 'ventricl', 'rash', 'karim', 'piet', 'clau', 'zhong', 'chen', 'r', 'jame', 'housden', 'samantha', 'obom', 'harmind', 'gill', 'yingliang', 'princ', 'acheampong', 'mark', 'neill', 'reza', 'razavi', 'kawal', 'rhode', 'paper', 'present', 'collat', 'result', 'delay', 'en', 'hancement', 'mri', 'de', 'mri', 'segment', 'challeng', 'part', 'miccai', '2012', 'de', 'mri', 'imag', 'fifteen', 'patient', 'fifteen', 'pig', 'randomli', 'select', 'two', 'differ', 'imag', 'centr', 'three', 'independ', 'set', 'manual', 'segment', 'obtain', 'includ', 'studi', 'ground', 'truth', 'consensu', 'segment', 'base', 'human', 'rater', 'segment', 'obtain', 'use', 'expect', 'maxim', 'em', 'method', 'stapl', 'method', 'autom', 'segment', 'five', 'group', 'contribut', 'challeng']" +219,Real-Time Catheter Extraction from 2D X-Ray Fluoroscopic and 3D Echocardiographic Images for Cardiac Interventions,"Xianliang Wu, James Housden, YingLiang Ma, Daniel Rueckert, Kawal S Rhode",2013,[],"X-ray fluoroscopic images are widely used for image guidance in cardiac electrophysiology (EP) procedures to diagnose or treat cardiac arrhythmias based on catheter ablation. However, the main disadvantage of fluoroscopic imaging is the lack of soft tissue information and harmful radiation. In contrast, ultrasound (US) has the advantages of low-cost, non-radiation, and high contrast in soft tissue. In this paper we propose a framework to extract the catheter from both X-ray and US images in real time for cardiac interventions. The catheter extraction from X-ray images is based on SURF features, local patch analysis and Kalman filtering to acquire a set of sorted key points representing the catheter. At the same time, the transformation between the X-ray and US images can be obtained via 2D/3D rigid registration between a 3D model of the US probe and its projection on X-ray images. By backprojecting the information about the catheter location in the X-ray images to the US images the search space can be drastically reduced. The extraction of the catheter from US is based on 3D SURF feature clusters, graph model building, A* algorithm and B-spline smoothing. Experiments show the overall process can be achieved in 2.72 seconds for one frame and the reprojected error is 1.99 mm on average.",https://pureportal.coventry.ac.uk/en/publications/real-time-catheter-extraction-from-2d-x-ray-fluoroscopic-and-3d-e,"[None, None, 'https://pureportal.coventry.ac.uk/en/persons/yingliang-ma', None, None]","['real', 'time', 'cathet', 'extract', '2d', 'x', 'ray', 'fluoroscop', '3d', 'echocardiograph', 'imag', 'cardiac', 'intervent', 'xianliang', 'wu', 'jame', 'housden', 'yingliang', 'daniel', 'rueckert', 'kawal', 'rhode', 'x', 'ray', 'fluoroscop', 'imag', 'wide', 'use', 'imag', 'guidanc', 'cardiac', 'electrophysiolog', 'ep', 'procedur', 'diagnos', 'treat', 'cardiac', 'arrhythmia', 'base', 'cathet', 'ablat', 'howev', 'main', 'disadvantag', 'fluoroscop', 'imag', 'lack', 'soft', 'tissu', 'inform', 'harm', 'radiat', 'contrast', 'ultrasound', 'us', 'advantag', 'low', 'cost', 'non', 'radiat', 'high', 'contrast', 'soft', 'tissu', 'paper', 'propos', 'framework', 'extract', 'cathet', 'x', 'ray', 'us', 'imag', 'real', 'time', 'cardiac', 'intervent', 'cathet', 'extract', 'x', 'ray', 'imag', 'base', 'surf', 'featur', 'local', 'patch', 'analysi', 'kalman', 'filter', 'acquir', 'set', 'sort', 'key', 'point', 'repres', 'cathet', 'time', 'transform', 'x', 'ray', 'us', 'imag', 'obtain', 'via', '2d', '3d', 'rigid', 'registr', '3d', 'model', 'us', 'probe', 'project', 'x', 'ray', 'imag', 'backproject', 'inform', 'cathet', 'locat', 'x', 'ray', 'imag', 'us', 'imag', 'search', 'space', 'drastic', 'reduc', 'extract', 'cathet', 'us', 'base', '3d', 'surf', 'featur', 'cluster', 'graph', 'model', 'build', 'algorithm', 'b', 'spline', 'smooth', 'experi', 'show', 'overal', 'process', 'achiev', '2', '72', 'second', 'one', 'frame', 'reproject', 'error', '1', '99', 'mm', 'averag']" +220,Adding Logical Operators to Tree Pattern Queries onGraph-Structured Data,"Qiang Zeng, Xiaorui Jiang, Hai Zhuge",Aug-12,[],"As data are increasingly modeled as graphs for expressing com-plex relationships, the tree pattern query on graph-structured databecomes an important type of queries in real-world applications.Most practical query languages, such as XQuery and SPARQL,support logical expressions using logical-AND/OR/NOT operatorsto define structural constraints of tree patterns. In this paper, (1)we propose generalized tree pattern queries (GTPQs) over graph-structured data, which fully support propositional logic of struc-tural constraints. (2) We make a thorough study of fundamentalproblems including satisfiability, containment and minimization,and analyze the computational complexity and the decision pro-cedures of these problems. (3) We propose a compact graph repre-sentation of intermediate results and a pruning approach to reducethe size of intermediate results and the number of join operations –two factors that often impair the efficiency of traditional algorithmsfor evaluating tree pattern queries. (4) We present an efficient algo-rithm for evaluating GTPQs using 3-hop as the underlying reach-ability index. (5) Experiments on both real-life and synthetic datasets demonstrate the effectiveness and efficiency of our algorithm,from several times to orders of magnitude faster than state-of-the-art algorithms in terms of evaluation time, even for traditional treepattern queries with only conjunctive operations.",https://pureportal.coventry.ac.uk/en/publications/adding-logical-operators-to-tree-pattern-queries-ongraph-structur,"[None, 'https://pureportal.coventry.ac.uk/en/persons/xiaorui-jiang', None]","['ad', 'logic', 'oper', 'tree', 'pattern', 'queri', 'ongraph', 'structur', 'data', 'qiang', 'zeng', 'xiaorui', 'jiang', 'hai', 'zhuge', 'data', 'increasingli', 'model', 'graph', 'express', 'com', 'plex', 'relationship', 'tree', 'pattern', 'queri', 'graph', 'structur', 'databecom', 'import', 'type', 'queri', 'real', 'world', 'applic', 'practic', 'queri', 'languag', 'xqueri', 'sparql', 'support', 'logic', 'express', 'use', 'logic', 'operatorsto', 'defin', 'structur', 'constraint', 'tree', 'pattern', 'paper', '1', 'propos', 'gener', 'tree', 'pattern', 'queri', 'gtpq', 'graph', 'structur', 'data', 'fulli', 'support', 'proposit', 'logic', 'struc', 'tural', 'constraint', '2', 'make', 'thorough', 'studi', 'fundamentalproblem', 'includ', 'satisfi', 'contain', 'minim', 'analyz', 'comput', 'complex', 'decis', 'pro', 'cedur', 'problem', '3', 'propos', 'compact', 'graph', 'repr', 'sentat', 'intermedi', 'result', 'prune', 'approach', 'reduceth', 'size', 'intermedi', 'result', 'number', 'join', 'oper', 'two', 'factor', 'often', 'impair', 'effici', 'tradit', 'algorithmsfor', 'evalu', 'tree', 'pattern', 'queri', '4', 'present', 'effici', 'algo', 'rithm', 'evalu', 'gtpq', 'use', '3', 'hop', 'underli', 'reach', 'abil', 'index', '5', 'experi', 'real', 'life', 'synthet', 'dataset', 'demonstr', 'effect', 'effici', 'algorithm', 'sever', 'time', 'order', 'magnitud', 'faster', 'state', 'art', 'algorithm', 'term', 'evalu', 'time', 'even', 'tradit', 'treepattern', 'queri', 'conjunct', 'oper']" diff --git a/search engine/reverse_index.csv b/search engine/reverse_index.csv new file mode 100644 index 0000000..e58873a --- /dev/null +++ b/search engine/reverse_index.csv @@ -0,0 +1,4657 @@ +extend,0,33,32,64,198,71,135,75,76,78,112,115,127 +plant,0,33,32,52,87 +circadian,0 +clock,0 +model,0,1,2,4,6,8,9,10,11,12,13,14,15,22,23,24,25,26,27,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,54,56,62,65,69,78,82,86,87,88,89,91,93,95,97,98,100,101,105,111,112,116,119,120,125,126,127,128,135,136,139,140,142,144,145,148,156,157,161,162,165,167,170,172,174,176,177,179,181,182,185,187,189,191,193,194,195,197,202,203,204,207,213,219,220 +characteris,0,64,162,132,106,111,26,27 +flower,0 +time,0,131,132,4,6,133,135,9,138,11,139,140,141,15,8,10,14,147,148,149,22,21,25,26,28,29,31,32,33,34,35,36,160,166,39,40,41,42,168,44,45,46,169,172,175,182,56,57,184,59,60,185,188,191,68,71,73,201,203,78,214,215,90,219,92,93,220,98,100,102,105,118,119,121 +differ,0,3,4,5,6,7,10,11,12,15,16,22,23,24,26,27,28,29,30,31,35,36,37,38,39,40,41,42,43,44,45,49,50,51,52,54,59,71,78,82,84,85,86,90,94,95,98,99,101,103,104,105,106,107,111,115,116,117,120,122,123,124,125,130,131,138,142,151,157,166,167,172,176,177,178,179,180,181,183,184,189,190,191,194,197,198,199,200,203,206,215,216,218 +light,0,129,130,96,204,110,143,183 +qualiti,0,1,65,35,36,72,169,107,14,15,150,214,215,61 +condit,0,130,134,6,143,41,42,176,185,187,188,62,198,71,77,78,207,84,85,91,95,118 +miao,0 +lin,0 +pay,0 +jesper,0 +christensen,0 +fei,0,33,32,26,36,5,37,135,59,106,138,140,111,177,23,24,186,27 +laura,0,178,210,5 +roden,0,5 +hafiz,0,171 +ahm,0,69 +mathia,0,33,32 +foo,0,33,32 +speed,0,131,133,24,25,31,32,162,168,41,42,184,57,65,66,69,71,72,204,205,80,92,93,94,110 +breed,0,146 +recent,0,2,131,135,10,11,140,143,145,24,25,158,32,33,34,162,165,176,51,63,70,75,91,101,127 +emerg,0,160,98,163,107,155,110,84,85,151,187,191 +innov,0,163,208,81,150,123 +agricultur,0,103,179,182,191 +technolog,0,135,8,9,20,21,22,153,167,44,45,175,183,61,193,69,70,71,75,208,81,84,85,107,123 +solut,0,128,131,132,133,135,11,12,14,15,147,157,31,32,160,34,35,163,165,39,40,172,175,48,49,177,181,183,56,57,184,61,70,72,201,205,103,112,115,117,123,127 +meet,0,44,45,212,182,30,58,61,190,31 +ever,0,33,32,34,77,31 +increas,0,1,129,136,9,10,139,12,11,150,151,154,155,31,32,33,34,35,36,163,38,39,166,169,170,176,51,182,56,185,68,69,199,200,201,202,81,212,87,106,123 +global,0,132,133,10,11,16,17,145,20,21,22,162,40,41,44,45,191,71,72,205,89,95,102,117 +food,0,40,41,209,22,23 +demand,0,192,130,135,169,11,12,142,47,46,81,150,87,92 +typic,0,96,166,105,43,44,78,142,147,90 +variou,0,4,6,7,137,138,14,15,144,17,18,22,23,24,25,151,29,30,36,37,166,39,40,172,175,54,55,59,187,68,72,207,209,213,93,98,103 +e,0,131,4,8,9,138,141,146,26,27,32,33,34,35,160,162,166,40,41,47,48,49,50,176,178,59,63,64,209,84,85,89,110,111,115,117,122 +g,0,131,4,6,7,8,9,138,143,23,24,26,27,34,35,168,178,59,205,106,111 +colour,0,37,38 +durat,0,161,98,162,100,14,15,144,174,56 +intens,0,64,130,165,174,209,183 +modifi,0,34,35,137,11,12,172,14,15,16,116,62 +manipul,0,94 +turn,0,24,132,23 +alter,0,78 +growth,0,28,29 +enhanc,0,3,139,12,13,16,17,149,22,23,155,35,36,169,51,70,209,212,90,218,94,102,105,116,121,122 +product,0,198,38,136,39,75,108,13,14,174,81,23,87,55,22,214,62 +reduc,0,136,10,11,139,142,15,14,24,25,158,35,36,39,40,41,42,49,50,51,62,191,194,195,69,197,201,203,78,79,87,91,219,96,103,118,127 +order,0,128,3,131,6,135,13,14,15,16,142,23,24,25,156,35,36,37,167,169,49,50,51,55,184,60,188,195,68,72,73,200,202,77,207,80,87,90,220,103,106,112,117 +develop,0,130,131,4,6,7,8,140,14,15,144,145,20,21,22,23,152,153,29,30,31,32,33,161,37,38,165,40,41,42,166,44,45,46,47,167,170,171,174,52,175,179,183,56,57,184,185,61,65,194,69,71,72,203,204,212,96,98,100,101,107,108,113,123,127 +comprehens,0,33,34,4,197,135,199,200,202,207,17,18,215,125,62 +framework,0,128,4,135,10,11,145,18,147,17,21,20,151,24,25,35,36,37,38,39,165,43,44,45,46,47,48,174,52,189,195,77,81,91,219,93,94,101,104,117,119,121,123,125 +describ,0,122,167,107,140,13,12,47,46,178,90,94 +incorpor,0,141,47,48,20,21,183 +effect,0,1,2,129,130,6,136,9,10,140,13,14,15,16,17,18,148,149,22,23,30,31,33,34,35,36,37,38,167,41,42,169,170,47,48,176,51,181,182,185,187,62,190,191,65,193,194,195,69,197,200,73,201,75,202,203,78,204,207,84,85,220,93,97,116,117,118,119,123,125,127 +need,0,6,7,136,10,11,12,13,14,142,143,148,24,25,152,155,30,31,33,34,162,39,40,42,43,44,45,170,49,50,178,182,185,58,61,195,69,203,77,78,80,81,82,208,212,87,99,100,101,104,118 +establish,0,81,212,149,217,188 +mathemat,0,1,194,67,195,38,39,40,41,167,43,44,13,14,174,203,185,191 +arabidopsi,0 +thaliana,0,52 +hypocotyl,0 +subject,0,129,197,6,199,8,9,10,200,59,47,48,178,187,95 +multipl,0,1,129,132,135,138,14,15,144,17,16,161,169,187,59,197,75,78,212,89,91,95,105,106,110,118,125 +properti,0,34,35,166,40,41,106,43,44,213,187,190 +first,0,128,131,133,6,10,11,142,15,16,20,21,22,23,26,27,28,29,160,162,35,36,42,43,44,45,49,50,179,184,188,193,76,91,106,108,110,111,112,113,119,127 +step,0,35,36,133,71,179,120,92,95 +toward,0,161,163,69,106,204,144,81,145,148,180,183,152,122,124,157 +link,0,194,5,105,170,123,151,59 +work,0,129,4,135,8,9,10,11,136,7,143,18,19,20,21,149,23,22,152,26,27,29,30,163,166,41,42,169,49,50,180,56,58,188,61,65,71,201,202,75,80,81,82,84,85,212,217,94,103,106,108,111,112,115 +ad,0,36,37,6,7,106,142,111,23,87,24,26,27,220 +propos,0,2,3,4,8,9,10,11,12,13,14,15,16,17,18,24,25,28,29,30,31,32,34,35,36,39,40,41,42,43,44,45,46,47,48,49,50,51,56,57,59,60,62,65,68,71,73,77,89,91,92,93,94,95,98,99,100,102,103,110,116,117,118,119,121,125,128,130,132,133,134,135,137,138,139,141,147,148,151,156,157,160,161,162,166,168,169,175,176,204,209,213,214,215,217,219,220 +captur,0,33,32,64,131,5,102,135,199,108,140,172,177,51,184 +behaviour,0,33,32,100,170,140,204,143,29,22,23,185,61,30 +red,0 +blue,0,129 +mix,0,212 +use,0,1,2,3,5,6,7,10,11,12,13,14,15,16,17,18,21,22,23,24,25,26,27,28,29,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,49,50,51,52,54,57,59,60,61,62,64,67,68,71,73,75,77,78,80,81,82,84,85,86,87,88,89,90,91,92,93,94,98,99,100,101,102,103,104,105,106,109,110,111,112,115,117,118,119,120,122,124,125,126,127,128,129,131,132,133,134,136,138,139,140,141,142,143,144,145,147,148,149,150,151,155,156,157,158,160,161,162,164,165,166,167,168,169,172,174,175,176,177,178,179,180,181,182,183,184,185,187,189,191,193,195,197,198,200,201,202,204,205,206,207,208,209,210,215,216,217,218,219,220 +guid,0,96,72,175,115,116,117,152,185,28,29 +experi,0,1,130,5,6,141,145,20,21,155,28,29,167,43,44,177,187,60,65,72,205,80,81,82,212,214,216,219,220,109,110,116,117,118,119,122,125 +optimis,0,98,68,41,42,13,14,15,142,49,50,209,52,148,87 +via,0,199,9,10,77,207,119,121,219 +challeng,1,2,132,5,133,135,12,13,143,144,150,152,28,29,31,32,161,162,166,46,47,51,183,57,58,61,191,70,202,208,82,84,85,216,218,91,96,98,102,104,107,118,119 +prospect,80,1,212 +climat,1,198,6,41,42,46,47,174,178 +chang,1,132,133,136,9,10,25,26,28,29,33,34,162,163,41,42,46,47,174,178,185,71,80,208,116,119 +impact,128,1,129,6,136,22,23,150,155,37,38,167,171,46,47,48,174,182,185,187,62,192,193,194,69,197,75,203,80,212,89,108,117,118 +assess,1,130,6,7,136,140,144,145,148,21,20,23,22,25,26,152,32,33,34,35,36,37,38,39,172,174,47,48,175,178,189,201,202,203,209,210,101,109,118 +mangrov,88,1,6 +environ,1,129,3,132,133,6,137,10,11,141,143,16,15,20,21,162,41,42,43,178,198,71,78,210,84,85,88,216,93,102,103,105,109 +majdi,88,1,6 +fanou,88,1,6 +jonathan,96,1,6,11,12,45,46,142,208,152,61,95 +eden,1,6 +renji,1,6 +remesan,1,6 +alireza,1,134,6,144,145,148,22,23,156,29,30,33,34,161,37,38,39,40,41,170,172,45,46,174,175,180,188,62,193,68,197,199,200,201,202,77,213,101,118,124 +daneshkhah,1,134,6,144,145,148,22,23,156,29,30,33,34,161,37,38,39,40,41,166,170,172,45,46,174,175,180,54,188,62,193,68,197,199,200,201,202,77,207,213,101,118,124 +especi,128,1,193,104,137,201,45,46,113,117,25,24,185,30,31 +sea,1 +level,1,5,140,141,144,20,21,22,23,152,154,155,30,31,36,37,38,39,49,50,179,182,183,62,66,197,201,203,204,84,85,96,101,116,118,123 +rise,128,1,46,206,47 +threat,1,174,47,48,94 +world,1,34,35,6,8,9,172,174,124,220,180,213,183,216,123,188,157 +coastal,1,6 +region,1,67,164,198,6,106,123,12,13,174,111,48,49,204,179,217,26,27 +follow,32,1,34,35,33,164,201,48,49,82,212,22,23,185,58,187,157 +recommend,1,163,197,108,206,143,113,212 +made,96,65,1,192,103,42,43,203,109,14,15,206,113,212,86,184,30,31 +unit,1,131,132,166,102,203,204,173,17,18,177,119,55,184,153,215,61,94 +nation,1,197,203,204,210,212,154,61 +preserv,1,35,36,8,9,212 +particularli,1,129,70,71,104,155,174,209,146,87,120,122,187,189,95 +given,96,1,2,67,37,38,6,168,204,182,25,56,89,26,91,92,62 +potenti,1,129,133,134,138,140,13,12,143,145,150,25,154,26,157,33,34,163,170,171,175,177,52,182,183,59,190,194,69,70,198,72,200,203,77,206,79,81,82,210,90,101,104,105 +natur,1,2,6,135,140,141,21,22,23,156,165,167,47,48,51,66,72,216,95,102,118 +defenc,1 +wave,1,6,105,90,187 +driven,32,1,33,69,135,136,9,8,110,17,18,115,189 +hazard,1,109,213,103 +seri,1,34,33,68,105,42,41,109,90 +conduct,1,14,15,148,22,23,154,158,33,34,37,38,40,41,44,45,176,178,69,70,198,199,200,201,202,81,210,213,94,117,119 +quantifi,1,6,7,138,146,149,23,24,26,27,36,37,49,50,59,60,191,64,106,111 +abil,160,1,197,102,10,11,206,16,17,124,116,150,183,214,220,93 +counter,136,1,78 +date,192,1,100,76,25,26 +limit,1,135,137,138,14,15,143,147,23,24,25,30,31,33,34,172,45,46,47,48,180,182,59,188,61,64,197,70,79,214,216,92,99,103,106,110,124 +comput,1,3,4,5,6,7,8,9,133,134,12,13,14,135,137,139,140,19,141,21,22,143,147,153,25,148,20,24,30,31,32,33,34,35,157,160,163,39,40,41,42,43,44,45,46,166,177,52,53,55,11,57,183,60,62,165,65,66,67,68,193,75,76,77,81,209,210,213,216,18,220,102,110,119,126,127 +cost,1,129,131,130,13,14,142,166,39,40,41,45,46,47,48,184,62,203,212,87,219,101,110,118,126 +inabl,1 +scenario,1,131,132,133,136,10,11,12,139,141,143,148,21,20,150,160,162,47,48,177,180,182,56,184,187,191,203,205,78,90,100,110,124 +improv,128,1,129,132,133,10,11,12,13,141,142,143,17,144,16,149,22,23,24,25,152,160,161,35,36,37,167,42,43,44,45,46,47,175,49,50,51,52,178,60,61,65,198,199,74,75,203,80,81,82,208,212,87,89,95,96,100,101,105,110,116,117,123,127 +data,1,2,5,6,7,10,11,17,18,24,25,26,31,32,33,34,35,37,38,39,42,43,44,45,46,51,61,62,69,70,71,73,77,78,81,86,87,90,91,92,94,99,107,109,110,111,113,119,124,125,126,130,131,135,136,141,142,144,147,151,156,158,160,161,163,165,166,168,169,172,175,177,180,183,184,189,190,193,195,199,200,202,205,206,208,215,220 +avail,1,2,130,144,21,22,24,25,161,167,43,44,179,180,182,184,63,69,72,203,92,96,102,124,125 +machin,1,131,5,144,145,148,24,25,26,27,156,33,34,161,162,165,167,41,42,43,44,170,179,53,193,68,69,75,77,84,85,86,91,94,101,119,124 +learn,128,1,2,131,4,5,132,7,133,9,135,11,6,8,10,143,144,145,148,21,20,24,25,26,27,156,30,31,160,33,34,35,36,37,161,162,165,41,42,43,44,45,167,168,170,172,175,51,179,53,184,62,193,68,69,198,75,77,205,82,84,85,86,217,91,94,99,101,102,119,123,124,126 +enorm,1,130,46,47 +supplement,1 +even,1,134,170,75,46,47,60,212,57,220,157,127 +replac,1,73,46,47,84,85,183,157 +exist,1,130,4,135,8,9,138,11,12,142,20,21,24,25,30,31,32,160,35,36,166,39,40,169,172,177,178,182,59,60,188,189,190,192,65,67,68,70,77,206,210,87,98,100,104,107,121,124 +numer,1,132,6,135,14,15,157,166,169,45,46,48,49,176,181,54,183,56,187,188,62,67,78,213,112,127 +method,1,3,4,6,7,8,9,10,11,12,13,15,16,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,48,49,50,51,52,54,57,59,62,63,65,68,71,72,73,77,78,87,89,90,91,92,93,94,95,97,99,101,102,105,106,107,109,110,111,115,118,124,132,137,138,140,144,146,148,150,156,158,160,161,162,166,178,181,182,185,195,197,198,199,200,201,202,203,207,213,215,217,218 +articl,1,130,143,16,17,155,29,30,33,34,164,37,38,171,47,48,188,192,197,200,80,93,94,103,105 +present,1,2,131,134,142,143,18,19,148,152,26,27,163,166,167,168,170,44,45,46,175,49,50,180,181,184,188,189,190,63,191,66,199,72,200,204,206,207,80,209,212,213,86,87,217,218,220,93,103,107,109,111,112,115,124,125 +outlin,96,1,192,135,11,12,76,206,175,146,25,26,123,189,127 +import,1,2,130,4,5,6,7,135,142,148,23,24,158,160,35,36,40,41,172,174,179,180,54,56,185,58,64,69,70,72,201,202,212,215,220,93,99,101,106,124 +protect,192,1,164,6,70,136,73,11,12,141,113 +review,1,135,140,143,22,23,33,34,37,38,39,40,171,44,45,197,70,199,201,202,208,83,103 +current,1,5,143,20,21,150,154,31,32,44,45,172,47,48,182,183,191,63,69,203,78,84,85,214,103,110,118,119 +capac,1,194,108,45,14,15,48,44,47,176,87,191 +adapt,1,130,38,39,71,135,167,198,77,15,16,178,115,56,185,123,126 +view,1,4,37,36,165,147 +also,1,2,134,135,137,138,139,140,142,15,16,17,18,14,20,21,22,150,151,25,26,153,158,34,35,36,164,40,41,42,43,172,46,47,175,176,178,51,54,55,182,59,187,62,191,64,65,192,193,70,71,200,201,77,78,209,82,84,85,86,87,212,214,99,102,103,104,106,107,116,117,118,121,122 +discuss,1,2,146,21,22,163,43,44,175,187,61,63,66,67,204,80,208,82,86,216,103,109,110 +effici,1,129,3,132,130,137,141,148,149,22,23,156,158,41,42,43,44,45,46,174,175,176,179,54,183,60,62,65,193,68,198,72,73,75,77,209,220,94,99,102,107,110,119,121,126 +altern,1,133,103,136,139,12,77,46,11,45,208,20,21,118,150,57 +hydro,88,1,6 +morphodynam,88,1,6 +polici,1,200,202,204,47,48,80,113,212,182 +diabet,2,38,39,40,41,82,156 +retinopathi,2,82 +detect,128,2,130,138,12,13,143,147,150,31,32,33,34,35,36,179,59,73,82,84,85,93,94,106,110,119 +transfer,2,140,82,179,126 +reinforc,2,195,164,198,41,42 +imag,128,2,99,35,36,12,13,82,147,179,24,217,218,219,93,25 +preprocess,2,12,13 +augment,24,25,2 +techniqu,2,131,5,135,140,13,14,15,141,143,18,145,12,17,22,21,29,30,160,33,34,35,36,161,166,167,168,41,42,170,172,178,51,183,184,193,68,69,70,71,77,78,79,209,82,217,91,92,93,99,100,101,103,116,119,121,125 +maria,2,168,41,42,82,217 +tariq,2,82 +vasil,128,2,3,132,131,6,133,137,10,11,12,13,14,15,16,17,18,143,148,21,22,24,25,31,32,162,165,51,180,184,65,66,69,71,72,73,205,78,82,89,91,93,94,98,100,102,110,116,117,119,124,125,126 +palad,128,2,3,132,131,6,133,137,10,11,12,13,14,15,16,17,18,143,148,21,22,24,25,31,32,162,165,51,180,184,65,66,69,71,72,73,205,78,82,89,91,93,94,98,100,102,110,116,117,119,124,125,126 +yingliang,2,35,36,82,147,217,218,219 +abdulrahman,2 +altahhan,2 +consequ,2,35,34,166,177,210,116,62 +advanc,2,131,135,140,145,147,21,22,150,24,25,156,32,33,162,165,183,184,204,78,81,91,101,110 +stage,33,2,34,68,16,17,82,179,117,22,23 +ultim,2,124 +lead,129,2,36,37,133,72,136,169,110,175,124,81,50,82,49,60,62 +perman,2,80,82,84,85,212,155 +blind,2,212,82 +earli,2,101,6,7,8,12,13,16,17,81,82,29,93,30,191 +extrem,2,45,46,174,183 +avoid,128,2,6,103,8,7,46,47,112,49,50,117,181,62,24,25,29,30 +recov,145,2 +soon,2 +possibl,129,2,14,15,148,21,22,151,25,26,27,156,158,39,40,41,42,185,80,208,86,101,111,127 +chapter,193,2,7,8,205,208 +applic,2,3,6,7,8,9,137,138,139,141,17,18,20,21,153,26,27,156,30,31,32,160,34,35,167,168,43,44,175,179,56,59,187,188,190,64,67,70,79,208,210,213,217,90,92,220,98,102,103,104,110,111,119,126,127 +deep,128,2,131,132,4,133,8,9,10,11,143,24,25,30,31,160,33,34,35,36,162,41,42,51,179,184,205,91,119,126 +medic,128,2,68,201,13,14,212,182,24,25,154,91,156 +analysi,2,130,4,5,134,7,136,6,10,11,140,144,17,18,148,23,24,25,26,27,153,30,31,32,33,34,158,160,37,38,161,40,41,165,166,44,45,46,47,48,172,175,51,176,178,179,60,189,64,67,195,69,197,199,200,201,202,206,210,215,90,219,96,99,101,102,103,105,106,109,111,116 +focu,97,2,164,135,103,43,44,78,207,22,23,62,153,123,127,183,95 +extens,162,35,2,4,36,8,9,10,11,107,140,82,54,214,216,153,187,92 +publicli,184,2,124,82 +dataset,128,2,131,5,8,9,10,11,143,147,24,25,26,27,30,31,34,35,43,44,178,52,54,184,59,62,68,72,82,210,86,214,220,93,119,124 +kaggl,2,82 +train,128,2,23,24,25,34,35,36,37,165,43,44,179,180,62,68,82,86,119,124 +test,2,3,132,138,11,12,13,139,15,143,17,10,147,148,14,16,150,158,35,36,43,44,47,48,180,59,62,197,73,201,86,100,109,117,124 +main,128,2,4,14,15,22,23,29,157,30,161,46,47,181,62,68,197,70,71,77,207,210,91,219,103 +handl,193,2,98,100,47,48,49,18,17 +noisi,2,66,89,93,62 +larg,128,2,131,5,6,9,10,15,16,17,18,24,25,30,31,41,42,45,46,178,184,62,65,198,99 +enough,2,10,11,48,49,179,30,31 +well,2,131,135,8,9,10,11,137,138,141,15,143,17,14,147,16,155,28,29,31,32,160,34,35,36,168,46,47,178,51,181,183,184,59,60,189,62,68,77,213,87,90,102,117,118 +play,2,107,52,5 +signific,2,4,6,7,138,145,147,25,26,27,31,32,35,36,165,40,41,44,45,174,175,178,51,52,59,61,193,68,70,198,199,201,202,81,82,84,85,212,214,110,111 +role,192,194,2,164,5,198,7,8,107,44,45,206,52,22,23,24,154,155 +overview,143,2,76,183 +tackl,2,77,45,46,84,85 +problem,2,3,134,6,137,13,14,15,143,17,16,19,18,21,20,157,165,39,40,43,44,45,46,172,48,49,177,179,56,60,61,63,68,73,77,205,208,209,82,220,98,100,102,116,117,120,126 +imbalanc,89,2,91,82 +integr,2,132,133,135,136,137,15,16,17,18,149,22,23,151,153,162,43,44,45,47,48,49,188,203,205,95,105,106,117 +perform,2,3,8,9,11,12,13,15,16,24,25,26,27,28,29,30,31,32,33,34,35,36,37,40,41,42,45,46,47,48,54,60,65,68,71,72,73,78,82,87,89,91,95,96,97,99,102,103,104,105,109,110,111,116,117,119,125,128,129,130,132,133,137,139,141,142,143,148,149,152,160,162,166,167,169,172,176,179,183,197,202,205,209,214,217 +classif,128,2,12,13,17,18,23,24,25,30,31,33,34,36,37,165,45,46,51,52,179,193,82,91,99,125 +entropi,27,26,3,160 +base,3,4,6,7,8,9,10,11,12,13,14,15,16,17,20,21,22,23,24,25,26,27,28,29,30,31,33,34,35,36,37,38,39,41,42,43,44,45,46,49,50,52,54,62,63,65,68,69,71,72,77,78,80,82,91,92,93,95,97,98,99,100,101,103,104,105,106,107,110,111,116,117,118,122,125,130,131,132,133,134,137,140,141,146,147,148,149,150,151,152,153,156,157,160,166,167,169,172,174,177,179,182,184,189,193,195,197,199,200,201,205,209,212,216,218,219 +lamarckian,16,3,15 +quantum,66,3,165,15,16,17,117,120,157 +behav,3,138,16,17,117,181,59 +particl,65,3,71,72,137,139,15,16,17,116,117,150,120,93,95 +swarm,65,3,103,72,137,15,16,17,116,117,93 +optim,3,135,137,139,12,13,14,15,16,17,39,40,168,169,47,48,177,52,56,62,65,66,193,72,209,90,92,93,98,105,116,117,122 +flexibl,193,3,134,137,11,12,15,16,89,187 +ligand,65,3,72,137,15,16 +dock,65,3,72,137,15,16 +qi,128,3,117,24,25 +chao,65,3,72,137,15,16,116,93 +li,128,65,160,3,72,137,15,16,116,215,56,93 +jun,128,65,3,72,137,15,16,17,116,117,24,25,93 +sun,128,65,3,72,137,15,16,17,116,117,215,24,25,93 +feng,3,117 +pan,3,117 +autodock,65,3,72,137,15,16 +wide,3,4,137,21,22,156,158,166,168,172,175,189,193,203,77,89,219,93,97,103,107 +softwar,3,166,199,200,167,202,109,14,141,16,13,15,216,126 +sinc,65,129,3,166,72,9,8,172,141,204,49,50,20,21,93,127 +open,3,135,107,48,49,210,151,123 +sourc,65,3,137,77,46,47,48,126 +easi,33,34,3,145,151 +implement,3,6,137,12,13,14,15,143,18,19,157,32,33,164,165,168,44,45,52,54,55,63,191,66,72,75,77,81,92,96,104,115,122,123 +paper,3,4,11,12,13,15,16,17,18,20,21,22,23,24,25,26,28,29,30,31,32,40,41,44,45,46,47,49,50,51,54,55,59,61,62,66,67,69,71,72,73,77,78,81,82,84,85,87,89,90,91,94,95,96,97,98,99,100,101,102,103,104,107,110,116,117,118,119,121,123,124,125,128,132,135,137,138,139,141,142,143,145,147,150,151,152,156,162,163,165,166,167,168,170,172,174,179,180,183,187,189,199,202,204,206,213,214,216,218,219,220 +novel,130,3,6,8,137,9,140,141,17,18,147,148,31,32,160,35,36,41,42,174,47,48,52,180,62,64,65,68,72,77,84,85,89,217,91,93,99,102,116,119,124,125 +hybrid,3,169,11,12,13,14,15,91,93,94 +algorithm,3,131,8,9,137,11,12,13,14,142,16,17,18,19,143,145,146,15,153,156,29,30,31,157,33,34,35,36,161,165,39,40,167,43,44,172,49,50,10,177,55,56,184,60,65,66,67,68,71,72,73,75,205,78,79,209,84,85,87,219,220,93,98,100,103,104,110,115,116,117,127 +appli,3,142,148,23,24,156,160,35,36,166,44,45,172,48,49,188,189,61,62,69,72,77,81,210,213,87,215,89,90,103,105,106,127 +version,3,165,172,210,116,213,62 +4,3,131,5,6,7,144,21,22,163,37,38,39,40,41,169,182,184,200,201,212,220 +2,3,5,144,147,161,35,36,37,38,39,42,43,46,47,191,195,197,200,202,212,219,220 +6,3,197,6,7,200,201,42,43,12,13,202,147,212 +accuraci,128,3,132,137,10,11,139,13,12,147,23,24,25,26,27,31,32,33,34,35,36,37,160,166,41,42,176,51,52,179,62,65,193,68,69,72,78,209,82,94,102,109,110,111,121 +search,3,137,11,12,15,16,17,146,151,27,28,157,33,34,37,38,49,50,62,197,199,72,200,201,202,219,115,116,117 +call,3,131,134,15,16,25,26,52,55,56,184,192,71,72,212,213,89,90,94,103,105,119,121 +elqpso,3 +combin,3,4,136,137,138,12,13,24,25,35,36,169,45,46,48,49,50,51,59,198,90,93,95,97,101,105,122 +qpso,3,15,16,17,117 +updat,34,35,3,71,17,18,116,150,56 +strategi,3,135,137,139,15,16,17,18,150,169,174,179,182,90,93,95,98,99,100,109,116,121 +soli,16,137,3,15 +wet,162,3,5,6,133,137,15,16 +local,3,134,135,137,10,11,12,15,16,17,146,26,27,160,172,47,48,49,50,179,193,194,68,71,72,212,90,219,99,111,118 +swl,3 +pdbbind,72,3 +core,3,141,206,18,19,214,121 +set,3,11,12,17,18,19,24,25,154,39,40,168,43,44,45,49,50,61,62,67,72,203,77,218,219,96,98,104,113,123,125 +v,3,203 +2016,3,158 +compar,130,3,4,133,6,137,10,11,12,139,14,15,16,17,23,24,25,28,29,30,31,32,33,34,35,36,37,158,160,165,41,42,45,46,179,182,57,185,60,62,63,65,194,68,72,77,78,213,89,91,93,95,99,102,104,106,109,110,117,119,120,121 +genet,32,33,98,3,11,12,172,177,182,87,191 +lga,3 +lpso,3 +lqpso,3 +experiment,3,8,9,137,15,16,17,31,32,34,35,162,38,39,56,63,73,82,89,91,93,115,116 +result,3,4,6,8,9,10,11,12,13,14,15,16,17,18,21,22,23,24,25,31,32,33,34,35,36,37,38,39,41,42,44,45,46,56,59,62,63,64,65,67,68,69,71,73,77,78,84,85,87,89,90,91,93,94,95,98,99,101,102,105,106,109,110,112,115,116,117,119,121,122,123,124,128,129,132,133,134,136,137,138,141,142,143,144,145,148,155,158,160,161,162,166,167,169,171,176,177,178,179,180,181,182,183,185,188,193,194,195,197,198,199,200,201,202,203,208,209,210,214,218,220 +reveal,3,197,101,137,73,11,10,172,14,15,16,175,178,121 +correspond,3,71,140,77,125,54,55,157 +program,65,3,197,72,137,42,43,44,45,203,20,21,154 +name,128,130,3,137,138,149,35,36,169,176,55,59,89,97,98,105,110,122,124 +eqdock,3 +competit,34,35,3,102,136 +deal,3,165,137,170,172,13,14,208,216,93,95 +protein,65,3,68,5,72 +moreov,3,137,10,11,26,27,35,36,37,175,183,65,73,204,84,85,90,106,117 +case,3,6,7,9,10,11,12,138,142,15,16,144,146,148,150,25,26,155,27,160,161,170,44,45,46,47,174,57,58,59,187,61,62,189,191,192,194,195,198,80,208,212,87,91,94,95,98,105,111,118 +number,3,131,5,9,10,139,12,13,14,15,16,17,152,155,36,37,38,39,41,42,45,46,47,48,49,50,181,182,56,184,191,195,203,204,205,207,208,212,90,220,96,98,99,100,103,104,105,117,121,122,123,127 +torsion,3 +outperform,3,137,11,139,12,17,18,23,24,56,95 +three,3,4,137,138,142,147,22,23,28,29,158,160,36,37,38,55,187,59,73,84,85,90,91,218,100,105,112,116,120,122 +find,3,13,14,15,144,17,18,148,22,23,26,27,28,29,161,39,40,42,43,172,48,49,178,182,191,193,195,204,80,212,120,123 +conform,3 +small,3,99,72,9,10,139,46,47,143,150,24,25,157,127 +root,193,34,3,35,139 +mean,3,10,11,139,141,16,17,147,156,160,34,35,170,178,188,193,197,198,71,78,212,87,99 +squar,193,34,99,3,35,75,76,139,112,54,119 +deviat,73,3 +rmsd,3 +valu,3,9,10,138,17,18,22,23,24,25,26,27,38,39,166,44,45,55,59,61,62,193,214,87,90,91,105,111,113,116,125 +particular,193,3,197,9,10,143,212,21,22,118,181,25,26,30,31 +advantag,3,12,13,141,151,31,32,165,45,46,183,57,62,67,78,213,89,219,106,117,126 +solv,3,13,14,15,143,17,16,24,25,157,39,40,43,44,51,57,63,68,77,207,209,89,115,116,117 +highli,194,3,130,37,38,103,8,9,137,107,165,166,78,84,85,182,92,191 +other,3,126,183 +organ,192,3,70,199,104,168,151,92 +chemistri,120,137,3 +scienc,3,137,33,34,35,163,37,38,45,46,182,189,191,197,199,201,202,77,208,210,97,113,126 +drug,72,65,3,172 +discoveri,3 +molecular,3,182,191 +medicin,128,3,24,25,156 +structur,3,134,137,145,150,164,38,39,40,41,42,166,172,174,180,57,77,80,220,101,102 +biolog,32,33,3,5,6,7,138,172,52,182,23,24,59,191 +extract,131,4,6,7,8,9,10,11,12,13,144,160,161,35,36,184,68,197,71,217,219,99,112,119,125 +evolutionari,117,116,4 +backbon,4 +scientif,97,4,76,214,215,28,29,30,31 +domain,99,4,70,39,40,107,140,146,25,30,151,24,153,126,62,31 +semant,99,4,10,11,51,179,151,89 +path,177,90,4,146 +network,128,130,132,4,5,133,135,10,11,139,144,149,23,24,153,26,27,25,31,32,33,34,35,36,37,161,162,41,42,169,172,45,46,47,48,49,177,51,179,180,182,183,56,189,64,193,67,69,200,205,208,211,214,88,91,102,106,111,118,119,124,125,126 +approach,4,5,8,9,12,13,14,15,17,18,20,21,22,23,24,31,32,33,38,39,40,41,42,43,47,48,49,50,51,52,59,62,63,66,69,70,71,77,81,84,85,86,91,92,94,95,97,101,103,106,108,110,115,117,127,132,133,137,138,139,140,141,142,144,145,148,150,158,162,166,168,180,189,193,198,200,202,205,208,220 +citat,4,214,28,29,30,31 +context,129,4,135,11,12,152,30,31,163,164,169,178,185,66,204,208,212,86,89,97 +xiaorui,97,4,28,83,214,215,220,29,30,31 +jiang,97,35,4,36,28,83,214,215,220,29,30,31 +junjun,4 +liu,4,135,178,210,93 +popular,4,104,9,169,8,15,16,51,91 +research,128,131,4,135,8,9,7,13,14,142,143,144,22,23,28,29,30,31,161,163,39,40,41,172,175,178,184,58,70,72,74,202,204,80,81,209,210,84,85,212,214,101,103,104,108,123 +ignor,4 +relationship,193,4,101,102,40,41,140,28,178,210,84,85,220,151,89,156,29 +cite,28,4,29 +public,131,4,69,201,10,11,148,212,151,24,25,215,184,191 +sever,132,4,133,10,11,143,148,21,22,23,24,25,26,27,156,29,30,31,32,33,162,38,39,169,171,172,174,176,52,184,57,62,191,65,193,69,200,201,77,78,205,209,82,210,214,220,111,116,119,120 +advers,4 +issu,4,134,12,13,21,22,30,31,165,169,173,178,189,68,202,81,212,215,96,107,109,116,126 +term,132,4,134,133,135,9,8,11,12,139,10,15,14,17,16,155,31,32,34,35,162,40,41,42,172,46,47,48,49,51,183,57,71,205,206,212,91,220,94,99,102,110,123 +coher,140,4 +coverag,64,195,4,46,47,212,182,191 +studi,4,5,6,13,14,15,16,17,22,23,24,25,26,27,30,31,32,33,34,36,37,38,42,43,44,45,46,47,48,49,52,57,62,64,70,73,74,80,82,87,90,91,97,98,101,104,105,106,111,117,118,122,125,127,131,135,136,140,142,145,154,155,156,158,160,161,171,174,177,178,181,184,188,193,197,198,199,200,201,202,204,207,209,210,211,213,218,220 +advoc,4 +allevi,145,4 +function,4,5,6,7,135,11,12,13,140,142,16,17,22,23,24,30,31,32,33,34,35,36,37,166,169,43,44,172,174,177,52,54,57,188,62,190,197,72,84,85,213,87,93,106,117 +varieti,4,166,135,45,46,127,49,50,51,151,156,30,31 +scibert,97,4,30,31 +design,4,8,9,137,141,14,13,16,17,145,15,148,149,152,154,32,33,35,36,37,38,165,42,43,44,45,172,183,56,61,194,72,73,208,209,210,84,85,91,92,96,103,107,113,118,125 +identifi,4,5,10,11,144,145,22,23,154,156,157,32,33,161,163,40,41,170,171,44,45,175,48,49,52,182,57,70,204,78,208,98,101,118 +built,4,6,110,49,50,210,152 +either,129,4,41,42,115,214,157,122,187,189 +includ,131,4,8,9,10,11,14,15,144,145,150,151,24,25,26,27,156,160,161,41,42,43,44,179,181,183,184,187,61,197,208,82,212,213,218,220,95,100,103,106,109,117,118,125 +motiv,130,4,48,49,212,86,214,60 +usag,96,4,61,135 +similar,4,6,7,150,152,157,158,43,44,187,207,212,215,89,98,99,100,107,108,115 +exclud,51,4 +incident,4 +like,65,4,105,204,141,205,80,84,85,22,116,21,212,123,158 +background,65,161,4,197,199,200,201,202,80,18,19,212,182,183,185,59 +futur,4,7,8,135,13,14,143,21,22,23,152,169,170,44,45,180,75,81,212,96,103,104,105,107,118,124 +merg,4,30,31 +top,4 +k,160,99,4,101,71,207,145,217 +slice,4 +addit,4,135,139,12,13,141,143,16,17,147,148,149,23,24,25,154,26,29,30,31,160,36,37,45,46,176,177,51,183,205,212,95,104,106,117 +way,164,4,134,107,140,45,78,44,80,178,148,181,187,61,30,31 +quantit,161,130,35,4,69,36,42,43,140 +evalu,130,131,4,133,140,14,15,148,22,23,156,33,34,35,36,37,162,166,168,44,45,46,47,178,52,54,182,183,184,60,200,73,201,204,206,208,209,212,214,91,92,220,97,101,102,104,105,109,110,116,118,122,127 +qualit,35,4,36,42,43,80,214,155 +area,128,4,135,15,16,21,22,25,154,26,28,29,36,37,168,172,46,47,179,189,194,67,204,78,208,210,91,99,103,107 +linguist,210,4,30,31 +demonstr,130,4,6,8,9,11,12,144,161,36,37,40,41,175,176,180,66,195,202,203,79,209,87,89,217,220,98,106,115,124 +agnost,4 +counterpart,162,35,4,66,36,194,111,26,27 +type,131,4,138,22,23,24,25,150,32,33,38,39,40,41,42,43,166,180,184,59,187,193,204,210,84,85,213,214,220,95,96,98,100,120 +provid,130,132,4,133,135,8,9,138,11,12,140,143,147,32,33,34,35,36,37,38,39,40,41,42,162,164,166,172,47,48,49,175,176,54,182,183,185,59,187,61,62,189,192,193,67,71,73,201,204,77,78,205,212,87,215,90,94,96,103,105,107,108,110,118,121,122 +complementari,42,43,4,70 +knowledg,98,100,4,71,200,139,108,15,16,210,217,154,61,158 +flow,4,101,169,142,207,144 +togeth,4,135,47,48,112,175 +obtain,128,132,4,10,11,12,13,14,15,16,17,18,24,25,157,158,32,33,34,35,36,162,166,41,42,71,72,199,200,209,218,219,93,95,102,119,121 +precis,4,138,43,140,109,44,142,16,17,24,25,59,156 +pictur,4 +evolut,107,212,4,215 +uncov,4,61 +pathway,4,37,38,39,36,41,40,44,45,118 +idea,89,115,4,127 +gene,32,33,172,5 +regulatori,32,33,5,171,172,81,189 +infer,32,5,134,170,109,77,54,189,31 +predict,5,134,135,10,11,142,143,144,145,148,150,23,24,26,27,32,33,34,35,161,165,38,39,41,42,170,45,46,47,48,174,175,52,185,62,68,69,72,77,205,87,91,101,102,103,111 +graph,36,37,5,12,13,28,215,219,220,29 +neural,128,132,5,133,138,11,140,10,24,25,31,32,33,34,35,36,37,162,41,42,45,46,51,179,180,186,59,69,205,88,102,119,126 +sivasharmini,5 +ganeshamoorthi,5 +dominik,36,37,5,106,111,23,24,26,27 +klepl,36,37,5,106,111,23,24,26,27 +grn,32,33,172,5 +depict,5 +causal,5,6,7,140,118 +interact,5,6,7,10,11,14,15,22,23,35,36,42,43,44,45,47,48,181,68,210,215,95,112,120 +transcript,52,5 +factor,129,5,144,145,154,158,31,32,161,37,38,39,171,174,178,64,200,77,214,215,92,220,98,100,101 +tf,5 +target,96,89,66,26,5,198,103,171,140,14,15,147,20,21,182,25,154,158 +regul,32,33,5,113 +vital,32,33,5,175 +explain,10,11,5 +help,66,5,78,24,25,154,155,157 +priorit,5,171,203,182,91 +candid,5,167,72,71,115,90 +3,5,6,7,9,10,138,144,38,39,40,41,54,55,182,59,191,197,200,201,202,203,212,217,220,94,102 +high,5,6,7,8,9,137,141,144,17,18,21,22,23,24,151,26,27,160,33,34,166,40,41,168,172,45,46,47,176,51,179,182,183,185,62,64,65,194,195,199,72,200,202,203,205,78,81,209,214,219,92,101,106,107,110,111,121,126 +dimension,160,5,134,168,45,46,112,17,18,147,209,181,120,92 +transcriptom,5 +produc,5,140,142,145,153,42,43,45,46,49,50,177,185,62,77,96,102,105,108,109 +throughput,168,92,5 +sequenc,34,35,36,5,68,71,102,132,10,11,9,16,17,119,217,124,157,127 +microarray,172,5 +rna,52,5 +seq,5 +express,5,43,44,48,49,176,54,220 +thousand,5 +lab,42,43,5 +interconnect,140,5 +among,5,6,7,136,11,12,13,145,158,33,34,37,38,171,182,183,56,64,65,68,199,201,202,203,77,212,215,126 +therefor,131,5,133,135,7,6,140,141,143,147,151,26,27,166,172,174,178,184,191,67,72,201,202,205,206,209,101,104,108,111 +one,128,5,6,7,135,10,11,140,142,147,21,22,24,25,26,27,33,34,38,39,166,167,170,172,174,175,49,50,182,61,190,191,65,193,195,197,199,200,73,78,208,82,210,84,85,212,89,90,219,101,103,105,111,117,120,122 +topic,160,99,5,170,146,156,29,30 +statist,5,6,7,158,33,34,40,41,45,46,178,187,190,69,198,199,202,204,210,84,85,213 +sequenti,34,35,5,92,157 +signal,131,132,5,133,7,6,138,140,149,22,23,21,24,26,27,33,34,35,36,37,162,176,186,59,205,90,105,106,111,122 +process,5,6,7,135,140,13,141,12,145,18,17,148,21,22,23,24,25,150,156,157,35,36,40,41,168,44,45,46,47,172,177,51,52,57,59,187,188,62,190,66,68,70,201,202,77,80,81,212,215,91,92,93,94,219,101,102,116,117 +impos,134,6,40,41,84,85 +tidal,6 +finit,6,112,120,57,188,190 +element,130,101,6,172,175,48,49,145,122 +discontinu,6 +galerkin,6 +key,6,8,9,14,15,144,22,23,161,168,44,45,175,191,203,212,219,105,108,115,116,123 +success,33,34,132,134,6,105,174,48,49,52,118,217 +restor,6 +project,6,136,11,12,153,160,163,44,45,46,47,49,50,203,210,212,219,101,108,113,123 +vulner,192,6,201,106,180,212,118,122,124,94 +nevertheless,166,6,172,212,91 +simul,130,6,15,16,148,21,20,23,22,150,41,42,45,46,176,54,183,57,194,73,213,93,94,95,100,121 +dynam,131,6,7,136,9,10,138,139,13,14,12,22,23,26,27,32,33,40,41,172,184,185,59,194,74,94,103,108,111,116,127 +face,192,165,6,201,212 +complex,132,134,6,135,138,140,17,18,22,23,26,27,31,32,33,164,165,166,168,170,172,45,46,175,51,185,59,60,61,77,79,81,212,91,220,99,101,102,109,111,118,119,122,126,127 +nonlinear,68,6,7,106,138,139,140,207,209,23,24,57,186,59,188,190,63 +could,128,133,6,136,148,22,23,24,25,158,32,33,162,164,167,42,43,54,185,193,194,203,205,208,86,96,101 +becom,98,164,69,6,71,138,43,44,77,176,81,21,22,119,215,59,127,95 +bottleneck,128,6 +scale,131,6,21,22,34,35,178,182,184,57,62,66,203,210,214,89,99,112,120 +investig,129,132,133,134,6,10,11,143,148,149,158,165,45,46,174,177,178,51,184,57,187,62,66,69,198,71,199,73,200,201,205,206,209,90,97,98,105,109,113,122,125 +depth,6,45,46,30,31 +averag,96,128,160,35,36,6,71,105,169,176,84,85,214,56,25,219,60,24 +within,6,135,11,12,13,15,16,144,147,20,21,22,23,24,150,155,156,161,41,42,44,45,174,177,189,63,199,202,82,87,89,100,102,105,106,108,109 +theti,6 +sundarban,6 +largest,145,82,198,6 +forest,161,101,69,6,10,11,144,145,52 +locat,90,166,103,6,105,10,11,109,14,15,25,26,219 +india,6,87 +bangladesh,6 +taken,35,36,6,135,103,177 +regularli,6 +tropic,6 +cyclon,6 +endang,6 +live,164,58,6,9,10,172,147,212,154,123 +four,32,33,161,6,39,71,38,179,117 +million,6,44,45,111,148,26,27 +peopl,33,34,194,37,38,6,44,45,204,178,118,216,58,123,61 +coupl,36,37,6,7,106,138,141,47,48,23,24,59 +morphodyam,6 +discretis,34,35,6 +real,6,135,8,9,146,19,20,147,18,24,25,160,34,35,36,45,46,175,49,50,180,54,55,188,62,63,71,73,78,213,214,215,91,219,93,220,100,115,118,119,121,124,127 +dri,6 +scheme,64,6,72,73,105,169,12,13,46,45,17,18,56,89,122,125,30,31 +instabl,6 +period,80,6,174,200 +boundari,64,6,12,13,206,207,148,117 +tpxo,6 +solver,6,75,76,15,16,49,50,19,20,115,18,57,63 +without,6,136,139,15,16,151,153,164,38,39,170,45,46,47,185,77,82,87,217,116 +valid,6,142,144,147,161,34,35,166,43,44,174,176,56,61,193,68,71,204,217,92,109,121,125 +anoth,128,33,34,195,37,38,7,6,177,178 +gaug,78,6 +abl,132,133,6,7,10,11,144,17,18,16,32,33,161,162,41,42,73,78,94,117,118,121,124 +decreas,64,6,136,200,106,202,16,17,176,56 +water,99,195,6,45,46 +elev,6 +veloc,162,6,166,207 +97,201,37,38,6 +prevent,33,34,195,194,6,136,170,202,12,13,203,30,182,215,29,158 +almost,130,68,197,102,6,11,12,62 +sediment,6 +eros,6 +unstructur,6 +mesh,6,8,9,47,48 +kernel,193,68,6,7,77,84,85,62,95 +manifold,128,160,6,7,24,217,25 +eeg,36,37,6,7,106,140,111,23,24,26,27 +connect,6,7,9,10,140,21,22,23,24,151,36,37,175,194,69,70,206,216,106,119,124,126 +alzheim,36,37,6,7,106,111,23,24,26,27 +diseas,6,7,13,14,23,24,26,27,29,30,33,34,36,37,38,39,40,41,172,185,191,194,199,201,82,93,106,111 +shenal,6,7 +rajintha,6,7 +alexand,6,7 +samarathung,6,7 +gunawardena,6,7 +ptolemaio,36,37,6,7,106,111,23,24,26,27 +sarrigianni,36,37,6,7,106,111,23,24,26,27 +j,194,195,36,37,6,7,169,106,111,182,23,87,24,191 +blackburn,36,37,6,7,106,111,23,24,26,27 +f,6,7,138,154,168,169,178,54,182,185,59,191,192,194,195,203,210,91,107 +cross,64,193,6,7,72,105,106,137,166,201,78,144,210,23,24,90,59,124 +frequenc,160,33,34,6,7,136,138,106,140,23,24,59,125 +receiv,131,6,7,17,18,149,160,35,36,46,47,51,179,183,184,205,78,90,91,95,105,110,122 +interest,129,197,6,167,7,199,75,46,47,209,179,55,56,187,93,62 +diagnosi,33,34,36,37,6,7,17,18,125,24,25,93,95 +neurolog,140,6,7 +disord,33,34,36,37,6,7,199,200,106,201,140,202,118 +1,131,6,7,144,147,154,165,38,39,40,41,42,43,46,47,182,184,195,198,205,212,87,219,220,113 +due,128,131,6,7,135,137,15,16,147,22,23,29,30,169,46,47,174,179,54,182,56,184,62,191,193,68,69,197,201,202,78,84,85,212,216,99,102,122,126 +requir,128,130,134,7,6,9,8,11,12,10,144,17,18,147,148,151,26,27,156,157,30,31,32,33,34,35,36,161,38,39,165,166,168,44,45,46,172,175,180,182,61,62,191,64,193,195,80,209,212,217,95,98,99,100,102,107,111,113,121,124 +channel,6,7,105,176,90,187 +select,6,7,144,33,34,161,36,37,38,39,167,43,44,49,50,52,62,197,71,201,204,212,90,91,218,98,99,103,105,116,121,122,125 +crucial,130,195,6,71,7,17,18,209,52,210 +fc,36,37,6,7,106,23,24 +often,96,165,6,7,167,91,75,12,11,111,84,85,87,24,25,26,27,220 +ideal,16,15,6,7 +account,64,192,194,6,7,136,169,203,145,177,118,185 +linear,129,6,7,140,13,12,146,19,20,18,23,24,32,33,34,35,160,162,165,166,41,42,174,48,49,50,54,57,190,193,77,78,101,106,115 +spatial,194,36,37,6,7,166,9,10,215,154 +tempor,102,6,166,7,45,46,119,122 +neurosci,140,6,7 +measur,131,132,133,134,7,6,138,139,140,13,14,142,150,23,24,162,36,37,41,42,56,184,59,191,198,71,200,201,202,203,84,85,87,89,90,91,94,95,105,106,109,116,118,125 +di,178,210,6,7 +depend,131,132,6,7,9,10,141,38,39,171,172,174,49,50,178,185,57,187,102,107,122 +two,128,129,6,7,137,10,11,12,138,9,15,16,22,23,24,25,150,152,28,29,30,160,37,38,39,169,172,48,49,176,179,181,182,185,59,187,190,198,71,72,213,89,218,91,220,93,94,95,96,98,103,110,112,116,117,119,120,125 +5,128,6,7,9,10,144,21,22,154,160,35,36,37,38,166,41,42,182,185,198,201,202,212,87,220,94,122 +howev,131,132,133,6,7,8,9,137,11,12,138,10,15,16,143,18,144,145,14,22,23,17,25,21,27,24,26,151,162,36,37,38,39,165,167,42,43,44,171,172,49,50,177,179,184,59,64,65,193,195,69,70,198,72,202,203,77,205,79,210,216,219,92,96,103,107,110,111,116,126,127 +interpret,34,35,6,7,206,178,210,189 +significantli,130,36,37,6,7,197,200,203,111,81,116,21,22,182,89,26,27,156 +7,99,36,37,102,7,6,9,10,199,201,144,212,87 +show,128,129,132,133,134,7,6,9,10,11,12,141,142,16,17,18,148,23,24,25,154,26,27,28,29,152,31,32,33,34,35,36,37,158,160,40,41,162,164,44,45,169,176,179,180,165,63,64,65,191,194,195,69,198,200,204,205,84,85,87,215,89,219,92,95,99,102,111,112,116,117,124 +correl,64,131,102,7,6,41,105,40,140,171,184,90 +group,6,7,20,21,22,23,29,30,158,35,36,37,38,39,42,43,177,178,179,197,198,199,201,212,218,122 +thu,6,7,141,25,26,28,29,161,36,37,40,41,42,43,44,177,184,193,197,75,206,80,92,116,117,127 +suffici,128,130,195,6,7,170,205,146,115,185 +inform,128,130,131,6,7,135,137,143,144,18,19,151,24,25,32,33,161,35,36,162,38,39,164,170,183,56,57,184,70,203,205,78,208,82,210,212,214,88,89,217,219,107,109,113,125 +gener,128,6,7,137,138,13,14,15,16,17,143,21,22,23,24,25,154,26,151,156,30,31,158,33,34,35,36,166,167,169,42,43,44,45,46,47,48,49,50,51,176,180,54,182,56,183,59,187,61,188,63,189,65,191,67,71,202,203,204,77,213,215,91,220,104,113,117,120,124,125 +electroencephalographi,36,37,6,7,106,111,23,24,26,27 +born,8,7 +woman,8,7 +gender,192,196,164,198,7,8,182,159 +robot,8,162,7 +huma,8,113,114,7 +shah,8,113,114,7 +fred,8,7 +robert,8,109,206,7 +posit,131,132,133,7,8,10,11,15,16,17,147,152,154,29,158,30,162,41,42,44,45,48,49,52,184,63,71,72,205,78,89 +messi,8,7 +non,7,8,137,138,11,136,10,143,146,19,20,18,26,27,160,37,38,165,172,174,49,50,52,181,182,57,59,193,68,204,78,206,90,219,105,111,115,116 +binari,33,34,7,8,43,44 +salient,8,7 +consider,96,193,132,7,8,103,203,12,13,172 +virtual,65,7,8,137,60 +embodi,8,7 +replic,7,8,141,26,27 +stereotyp,8,7 +represent,97,67,36,35,68,7,8,176,177,51,180,89,124,126 +men,7,8,203,182,158 +women,164,199,8,7,203,12,13,182,154,158 +occup,130,7,8,168,178,210 +artifici,128,132,7,8,21,22,24,25,34,35,41,42,175,69,81,94,119,125,126 +colleagu,8,7 +companion,8,7 +question,129,7,8,206,80,178,210,215,123,30,31 +pose,32,7,8,9,47,48,147,180,124,31 +respons,135,8,7,148,21,22,163,40,41,170,178,192,194,198,210,212,216,119,123 +field,7,8,147,163,168,43,44,175,48,49,50,178,52,54,189,198,84,85,93,112,116 +chatbot,8,7 +affect,35,36,101,38,39,8,7,106,171,199,47,48,145,177,118,23,24 +ai,69,103,8,7,81,21,22 +intellig,130,7,8,10,11,15,16,17,18,21,22,34,35,170,175,183,69,81,103,119,126 +posenormnet,8,9 +ident,8,9,10,212,120,58,155 +postur,8,9 +normal,33,34,8,9,172,82,148 +3d,8,9,147,219 +bodi,38,39,8,9,120,25,24 +scan,71,8,9,10,11,24,25 +arbitrari,8,9 +ran,37,38,8,9,42,43 +zhao,8,9 +xinxin,8,9 +dai,8,9 +pengpeng,8,9 +hu,8,9,215 +adrian,8,9 +munteanu,8,9 +human,129,136,8,9,140,21,22,155,160,42,43,180,59,210,86,218,102,119,124 +accur,131,133,8,9,10,11,139,143,21,22,150,156,32,33,34,35,162,166,41,42,45,46,175,176,52,193,205,110 +repres,35,36,71,8,9,43,44,175,51,154,219,30,31 +shape,8,9,16,17,50,49,187,190 +mani,8,9,137,138,143,21,22,151,36,37,165,168,43,44,45,46,47,172,59,187,66,68,197,70,77,79,86,217,97,99,100,102,106,110,127 +centric,8,9 +industri,98,101,70,103,8,9,166,20,21 +fashion,8,9 +biometr,8,9 +anim,8,9 +task,128,135,8,9,10,11,12,13,29,30,31,34,35,165,42,43,45,46,177,51,189,193,71,89,91,118,119,121,126 +usual,165,8,9,77,205,25,26,127 +fidel,8,9 +canon,8,9,116 +although,161,135,8,9,171,143,147,179,23,24,58,187 +fast,34,35,99,131,72,9,42,11,8,10,41,147,182,119,184,157,191 +acquir,35,36,8,9,147,219 +automat,8,9,151,24,217,91,25 +still,65,164,197,8,9,143,49,50,147,152,185,123,157,62,191 +reli,71,136,9,8,11,10,169,205,177,178 +skeleton,8,9 +care,160,161,194,8,9,200,201,202,80,144,176,178,212,24,25,58,155,63 +skin,128,9,8 +weight,98,100,71,8,9,16,17,209,213,89 +consum,8,9,46,47,145,84,85,121,28,29 +fail,8,9,10,11,52,214,30,31 +initi,35,36,71,8,9,142,147,25,24,185,125,126 +complic,33,34,8,9,140,17,18,185 +dub,8,9 +strong,8,9,10,81,212,93,30,31 +oper,130,8,9,141,14,13,149,22,23,154,157,45,46,47,48,175,52,71,72,77,210,87,90,91,220,94,98,100,117,122 +rig,8,9 +prior,134,8,9,139,15,16,177,150,60,62 +synthet,32,33,161,8,9,138,43,44,59,220 +achiev,133,8,9,11,12,141,14,15,143,17,13,147,16,24,25,156,30,31,42,43,176,177,179,52,56,60,62,65,69,72,78,209,214,219,98,105,107,121 +state,135,136,9,10,139,8,17,18,21,22,150,24,25,26,27,157,30,31,33,34,166,40,41,42,48,49,52,183,57,60,188,67,71,73,204,84,85,89,92,220,94,107,111,118,119,120,123,125 +art,135,8,9,17,18,21,22,24,25,30,31,41,42,52,182,60,71,84,85,89,92,220,107,119,123,125 +object,99,37,38,71,8,9,203,110,142,143,119,117,87,28,29,30 +unidirect,9,10 +migrat,9,10 +popul,96,192,37,38,9,10,74,203,209,182,154,127 +alle,9,10,127 +gerg,9,10 +röst,9,10 +amirhosein,67,9,10,74,48,49,18,19,20,211,55,153,127 +sadeghimanesh,67,9,10,74,48,49,18,19,20,211,55,153,127 +note,9,10,187,146 +consid,130,9,10,139,142,15,14,22,23,150,32,33,160,37,38,166,172,46,47,48,49,50,174,175,177,54,178,56,188,193,195,198,200,203,204,206,80,87,90,98,100,104,105,118,122,127 +patch,99,9,10,179,219 +rate,130,132,9,10,12,13,142,145,24,25,38,39,40,41,47,48,178,54,183,188,64,194,71,200,205,209,210,213,87,217,101,110,125 +bifurc,9,10,127 +previou,35,132,36,71,9,10,172,14,15,112,115,214,25,26,127,63 +steadi,67,9,10,48,49 +9,26,197,199,9,10,202,142,144,182,90,27,94 +singl,105,10,171,140,9,78,15,14,49,50,187 +point,165,166,40,41,10,11,105,77,9,49,50,115,177,120,89,90,219,92 +system,9,10,11,12,17,18,21,22,23,24,25,32,33,40,41,42,44,45,46,47,48,49,50,57,59,61,66,67,73,75,76,78,81,84,85,87,90,91,92,94,95,96,98,102,103,105,107,110,115,121,122,125,126,127,129,130,132,133,138,140,141,142,143,149,152,155,156,157,158,162,163,166,167,168,175,177,183,186,200,205,207,208,210,212,215,216 +threshold,64,99,38,39,40,41,10,9,124 +contrast,132,9,10,77,209,57,219 +bidirect,9,10 +alway,130,9,10,78,177,185 +goe,9,10 +regardless,194,168,9,10,151 +practic,9,10,163,164,44,45,187,61,62,63,202,80,81,212,213,220,98,100,108 +implic,101,9,10,43,42,182,30,31 +ecolog,9,10,154 +cylindr,67,167,9,10,74,127,79,49,50,19,20,115,18,153,60,63 +algebra,9,10,18,19,20,153,167,43,44,49,50,53,60,63,67,74,75,76,79,211,102,115,127 +decomposit,89,67,167,9,10,74,172,77,127,79,49,50,115,117,55,153,60,63 +xdll,10,11 +lidar,10,11,110,71 +map,34,35,102,71,168,10,11,12,45,13,44,51,55,120,92 +self,71,168,137,10,11,112,181,152,122,92 +drive,130,131,132,133,10,11,12,148,21,22,150,162,180,184,69,71,205,110,122,124 +vehicl,129,131,132,133,10,11,139,14,15,143,148,21,22,150,162,41,42,169,180,184,69,70,71,205,78,95,102,103,122,124 +ana,71,10,11,178,210 +charroud,10,11,71 +karim,71,169,10,11,139,150,218,95 +el,10,11,71 +moutaouakil,10,11,71 +ali,98,100,69,68,39,71,41,10,11,38,40,169,153,94 +yahyaouy,10,11,71 +robust,131,134,10,11,139,16,17,148,150,30,31,32,33,34,35,45,46,174,178,184,61,65,193,204,209,91,93,95,116 +continu,132,10,11,139,155,162,47,48,49,50,182,192,197,203,205,80,213,87,112,118 +revolut,10,11,70,183 +transport,194,103,10,11,180,21,22,124 +navig,162,131,132,133,102,10,11,139,205,143,184,95 +satellit,162,99,132,133,102,10,11,205,179,95 +gnss,162,132,133,102,10,11,205,95 +commonli,32,33,68,37,133,36,105,10,11,172,205,49,50,178,189,95 +accomplish,10,11 +seriou,10,11,135 +miser,10,11 +determin,136,10,11,138,147,148,154,158,32,33,38,39,40,41,172,47,48,59,197,199,200,202,204,217,101,105,115 +exampl,166,10,11,43,44,123,48,49,50,51,115,210,58,187,124,189,127 +bridg,132,71,10,11,205 +tunnel,132,71,41,10,42,11,205 +dens,35,36,71,10,11,78 +architectur,160,130,71,10,11,12,78,110,180,183,92 +ensur,130,71,168,10,11,12,123,78,110,142,175,20,21,121,91 +compon,96,160,130,101,38,39,106,11,12,10,171,145,18,17,177,179,210,187 +featur,10,11,12,13,144,17,18,23,24,26,27,30,31,160,33,34,35,36,161,167,172,51,52,179,68,71,204,219,95,99,102,110,111,119,125,126 +cluster,160,99,165,168,10,11,12,13,79,92,82,219,156,94 +serv,10,11,177,149,22,23,25,26,28,29 +input,128,193,132,165,167,10,11,140,205,17,18,115,51,148,151,24,25,125 +lstm,34,35,132,133,102,10,11,205,51 +gru,132,102,10,11,119 +layer,98,35,34,166,106,11,10,141,205,47,48,177,207,51,149 +store,10,11,98 +trajectori,10,11,116 +convolut,32,128,160,35,36,37,10,11,51,179,119,24,25,31 +smooth,169,10,11,219 +short,34,35,132,133,102,135,10,11,205,51,22,23,185,123 +long,132,133,135,10,11,12,155,34,35,51,52,183,64,205,80,210,214,98,100,102,123 +benchmark,131,10,11,14,15,16,17,209,116,119,184,121,60 +kitti,143,10,11,71 +nclt,10,11 +contain,10,11,12,13,35,36,42,43,179,191,195,210,91,220,92,98,100,119,124 +environment,198,71,10,11,110,118,123 +contribut,32,161,154,10,11,44,45,175,144,21,22,23,118,218,187,31 +salienc,10,11,212,155,28,29 +smoothgrad,10,11 +vargrad,10,11 +take,132,200,202,11,10,81,212,126 +better,128,130,136,10,11,12,13,14,147,24,25,26,27,29,30,36,37,40,41,183,184,65,69,198,72,205,212,214,93,107,109,111,117 +consumpt,65,130,198,10,11,47,48,177,152 +absolut,34,35,10,11,52 +error,131,132,10,11,139,141,147,34,35,162,54,184,193,205,78,87,219,110,119 +meter,10,11 +slam,10,11,71 +commun,130,135,11,139,12,149,152,153,44,45,46,47,175,177,182,183,187,192,193,196,73,75,203,204,208,212,215,94,107,108,118,122,126 +energi,129,130,11,12,13,142,149,152,26,27,163,41,42,44,45,46,47,48,177,181,183,56,61,198,204,208,81,210,87,96,108,111,120,121,123 +manag,98,130,102,135,40,41,139,12,11,175,208,118,23,22,150,58,156 +smart,130,131,70,107,12,11,47,48,175,21,22,119,184,151,126,94 +microgrid,73,11,12,47,48 +nandor,11,204,12,46,47,48,61 +verba,11,204,12,46,47,48,61 +daniel,36,37,27,106,11,12,142,111,208,210,20,21,182,23,24,26,219 +nixon,96,11,12,142,208,87,152,61 +elena,11,12,152,34,35,168,41,42,44,45,47,48,61,204,208,81,92,96,123 +gaura,11,12,152,34,35,168,41,42,44,45,47,48,61,204,208,81,92,96,123 +leonardo,168,11,12,92 +alv,11,12 +dia,168,11,12,92 +alison,11,12,152,155,27,28,159,163,164,44,45,173,178,58,61,196,80,81,210,212,96,108,123 +halford,11,12,152,155,27,28,159,163,164,44,45,173,58,61,196,80,81,212,96,108,123 +micro,152,11,12,160 +grid,96,73,11,12,87,152,125,94 +de,26,154,11,12,111,49,50,115,178,210,212,218,27,126 +carbonis,11,12 +equiti,11,12 +displac,96,162,163,132,11,12,45,44,205,212,184,123,61 +inflex,169,11,12 +lack,32,96,131,70,202,11,12,46,47,214,184,126,219,158,31 +respond,11,12,178,30,31 +sustain,32,96,163,11,12,45,44,47,46,81,174,175,204,152,123,61,31 +intervent,136,11,140,12,147,21,22,152,154,35,36,171,185,197,201,208,219,96,118 +explor,133,138,11,12,22,23,155,156,158,38,39,40,41,166,44,45,46,52,59,189,191,208,81,215,108,109,112,123 +fog,177,11,12,135 +retrofit,11,12 +deploy,96,130,105,11,12,46,47,21,22,152,124,61 +infrastructur,32,195,11,12,175,21,22,216,31 +enabl,130,135,136,11,12,17,18,148,25,26,32,33,34,35,161,169,170,175,183,212,91,105,124 +servic,192,130,135,169,11,107,12,203,175,20,21,94,151,152,25,26,158,216 +deliveri,169,11,12,45,44,203,208,123 +longev,96,11,12 +decoupl,49,50,11,12 +resili,32,33,73,11,12,45,44,212,31 +testabl,11,12 +allow,128,130,138,11,12,17,18,21,22,151,158,168,42,43,172,49,50,59,216,99,124 +edg,35,36,106,11,12,175,21,22,28,29 +cloud,11,12,20,21,216 +nurseri,11,12 +playground,11,12 +kigem,11,12,61 +refuge,96,11,12,45,44,208,152,61 +camp,96,11,12,208,152,123,61 +rwanda,96,11,108,12,152,61 +enact,11,12 +prioriti,169,11,12,203,14,15,118 +ga,11,12,87 +pre,192,98,35,36,136,11,12,203,17,18,82,182,185 +batteri,152,11,12 +control,129,130,11,139,12,14,142,16,144,13,15,21,22,150,158,32,33,161,41,42,169,47,48,175,191,194,195,69,197,200,73,202,87,107,109,113,117 +determinist,11,12 +space,164,198,11,12,45,46,48,49,18,50,115,148,17,215,219,188,127 +share,11,12,208,20,21,212,216 +highest,32,65,34,33,36,35,38,39,11,12,171,203,145,179,182 +util,137,11,12,13,14,15,16,144,151,158,161,38,39,177,179,57,72,73,87,94,101 +everi,40,41,11,12 +simpl,99,11,12,176,185 +24h,11,12 +timefram,185,11,12 +line,105,202,11,201,12,47,48,212,90 +decis,11,12,144,17,18,148,150,156,161,167,175,80,208,212,91,220,94,99,100 +make,11,12,141,144,145,18,17,148,156,32,33,34,35,161,167,43,44,45,175,187,208,84,85,212,91,220,94,99,105,107,116,117,125 +cyber,130,73,170,11,12,125,94 +physic,138,11,12,144,148,157,162,41,42,47,48,177,56,59,187,190,197,210,88,118,120,125 +internet,193,130,70,103,169,11,12,175,156,61 +thing,193,130,70,103,169,11,12,175,156,61 +iter,99,12,13,148,52 +bay,69,12,13,54 +grabcut,12,13 +segment,33,34,99,12,13,177,179,218,93,30,31 +cervic,12,13 +cancer,128,172,13,12,24,25 +anousouya,12,13 +devi,12,13 +magaraja,12,13 +ezhilarasi,12,13 +rajapackiyam,12,13 +vaitheki,12,13 +kanagaraj,12,13 +suresh,12,13 +joseph,12,13,183 +ketan,12,13 +kotecha,12,13 +subramaniyaswami,12,13 +vairavasundaram,12,13 +mayuri,12,13 +mehta,12,13 +earlier,161,12,13,144,145 +remain,40,41,203,12,13,147,191 +indispens,12,13 +surviv,12,13,213,24,25,91 +probabl,64,161,130,101,72,12,13,78,111,144,210,149,118,213,57,26,27,190 +patient,12,13,144,147,26,27,156,33,34,35,36,161,197,201,202,217,218,91,107,111 +worldwid,36,197,37,12,13,111,178,26,27 +done,12,13,116,21,22,94 +rel,203,12,13,141,15,16,148,182 +pap,12,13 +smear,12,13 +cell,38,39,12,13,109,47,46,49,50,172,206,25,26,189 +degrad,12,13 +phenomenon,12,13,174 +aris,12,13 +superpixel,99,12,13 +count,89,12,13 +minim,169,12,13,18,19,56,91,220 +introduc,136,12,13,14,15,153,26,25,170,187,67,78,213,216,92,99,103,117,127 +hlc,12,13 +bc,12,13 +gcst,12,13 +employ,12,13,141,16,17,20,21,160,175,51,179,54,68,69,71,72,75,77,78,205,81,91,93,94,107,117,125 +benefit,35,36,197,70,12,13,110,79,175,92,115,182,216,188,61,94,63 +gaussian,128,138,12,13,16,17,145,148,24,25,40,41,172,45,46,57,59,62,77,90,101,122 +mixtur,187,12,13,95 +gmm,12,13 +reconstruct,106,12,13 +cut,130,12,13,175,21,22 +deriv,134,12,13,148,149,26,27,30,31,34,35,176,54,56,188,62,197,71,203,97,111,124 +final,35,36,68,134,71,103,105,166,12,13,47,48,177,212,119,90,188,62 +rough,12,13 +cytoplasm,12,13 +nuclei,12,13 +facilit,32,33,131,71,135,140,13,12,20,21,184,90,156,126 +standard,32,33,193,197,134,169,12,77,13,16,17,209,181,55,217,189 +alloc,32,64,100,169,13,14,91,156,31 +resourc,32,194,130,102,168,169,13,14,208,182,151,216,92,31 +vaccin,195,37,38,13,14,29,30,191 +pandem,192,194,201,13,14,158,29,30 +michael,162,13,14,209,217,122 +ajao,13,14 +olarinoy,13,14 +aftermath,13,14 +covid,192,161,194,37,38,201,202,13,14,144,29,30,191 +19,192,161,194,37,38,201,202,13,14,141,144,29,30,191 +understand,136,140,13,14,145,151,155,28,29,158,30,31,164,39,40,41,44,45,172,174,185,190,68,204,78,81,210,212 +prepar,51,13,14 +transmiss,194,136,169,13,14,177,30,183,56,29,158,191 +infecti,13,14,185,29,30 +estim,130,131,132,133,138,139,13,14,145,18,17,150,162,36,37,38,39,45,46,47,180,54,185,59,62,191,195,197,71,73,77,78,205,213,90,94,95,101,112 +statement,13,14 +drawn,163,13,14,22,23,56 +assumpt,172,13,14,178,210 +distribut,128,134,13,14,15,16,17,150,154,172,174,47,48,49,54,56,187,188,62,64,194,73,213,214,215,90,104,105,122,124,125 +goal,70,107,204,13,14,47,46,123 +would,13,14,148,21,22,158,164,166,167,43,44,180,191,193,195,203,78,79,120 +methodolog,13,45,46,14,179,24,25,188 +best,13,14,143,16,17,18,29,30,33,34,163,36,37,38,39,41,42,44,45,60,65,71,72,77,78,80,212,100,108,117 +agent,73,14,15 +rout,135,132,14,15 +uniqu,36,37,14,15,177,216 +depot,14,15 +ane,14,15 +abu,14,15 +monshar,14,15 +ammar,98,100,14,15 +al,98,100,37,38,39,40,41,14,15,209,178,210,212 +bazi,98,100,14,15 +vrp,14,15 +logist,34,35,204,14,15,47,46,22,23 +along,98,130,105,169,141,110,15,14,17,18,176 +variant,65,102,39,40,137,14,15,16,17,115,116 +custom,90,14,98,15 +window,99,169,138,14,15,210,89,59 +vrptw,14,15 +previous,160,138,14,15,177,179,118,217,59 +assum,34,35,14,15,149,187,188 +mostli,156,14,15 +home,160,164,14,15,80,212,155 +minimis,37,38,142,14,15,209,87 +total,162,131,35,100,69,36,199,202,14,15,145,84,85,184,217,187 +distanc,160,162,36,37,71,14,15,178,89,190,191 +travel,162,132,205,14,15 +wait,80,91,14,15 +criteria,32,33,197,38,39,104,201,14,15,111,174,208,26,27 +messag,149,14,15 +protocol,130,37,38,169,14,15,56,61 +heurist,39,40,14,15,49,50,86,60 +mpho,14,15 +balanc,32,33,161,136,14,15,144,17,16,214 +central,130,14,15,212,154,188,61 +accommod,164,61,14,15 +certain,140,205,14,15,16,116,21,22 +rule,98,100,73,14,15,115 +specif,14,15,20,21,24,25,152,30,31,33,34,36,37,38,44,45,178,180,57,204,217,112,116,123 +furthermor,160,130,99,35,36,102,103,41,42,141,14,15,176,145,180,57,91,124 +modif,14,15 +constraint,100,172,14,15,48,17,50,115,16,47,49,176,154,220,127 +check,75,76,14,15,49,50,84,85,153 +push,153,14,15 +forward,141,14,15,146,212 +pf,14,15 +recurs,43,44,14,15 +tailor,14,15 +start,77,14,47,46,15,115,21,22 +end,42,43,14,175,15,145,176,149,217,190 +calcul,14,15,54,57,28,29 +justifi,14,158,15 +superior,160,99,72,14,15,179,91 +instanc,216,143,14,15 +randomis,14,15 +higher,14,15,20,21,23,24,154,35,36,191,194,195,198,72,203,78,90,105,106,110 +outcom,192,161,14,15,80,144,47,46,148,212,118,121,155 +fastest,14,15 +cpu,14,15 +expens,198,46,14,47,15,84,85,127 +wei,16,116,15,55 +xiaojun,141,15,16,17,84,85,121 +wu,36,37,59,106,219,111,16,17,15,23,24,26,27 +premis,16,15 +bind,16,72,120,15 +site,96,164,109,46,47,16,112,15,206,181,25,26,189 +alreadi,16,98,166,15 +known,15,16,17,23,24,154,165,60,189,193,199,77,213,89,94,98,102,106,109,120 +meanwhil,16,15 +far,134,15,16,143,18,17,21,22,23,156,33,34,166,170,172,46,47,175,191,73,201,202,91,94,118,125 +hardli,16,15 +directli,43,44,15,16,217 +latter,164,173,15,16,209,179 +size,133,141,15,16,26,27,30,31,162,168,49,50,197,199,200,201,202,203,209,220,98,99,100,111,112,120 +divers,128,131,122,105,169,15,16,80,178,51,116,117,212,184,90,187 +dcl,16,15 +highlight,135,140,142,15,16,33,34,40,41,44,45,178,187,189,63,64,203,76,82,87,106,107 +vina,16,65,72,15 +glide,16,15 +around,132,141,15,16,152,26,27,44,45,46,47,174,49,50,185,71,205,80,81,216,108,111,115,123 +engin,34,35,163,137,139,44,45,46,109,16,17,54,183,123 +qidong,16,17 +chen,16,17,56,218,28,29,30,31 +xiaoqian,16,17 +shi,16,17 +ig,16,17 +random,128,137,144,145,17,16,24,25,161,165,48,49,177,52,181,54,187,65,69,197,72,202,90,93,98,101,105,116,120,122 +varianc,16,17,188,148 +linearli,16,17 +maintain,32,129,106,16,17,116,149,182,119,152,121,62,31 +gradual,16,17,215 +later,33,34,165,16,17,212,117,182 +good,128,143,16,17,21,22,24,25,28,29,166,167,41,42,46,47,72,212,122 +pso,16,65,116,17 +ten,104,17,16 +six,201,171,16,209,17,122,30,31 +competitor,16,17,93 +diagnos,33,34,161,27,111,144,17,18,175,24,25,26,219,125 +fault,139,141,17,18,82,150,121,125,95 +incomplet,17,18,91 +roozbeh,73,17,18,91,125,94 +razavi,73,17,18,218,91,125,94 +mehrdad,73,17,18,91,125 +saif,73,17,178,18,210,91,125 +shiladitya,17,18 +chakrabarti,17,18,161 +miss,17,18,91 +diagnost,140,175,17,18,57,125 +presenc,34,35,68,73,17,18,148,95 +aim,135,143,144,145,18,17,154,161,36,37,38,39,40,169,44,45,177,56,58,189,192,194,197,200,201,202,77,210,212,89,91,94,100,107,108 +devis,17,18,118 +imput,17,18,91 +reduct,162,35,68,34,130,136,168,45,46,17,18,50,49,212,185,92,191 +modul,98,35,36,130,42,43,17,18,91,125 +pool,17,18,51 +psmi,17,18 +simplifi,17,18,127,63 +pattern,131,132,111,17,18,119,184,26,27,220 +missing,17,18 +increment,17,18,115,63 +observ,33,34,35,198,71,73,106,77,109,17,18,84,85,90,191 +transform,160,99,207,208,17,18,55,183,219 +complet,39,40,140,17,18,21,22,183,157 +onto,17,18,204 +lower,129,34,33,37,38,201,17,18,182,55,56 +fed,17,18,125,78 +comparison,131,17,18,32,33,36,37,39,40,169,176,184,71,205,209,82,92,99,104,110,116,122 +sake,17,18,125 +tennesse,17,18 +eastman,17,18 +indic,138,140,145,18,17,148,21,22,35,36,166,171,178,59,190,197,213,214,91,118,119 +princip,160,17,18 +heteroscedast,17,18 +discrimin,68,17,18,214,150,127 +smt,75,76,49,50,19,20,115,146,18,153,60,63 +arithmet,49,50,115,19,20,146,18,63 +insid,18,19,20 +mapl,70,43,44,18,19,20,55 +matthew,136,18,19,20,146,153,26,25,167,42,43,49,50,52,53,60,189,63,67,75,76,206,79,109,115,127 +england,18,19,20,146,153,155,164,167,42,43,49,50,52,53,60,63,67,198,75,76,79,212,115,127 +report,18,19,148,33,34,163,37,38,178,188,190,195,200,201,202,203,212,106,108 +progress,75,76,18,19,61,127 +creat,128,144,18,19,151,152,28,29,30,31,43,44,46,47,51,180,71,207,216,94,119 +nra,18,19 +give,134,39,40,42,43,76,206,48,49,18,19,183 +cover,99,39,40,46,47,175,18,19,20,115,179,63 +theori,64,101,136,44,45,77,127,49,50,19,20,115,18,183,153,188,63 +lazi,18,19 +paradigm,103,47,48,18,19,86,157 +new,128,134,135,138,140,143,145,146,19,148,18,151,153,30,31,33,34,166,167,168,43,44,172,48,49,177,179,180,183,57,185,59,60,62,63,65,67,68,70,203,77,84,85,212,213,214,216,95,98,99,100,115,124,126,127 +identif,107,140,18,19,52,186 +conflict,142,49,50,115,19,82,18,62 +symbol,75,43,44,76,18,19,86,153,60 +satisfi,121,75,76,49,50,19,20,115,18,153,220,63 +modulo,49,50,115,19,20,18,63 +amazon,20,21,46,47 +web,33,34,197,37,38,199,201,202,113,20,21 +teach,20,164,21 +coventri,163,198,208,83,20,21,153 +univers,163,198,46,47,208,83,20,21,216,153,188 +flood,45,46,20,21,118 +alan,20,21 +hall,152,20,21 +septemb,20,21 +2020,33,34,163,201,202,20,21,29,30 +cu,20,21 +offer,69,103,78,175,208,146,210,20,21,212,187 +bsc,20,21 +hon,20,21 +degre,139,178,147,20,21 +support,135,144,145,20,21,151,158,33,34,161,164,165,41,42,175,179,182,58,61,62,193,68,70,84,85,220,107,108,118 +aw,20,21 +leverag,130,35,34,102,51,20,21 +platform,135,104,170,20,21,151,121 +build,143,145,20,21,28,29,32,33,167,171,44,45,198,205,210,219,101,108,115,122,123 +upon,130,163,164,122,20,21,118,212,58,187 +compet,209,20,21,206 +ccf,20,21 +seek,104,44,45,145,20,21,153 +stack,98,100,204,20,21,215 +authent,107,20,21 +student,128,198,42,43,175,20,21,216 +led,105,108,45,46,178,20,21,150,183,152,90,157,62 +academi,20,21 +educ,198,199,42,43,204,210,20,21,212,216,154 +member,20,155,164,21 +certif,20,21 +access,20,21,26,27,163,169,42,43,44,45,46,47,61,192,204,208,90,96,105,107,111 +leader,58,20,164,21 +direct,198,70,72,104,135,107,199,201,177,20,21,118,182,183 +collabor,135,177,178,116,20,21 +emb,61,20,21 +skill,20,108,21,118 +curricula,20,21 +fill,20,212,21 +gap,138,20,21,22,23,152,25,26,39,40,44,45,175,59,61,192,70,212,96,118 +landscap,26,111,20,21,154,27 +graduat,20,21,175 +august,200,20,21 +2022,72,20,21 +hei,20,21 +interleav,20,21 +car,32,129,130,131,41,42,78,21,22,184,31 +close,192,197,134,21,54,22,149 +yet,166,136,202,171,44,45,179,21,22,216,123,92,157,191 +fulli,92,124,180,21,117,22,220 +autonom,162,131,132,69,102,71,133,135,205,110,143,180,21,22,184,122,124 +ankur,78,21,110,22 +deo,78,21,110,22 +last,154,212,21,22 +year,21,22,24,25,26,154,27,42,43,46,47,174,51,182,185,195,198,199,200,203,103 +stride,21,22 +substanti,194,38,39,107,203,21,22,89 +move,105,81,180,21,22,152,122,124 +autonomi,46,47,21,150,22 +near,135,40,169,39,112,21,118,22 +look,128,164,123,175,80,212,21,22,181,120,25,24,155,158 +vision,21,22,143 +tech,21,22 +driver,41,42,110,78,21,22,154 +assist,135,110,78,145,149,22,119,21,25,24 +ada,78,21,110,22 +today,166,201,21,22,157 +modern,32,163,69,107,78,21,22,31,191 +automobil,122,21,69,22 +automot,129,169,110,21,22,124 +cybersecur,193,21,22 +road,130,131,133,148,21,22,31,32,162,46,47,180,184,69,205,78,103,122,124 +next,141,179,21,22,119 +driverless,21,22 +reliant,21,205,22 +passeng,129,41,42,21,22 +place,163,178,116,21,22,212,31,30,191 +whilst,35,36,208,81,21,22 +elimin,21,22,94,89,91,60,158 +entir,136,84,21,85,22 +despit,32,33,197,141,46,47,178,21,22,151,157 +hold,21,22,175 +back,141,175,21,22,153 +editori,21,126,22 +unless,21,22 +critic,130,135,148,149,22,23,21,31,32,168,169,182,60,61,191,194,205,212,107,112 +address,135,138,21,22,23,24,171,178,179,54,59,61,189,195,81,209,212,106,109,116,119 +difficult,135,143,21,22,126 +moment,112,21,213,22 +realiti,123,21,22 +risk,136,144,145,22,23,150,154,158,161,171,174,185,70,200,201,203,81,101,107,118 +dairi,22,23 +suppli,22,23 +chain,195,38,39,72,54,23,120,22,190 +maryam,22,23,62,175 +azizsafaei,22,23 +amin,33,34,69,134,104,201,170,202,172,175,178,210,119,118,23,22,156 +hosseinian,33,34,166,134,201,170,202,172,175,22,23,118,156 +rasoul,22,23 +khandan,22,23 +dilshad,22,23 +sarwar,22,23 +suffer,33,34,132,197,22,23,214,154,62 +interrupt,22,94,23 +unforeseen,22,23 +event,100,45,174,46,180,118,23,22,124 +perish,22,23 +fresh,56,22,23 +life,100,199,145,212,22,23,155,220 +cycl,64,22,23 +compani,22,23 +feel,22,23 +immens,128,22,23 +pressur,162,133,169,201,22,23 +adopt,131,137,22,23,155,41,42,170,45,46,47,184,189,69,80,212,216,107,122,127 +proactiv,81,170,22,23 +aspect,36,101,37,70,137,108,22,23 +feedback,32,33,42,43,22,23,29,30 +reliabl,131,137,138,141,144,22,23,150,161,178,54,184,59,71,205,78,206,84,85,213,91,101,105,109,110,121,122 +strive,22,23 +evid,206,80,61,148,212,22,23,152,120,189,62 +basi,34,35,166,107,84,85,22,23,212,127 +index,33,34,197,199,200,202,213,22,23,214,154,220 +analys,32,33,198,166,106,178,210,119,118,23,24,22 +accord,130,145,22,23,37,38,42,43,48,49,50,177,178,187,73,201,202,212,89 +literatur,130,132,22,23,156,36,37,39,40,168,171,44,45,55,70,75,209,92,103 +publish,132,197,38,39,104,22,23 +2017,198,209,87,23,22 +2021,37,38,103,75,76,22,23 +nine,105,22,23 +across,132,135,138,22,23,26,154,27,32,33,45,46,59,203,78,90,96,102,106,111 +subsect,22,23 +major,32,96,195,134,171,22,23,216,154,94,31 +categori,171,22,23 +macro,22,23 +retail,22,23 +benefici,22,23 +manageri,22,23 +discern,35,36,22,23 +regard,160,37,38,47,48,144,175,22,23,124 +think,212,22,23 +bispectrum,24,106,23 +min,36,37,106,111,23,24,26,27 +neurodegen,106,111,23,24,26,27 +brain,36,37,106,111,23,24,25,26,27,93 +split,106,43,42,23,24 +neurophysiolog,106,140,23,24,186 +record,161,162,131,34,33,195,90,106,107,144,23,24,25,26,184 +discret,160,100,106,213,23,24,157 +frequencyband,24,23 +isol,106,109,77,23,24 +tradit,164,166,41,42,107,43,106,143,49,50,23,24,123,220,189 +band,24,106,23 +spectral,99,106,176,23,24 +spectrum,64,106,44,45,23,24 +construct,134,145,23,24,28,29,157,161,164,166,171,172,49,50,77,78,91,101,115 +vectoris,24,23 +classifi,128,36,37,171,147,52,179,23,119,24,25,180,187 +fuse,110,78,147,23,24 +suggest,129,130,136,23,24,158,35,36,38,39,171,57,62,191,198,206,212,96,101,106,108 +tumor,24,25 +variat,128,160,194,78,111,24,89,26,27,25,216 +autoencod,128,25,24,160 +adversari,128,180,24,25,91,124,125 +bilal,128,65,117,24,25 +ahmad,128,65,117,24,25 +zhongji,128,25,24 +mao,128,65,25,24 +pernici,24,25 +lowest,24,25,32,33 +five,35,36,82,117,119,24,217,218,25 +neurologist,24,25 +magnet,112,25,93,24 +reson,138,24,25,59,93 +mri,24,25,218,93 +autom,130,132,37,36,42,43,83,148,180,24,25,218,124 +tool,135,138,140,144,24,25,161,35,36,167,174,48,49,50,177,52,185,57,59,193,74,203,211,216,101,118,127 +burden,24,25,203,212 +health,24,25,154,158,160,37,38,46,47,185,191,192,194,197,200,201,202,212,91,107,118,123,126 +shown,139,140,143,24,25,26,27,35,36,40,41,174,187,198,73,84,85,213,93,111,117,122 +remark,65,103,117,24,25,187 +instant,24,25 +amount,198,169,140,142,145,87,24,25 +rare,24,25,180,124 +unsupervis,160,99,165,94,24,25,126,156,29,30 +vae,128,25,24 +gan,128,180,24,25,124 +swap,24,25 +encod,128,97,162,160,133,86,24,25 +decod,128,25,24 +mr,24,25 +output,193,165,75,140,45,46,214,119,24,25 +nois,128,34,35,36,131,133,78,176,82,24,25,125,184 +vector,128,33,34,193,68,165,145,51,84,85,179,30,24,89,25,31 +cascad,132,172,147,24,25 +sampl,128,131,24,25,154,168,49,50,180,184,67,197,199,200,201,202,205,90,105,115,122,125 +instead,128,164,39,40,105,168,147,212,24,25,188,157 +mode,128,73,137,139,116,150,24,25,95 +collaps,128,112,24,25,190 +realist,128,135,43,44,180,24,25 +reason,175,115,214,55,24,185,25,63 +extent,37,38,135,45,46,24,25,191 +accept,198,110,178,148,24,25 +resnet50,24,25,82,179 +notic,24,25,160 +72,24,25,219,191 +63,24,25,69 +96,24,25 +25,199,202,203,141,145,24,121,154,60,152,25 +class,134,199,77,82,52,84,85,24,25,91,30,31 +glioma,24,25 +0,36,37,38,199,39,200,201,202,203,84,85,182,24,25,158 +769,24,25 +837,24,25 +833,24,25 +80,44,45,46,144,24,25,123,191 +recal,24,25,84,85 +f1,144,25,59,24 +score,32,33,72,144,84,85,24,25 +respect,138,142,24,25,154,152,31,32,162,59,188,193,69,197,72,201,215,217,91,96,127 +pet,24,25,70 +positron,24,25 +emiss,24,25,145 +tomographi,24,25 +part,128,66,26,197,198,71,109,175,81,145,179,212,24,25,218 +clinic,33,34,35,36,37,38,161,144,147,24,217,91,25 +expert,70,206,145,24,25,189 +meningioma,24,25 +pituitari,24,25 +radiolabel,24,25 +stephen,32,109,206,47,48,25,26,189,31 +tart,109,206,25,26,189 +may,136,146,25,26,35,36,37,38,167,47,48,52,185,190,205,78,206,212,215,89,109,118,120 +adjust,26,141,210,89,154,25 +decommiss,25,26 +undertaken,25,26,212 +manner,43,44,109,175,116,25,26 +survey,26,198,103,104,135,75,107,109,46,47,204,145,210,183,25,154,158 +relev,32,33,58,197,40,41,44,45,177,25,26 +gather,42,43,208,25,26 +reflect,183,25,26,61,190 +mislead,25,26 +overlay,25,26,149 +histor,25,26,169 +whether,78,25,185,26,187,30,31 +uncertainti,32,33,98,162,101,133,77,46,109,45,145,174,210,148,25,26 +digit,163,170,206,175,179,25,26,189 +forens,109,206,25,26,189 +opinion,109,206,145,25,26,189 +delay,26,132,104,169,138,172,205,176,212,25,218,59 +matteo,41,42,111,26,27 +marco,26,27,111 +georgio,26,27,29,30 +common,97,34,33,199,200,172,28,111,49,50,26,27,92,29 +50,121,200,46,111,47,185,26,27 +invas,26,27,70,111 +urgent,26,170,27,111 +fulfil,26,27,197,111 +synchronis,26,27,111 +transit,139,204,45,44,111,112,81,123,181,120,26,27,152 +stabl,134,40,41,77,111,26,27 +properli,26,27,111 +assign,169,172,111,49,50,212,26,27 +activ,160,65,100,197,102,135,106,170,140,111,145,119,26,27 +invers,27,172,111,176,26,187 +proport,41,42,111,182,26,27,62 +occurr,78,111,89,26,27 +20,160,35,36,202,111,185,26,27,61 +age,26,198,199,200,204,111,212,182,56,154,27 +match,38,71,39,111,80,145,26,27 +healthi,26,27,158,111 +hc,26,27,106 +found,131,139,152,154,26,27,156,171,172,45,46,178,181,184,57,212,90,96,102,105,111,115,122,127 +constrain,26,27,111 +minima,26,27,111 +less,65,34,35,194,133,102,104,106,110,111,81,55,121,26,27,92,158 +basin,46,111,47,26,27 +smaller,193,166,111,26,27 +baselin,34,35,36,37,111,183,56,26,27,28,29 +separ,177,26,27,143 +10,131,26,38,199,39,139,45,46,147,120,154,27,184,191 +70,203,82,26,27,191 +old,26,27,203,154 +maximum,77,213,54,26,27,62 +clog,27,28 +shawl,27,28 +mormon,164,196,27,28,159 +moorland,27,28 +zion,27,28 +summar,28,29 +jingqiang,28,29,30,31 +chaoxiang,28,29 +cai,28,29,189 +kejia,28,29 +rapid,71,44,45,182,123,28,29 +trend,169,119,183,28,29 +rather,172,77,141,81,214,28,29 +relat,131,145,154,28,29,172,175,178,51,184,57,194,198,199,200,204,210,212,89,118 +articlesfor,28,29 +co,65,44,45,144,152,89,28,29 +sentenc,28,29,30,31 +guidanc,135,80,147,212,219,28,29 +track,131,133,205,110,78,113,147,182,119,56,28,29,184 +go,28,29 +throughcompar,28,29 +corpu,89,28,29 +cssc,28,29 +cgsum,28,29 +summari,28,29 +node,64,47,48,177,56,28,29 +sentencesa,28,29 +occur,98,170,203,141,216,28,29,190,95 +ofsent,28,29 +outperformscompar,28,29 +duc2006,28,29 +duc2007,28,29 +tweet,29,30 +jordan,29,30 +thoma,48,29,30,47 +bignel,29,30 +chantziplaki,29,30 +coronaviru,201,29,30 +newli,98,100,71,29,30 +trigger,210,29,30 +eas,32,33,122,29,30 +countri,131,198,203,210,178,184,29,30 +spread,64,194,90,29,30,191 +viru,136,29,30 +outbreak,195,29,30,191 +lda,156,29,30 +lsa,29,30 +gain,128,65,192,69,122,105,91,210,216,90,155,29,30 +fit,96,193,195,38,39,203,77,209,122,29,30,191 +neg,78,118,30,29,158 +sentiment,51,29,30 +conclud,101,103,104,110,143,80,49,50,115,208,155,29,30 +categor,29,107,187,30 +raw,160,71,145,29,90,91,156,125,30 +text,51,54,156,29,30,31 +12,38,29,30,39 +contextualis,30,31 +wise,89,30,31 +much,160,166,136,49,50,30,31 +effort,65,101,72,204,46,47,145,209,30,31 +past,65,34,33,167,72,143,209,146,179,156,157,30,31 +decad,65,195,72,140,209,210,156,30,31 +noteworthi,30,31 +annot,82,52,151,30,31 +difficulti,209,30,31 +quit,30,31 +minor,161,37,38,80,30,31 +easili,167,30,216,94,31 +mappabl,30,31 +concern,69,104,109,206,81,179,55,92,189,30,31 +flaw,30,31 +whole,38,39,212,116,30,31 +exploit,162,131,130,39,40,168,169,214,184,30,31 +full,33,34,115,149,30,92,62,31 +realm,30,31 +option,97,135,141,30,31 +focus,130,131,132,40,41,142,143,84,85,150,184,30,31 +deeper,210,30,31 +answer,30,31,206,215 +necess,170,30,31 +emphasi,164,212,30,31 +per,64,33,34,98,100,194,122,105,42,41,182,90,30,31 +purpos,160,33,34,35,36,135,108,109,206,145,217,187,156,30,31 +scientometr,30,31 +analyt,166,135,40,41,170,110,175,176,207,119,156,30,31 +pothol,32,31 +anup,32,31 +kumar,32,66,165,207,178,210,190,31 +pandey,32,31 +rahat,32,69,31 +iqbal,32,69,31 +tomasz,32,31 +maniak,32,31 +charalampo,32,69,31 +karyoti,32,69,31 +akuma,32,31 +highway,32,130,205,31 +essenti,32,192,194,68,148,149,118,89,31 +econom,32,101,37,38,136,171,204,174,47,48,179,116,118,216,153,61,31 +social,32,192,163,170,171,80,208,212,118,216,155,31,191 +prosper,32,174,31 +societi,32,192,69,201,212,31 +mainten,32,31,46,47 +pertain,32,31 +ongo,32,31,183 +traffic,32,64,130,131,103,169,78,143,148,184,31 +insuffici,32,31 +budget,32,41,42,74,46,47,31 +repair,32,31 +safe,32,163,175,143,148,31 +labori,32,31 +manual,32,161,144,147,218,31 +inspect,32,31 +acceleromet,32,132,133,31 +collect,32,69,202,107,81,178,212,125,151,156,61,31 +io,32,131,184,31 +smartphon,32,131,184,157,31 +instal,32,152,31 +dashboard,32,31 +run,32,141,177,157,31 +dedic,32,31 +cnn,32,33,34,35,36,51,179,119,31 +crowdsourc,32,31 +pathogen,32,33,201 +infect,32,33,194,203,182,158,191 +leander,32,33 +doni,32,33 +circuit,32,33,141,157 +attack,32,33,194,73,94 +proper,64,33,82,32 +micha,32,33 +menten,32,33 +hill,32,33 +coeffici,32,33,34,35,40,105,41,90 +capabl,32,33,34,35,36,133,102,45,46,174,149,183,124 +akaik,32,33,38,39 +criterion,32,33 +aic,32,33,38,39 +paramet,142,144,148,149,32,33,38,39,40,41,167,174,48,49,176,177,54,62,193,67,77,207,209,213,102,110,116,126,127 +viabil,32,33,148 +defin,32,33,188,116,182,214,120,89,123,220,189 +rank,32,33,68,40,41,90 +insight,32,33,122,105,203,140,172,185,90,155 +overal,32,33,129,161,165,122,103,200,170,142,47,48,144,149,182,154,219 +interestingli,32,33 +consist,128,33,32,35,131,37,34,36,161,205,110,78,112,115,120,185,154,184 +throughout,32,33,171,44,45,119,152 +prefer,32,33,69,37,38,136,198,145 +sleep,33,34,201 +apnea,33,34 +ecg,33,34 +systemat,33,34,197,37,38,199,201,202,171,208,83 +nader,33,34,161,68,37,70,38,104,197,199,107,200,201,202,156 +salari,33,34,161,37,38,197,199,200,201,202,156 +masoud,33,34,37,197,38,199,200,201,202 +mohammadi,33,34,37,197,38,199,200,201,202 +hooman,33,34,37,38,201 +ghasemi,33,34,37,38,201,94 +sa,33,34 +caus,33,34,101,201,174,47,48,177,82,210,84,85,212 +impercept,33,34 +ml,33,34,167,41,42,84,85,86 +recogn,96,33,34,134,107,119,158 +aid,192,33,34,132,47,48,144,61 +characterist,33,34,166,169,138,59,52,214,151,57,91 +written,33,34,76,55 +english,33,34 +octob,33,34,164 +pubm,33,34,37,197,38,199,200,201,202 +scopu,33,34,37,197,38,199,200,201,202 +ieee,33,34,103,169,125,94 +databas,33,34,37,38,103,197,199,200,201,202,210,212 +48,33,34 +adopteddiffer,33,34 +stripe,33,34 +minut,33,34 +svm,33,34,193,68,179,84,85 +dnn,33,34 +sensit,33,34,195,36,37,101,134,104,41,136,40,140,141,148,182 +100,33,34,35,36,37,38,194,195,142,217,95,191 +accordingli,33,34,62 +residu,33,34 +rnn,33,34,102 +99,33,34,35,219,191 +episod,33,34,38,39,174 +lean,33,34,209 +polysomnographi,33,34 +electrocardiogram,33,34 +differenti,34,35,41,42,43,44,77,169,207,57 +radial,34,35,166,84,85,62 +kojo,129,34,35,41,42,204,46,47 +sarfo,129,34,35,41,42,204 +gyamfi,129,34,35,41,42,204,46,47 +jame,129,139,142,146,147,150,153,34,35,41,42,45,46,49,50,52,180,59,61,63,198,204,217,218,219,95,115,124 +brusey,129,34,35,198,41,42,139,204,142,150,87,61,95 +rbf,34,35,166 +diffnet,34,35 +whose,34,35,157,134 +hidden,89,34,35,93 +block,34,35,36,77,141 +partial,34,35,40,41,77,207,115,92 +equat,34,67,35,166,43,44,77,207,48,49,116,57,188,127 +pde,34,35 +underli,34,35,135,123,140,185,187,220 +constant,34,35,43,44,188 +regularis,34,35 +backward,34,35,158 +euler,34,35 +chaotic,34,35 +timeseri,34,35,179 +30,162,35,34,210,52 +walmart,34,35 +m5,34,35 +forecast,34,35,69,47,48 +normalis,51,34,35 +unnormalis,34,35 +arima,105,34,35 +ensembl,34,35 +multilay,106,35,34 +perceptron,34,35 +mlp,34,35 +recurr,34,35,132,102,119 +memori,34,35,132,133,102,71,205,51,57,62 +mark,194,35,34,178,210,217,218 +41,201,34,35 +53,96,34,35,195 +approxim,34,35,68,166,201,202,77,46,142,45,176,207,54,155,95 +densenet,35,36 +x,35,36,147,217,219 +ray,35,36,147,217,219 +fluoroscopi,217,35,147,36 +denois,35,36 +cardiac,35,36,147,217,219 +electrophysiolog,35,147,36,219 +procedur,35,36,169,147,54,219 +yimin,35,36 +luo,35,36 +hugh,35,36 +brien,35,36,173 +kui,35,36 +kawal,35,36,147,217,218,219 +rhode,35,36,147,217,218,219 +dose,35,36,85,84 +safeti,160,192,35,36,37,69,38,205,81,148,180,150,122,124 +artifact,35,36 +devic,64,130,35,36,71,109,141,47,48,208,84,85,183,122,94 +anatom,35,36 +cue,129,35,36 +low,130,131,135,137,141,152,154,158,35,36,166,179,183,184,185,64,68,203,205,219,106,119,121,122 +compromis,35,36,95 +detail,35,36,197,103,41,42,175,81,63 +cardiologist,35,36 +eedn,35,36 +attent,128,160,35,36,70,103,135,179,215,56 +awar,121,35,36,135 +sharp,162,35,132,36 +contour,35,36 +ultra,35,36,119 +3262,35,36 +pairwis,35,36 +vote,35,36,198 +cathet,35,36,147,217,219 +416,35,36 +coronari,35,36 +sinu,35,36 +examin,142,155,35,36,38,39,45,46,182,187,188,193,197,198,199,201,82,96,107,109,120,122 +influenc,35,36,198,105,142,178,210,212,215,90,187,158 +ratio,96,35,36,90,105,169,176,152,89,154,158 +24,35,36,201,202,203,182,154 +origin,162,35,36,70,45,46,49,50,213,214,190 +clinician,35,36 +conclus,65,97,35,36,37,38,197,199,200,201,202,203,144,182,185 +promis,35,36,165,134 +radiat,35,36,141,147,84,85,219 +laboratori,35,36 +empir,97,36,37,104,62 +form,36,37,170,77,109,124,145,177,51,149,54,120,155,188,216 +dementia,36,37 +disrupt,192,36,37,94 +neuron,140,37,36 +power,121,36,37,165,105,138,141,79,48,47,185,90,59,125,94,57 +biomark,140,37,36 +utilis,161,36,37,110,78,208,121 +gnn,36,37 +grow,131,36,37,133,118,184 +unclear,36,37 +eight,73,36,37,198 +sensor,131,36,37,102,169,139,205,78,110,208,84,85,150,184,56,61,94,95 +fix,99,68,37,36,139,78,121,95 +reach,36,37,204,220,124 +984,36,37 +curv,91,36,37 +auc,65,91,36,37 +92,128,36,37,191 +wherea,36,37 +924,36,37 +84,36,37 +efficaci,195,37,38,80,191 +race,37,38 +ethnic,80,212,37,38 +abhinav,144,161,37,38 +vepa,144,37,38 +niloofar,37,38,199 +darvishi,37,38,199 +kamlesh,37,38 +khunti,37,38 +uptak,37,38,40,41,61 +amongst,184,131,37,38 +persist,37,38 +socio,37,38,44,45,61 +literaci,212,37,38 +insur,37,38 +statu,56,38,37,182 +trial,129,37,38,41,42,109 +item,37,38 +meta,37,197,38,200,199,201,202 +guidelin,212,37,38,149 +incept,37,38,183 +june,201,202,37,38 +intern,96,197,102,37,38,178,84,85 +mrna,37,38 +1273,37,38 +confirm,197,166,37,38,73,198,112,84,85 +95,195,37,38,199,200,201,202,84,85,217,154,158,191 +caucasian,37,38 +baden,37,38 +et,209,212,37,38 +polack,37,38 +bnt162b2,37,38 +afro,37,38 +caribbean,37,38 +african,192,123,37,38 +american,37,38 +94,37,38,191 +hispan,37,38 +latinx,37,38 +south,37,38,136,203,182,185,191 +asian,37,38 +imper,37,38 +thoroughli,37,197,38 +necessari,37,38,200,140,49,50,215,188 +disproportion,37,38 +hannah,38,39,40,41,203,185 +abdesslam,40,41,38,39 +boutayeb,40,41,38,39 +zindoga,192,194,195,38,39,136,41,40,203,182,185,154,158,191 +mukandavir,192,194,195,38,39,136,41,40,203,182,185,154,158,191 +treatment,161,38,39,144,82,217 +insulin,40,41,38,39 +inject,38,39,40,73,41,141,47,48,207,121,94 +monitor,96,160,38,39,103,169,78,47,46,174,175,179,84,85,208,152,56,61 +glucos,40,41,38,39 +individu,197,38,39,70,200,203,118,119,182 +concentr,38,166,39 +mice,38,39 +β,38,39 +ca,38,39 +pabil,38,39 +markov,195,38,39,72,139,52,54,150,188,93,95 +mont,195,38,39,48,49,54,150,57 +carlo,195,38,39,48,49,54,150,57,187 +bayesian,161,195,134,38,39,172,77,144,52,118,54 +bic,38,39 +vari,129,131,38,39,78,144,184,156 +absorpt,40,41,38,39 +clearanc,40,41,38,39 +toler,121,38,39,141,185 +blood,147,38,39 +gave,38,39 +least,195,38,39,48,49,52,124 +rang,128,160,163,38,39,166,41,42,167,172,175,188,64,193,198,199,203,208,97,103,104,107,110 +05,38,39,200,201,199,202,154 +suitabl,65,99,102,38,39,180,91,62 +hypoglycaem,38,39 +calibr,38,39 +abiola,40,133,102,39 +babatund,40,39 +scp,40,39 +np,40,56,157,39 +hard,162,131,132,133,39,40,184,56,190 +polynomi,67,167,40,39,48,49,50,115,117,127 +p,130,39,40,200,199,202,207,217,92 +expect,39,40,206,48,49,118,120,218,93 +attempt,39,40,146,157,94 +usabl,40,39,79 +exact,39,40,167,48,49 +metaheurist,40,177,39 +nobl,40,41,191 +jahalamajaha,40,41 +malunguza,40,41,191 +preval,198,199,40,41,200,201,202,176,154 +extortion,40,41 +healthcar,160,193,194,103,40,41,199,107,201,202,156 +necessit,166,40,41,203,91 +perspect,193,130,68,40,41,44,45,175,216 +homeostasi,40,41 +patholog,40,41,214 +asymptomat,40,41 +exchang,40,41,130,135 +stabil,64,166,134,40,41,77,47,48,155 +equilibrium,40,41,185,157,190,57 +asymptot,40,41,134 +prcc,40,41 +sobol,40,41 +influenti,40,41,174 +hour,40,41,184 +interv,195,40,41,54,154,158,191 +return,40,41,212,174 +variabl,161,193,101,167,40,41,43,44,144,49,50,177,54,187,60,190 +subcutan,40,41 +bolu,40,41 +complement,40,41 +concur,40,41 +concurr,40,41 +equilibria,40,41 +thermal,129,198,41,42,178,210 +cabin,129,42,41 +brandi,41,42 +jo,41,42 +jess,41,42 +rostagno,41,42 +alberto,41,42 +merlo,41,42 +heat,41,42,198,183 +seat,41,42 +air,129,166,41,42,215 +radiant,41,42 +panel,41,42 +electr,96,41,42,46,47,48,116,183 +might,41,42,142,49,50 +unfortun,134,41,42,157,62 +slow,41,42,123 +littl,97,41,42,49,50 +resolut,41,42,45,46,179 +wind,41,42 +tri,41,42,43,44,171,110,117 +1d,41,42 +multivari,161,166,41,42,172,144,48,49,158 +regress,129,101,200,41,42,202,204,62 +microsecond,41,42 +second,65,41,42,108,45,44,179,213,89,219,188 +yield,65,41,42,77,110,78,142,174,179,182,87,62 +nrmse,41,42 +8,197,199,200,41,42,201,202,203,144,182,87,122,123,92 +exce,41,42 +footwel,41,42 +versu,41,42 +head,41,42,204 +front,41,42,201,202,63 +unlik,99,195,102,168,41,42,217,92 +acceler,132,133,41,42,205 +ann,41,42 +narx,41,42 +ventil,41,42 +hvac,41,42 +engag,192,164,42,43,123,81,212,155 +introductori,42,43 +beat,42,43 +grawemey,42,43 +john,42,43 +halloran,42,43 +david,42,43,206 +croft,42,43 +undergradu,42,43 +onlin,167,42,43,145,114,113 +us,70,42,43,148,219,157 +cohort,42,43 +interview,42,43,46,47,80,83,212 +percept,129,198,42,43,44,45,171,143,178,210,123,158 +bear,145,42,43,101 +impli,209,42,43 +blend,42,43 +rashid,43,44,178,210,53 +barket,43,44,53 +promin,43,44 +pair,68,43,172,44,120 +buchberg,43,44 +must,192,43,44,118,124 +tree,132,71,43,44,205,220,94 +randomli,218,43,44 +draw,163,164,43,44,212,152,58 +user,130,69,122,136,105,107,44,43,180,182,151,152,185,90,124 +lie,43,44 +fact,43,172,62,44 +suit,43,44,78,116,63 +choic,193,167,137,75,44,141,43,204,115 +humanitarian,96,163,44,45,152,123,61 +ecosystem,44,45 +benjamin,44,45 +l,44,45 +robinson,123,44,45 +planet,44,45 +midst,44,45 +crisi,44,45 +widen,44,45 +polit,44,45,80,118,61 +meaning,61,156,45,44 +technic,44,109,45,47,48,145,206,183,61,127 +conceptualis,164,45,44 +interdisciplinari,44,45 +frame,71,44,45,110,119,217,219 +typolog,44,45 +sector,101,198,171,44,45,81,145,123,61,158 +conceptu,44,45 +add,113,44,45 +practition,163,108,45,44,175,206,212 +orient,132,70,103,135,44,45,89 +proof,44,45,49,50,146,63 +deliv,108,45,44,152,61 +inclus,197,70,44,45,61 +heed,163,108,45,44,123 +disconnect,44,45 +stakehold,171,44,45,81,145,212,123 +misunderstand,44,45 +trust,44,45 +partnership,44,45,46,47 +creation,44,45 +rectif,44,45 +emul,45,77,46 +spatio,45,46 +2d,62,219,45,46 +inland,45,46 +donnelli,45,46 +soroush,46,45,174 +abolfathi,46,45,174 +pearson,45,46 +omid,161,193,68,172,45,77,46,144,174,213,188,62 +chatrabgoun,161,193,68,166,172,45,77,46,144,174,213,188,62 +disciplin,45,46,135 +circumv,45,46 +associ,98,71,135,105,138,171,45,46,142,174,89,154,59,156,189,158 +hydraul,45,46 +hydrodynam,45,46,207 +spatiotempor,194,45,46 +prohibit,45,46 +instantan,138,59,45,46 +appropri,130,166,134,71,169,172,141,46,45,51,118,61 +gp,131,132,133,102,71,77,46,45,205,184 +inund,45,46 +lisflood,45,46 +fp,45,46 +straightforward,45,46 +quantif,138,77,45,46,118,59 +undertak,45,46 +reproduc,57,45,46,71 +speedup,92,45,46 +000,161,194,45,46,47,144,120 +solar,96,152,46,47 +photovolta,96,152,46,47 +electrif,152,204,46,47 +indigen,46,47 +brazilian,204,46,47 +alessandro,204,46,47 +trindad,204,46,47 +nei,46,47 +faria,46,47 +diego,192,194,195,46,47,154,158,191 +ramon,46,47 +helder,46,47 +da,105,46,47,122,187 +silva,187,46,47 +virgilio,46,47 +viana,46,47 +promot,101,171,46,47,145,214,152 +82,195,69,46,47,144 +famili,164,155,46,47,80,212,187 +huge,119,46,47 +river,46,47 +conserv,46,47 +nova,46,47 +esperança,46,47 +cuieira,46,47 +brazil,204,46,47 +stand,46,47 +alon,208,101,46,47 +2018,195,164,46,47,123 +2019,197,199,104,200,202,46,47,154,123,61 +finish,46,47 +dweller,46,47 +975,46,47 +w,46,47 +day,164,204,173,46,47,144 +weather,71,103,46,143,47,174 +temperatur,129,198,46,47,112,190 +equip,131,71,105,46,47,184 +phone,131,46,47,184,123 +citi,70,46,175,174,47,210,151,215 +claim,46,47 +hous,46,47 +300,131,46,47 +incom,154,204,46,47 +greenhous,46,47 +gase,46,47 +annual,203,46,47 +fossil,46,47 +fuel,204,46,47 +expenditur,46,47 +resid,46,47 +stop,84,85,46,47 +sdg,123,46,47 +clean,61,46,47 +combat,46,47 +rural,194,204,46,47 +peer,48,171,47 +negoti,48,164,47 +pablo,48,47 +rodolfo,48,47 +baldivieso,48,47 +monasterio,48,47 +euan,48,81,47 +morri,48,81,195,47 +morstyn,48,47 +georg,48,176,47 +konstantopoulo,48,47 +mcarthur,48,47 +renew,48,163,164,47 +shift,164,106,47,48,81 +trade,48,62,47 +intermitt,48,47 +price,48,212,136,47 +sold,48,47 +purchas,48,101,47 +voltag,73,47,48,84,85,125 +electron,161,107,141,47,48,144,116,84,85,183 +bound,134,47,48,176,56,120 +holist,48,47,175 +compos,48,190,47 +dispatch,48,116,47 +transact,48,47 +market,48,171,136,47 +behavior,134,135,136,202,47,48,112,207,214,120,94,122,190 +rigor,48,47 +converg,64,128,134,139,47,48,209,116,117,188,93 +topeer,48,47 +kac,48,49 +rice,48,49 +formula,134,48,49,50,149,54 +parametr,67,77,48,49,127 +elisenda,48,49 +feliu,48,49 +fiber,48,49 +partit,48,49 +maxim,90,105,48,49,182,218,93,62 +stem,48,49,195 +chemic,67,137,48,49,211 +reaction,48,49,67,211 +illustr,68,77,48,49,150,58,187,188 +larger,129,193,48,49,115 +multistationar,48,49,67,211 +levelwis,49,50 +jasper,49,50 +nalbach,49,50 +erika,49,50,63 +abraham,49,50,63 +philipp,49,50 +specht,49,50 +christoph,49,178,50,210 +brown,49,50,115 +h,131,68,138,174,49,50,115,146,214,153,59,63 +davenport,49,50,115,146,153,63 +free,137,139,78,49,50,146,116,179,209,157,190 +logic,69,141,78,49,50,148,220 +cad,167,127,79,49,50,115,153,60,63 +decompos,49,50 +truth,109,49,50,180,218 +invari,49,50 +repackag,49,50 +guess,49,50 +quickli,49,50,92,118 +unsatisfi,49,50,115,146 +fewer,49,50,124,102 +notabl,49,50 +jovanović,49,50,115 +moura,49,50,115 +nlsat,49,50,115,63 +formul,49,50,66,165 +eleg,49,50 +correct,162,167,75,142,49,50,95 +calculu,49,50,66 +arab,51 +abdulaziz,51 +alayba,51 +word,89,51,212,201 +languag,66,102,156,178,210,51,220 +nlp,66,51,156,102 +dealt,51 +embed,135,141,207,51,215 +morpholog,51,93 +proven,144,161,51,191 +max,51 +length,177,51,120,57,190 +convolv,51 +filter,71,139,205,78,51,179,150,219,94,95 +lift,52 +lncrna,52 +sumukh,52 +deshpand,52 +shuttleworth,52 +jianhua,52 +yang,138,140,178,210,52,55,186,59 +sandi,52 +taramonli,52 +code,65,102,167,137,52 +sub,171,203,52,154,123 +genom,172,156,52 +cpc,52 +speci,52 +shrinkag,52 +lasso,52 +pbc,52 +31,197,202,52,154,191 +15,69,169,52,117,182,154,92 +intergen,52 +antisens,52 +greater,136,80,81,52,155 +z,52 +bmrf,52 +tereso,60,53,86,79 +del,60,53,86,79 +río,60,53,86,79 +stress,201,202,213,118,54 +strength,145,212,213,54,90 +failur,141,84,85,54,95 +shahsanaei,54 +classic,97,66,165,54,120 +see,62,54 +independ,161,144,178,54,218,187 +glfr,54 +likelihood,77,213,150,54,62 +mle,62,77,213,54 +r,166,174,207,147,54,87,217,218 +loss,131,132,205,174,54,214 +analyz,199,200,202,172,174,176,82,213,54,220 +bootstrap,54 +confid,54,154,158,175 +matrix,172,77,55,89,62 +sphere,164,55 +ellipsoid,55 +dilat,55 +rotat,147,71,55 +shear,55 +chi,55 +matric,62,55 +upper,56,55 +singular,89,55 +polar,55 +invert,77,55 +entri,55 +trd,55 +geometr,57,181,55 +visual,160,129,130,101,175,209,82,147,179,55,215 +matlab,55 +geometri,64,179,55,217,190,57 +multi,65,98,134,137,138,172,205,110,142,208,177,117,87,56,59 +hop,56,177,220 +harvest,56,72,149 +wireless,169,208,183,56,122,187,61 +kunyi,56 +fatma,56,64 +benkhelifa,56,64 +hong,56 +gao,56 +juli,56,64,87 +mccann,56,64 +jianzhong,56 +aoi,56 +metric,134,168,105,138,204,56,59,60 +send,56 +stamp,56,81 +recipi,56,91,149 +phenomena,56,187,174 +schedul,56,121,169 +eh,56 +wsn,56 +interfer,56 +minimum,56,98,119 +peak,56 +prove,97,129,131,126,72,146,214,184,56,188,93,94 +maoig,56 +theoret,165,214,56,123,120 +tightli,56 +tight,56,176 +multihop,56 +stochast,64,57,93,182 +abhiram,57 +anand,57 +thiruthumm,57 +eun,57 +jin,65,72,178,210,57 +kim,194,104,178,210,57,154 +sde,57 +fokker,57 +planck,57 +densiti,64,172,78,57,95 +pdf,57 +mc,57 +overcom,134,166,205,143,57 +gpu,57 +cubic,112,57,120 +damp,57 +showcas,57,110 +fpe,57 +unequ,57 +joint,64,57,177,174 +forc,136,57,170 +exhibit,66,72,205,214,57 +bimod,57 +stationari,57,122 +induc,57,141 +law,80,57,212 +langevin,57 +milstein,57 +faith,58,155,212 +muslim,80,58,155,212 +heritag,80,58,155,212 +children,80,212,58,155,158 +strateg,80,58 +brief,81,58,113,103 +sariya,80,58,155,212 +cheruvallil,80,58,155,212 +contractor,80,58,155,212 +senior,58 +young,58,203,182,154 +content,169,58,99 +anyon,58 +compris,58,104,138,217,154,59 +section,201,58 +introduct,144,148,185,58,157 +terminologydivers,58 +faithth,58 +cultur,164,81,58,155,61 +religionchildren,58 +intersect,58,117 +identitiesovercom,58 +peoplehow,58 +profession,58,108 +carer,58,155,212 +phase,168,138,116,181,120,217,59,125 +lock,138,59 +bhavya,138,59 +vasudeva,138,59 +runfeng,59 +tian,59 +dee,59 +shirley,59 +hazem,138,59 +refai,138,59 +lei,105,90,59,122 +ding,59,119 +yuan,186,59,140,138 +oscil,138,59 +n,129,138,207,80,154,59 +mf1,59 +nf2,59 +bi,138,59,117 +2f,138,59 +f2,59 +f3,59 +f4,59 +involv,68,102,138,139,108,77,170,205,80,184,59,127 +integ,138,59 +2f1,59 +plv,138,59 +simultan,164,198,72,105,138,169,59,142,150,87,90,91,95 +lag,138,59 +white,138,59 +rössler,59 +choos,212,60 +tractabl,75,60,68 +inspir,217,116,89,60,93 +lib,60 +hand,179,60,69 +17,60,87 +slower,60 +boil,61 +cook,123,61,142,87 +settlement,96,61 +kriti,96,61,152 +bhargava,96,61,152 +agenc,80,163,61 +document,108,79,209,154,61 +everyday,61 +actor,81,61 +afford,163,61 +stove,61 +sum,61,119 +cookstov,61 +reflex,61 +plan,208,108,61,135 +contend,61 +ethic,81,61 +spars,78,62 +mohsen,193,68,197,202,77,174,62,94 +esmaeilbeigi,193,68,166,77,174,62 +shafa,62 +gpr,62 +intract,62 +irregular,62 +compact,220,62 +csrk,62 +ill,202,77,62 +wane,62 +slightli,129,62 +becam,62 +principl,152,189,62,135 +sparsiti,62 +compactli,62 +henc,100,92,62,167 +covari,172,77,62 +disappear,62 +author,101,72,75,107,76,206,175,145,212,62 +hyperparamet,77,62 +simpli,172,62 +misspecif,193,62 +gereon,146,115,63 +kremer,146,115,63 +cvc5,63 +announc,63 +encourag,193,108,214,63 +qf_nra,63 +scalabl,64,169 +duti,64,103 +lora,64 +imperfect,64 +sf,64 +orthogon,64 +yathreb,64 +bouazizi,64 +hesham,64 +elsawi,64 +letter,64 +queu,64 +restrict,64,134 +medium,64,169,205,207,185 +span,64,97,203 +sens,64,193,130,160,68,134,169,208,155 +104,64 +km2,64 +pareto,64 +frontier,64 +govern,64,80,152,192 +predefin,64 +evinc,64 +mitig,64,192,70,136,169,141,81,118,184,154 +unfair,64,212 +latenc,64,104,69,135 +parallel,65,168,215,92,157 +cooper,65,130 +screen,65,137 +jinx,72,65 +tend,65,92,135 +multifold,65 +half,65,157 +pain,65 +great,72,65,169 +intrigu,65 +autodock4,65 +psovina,65 +gwovina,65 +room,65 +master,65 +slave,65 +mutual,89,65 +evolv,65,155,157,118 +possess,65 +drift,65,162,132,72,137,205,116,93 +outstand,72,65,107,175 +enrich,65 +compound,72,65,192 +owe,65 +coevolut,65 +freeli,151,65,167 +download,65,137 +http,72,65,137,102 +github,72,65,137,102 +com,65,102,72,137,220 +xing,72,65 +mpsovina,65 +speech,66 +tag,66 +runtim,66,165 +zx,66 +arit,66,165 +bishwa,66,165 +ashish,66,165 +gate,66,132,102,168,84,85,119,217 +runnabl,66 +keep,169,66,141 +intermedi,66,220 +nisq,66 +quadrat,66,68 +postul,66 +superlevel,67 +formerli,67 +rectangular,67 +divis,67 +formal,177,67 +primari,144,121,161,68 +mercer,68 +sohrabi,104,107,68,70 +safa,104,107,68,70 +alenezi,68 +arafatur,130,68 +rahman,169,130,68 +ppi,68 +cellular,172,190,68 +drawback,68,134 +mainli,68,103,106,177,183 +qop,68 +truncat,89,68,143 +desir,68,135,169,118,183,157 +novelti,68 +cerevisia,68 +multiscal,68 +descriptor,68 +mld,68 +moham,161,69 +lawal,69 +saad,69 +cav,148,124,69 +mobil,69,135,105,123,90,187 +societ,69 +5g,90,69,183 +6g,69,183 +ubiqu,69 +concept,69,103,141,175,216 +inhibit,69 +inher,178,69,133,157 +naïv,69 +fuzzi,98,99,100,69 +81,69,133 +76,210,69,191 +83,144,69,191 +86,69 +38,69 +privaci,70,104,107,81,113,114 +fay,70 +mitchel,70 +carsten,70 +muhammad,70,119 +ajmal,70 +azad,70 +believ,178,70 +iot,130,70,169,175,119,156 +brought,70 +busi,143,100,70,175 +secur,193,70,104,170,107,175,81,212,149,216,155 +attract,103,181,70,215 +endeavor,70 +thorough,220,70 +stimul,70 +taxonomi,107,187,70 +uch,162,131,132,133,102,71,205,209,184 +onyekp,162,131,132,133,102,71,205,209,184 +md,143,130,110,71 +nazmul,143,110,71 +huda,143,110,71 +prepossess,71 +urban,194,132,71,143,175,215,154 +canyon,132,71 +canopi,71 +firstli,125,71 +scene,71 +concaten,71 +secondli,91,71 +b,71,203,187,178,210,219 +motion,131,71,184,217,188 +translat,71 +inerti,162,131,132,133,102,71,139,205,184 +c,99,198,71,168,209,178,210,217,187,92 +timestamp,71 +chunk,71 +resampl,71 +pandaset,71 +setup,177,130,71,183 +season,178,71 +rdpsovina,72 +affin,72 +synthesi,72 +worthwhil,72 +pour,72 +rdpso,72,116,93 +mutat,72,117 +person,72,108,76,182,216,156,158 +sutherland,72 +crossdock,72 +abstract,72,75,76,153,127 +copyright,72 +exclus,72,204 +licenc,72 +springer,72 +switzerland,72 +ag,72 +consensu,104,73,218 +dc,73 +fals,73,78,94 +bank,73,123,179 +slide,73 +yousof,73 +barzegari,73 +jafar,73 +zarei,73 +fdia,73 +boost,73 +convert,73 +neighbor,112,73,101 +mechan,122,135,73,105,140,141,117,90,157 +convent,73 +verif,73 +fdi,73 +save,74 +sc,75,76 +underspecifi,75 +accompani,75,76 +keynot,75 +talk,75,76,86 +workshop,75,76 +invit,76 +ask,164,76 +remind,76 +reader,76 +definit,187,76 +briefli,170,76 +histori,169,76 +pick,98,76,167 +maysam,77,143 +cheraghi,77 +nonparametr,77 +tune,209,77 +unstabl,77 +resolv,77,134 +hilbert,77 +schmidt,77 +svd,89,77 +hs,77 +stabli,77 +eigenvalu,77 +eigenvector,77 +ordinari,77,207 +integro,77 +fraction,77 +probabilist,161,101,167,139,77,174,145,148 +switch,122,130,78,183 +tracker,78,119 +fusion,102,110,147,78 +surround,78 +ego,184,131,78 +compens,136,78 +situat,98,135,78,150,215,120,185 +temporarili,78 +absent,78 +spuriou,78 +offhand,78 +constitu,110,78 +vastli,78 +extern,161,102,78,112,144,116 +spontan,209,78 +utmost,78 +rtde,78 +congest,131,103,169,78,143 +circumst,171,212,78 +similarli,105,154,203,78 +sign,78 +recognit,160,97,102,78,119 +tsr,78 +zone,178,78 +junction,78 +school,78,158 +pedestrian,78,143,180,122,124 +therebi,110,78 +kalman,205,78,219,94,95 +unscent,78 +doubli,153,79 +exponenti,131,132,133,205,79,213,184,153 +adjac,79 +doubl,187,205,79 +expon,112,79 +religion,164,80,212,155,158 +uk,161,198,80,144,81 +mphatso,80,212 +jone,80,212 +boti,80,155,212 +phiri,80,155,212 +2014,80,123 +act,80,167,206,175 +legal,80 +remov,80,99,212,94 +clear,172,80,120,216,191 +transraci,80,212 +placement,80,130,212 +interrog,80 +ground,96,131,109,80,180,184,218 +sociolog,80 +semi,80,99,188,179 +28,80 +insist,80 +worker,136,201,202,203,80,212,185,155 +minoritis,80 +rais,80,81,135 +recruit,80,212 +kathryn,81,182 +big,166,168,81,119,92 +digitalis,81 +clariti,81 +understood,81,194 +undergo,81,187,217 +increasingli,104,81,220 +complianc,81,171,113 +energyrev,81 +storag,81,98,100,87 +outset,81 +reactiv,81,170 +opportun,166,104,108,175,81,183 +eyepac,82 +eventu,82,171 +eye,82 +conditioncal,82 +temporari,96,82 +disabl,82,212 +cure,82,191 +grade,82 +fundu,82 +scratch,82 +datasetsavail,82 +carri,198,204,112,82,217,158 +densenet121,82 +apto,82 +datasetand,82 +get,82,134,158 +trustworthi,83 +anomali,84,85 +chip,84,85,141 +gamma,176,84,85 +eduardo,84,85,141 +weber,84,85,141 +wachter,84,85,141 +server,141,84,85,121,157 +kasap,121,84,85,141 +sefki,84,85 +kolozali,84,85 +zhai,141,210,178,84,85,121 +shoaib,121,84,85,141 +ehsan,141,84,85,121,91 +klau,121,84,85,141 +mcdonald,121,84,85,141 +maier,121,84,85,141 +nanoscal,84,85 +ioniz,147,84,85,141 +tid,84,85 +damag,201,174,84,85,118 +harden,84,85,141 +programm,194,168,141,84,85,158 +array,168,84,85 +fpga,168,84,85,92 +anticip,84,85 +board,84,85 +exposur,136,201,203,84,85,182,185,154 +cs,209,84,85,111 +lg,84,85 +wächter,84,85 +şefki,84,85 +inop,84,85 +drop,172,85,84 +zero,134,84,85,120,188 +saniti,84,85 +machinelearn,84,85 +sc2,86 +expos,118,86 +intend,171,86,199 +adm1,87 +anaerob,142,87 +digest,142,87 +ashraf,142,87 +substrat,87 +feed,142,87 +bangalor,87 +onsit,87 +kitchen,87 +wast,145,171,87 +bioga,142,87 +volum,142,166,87 +flare,142,87 +unmet,142,87 +percentag,87,191 +daili,96,160,166,204,87 +march,147,87 +886,87 +62,87 +m3,87 +88,195,87 +87,142,123,182,87 +73,178,87 +79,87,191 +68,195,87 +49,154,203,87 +281,87 +27,201,154,87 +180,162,87 +11,195,87 +surplu,96,87 +beyond,203,87,198,183 +maximis,142,87 +refin,89 +ming,89 +zhang,89,90,105,122 +yan,89 +wang,89 +zhicheng,89 +ji,89 +contextu,89,178,210 +distinguish,89,148,214 +pmidp,89 +redund,89,141 +pmidist,89 +revis,89 +pmi,89 +ppmi,89 +glove,89 +indoor,105,90,183 +millimet,105,90 +antenna,105,90,122 +simon,90,105,176,149,122,187 +cotton,90,105,176,149,122,187 +seong,176,105,90,187 +ki,105,176,90,187,156 +yoo,122,103,105,176,149,151,90,187 +marta,105,178,90,210 +fernandez,105,90 +william,105,90 +scanlon,105,90 +ap,105,90 +millimetr,90 +mmwave,90 +dass,90 +shot,105,90,122 +60,105,162,90 +ghz,105,90,122 +ceil,144,105,90 +mount,105,90,205,122 +imit,105,90 +voic,105,90 +ccc,105,90 +subsequ,169,178,90 +rss,90 +spearman,90 +sight,105,90 +lo,105,90 +quasi,105,90,214 +qlo,105,90 +broader,90 +nlo,105,90 +equal,105,90,142,130 +aforement,105,90,193 +liver,91 +transplant,91 +hallaji,91 +scarciti,91 +death,144,161,91 +list,91 +prompt,91 +imbal,105,91 +chanc,91,212 +hardwar,168,92,141,216 +augusto,92 +damasceno,92 +marcelo,168,92 +fernand,168,92 +som,168,92 +91x,92 +serial,92 +obsolet,92 +tissu,147,93,219 +mrf,93 +hmrf,93 +em,218,93 +standalon,96,93,152 +relax,172,93 +toolbox,93 +faster,128,160,141,155,220,93 +arshia,94 +aflaki,94 +gitizadeh,94 +akbar,94 +hierarch,217,94 +sabotag,94 +denial,94 +regressor,94 +buse,94 +phasor,94 +incap,94 +90,200,94 +percent,94 +mention,161,178,94 +bu,125,94 +14,200,204,94,199 +verifi,176,116,188,94 +jump,139,150,95 +regular,197,139,172,212,150,95 +ambigu,150,95 +enzo,139,150,95 +iglési,139,150,95 +dahia,139,150,95 +helen,95 +piet,218,139,150,95 +lahani,139,150,95 +nicola,95 +adrien,95 +merling,95 +nadjim,139,150,95 +horri,139,150,95 +actuat,150,95 +unman,139,103,150,95 +aerial,139,103,150,95 +uav,103,95 +wing,122,139,95 +altitud,139,95 +baromet,95 +abrupt,139,95 +multimod,116,95 +faulti,130,139,95 +jmrpf,95 +barometr,95 +thank,141,95 +imm,95 +kf,205,95 +streetlight,96 +situ,96 +street,96,124 +hypothes,96 +poor,96,192,133,137,147 +remot,96,208 +eleven,96 +socket,96 +nepal,96,108 +ineffici,96 +mismatch,96 +33,96,191,152,199 +pv,96,152 +ner,97 +entiti,97 +yard,98,100 +hadi,98 +hussain,98 +joma,98 +abba,98,100 +retriev,98 +arriv,98,100,130 +truck,98 +departur,98,100 +unknown,98,139,100 +fkb_ga,98 +stay,100,98,164 +quantiti,98,214 +fire,98,123 +supervis,193,99,101,165,145,179,126 +sara,160,99,179 +sharifzadeh,160,99,179 +sam,99 +amiri,99 +salman,178,210,99 +abdi,200,99,199 +jalebi,99 +label,160,193,99 +land,99,179 +the7,99 +subspac,99 +green,99 +thepropos,99 +sffcm,99 +semisupervis,99 +format,99,212 +rami,100 +hadeethi,100 +topmost,100 +fkb,100 +deactiv,100 +whenev,100 +moder,100,172 +quiet,100 +kpi,100 +reusabl,145,101,151 +load,145,101 +circular,145,171,101 +economi,145,171,101 +kambiz,161,101,171,144,145 +rakhshanbabanari,144,145,171,101 +jean,145,171,101 +claud,145,171,101 +morel,145,171,101 +reus,145,171,101 +cash,101 +financi,136,212,101,102 +procur,101 +labour,101 +unveil,101 +none,129,101 +interdepend,101 +feasibl,147,101 +nonetheless,101 +foundat,101,215 +materi,145,171,164,101 +subsector,101 +nearest,145,101,181 +quaternion,102 +strati,162,131,132,133,102,205,209,180,184,124 +kanaracho,162,131,132,133,102,205,209,180,184,124 +stavro,205,102,133 +christopoulo,205,102,133 +cope,102 +vanish,126,102 +gradient,126,102 +stronger,155,102 +qgru,102 +multidimension,134,102 +inter,106,171,212,102 +intra,169,106,102 +depriv,162,133,102 +onyekpeu,102 +quarternion,102 +in,131,132,133,102,205,184 +outag,162,130,132,133,102,205 +collis,169,103 +kelvin,103 +dushim,103 +lewi,103 +nkenyerey,103 +seongki,122,103,149,151 +jae,122,103,151 +seung,122,103,151 +song,122,103,151 +academia,103 +coordin,135,177,103,215 +sky,103 +drone,103 +iod,103 +militari,103 +civilian,103 +entertain,103 +static,143,185,103 +obstacl,103 +hinder,184,131,103 +2010,154,103 +frequent,103 +xplore,103 +sciencedirect,200,202,197,103 +elsevi,103 +retain,103 +video,119,103 +permiss,104 +blockchain,104,107 +mohammad,130,104,107,178,210 +dabbagh,104 +kwang,104 +raymond,104 +choo,104 +beheshti,104 +tahir,104 +broad,104,128 +2015,104,213,158 +ledger,104 +decentr,104,152,110 +hien,105 +ngo,105 +hypothet,105,191 +cpi,105 +reproduct,192,195,196,164,105,154,191 +autoregress,105 +recept,105 +arma,105 +treat,165,202,106,141,219 +delta,106 +theta,106 +segreg,106 +γ,106 +contract,107 +mehdi,107 +sookhak,107 +reza,170,218,107 +jabbarpour,107 +richard,109,107,205 +yu,107 +ehealth,107 +ict,107 +transmit,107,158 +ehr,107 +put,169,107,191 +breach,107 +advent,107 +pave,107,148 +client,136,107 +delin,107,171,190 +themat,107 +fundament,107 +granular,107 +audit,108 +team,163,108 +partner,108 +threefold,108 +evidenti,108 +deliver,108 +recognis,108,212,206,143 +tacit,108 +explicit,194,108 +third,199,108,207,113,120 +deepen,108 +iain,109 +brodi,109 +nichola,109 +patrick,124,109 +gleed,109 +brian,109 +edward,178,210,109 +kevin,216,109 +week,109 +moor,109 +hasel,109 +rf,160,109 +wider,203,188,109 +piecem,109 +radio,160,109,149 +cdr,109 +focuss,109 +handset,109 +anit,109 +nemo,109 +qrc,109 +ic,109 +500,109 +telecommun,109,206 +centralis,110 +decentralis,110 +brake,162,131,132,133,110,184 +multitud,110 +sen,110 +sor,110 +mono,217,110 +read,110 +circum,110 +stanc,110 +perceiv,130,110,143,145,178,155,124 +correctli,124,110 +substan,110 +tialli,110 +eba,110 +camera,110 +ise,112,110 +execut,121,177,110 +seen,112,172,110 +20fp,110 +intel,110 +i5,110 +ubuntu,110 +ical,110 +downsid,110 +compara,110 +tive,110 +lesser,110 +q,138,111 +bio,153,138,111 +nc,138,111 +sy,111 +eess,184,138,111 +sp,184,138,111 +math,209,111 +polym,112,181,190 +dimens,166,199,168,112,178 +damien,112,120,181,190 +paul,112,120 +foster,112,212,181,120,155,190 +debjyoti,112 +majumdar,112 +lattic,112,120,181 +dilut,112,181 +monom,112 +ferromagnet,112 +walk,112,122,120,181 +spin,112 +visit,112,181 +clearli,112,202 +charact,112 +happen,112,145 +absenc,162,131,132,133,112,191 +cond,112 +mat,112 +stat,112 +mech,112 +csi,113,114 +cop,113,114 +citizen,113,155 +gdpr,113 +eu,113 +horizon2020,113 +fund,192,113,118 +websit,113 +app,113 +transpar,113 +parti,113 +consent,113 +right,114,132 +jaimz,114 +winter,114 +decid,115 +ábrahám,146,115 +conjunct,115,220 +behind,115 +nucad,115 +preliminari,115 +metal,116 +conductor,116 +inevit,116 +encount,187,116 +prematur,116,117 +dcg,116 +kind,184,131,116,165 +divid,116 +constantli,116 +stagnat,116 +termin,116 +cec,116 +2013,116 +dmo,117 +moea,117 +mop,117 +nondomin,117 +penalti,117,214 +pbi,117 +tchebycheff,117 +tch,117 +mental,202,197,118 +tabassom,144,161,134,118 +sedighi,144,161,134,118 +liz,118 +varga,118 +apprais,118 +invest,118 +recoveri,145,141,118,135 +incid,136,170,118,182,154 +magnitud,195,220,118 +indirect,118,198,182 +ex,118 +post,210,178,118,122 +ant,118 +realloc,118 +anxieti,201,202,118 +distress,118 +traumat,118 +exacerb,136,118 +dampen,118 +victim,118 +sole,169,118 +asset,118,175 +readili,144,161,118 +qali,118 +lightweight,119 +ds,119 +surveil,119 +ullah,119 +khan,119,183 +weip,119 +ijaz,119 +ul,119 +haq,119 +sung,119 +wook,119 +baik,119 +stream,160,119 +hurdl,119 +quick,132,133,119 +abnorm,119 +moss,119 +pyramid,119 +consecut,181,119 +liteflownet,119 +skip,119 +efimov,120 +dna,120 +diagram,120,215 +strand,120 +somendra,120 +bhattacharje,120 +thought,120 +analog,120 +triplet,120 +infinit,120,190 +tower,120 +equival,120 +astronomi,120 +heterogen,197,199,200,201,202,121 +sangeet,121 +saha,121 +adewal,121 +adetomi,121 +tughrul,121 +arslan,121 +processor,121,141 +deadlin,121 +ii,121 +transient,121 +backup,121 +nearli,121 +75,121,195 +xilinx,121,141 +zynq,121,141 +apsoc,121,141 +dual,121,141 +doon,122 +sujan,122 +rajbhandari,122 +paramount,124,122,180 +widespread,122,171 +exterior,122 +roof,122 +mirror,122 +p2v,122 +secp,122 +wear,162,122 +chest,122 +stood,122 +side,122 +adequ,141,185,122,187,124,158 +uncomfort,123 +ben,123 +bett,123 +bloom,123 +saharan,154,123,203 +africa,192,195,136,203,182,185,154,123,191 +grafham,123 +lahn,123 +lesson,152,123,164 +niceti,123 +ped,124 +spooner,124,180 +madelin,148,180,124 +cheah,148,180,124 +rich,184,124,131,180 +fair,124,180 +richer,124 +intent,124,212 +casualti,124 +hossein,125,197 +hassani,125 +knockoff,125 +angl,139,147,125,190 +resist,125 +118,125 +guest,126 +special,187,126 +stefan,126 +wermter,126 +ariel,126 +ruiz,126 +garcia,126 +antonio,126 +padua,126 +braga,126 +clive,126 +cheong,126 +took,163,126 +nn,126 +explod,126 +incorrect,126 +rtl,126 +collin,127 +1970,127 +inequ,192,127 +attain,127 +gr,127 +obner,127 +heavi,128,172,176 +tail,128,214 +ted,128 +unavail,128 +auxiliari,128 +lesion,128 +latent,128,156 +let,128,157 +ed,128 +66,128,191 +melanoma,128 +fragranc,129 +comfort,129,130,198,178,210 +alexandr,129 +gentner,129 +giuliano,129 +gradinati,129 +carol,129 +favart,129 +olfactori,129 +47,129 +ment,129 +ambient,129 +yellow,129 +scent,129 +neutral,129,198 +peppermint,129 +orang,129 +cinna,129 +mon,129 +cold,129,174 +im,129 +warm,129 +olfac,129 +tori,129 +cli,129 +mate,129 +diffus,129,194 +seamless,130,135 +taufiq,177,130,135 +asyhari,169,130,177,135 +obaidat,130 +ibnu,177,130,135 +febri,177,130,135 +kurniawan,169,130,177,135 +marufa,130 +yeasmin,130 +mukta,130 +vijayakumar,130 +motorist,130 +disregard,130 +relay,177,130,149 +lamppost,130 +accumul,130 +backtrack,130 +envis,130,183 +durabl,130 +envisag,130 +malfunct,130 +chosen,130 +pervas,130 +vnbd,184,131 +odometri,184,162,131,133 +alicja,184,131 +szkolnik,184,131 +kingdom,184,153,131,173 +nigeria,184,131 +franc,184,131 +wheel,184,162,131,133 +android,184,131 +hz,131,205 +round,184,131,187 +about,184,131 +etc,184,193,178,131 +motorway,184,131 +40,184,145,131 +km,184,162,131 +58,184,131,195 +400,184,131 +hope,184,131,140 +valuabl,184,131,175 +further,184,131 +vehicular,162,131,132,133,169,205 +localis,162,132,205,133 +unbound,132,205 +gyroscop,132 +idnn,132,205 +vanilla,132 +vrnn,132 +roundabout,162,132 +corner,148,162,132 +left,218,132 +89,132 +55,136,195,132,144 +93,162,132 +35,195,132,203 +plagu,205,133 +tripl,133 +manifest,162,133 +tyre,162,133 +slip,162,133,207 +worn,133 +muddi,162,133 +46,144,201,133 +simplic,134 +posterior,134 +fréchet,134 +diverg,134 +credibl,195,134,191 +uniform,172,134 +priori,134 +posteriori,134 +sort,219,134 +disast,135 +evacu,135 +ye,135 +evacue,135 +mass,135,195,207 +massiv,135,168,169,172,179 +encapsul,135 +herein,135 +appear,164,135,178,180,189 +viabl,135,141,183 +dissemin,212,135 +sit,135 +reconfigur,135 +evacuatiion,135 +immunodefici,136 +prophylaxi,136,185,203,182 +femal,196,198,136,203,185,154 +sex,136,185,203 +quaif,136 +fern,136 +terri,136 +prestholt,136 +peter,136 +vickerman,136 +prep,136,185,203,182 +hiv,192,136,203,182,185,154,158 +fsw,136,203 +condom,136,185,158 +incent,136 +commerci,136,205 +unprotect,136 +parameteris,136 +sexual,192,136,185,158,159 +compensatori,136 +substitut,136 +charg,136 +nonus,136 +opposit,136 +provis,136,185,212,182 +msldock,137 +multithread,137 +lcmeteor,137 +librari,137,210,147,167 +f_1,138 +f_2,138 +f_3,138 +f_4,138 +2f_1,138 +rossler,138 +hélène,139,150 +longitudin,139 +pitch,139 +aircraft,139,150 +markovian,139 +sentinel,139 +hypothesi,139,150 +incipi,139 +77,139 +amplitud,139 +pronounc,139,171 +aerospac,139 +nervou,140 +granger,140 +argu,170,140 +lockstep,141 +soc,141 +roll,141 +constitut,141 +compel,141 +merit,141 +harsh,141 +arm,141 +cortex,141 +a9,141 +7000,141 +soft,219,141 +microblaz,141 +tmr,141 +subsystem,141 +pl,141 +checkpoint,141 +checker,141 +98,141 +bit,141 +flip,141 +regist,192,141 +file,141 +overhead,141 +workload,141 +mwbf,141 +proceed,141 +feedstock,142 +flowrat,142 +rjaa,142 +jawad,142 +want,142 +effectivesystem,142 +luiz,143 +galvao,143 +abbod,143 +tatiana,143 +kalganova,143 +av,143 +accid,143 +pollut,143,166,215 +dl,143 +struggl,169,143 +occlud,143 +caltech,143 +pie,143 +bdd100k,143 +mortal,144,161 +pulmonari,144,161 +embol,144,161 +ventilatori,144,161 +inpati,144,161 +amer,144,161 +saleem,144,161 +103,144,161 +demograph,144,154,158 +morbid,144 +biochem,144 +vast,144 +stratif,144,161 +anonym,144 +44,144,161,191 +predictor,144,161,198 +355,144,161 +adult,144,161,200 +hospit,144,161,202,201 +retrospect,144,161,217 +oxygen,144 +therapi,144,172,182 +secondari,144,161,187,158 +ppv,144 +npv,144 +67,144,202 +71,144 +itu,144 +admiss,144 +69,144,182,191 +sequela,144 +85,144,194,191 +co2,145 +besid,145 +hierarchi,145 +recycl,145 +demolit,145,171 +sound,145 +judgement,145 +neighbour,145,181 +questionnair,145,178,198,210 +actual,145,198 +barrier,145,171 +learner,145 +unsat,146 +refer,167,146,175,183 +admit,146 +trivial,146 +formalis,146 +easier,146 +registr,147,219 +echo,147 +houston,147 +ansab,147 +fazili,147 +transesophag,147 +echocardiographi,147 +tee,147 +heart,147 +vessel,147 +domin,147,187 +surgic,147 +instrument,147,164 +probe,147,219 +plane,217,147 +freedom,147 +templat,147,151 +phantom,147 +mm,147,219 +seven,147,212 +tran,147 +aortic,147 +valv,147 +implant,147 +ultrasound,147,219 +felix,148 +batsch,148 +assur,148 +policymak,163,199,201,148,185 +kilometr,148 +untest,148 +unsaf,148 +surrog,148 +exemplari,148 +concret,148 +instruct,148,164,157 +cognit,149 +jam,149 +duplex,149 +destin,149 +khuong,149 +ho,178,210,149 +van,149 +paschali,176,187,149 +sofotasio,176,187,149 +sami,176,161,149 +muhaidat,176,149 +yuri,149 +brychkov,149 +octavia,149 +dobr,149 +mikko,149 +valkama,149 +secreci,149 +ehocn,149 +licens,149 +transmitt,149 +unlicens,149 +sender,149 +broadcast,149 +wire,149 +tapper,149 +eavesdropp,149 +outageprob,149 +ehocnwfd,149 +optimum,149 +phi,149 +onset,150 +subset,178,150 +rapidli,192,150,183 +ssf,151 +jieun,151 +lee,178,210,151 +seungmyeong,151 +jeong,151 +sparql,220,151 +ofsemant,151 +rest,151 +api,151 +rwandan,152 +conceiv,152 +sizeabl,152 +supplier,152 +lifetim,152,213 +dewcad,153 +wall,153,190 +russel,153,164 +bradford,153 +uncu,153 +issac,153 +bath,153 +sat,153 +lazard,153 +epidemiolog,194,154 +anemia,154 +esteban,194,154 +correa,194,154 +agudelo,194,154 +hae,154 +godfrey,192,195,154,158,191 +musuka,192,195,154,158,191 +wolf,154 +miller,154 +frank,154 +tanser,154 +cuadro,192,194,195,154,158,191 +geograph,194,154 +dispar,194,154 +poorli,160,194,154 +ssa,154 +enrol,154 +anem,154 +malaria,154 +odd,154,158 +aor,154 +02,154 +ci,199,200,201,202,154 +01,154 +pregnant,154,199 +deworm,154 +birth,154 +39,154,199 +34,201,154,203 +underweight,154 +23,197,198,202,171,154 +wealth,154 +western,154,182 +islam,155,212 +mphat,155 +be,155 +belong,155,158 +4500,155 +wale,155 +fieldwork,155 +journey,155,212 +irrespect,155 +religi,164,155,212,158 +endur,155 +press,155 +settl,155,212 +bond,155 +attach,155,212 +britain,155 +orphan,155 +chong,156 +ni,156 +informat,156 +sensori,156,175 +textual,156 +dirichlet,156 +sey,157 +mousavi,157,207 +sophist,157 +specifi,193,157 +centuri,157 +write,157 +zimbabw,195,158,203 +munyaradzi,158 +mapingur,158 +innoc,158 +chingomb,158 +farirai,192,158 +mutenherwa,192,158 +owen,158 +mugurungi,158 +backgroundth,158 +belief,164,158 +myth,158 +fight,201,158 +methodsw,158 +zdh,158 +began,158 +stepwis,158 +confound,158 +resultsth,195,158 +apostol,158 +know,158 +665,158 +503,158 +880,158 +male,158,198,182 +circumcis,158,182 +863,158 +781,158 +955,158 +633,158 +579,158 +693,158 +814,158 +719,158 +921,158 +buy,158 +veget,158 +vendor,158 +817,158 +729,158 +915,158 +attend,158 +804,158 +680,158 +950,158 +agre,212,158 +husband,158 +sti,158 +851,158 +748,158 +967,158 +conclusionsour,158 +unpack,204,159 +contemporari,159,173,183 +doppler,160 +radar,160 +yordanka,160 +karayaneva,160 +wenda,160 +yanguo,160 +jing,160 +bo,160,179 +tan,160,179 +passiv,160 +elderli,160 +appeal,160 +intrus,160 +penetr,160,166 +spite,160 +unlabel,160 +cosin,160 +dct,160 +cvae,160 +cae,160 +pca,160 +2dpca,160 +medoid,160 +visualis,160,175 +veoa,161 +rakhshan,161 +shamarina,161,197,200,201,202 +shohaimi,161,197,200,201,202 +amr,161 +omar,161 +diana,161 +dharmaraj,161 +junaid,161 +shital,161 +parekh,161 +ibrahim,161 +raza,161 +poonam,161 +kapila,161 +prithwiraj,161 +anonymis,161 +sequala,161 +sar,161,202 +cov,161,202 +oversampl,161 +smote,161 +whonet,162 +anuradha,162 +herath,162 +fitzpatrick,209,162 +alik,162 +longer,185,162,212 +120,162 +493,162 +confer,163 +held,163 +wednesday,163 +4th,163 +novemb,163 +organis,163 +centr,201,218,163,164 +behalf,163 +gcrf,163 +epsrc,163 +summaris,163 +academ,163,198,175 +expertis,163 +particip,178,210,163 +sought,163 +come,195,164,167,212,183 +sacralis,164 +guardian,164 +european,164,189 +domest,164 +church,164,173 +jesu,164,173 +christ,164,173 +saint,164,173 +prophet,164 +nelson,178,210,164 +curriculum,164 +away,164 +taught,164 +sunday,164 +defend,164 +idealis,164 +mother,164 +father,164 +sweden,164 +greec,164 +primaci,164 +doctrin,164 +nurtur,164 +nuanc,164 +secular,164 +notion,164,166 +destabilis,164 +institut,216,164,189 +leap,165 +costli,165 +interpol,166 +montasari,170,166 +bd,166 +unabl,172,166 +pm2,166 +station,166 +contigu,166 +leav,212,166 +pipelin,167 +dorian,167 +florescu,167 +seem,167 +invalid,167 +prize,167 +underpin,167 +python,167 +scikit,167 +sklearn,167 +hyper,167 +immedi,216,167 +coutinho,168 +mine,168,193 +mac,169 +ivwsn,169 +802,169 +unpreced,169,201 +emit,169 +packet,169 +lost,169 +expedit,169,212 +polic,170 +hamid,170,175 +jahankhani,170,175 +homan,170 +forouzan,170 +crime,170 +retort,170 +cyberspac,170 +cybercrim,170 +curb,170 +media,170,212 +alaka,171 +rabia,171 +charef,171 +mainstream,171 +practis,171 +harmon,171 +journal,171 +stratifi,171 +superstructur,171 +copula,172,174 +biomed,172 +nonzero,172 +modal,172 +tailed,172 +cumul,172 +margin,172 +pcc,172 +bivari,172 +violat,172 +pc,172 +warp,172 +dtw,172 +breast,172 +subtyp,172 +networkaph,172 +modelsdynam,172 +algorithmmodifi,172 +algorithmpair,172 +graphic,172 +ireland,173 +hazel,173 +malay,174 +vineyard,174 +karimi,174 +nouri,174 +frost,174 +spring,174 +tardiv,174 +grape,174 +horticultur,174 +raisin,174 +factori,174 +character,187,174 +iran,200,197,174 +twin,175 +farsi,175 +editor,175 +book,175 +dt,175 +warn,175 +prognost,175 +ifanalysi,175 +acquisit,175 +manufactur,175 +digitis,175 +composit,176,187 +fade,176,187 +karagiannidi,176 +kappa,176 +mu,176 +eta,176 +regim,176 +multipath,176 +shadow,176,187 +lessen,176 +η,176,187 +μ,176,187 +κ,176,187 +job,177 +worth,177,187 +aggreg,177 +sink,177 +arrang,177 +spend,177 +pilot,177 +configur,216,177 +emphas,177 +guarante,177 +layperson,178 +marcel,178,210 +schweiker,178,210 +maíra,178,210 +andré,178,194,210 +farah,178,210 +atrash,178,210 +hanan,178,210 +khatri,178,210 +rea,178,210 +riski,178,210 +alprianti,178,210 +hayder,178,210 +alsaad,178,210 +rucha,178,210 +eleni,178,210 +ampatzi,178,210 +alpha,178,210 +yacob,178,210 +arsano,178,210 +eli,178,210 +azar,178,210 +bahareh,178,210 +bannazadeh,178,210 +amina,178,210 +batagarawa,178,210 +susann,178,210 +becker,178,210 +carolina,178,210 +buonocor,178,210 +bin,178,210 +cao,178,210 +joon,178,210 +choi,178,210 +chungyoon,178,210 +chun,178,210 +hein,178,210 +daanen,178 +siti,178 +aisyah,178,210 +damiati,178,210 +lyrian,178,210 +danielshow,178 +moreshow,178,210 +lessrenata,178 +vecchi,178,210 +shivraj,178,210 +dhaka,178,210 +samuel,178,210 +domínguez,178,210 +amarillo,178,210 +edyta,178,210 +dudkiewicz,178,210 +lakshmi,178,210 +prabha,178,210 +edappilli,178,210 +jesica,178,210 +fernández,178,210 +agüera,178,210 +mireil,178,210 +folkert,178,210 +arjan,178,210 +frijn,178,210 +gabriel,178,210 +gaona,178,210 +vishal,178,210 +garg,178,210 +stephani,178,210 +gauthier,178,210 +shahla,178,210 +ghaffari,178,210 +jabbari,178,210 +djamila,178,210 +harimi,178,210 +runa,178,210 +hellwig,178,210 +gesch,178,210 +huebner,178,210 +quan,178,210 +mina,178,210,198 +jowkar,178,210,198 +jungsoo,178,210 +king,217,178,210 +bori,178,210 +kingma,178,210 +donni,178,210 +koerniawan,178,210 +jakub,178,210 +kolarik,178,210 +shailendra,178,210 +kwok,178,210 +roberto,178,210 +lambert,178,210 +laska,178,210 +jeffrey,178,210 +yoonhe,178,210 +vanessa,178,210 +lindermayr,178,210 +mohammadbagh,178,210 +mahaki,178,210 +udochukwu,178,210 +okafor,178,210 +marín,178,210 +restrepo,178,210 +anna,185,178,182,210 +marquardsen,178,210 +francesco,178,210 +martellotta,178,210 +jyotirmay,178,210 +mathur,178,210 +isabel,178,210 +mino,178,210 +rodriguez,178,210 +azadeh,178,210,198 +montazami,178,210,198 +mou,178,210 +bassam,178,210 +moujal,178,210 +mia,178,210 +nakajima,178,210 +ng,178,210 +marcellinu,178,210 +olweni,178,210 +wanlu,178,210 +ouyang,178,210 +lígia,178 +papst,178,210 +abreu,178,210 +alexi,178,210 +pérez,178,210 +fargallo,178,210 +indrika,178,210 +rajapaksha,178,210 +greici,178,210 +ramo,178,210 +reinhart,178,210 +rivera,178,210 +mazyar,178,210 +salmanzadeh,178,210 +karin,178,210 +schakib,178,210 +ekbatan,178,210 +stefano,178,210 +schiavon,178,210 +shooshtarian,178,210 +masanori,178,210 +shukuya,178,210 +veronica,178,210 +soebarto,178,210 +suhendri,178,210 +tahsildoost,178,210 +federico,178,210 +tartarini,178,210 +despoina,178,210 +teli,178,210 +priyam,178,210 +tewari,178,210 +samar,178,210 +thapa,178,210 +maureen,178,210 +trebilcock,178,210 +jörg,178,210 +trojan,178,210 +ruqayyatu,178,210 +tukur,178,210 +conrad,178,210 +voelker,178,210 +yeung,178,210 +yam,178,210 +gabriela,178,210,203 +zapata,178,210 +lancast,178,210 +yongchao,178,210 +yingxin,178,210 +zhu,178,210 +zahrasadat,178 +zomorodian,178,210 +sensat,178,198 +verbal,178,210 +anchor,178,210,190 +26,178 +21,178,202,210 +8225,178,210 +revisit,178 +farm,179 +deeplabv3,179 +jagati,179 +tata,179 +hilda,179 +crop,179 +repositori,179 +roi,179 +pixel,179 +craft,179 +pretrain,179 +learnt,179 +vgg,179 +16,179,197 +resnet18,179 +resnet101,179 +mobilenetv2,179 +indistinguish,180 +frustrat,181 +kenya,203,182 +edinah,182 +mudimu,182 +peebl,182 +emili,182 +nightingal,182 +monisha,182 +sharma,182 +graham,185,203,182 +medley,185,203,182 +klein,182 +katharin,203,182 +kripk,203,182 +bershteyn,182 +epidem,185,201,182,191 +antiretrovir,182 +voluntari,182 +vmmc,182 +quo,182 +programmat,185,182 +greatest,203,182,191 +59,182 +201,182 +horizon,185,182 +accru,182 +illumin,182,183 +permit,182 +biochemistri,182,191 +visibl,217,183 +tutori,183 +galefang,183 +allycan,183 +mapunda,183 +reuben,183 +ramogomana,183 +leatil,183 +marata,183 +bokamoso,183 +basutli,183 +amjad,183 +saeed,183 +monamati,183 +chuma,183 +solid,183 +verg,183 +restructur,183 +incandesc,183 +fluoresc,183 +lamp,183 +lifespan,183 +lumin,183 +vlc,183 +upcom,183 +fifth,183 +b5g,183 +sixth,183 +surfac,183 +irss,183 +10hz,184 +300km,184 +grant,185,203 +foss,185 +charlott,185,203 +watt,185,203 +friendli,185 +disinhibit,185 +undermin,185 +overst,185 +ge,185 +le,185 +45,185,202,195 +deduct,185 +emphasis,185,212 +nidhi,187 +simmon,187 +rafael,187 +nogueira,187 +michel,187 +yacoub,187 +denot,187 +iii,187 +scatter,187 +predetermin,187 +nakagami,187 +rv,187 +envelop,187 +preced,187 +succeed,187 +fluctuat,187 +render,187 +theorem,209,188 +passag,188 +reward,188,214 +shahid,188 +martingal,188 +poisson,188 +brownian,188 +sojourn,188 +except,189 +enfsi,189 +afsp,189 +legisl,189 +wedg,190 +confin,190 +θ,190 +sanjay,190 +keerti,190 +chuhan,190 +sadhana,190 +singh,190 +perfectli,190 +apex,190 +α,190 +conic,190 +axi,190 +symmetri,190 +nonmonoton,190 +nanoconfin,190 +condens,190 +matter,200,190 +farai,195,191 +nyabadza,195,191 +tinevimbo,191 +shiri,191 +basic,195,191 +contact,191 +cri,195,191 +crl,195,191 +64,191 +therapeut,191 +safeguard,192,212 +amidst,192 +civil,192 +rouzeh,192 +eghtessadi,192 +cso,192 +vigilantli,192 +lockdown,192 +rerout,192 +imped,192 +srh,192 +amid,192 +intensifi,192 +persever,192 +facil,192 +net,192 +sometim,193 +outlier,193 +vice,193 +versa,193 +cv,193 +yanyu,194 +xiao,194 +hernández,194 +hana,194 +neil,194 +mackinnon,194 +geospati,194 +uneven,194 +ohio,194 +u,194,207 +experienc,194 +274,194 +cholera,195 +tide,195 +portia,195 +manangazira,195 +glenn,195 +jr,195 +backgroundin,195 +declar,195 +worst,195 +methodsa,195 +oral,195 +78,195 +greatli,195 +conclusionsthes,195 +decay,195 +reticul,195 +sewerag,195 +empti,196 +womb,196 +unansw,196 +prayer,196 +infertil,196 +involuntari,196 +childless,196 +british,196,212 +fertil,196 +exercis,197 +fatigu,197 +symptom,197 +sclerosi,197 +nazanin,197 +razazian,197 +kazeminia,202,197 +moayedi,197 +rostam,200,197,199 +jalali,200,197,199 +ms,197 +impair,220,197 +1996,197 +sid,200,202,197,199 +magiran,200,202,197,199 +iranmedex,202,197 +irandoc,202,197,199 +googl,197,199,200,201,202 +scholar,197,199,200,201,202 +cochran,197 +embas,202,197,199 +isi,202,197,199 +plausibl,197 +keyword,202,197 +i2,201,202,197,199 +714,197 +720,197 +strongli,210,197 +rehabilit,197 +acclimat,198 +scotland,198 +hom,198 +bahadur,198 +rijal,198 +alenka,198 +temeljotov,198 +salaj,198 +overlook,198 +northern,198 +southern,198 +midland,198 +campus,198 +edinburgh,198 +18,202,198 +3507,198 +warmer,198 +tsv,198 +cooler,198 +22,202,198,199 +colder,198 +classroom,198 +satisfact,198 +restless,199 +leg,199 +syndrom,199 +willi,199 +ekbom,199 +rl,199 +wed,199 +trimest,199 +pregnanc,199 +behnam,200,201,202,199 +khaledi,201,202,199 +paveh,201,202,199 +aliakbar,200,199 +vaisi,200,199 +raygani,200,199 +fatem,199 +movement,199 +aggrav,199 +2431,199 +diminish,199 +depress,200,202 +iranian,200 +older,200 +khaledipaveh,200 +psychiatr,200 +suicid,200 +inconsist,200 +januari,200 +2000,200 +barakat,200 +medlin,200,201 +3948,200 +maker,200,202,212 +disturb,201 +physician,201,202 +nurs,201,202 +habibolah,201,202 +khazai,201,202 +melika,201 +staff,201,202 +psycholog,201 +metanalysi,201 +prisma,201 +cinhal,201 +limt,201 +bia,201 +egger,201 +3745,201 +2123,201 +57,201,210 +harm,201,219,212 +workplac,201 +soudabeh,202 +eskandari,202 +psychologist,202 +psychiatrist,202 +scientist,202 +psychopathi,202 +doctor,202 +ncov,202 +coronavirus,202 +decemb,202 +amalgam,202 +lastli,202 +29,202 +380,202 +829,202 +preexposur,203 +gomez,203 +ruann,203 +barnaba,203 +weigh,203 +adolesc,203 +girl,203 +agyw,203 +retent,203 +avert,203 +fold,203 +91,203 +endem,203 +bring,216,203 +household,204 +amazona,204 +bezerra,204 +2003,204 +striven,204 +empow,204 +shed,204 +electrifi,204 +rio,204 +negro,204 +multinomi,204 +meal,204 +2030,204 +robustli,205 +triangul,205 +tall,205 +inss,205 +mlnn,205 +bird,206 +baldwin,206 +sue,206 +pope,206 +confus,206 +explan,206 +wit,206 +judiciari,206 +unrealist,206 +inadvert,206 +cellsit,206 +transpir,207 +magneto,207 +superlinear,207 +stretch,207 +sheet,207 +porou,207 +vinay,207 +mahabaleshwar,207 +nagaraju,207 +nezhad,207 +mhd,207 +newtonian,207 +fluid,207 +pade,207 +navier,207 +suction,207 +darci,207 +axial,207 +transvers,207 +profil,207 +laminar,207 +breakthrough,208 +revolutionis,208 +triall,208 +met,208 +fruit,209 +fli,209 +truss,209 +lunch,209 +foa,209 +forag,209 +olfact,209 +oc,209 +ce,209 +amar,210 +abdul,210 +zahra,210 +daanenshow,210 +lesssiti,210 +renata,210 +renat,210 +kania,210 +gráinn,210 +mcgill,210 +ligia,210 +sadat,210 +discomfort,210 +thermostat,210 +psycho,210 +savita,212 +souza,212 +child,212 +sibl,212 +never,212 +selwyn,212 +action,212 +unaccept,212 +emot,212 +2006,212 +parent,212 +narr,212 +upheav,212 +trauma,212 +familiar,212 +happier,212 +sooner,212 +join,212,220 +prioritis,212 +welfar,212 +happi,212 +stori,212 +inde,212 +spot,212 +lacuna,212 +profess,212 +conscienti,212 +celebr,212 +collegi,212 +ssda903,212 +dfe,212 +childrenrecommend,212 +theolog,212 +advic,212 +mahram,212 +lactat,212 +supportrecommend,212 +agreement,212 +modesti,212 +committe,212 +outreach,212 +mahdi,213 +rasekhi,213 +dwed,213 +chakraborti,213 +dispers,213 +rst,213 +estima,213 +tion,213 +pt,214 +一种鼓励质量平衡产量的,214 +型指数,214 +foci,214 +eccentr,214 +excess,214 +outsid,214 +acl,214 +antholog,214 +基于城市群的空气质量数据的可视分析方法研究,215 +guodao,215 +yajuan,215 +ronghua,215 +liang,215 +attribut,215 +distinct,215 +intric,215 +agglomer,215 +voronoi,215 +thread,215 +europ,216 +vs,216 +middl,216 +east,216 +mahmoud,216 +odeh,216 +warwick,216 +oswaldo,216 +cadena,216 +differencesstem,216 +theirinform,216 +discov,216 +escap,216 +respiratori,217 +panayiot,217 +andrew,217 +kanwal,217 +bhatia,217 +housden,217,218,219 +aldo,217 +rinaldi,217 +jaswind,217 +gill,217,218 +cooklin,217 +neill,217,218 +284,217 +radiofrequ,217 +ablat,217,219 +atrial,217 +fibril,217 +expir,217 +systol,217 +infarct,218 +ventricl,218 +rash,218 +clau,218 +zhong,218 +samantha,218 +obom,218 +harmind,218 +princ,218 +acheampong,218 +collat,218 +en,218 +hancement,218 +miccai,218 +2012,218 +fifteen,218 +pig,218 +rater,218 +stapl,218 +fluoroscop,219 +echocardiograph,219 +xianliang,219 +rueckert,219 +ep,219 +arrhythmia,219 +disadvantag,219 +surf,219 +rigid,219 +backproject,219 +drastic,219 +spline,219 +reproject,219 +queri,220 +ongraph,220 +qiang,220 +zeng,220 +hai,220 +zhuge,220 +plex,220 +databecom,220 +xqueri,220 +operatorsto,220 +gtpq,220 +proposit,220 +struc,220 +tural,220 +fundamentalproblem,220 +pro,220 +cedur,220 +repr,220 +sentat,220 +prune,220 +reduceth,220 +algorithmsfor,220 +algo,220 +rithm,220 +treepattern,220 diff --git a/search engine/static/Coventry-Logo-scaled.jpg b/search engine/static/Coventry-Logo-scaled.jpg new file mode 100644 index 0000000..c55f767 Binary files /dev/null and b/search engine/static/Coventry-Logo-scaled.jpg differ diff --git a/search engine/static/clipart.png b/search engine/static/clipart.png new file mode 100644 index 0000000..654afe8 Binary files /dev/null and b/search engine/static/clipart.png differ diff --git a/search engine/templates/base.html b/search engine/templates/base.html new file mode 100644 index 0000000..94cfbd6 --- /dev/null +++ b/search engine/templates/base.html @@ -0,0 +1,148 @@ + + + + Research Centre for Computational Science and Mathematical Modelling + + + +

Research Centre for Computational Science and Mathematical Modelling

+ Research Centre Image +
+ + + +
+

Find papers/books published by a member of the Research Centre for Computational Science and Mathematical Modelling (CSM) at Coventry University

+
+ {% block content %} {% endblock %} +
+
+
+ + \ No newline at end of file diff --git a/search engine/templates/index.html b/search engine/templates/index.html new file mode 100644 index 0000000..86b07c7 --- /dev/null +++ b/search engine/templates/index.html @@ -0,0 +1,33 @@ +{% extends 'base.html' %} + +{% block content %} + {% if results_query %} + {% for result in results_query %} +
+

{{ result.title }}

+ {% set authors_list = result.authors.split(',') %} + {% set url_authors_list = result.url_authors.split(',') %} + {% set keywords = result.keywords.split(',') %} + {% for i in range(authors_list|length) %} + {% set author = authors_list[i].strip() %} + {% set url = url_authors_list[i].strip() if url_authors_list[i] != 'None' else None %} + {% if url == 'None' %} + {{ author }}{% if not loop.last %}, {% endif %} + {% else %} + {{ author }}{% if not loop.last %}, {% endif %} + {% endif %} + {% endfor %} + {% if result.keywords != '[]' %} +
+ Keywords: + {% for i in range(keywords|length) %} + {% set keyword = keywords[i].strip() %} + {{ keyword|replace("'", '')|replace('[', '')|replace(']', '') }}{% if not loop.last %}, {% endif %} + {% endfor %} + {% endif %} +

Abstract: {{ result.abstract }}

+

Date : {{ result.date }}

+
+ {% endfor %} + {% endif %} +{% endblock %} \ No newline at end of file