├── .DS_Store ├── code ├── .DS_Store ├── dataProc │ ├── createAbstractData.py │ ├── createCitationDataset.py │ └── createPapersDataset.py ├── downloadDatasets.py └── getCIIdata.py ├── data ├── .DS_Store └── ToT_BestPapersDataset.tsv ├── LICENSE ├── README.md └── .gitignore /.DS_Store: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/causalNLP/causal-cite/HEAD/.DS_Store -------------------------------------------------------------------------------- /code/.DS_Store: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/causalNLP/causal-cite/HEAD/code/.DS_Store -------------------------------------------------------------------------------- /data/.DS_Store: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/causalNLP/causal-cite/HEAD/data/.DS_Store -------------------------------------------------------------------------------- /code/dataProc/createAbstractData.py: -------------------------------------------------------------------------------- 1 | #import pandas as pd 2 | import os 3 | import json 4 | import ijson 5 | import csv 6 | 7 | outputCSVPath = "/path/to/csv/" 8 | datasetPath = "/path/to/dataset/" 9 | 10 | file = open(outputCSVPath,'w',encoding="utf-8",newline='') 11 | with file: 12 | header = ['id','abstract'] 13 | writer = csv.DictWriter(file, fieldnames=header) 14 | writer.writeheader() 15 | 16 | for file in os.listdir(datasetPath): 17 | if file.startswith("abstract") and file.endswith(".jsonl"): 18 | with open(datasetPath + file,"rb") as f: 19 | for i,line in enumerate(f): 20 | element = json.loads(line) 21 | if element["corpusid"] != None: 22 | d = {"id":element["corpusid"], "abstract":element["abstract"]} 23 | writer.writerow(d) 24 | else: 25 | continue -------------------------------------------------------------------------------- /code/downloadDatasets.py: -------------------------------------------------------------------------------- 1 | import urllib 2 | import requests 3 | import time 4 | 5 | apiKey = "" 6 | datasetDownload = "papers" 7 | outputPath = "/path/to/output/" 8 | 9 | if datasetDownload == "papers": 10 | for i in range(31): 11 | papers = requests.get("http://api.semanticscholar.org/datasets/v1/release/2023-04-06/dataset/papers",headers={"x-api-key":apiKey}).json() 12 | print(f"Downloading {i} From {papers['files'][i]}") 13 | urllib.request.urlretrieve(papers['files'][i], outputPath + f"data_papers-part{i}.jsonl.gz") 14 | #time.sleep(600) 15 | 16 | elif datasetDownload == "abstracts": 17 | for i in range(35): 18 | papers = requests.get("http://api.semanticscholar.org/datasets/v1/release/2023-04-06/dataset/abstracts",headers={"x-api-key":apiKey}).json() 19 | 20 | print(f"Downloading {i} From {papers['files'][i]}") 21 | urllib.request.urlretrieve(papers['files'][i], outputPath + f"abstracts-part{i}.jsonl.gz") 22 | #time.sleep(600) -------------------------------------------------------------------------------- /code/dataProc/createCitationDataset.py: -------------------------------------------------------------------------------- 1 | import pandas as pd 2 | import os 3 | import json 4 | import ijson 5 | import csv 6 | 7 | citationData = pd.DataFrame() 8 | 9 | outputCSVPath = "/path/to/csv/" 10 | datasetPath = "/path/to/dataset/" 11 | 12 | file = open(outputCSVPath,'w',encoding="utf-8",newline='') 13 | 14 | with file: 15 | header = ['from', 'to', 'influential'] 16 | writer = csv.DictWriter(file, fieldnames=header) 17 | writer.writeheader() 18 | 19 | for file in os.listdir(datasetPath): 20 | if file.startswith("citation") and file.endswith(".jsonl"): 21 | with open(datasetPath+file,"rb") as f: 22 | for i,line in enumerate(f): 23 | element = json.loads(line) 24 | if element["citingcorpusid"] != None and element["citedcorpusid"] != None: 25 | d = {"from":element["citingcorpusid"], "to":element["citedcorpusid"],"influential":element["isinfluential"]} 26 | writer.writerow(d) 27 | else: 28 | continue 29 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2023 CausalNLP 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /code/dataProc/createPapersDataset.py: -------------------------------------------------------------------------------- 1 | #import pandas as pd 2 | import os 3 | import json 4 | import ijson 5 | import csv 6 | 7 | outputCSVPath = "/path/to/csv/" 8 | datasetPath = "/path/to/dataset/" 9 | 10 | file = open(outputCSVPath,'w',encoding="utf-8",newline='') 11 | 12 | with file: 13 | header = ['id','year','citationcount','influentialcitationcount','referencecount','title'] 14 | writer = csv.DictWriter(file, fieldnames=header) 15 | writer.writeheader() 16 | 17 | for file in os.listdir(datasetPath): 18 | if file.startswith("papers") and file.endswith(".jsonl"): 19 | #print(file) 20 | with open(datasetPath + file,"rb") as f: 21 | for i,line in enumerate(f): 22 | element = json.loads(line) 23 | if element["corpusid"] != None and element["citationcount"] != None and element["year"]!=None: 24 | d = {"id":element["corpusid"], "year":element["year"], "citationcount":element["citationcount"], "influentialcitationcount":element["influentialcitationcount"], "referencecount":element["referencecount"],"title":element["title"]} 25 | writer.writerow(d) 26 | 27 | else: 28 | continue -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # *CausalCite*: A Causal Formulation of Paper Citations 2 | This repo contains the code for the paper: 3 | 4 | [**CausalCite: A Causal Formulation of Paper Citations**](http://arxiv.org/abs/2311.02790) (2023) 5 | 6 | *Ishan Kumar\*, Zhijing Jin\*, Ehsan Mokhtarian, Siyuan Guo, Yuen Chen, Negar Kiyavash, Mrinmaya Sachan, Bernhard Schoelkopf* (*: Co-first author) 7 | 8 | ### Usage 9 | 10 | #### 1. Download the Semantic Scholar Dataset 11 | To download the Dataset you need a Semantic scholar API key which lets you make 5k requests in 5 mins. This key can be obtained by filling out the form on the Semantic Scholar Website. https://www.semanticscholar.org/product/api#api-key-form. 12 | Once you have the key, replace it in the ```downloadDatasets.py``` file in the ```apiKey``` value. 13 | 14 | ```python 15 | datasetDownload = "papers" 16 | python downloadDatasets.py 17 | 18 | datasetDownload = "abstracts" 19 | python downloadDatasets.py 20 | ``` 21 | 22 | The Datasets will be downloaded in the form of 30 .jsonl files in the mentioned output folder 23 | 24 | #### 2. Preprocess the Data 25 | The 3 datasets Abstracts, Papers, Citations can be preprocessed using the scripts in ```code/dataProc/*.py```. 26 | This will combine the relevant data from the 30 ```jsonl``` files into 1 single ```.csv```file. 27 | 28 | #### 3. Run the CausalCite Code 29 | Once all the Datasets are created, you can run the causal cite code by replacing the path variables. 30 | ```python 31 | python code/getCIIdata.py --model_path /path/to/specter2 --citationData_path /path/to/fullCitationDataset.parquet.gzip --paperData_path /path/to/fullpapersdata.parquet.gzip --bm25Path /path/to/bm25_data --output_path /path/to/output --CandidatePool_path /path/to/candidate_pool --paperAid 3303339 32 | ``` 33 | 34 | The output will be created as a folder named as PaperA's ID and it will contain all of its sampled Citation Paper Bs files. These can be used to calculate the TCI. 35 | 36 | 37 | 38 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Byte-compiled / optimized / DLL files 2 | __pycache__/ 3 | *.py[cod] 4 | *$py.class 5 | 6 | # C extensions 7 | *.so 8 | 9 | # Distribution / packaging 10 | .Python 11 | build/ 12 | develop-eggs/ 13 | dist/ 14 | downloads/ 15 | eggs/ 16 | .eggs/ 17 | lib/ 18 | lib64/ 19 | parts/ 20 | sdist/ 21 | var/ 22 | wheels/ 23 | share/python-wheels/ 24 | *.egg-info/ 25 | .installed.cfg 26 | *.egg 27 | MANIFEST 28 | 29 | # PyInstaller 30 | # Usually these files are written by a python script from a template 31 | # before PyInstaller builds the exe, so as to inject date/other infos into it. 32 | *.manifest 33 | *.spec 34 | 35 | # Installer logs 36 | pip-log.txt 37 | pip-delete-this-directory.txt 38 | 39 | # Unit test / coverage reports 40 | htmlcov/ 41 | .tox/ 42 | .nox/ 43 | .coverage 44 | .coverage.* 45 | .cache 46 | nosetests.xml 47 | coverage.xml 48 | *.cover 49 | *.py,cover 50 | .hypothesis/ 51 | .pytest_cache/ 52 | cover/ 53 | 54 | # Translations 55 | *.mo 56 | *.pot 57 | 58 | # Django stuff: 59 | *.log 60 | local_settings.py 61 | db.sqlite3 62 | db.sqlite3-journal 63 | 64 | # Flask stuff: 65 | instance/ 66 | .webassets-cache 67 | 68 | # Scrapy stuff: 69 | .scrapy 70 | 71 | # Sphinx documentation 72 | docs/_build/ 73 | 74 | # PyBuilder 75 | .pybuilder/ 76 | target/ 77 | 78 | # Jupyter Notebook 79 | .ipynb_checkpoints 80 | 81 | # IPython 82 | profile_default/ 83 | ipython_config.py 84 | 85 | # pyenv 86 | # For a library or package, you might want to ignore these files since the code is 87 | # intended to run in multiple environments; otherwise, check them in: 88 | # .python-version 89 | 90 | # pipenv 91 | # According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. 92 | # However, in case of collaboration, if having platform-specific dependencies or dependencies 93 | # having no cross-platform support, pipenv may install dependencies that don't work, or not 94 | # install all needed dependencies. 95 | #Pipfile.lock 96 | 97 | # poetry 98 | # Similar to Pipfile.lock, it is generally recommended to include poetry.lock in version control. 99 | # This is especially recommended for binary packages to ensure reproducibility, and is more 100 | # commonly ignored for libraries. 101 | # https://python-poetry.org/docs/basic-usage/#commit-your-poetrylock-file-to-version-control 102 | #poetry.lock 103 | 104 | # pdm 105 | # Similar to Pipfile.lock, it is generally recommended to include pdm.lock in version control. 106 | #pdm.lock 107 | # pdm stores project-wide configurations in .pdm.toml, but it is recommended to not include it 108 | # in version control. 109 | # https://pdm.fming.dev/#use-with-ide 110 | .pdm.toml 111 | 112 | # PEP 582; used by e.g. github.com/David-OConnor/pyflow and github.com/pdm-project/pdm 113 | __pypackages__/ 114 | 115 | # Celery stuff 116 | celerybeat-schedule 117 | celerybeat.pid 118 | 119 | # SageMath parsed files 120 | *.sage.py 121 | 122 | # Environments 123 | .env 124 | .venv 125 | env/ 126 | venv/ 127 | ENV/ 128 | env.bak/ 129 | venv.bak/ 130 | 131 | # Spyder project settings 132 | .spyderproject 133 | .spyproject 134 | 135 | # Rope project settings 136 | .ropeproject 137 | 138 | # mkdocs documentation 139 | /site 140 | 141 | # mypy 142 | .mypy_cache/ 143 | .dmypy.json 144 | dmypy.json 145 | 146 | # Pyre type checker 147 | .pyre/ 148 | 149 | # pytype static type analyzer 150 | .pytype/ 151 | 152 | # Cython debug symbols 153 | cython_debug/ 154 | 155 | # PyCharm 156 | # JetBrains specific template is maintained in a separate JetBrains.gitignore that can 157 | # be found at https://github.com/github/gitignore/blob/main/Global/JetBrains.gitignore 158 | # and can be added to the global gitignore or merged into this file. For a more nuclear 159 | # option (not recommended) you can uncomment the following to ignore the entire idea folder. 160 | #.idea/ 161 | -------------------------------------------------------------------------------- /code/getCIIdata.py: -------------------------------------------------------------------------------- 1 | import gc 2 | import re 3 | import pandas as pd 4 | import pickle 5 | import time 6 | import dask.dataframe as dd 7 | import torch 8 | from rank_bm25 import * 9 | from transformers import AutoModel, AutoTokenizer 10 | from operator import itemgetter 11 | import os 12 | from collections import deque 13 | from scipy.sparse import csr_matrix 14 | from transformers import AutoModel 15 | import random 16 | import argparse 17 | 18 | parser = argparse.ArgumentParser( 19 | description="Python code to calculate the TCI for a paper A." 20 | ) 21 | 22 | parser.add_argument( 23 | "--model_path", 24 | type=str, 25 | help="Path to the model folder of the Huggingface embedding model", 26 | ) 27 | parser.add_argument("--citationData_path", type=str, help="Path to citation data file") 28 | parser.add_argument("--paperData_path", type=str, help="Path to paper data file") 29 | parser.add_argument("--bm25Path", type=str, help="Path to BM25 pickle") 30 | parser.add_argument("--output_path", type=str, help="Path for output") 31 | parser.add_argument( 32 | "--CandidatePool_path", type=str, help="Path to candidate pool file" 33 | ) 34 | parser.add_argument("--paperAid", type=int, help="PaperA id to Run on") 35 | parser.add_argument( 36 | "--citationDataPartition", 37 | type=int, 38 | default=70, 39 | help="Num Partitions for the Citation data", 40 | ) 41 | parser.add_argument( 42 | "--embeddingBatchSize", 43 | type=int, 44 | default=32, 45 | help="Batch Size for the embedding model", 46 | ) 47 | parser.add_argument( 48 | "--debugMode", type=bool, default=False, help="Debug mode for print statements" 49 | ) 50 | parser.add_argument("--k", type=int, default=40, help="k For Averages") 51 | 52 | args = parser.parse_args() 53 | 54 | model_path = args.model_path 55 | citationData_path = args.citationData_path 56 | paperData_path = args.paperData_path 57 | bm25Path = args.bm25Path 58 | output_path = args.output_path 59 | CandidatePool_path = args.CandidatePool_path 60 | citationPartitions = args.citationDataPartition 61 | 62 | df = dd.read_parquet(citationData_path) 63 | df = df.repartition(npartitions=citationPartitions) 64 | 65 | batchSize = args.embeddingBatchSize 66 | 67 | cosineSim = torch.nn.CosineSimilarity(dim=1) 68 | model = AutoModel.from_pretrained(model_path).cuda() 69 | tokenizer = AutoTokenizer.from_pretrained(model_path) 70 | tokenizer.model_max_length = 512 71 | 72 | df_common = pd.read_parquet(paperData_path) 73 | 74 | DEBUG = args.debugMode 75 | k = args.k 76 | yearPrev = -1 77 | 78 | start = time.time() 79 | 80 | 81 | def calculate_max_depth(tuple_list): 82 | max_depth = float("-inf") # Initialize max_depth with negative infinity 83 | for _, depth in tuple_list: 84 | if depth > max_depth: 85 | max_depth = depth 86 | return max_depth 87 | 88 | 89 | def bfs_edge_list(edge_list, start_node): 90 | # Create an empty set to track visited nodes 91 | visited = set() 92 | # Create a deque for BFS traversal 93 | queue = deque([(start_node, 0)]) # (node, level) 94 | while queue: 95 | node, level = queue.popleft() 96 | # Skip already visited nodes 97 | if node in visited: 98 | continue 99 | # Mark current node as visited 100 | visited.add(node) 101 | # Yield the current node and its level 102 | # print(level) 103 | yield node, level 104 | # Get the outgoing edges from the current node 105 | outgoing_edges = edge_list[edge_list["to"] == node] 106 | # Enqueue the neighboring nodes for the next level 107 | for _, row in outgoing_edges.iterrows(): 108 | neighbor = row["from"] 109 | queue.append((neighbor, level + 1)) 110 | 111 | 112 | def getDescendants(df, start_node): 113 | start = time.time() 114 | result = df.map_partitions(bfs_edge_list, start_node).compute( 115 | scheduler="threads", num_workers=30 116 | ) 117 | res_list = [] 118 | for generator in result: 119 | for val in generator: 120 | res_list.append(val) 121 | del result 122 | res_list = sorted(res_list, key=itemgetter(1)) 123 | print("Done in :", time.time() - start) 124 | return res_list 125 | 126 | 127 | def childrenFromDescendants(descendants): 128 | ids_with_distance_one = [] 129 | for id, distance in descendants: 130 | if distance == 1: 131 | ids_with_distance_one.append(int(id)) 132 | return ids_with_distance_one 133 | 134 | 135 | def listFromDescendants(descendants): 136 | ids_with_distance = set() 137 | for id, distance in descendants: 138 | ids_with_distance.add(int(id)) 139 | return list(ids_with_distance) 140 | 141 | 142 | def countDescendants(descendants): 143 | unique_values = set(descendants) 144 | return len(unique_values) 145 | 146 | 147 | def find_representative_numbers(numbers_with_ids, k, paperA): 148 | # Step 1: Sort the list based on numbers in ascending order 149 | paperBs_done = [] 150 | sorted_numbers_with_ids = sorted(numbers_with_ids, key=lambda x: x[0], reverse=True) 151 | 152 | # Step 2: Calculate the indices of the 10 deciles 153 | n = max(1, len(sorted_numbers_with_ids) // k) 154 | 155 | papers = [] 156 | for start_id in range(0, len(sorted_numbers_with_ids), n): 157 | paper_set = sorted_numbers_with_ids[start_id : start_id + n] 158 | this_paper = random.choice(paper_set) 159 | papers.append(this_paper) 160 | return papers 161 | 162 | 163 | def getBM25TopK(query, subsetToSearch, k): 164 | tokenized_query = query.split(" ") 165 | docs = bm25.get_batch_scores(tokenized_query, subsetToSearch) 166 | top_n = np.argsort(docs)[::-1][:k] 167 | return top_n 168 | 169 | def remove_mediator(text): 170 | # Remove all numbers 171 | text = re.sub(r'\b\d+(\.\d+)?%?\b', '', text) 172 | text = text.replace("%", "") 173 | 174 | # Specify terms to be removed 175 | terms_to_remove = ['state-of-the-art', 'outperforms', 'performance gains', 'large margin', 'best performance', 'enhanced'] 176 | 177 | # Remove specified terms 178 | for term in terms_to_remove: 179 | text = re.sub(fr'\b{re.escape(term)}\b', '', text, flags=re.IGNORECASE) 180 | 181 | return text 182 | 183 | paperAs = [args.paperAid] 184 | 185 | for paperNum, paperSet in enumerate(paperAs): 186 | paperA = int(paperSet) 187 | outputRow = { 188 | "Role": [], 189 | "Abstract": [], 190 | "Citations": [], 191 | "InfCit": [], 192 | "PaperId": [], 193 | "Sim": [], 194 | } 195 | paperA = int(paperSet) 196 | gc.collect() 197 | if os.path.exists(output_path + str(paperA)): 198 | continue 199 | descendants = getDescendants(df, paperA) 200 | childrenOfA = childrenFromDescendants(descendants) 201 | lisDescendants = listFromDescendants(descendants) 202 | 203 | numChildrenOfA = len(childrenOfA) 204 | 205 | if numChildrenOfA == 0: 206 | print("skipping since No Children") 207 | continue 208 | 209 | dataA = df_common[df_common["id"] == paperA].head(1) 210 | 211 | try: 212 | outputRow["Role"].append("PaperA") 213 | outputRow["Abstract"].append(dataA["title"].item()) 214 | outputRow["Citations"].append(dataA["citationcount"].item()) 215 | outputRow["InfCit"].append(dataA["influentialcitationcount"].item()) 216 | outputRow["PaperId"].append(paperA) 217 | outputRow["Sim"].append(dataA["year"].item()) 218 | if DEBUG: 219 | print(outputRow) 220 | except: 221 | continue 222 | 223 | random.shuffle(childrenOfA) 224 | countPaperB = 0 225 | childSet = [] 226 | 227 | for _paperB in childrenOfA: 228 | try: 229 | citCount = ( 230 | df_common[df_common["id"] == _paperB].head(1)["citationcount"].item() 231 | ) 232 | yearB = df_common[df_common["id"] == _paperB].head(1)["year"].item() 233 | childSet.append((citCount, _paperB)) 234 | except: 235 | citCount = -2 236 | 237 | childSetFiltered = find_representative_numbers(childSet, 40, paperA) 238 | 239 | for _paperB in childSetFiltered: 240 | if _paperB == -1: 241 | continue 242 | outputRow = { 243 | "Role": [], 244 | "Abstract": [], 245 | "Citations": [], 246 | "InfCit": [], 247 | "PaperId": [], 248 | "Sim": [], 249 | } 250 | outputRow["Role"].append("PaperA") 251 | outputRow["Abstract"].append(dataA["title"].item()) 252 | outputRow["Citations"].append(dataA["citationcount"].item()) 253 | outputRow["InfCit"].append(dataA["influentialcitationcount"].item()) 254 | outputRow["PaperId"].append(paperA) 255 | outputRow["Sim"].append(dataA["year"].item()) 256 | 257 | paperB = int(_paperB[1]) 258 | 259 | if len(df_common[df_common["id"] == paperB]) == 0: 260 | print(" Child not found in Dataset ") 261 | continue 262 | 263 | paperByear = df_common[df_common["id"] == paperB].head(1)["year"].item() 264 | 265 | print(paperByear) 266 | 267 | try: 268 | CandidatePool = pd.read_csv(f"{CandidatePool_path}/{paperByear}.csv") 269 | 270 | except: 271 | continue 272 | 273 | if paperB in CandidatePool["id"].values: 274 | paperB_Abstract = ( 275 | CandidatePool[CandidatePool["id"] == paperB].head(1)["abstract"].item() 276 | ) 277 | paperB_Abstract = CandidatePool[CandidatePool["id"] == paperB].head(1)["title"].item() + paperB_Abstract 278 | 279 | elif str(paperB) in CandidatePool["id"].values: 280 | paperB_Abstract = ( 281 | CandidatePool[CandidatePool["id"] == str(paperB)] 282 | .head(1)["abstract"] 283 | .item() 284 | ) 285 | paperB_Abstract = CandidatePool[CandidatePool["id"] == str(paperB)].head(1)["title"].item() + paperB_Abstract 286 | 287 | else: 288 | print("Abstract Not Found, relying on Title") 289 | paperB_Abstract = ( 290 | df_common[df_common["id"] == paperB].head(1)["title"].item() 291 | ) 292 | 293 | dataB = df_common[df_common["id"] == paperB].head(1) 294 | 295 | try: 296 | outputRow["Role"].append("PaperB") 297 | outputRow["Abstract"].append(dataB["title"].item()) 298 | outputRow["Citations"].append(dataB["citationcount"].item()) 299 | outputRow["InfCit"].append(dataB["influentialcitationcount"].item()) 300 | outputRow["PaperId"].append(paperB) 301 | outputRow["Sim"].append(dataB["year"].item()) 302 | if DEBUG: 303 | print(outputRow) 304 | except: 305 | print("Paper B issue, continuing") 306 | continue 307 | 308 | start1 = time.time() 309 | file_path = bm25Path 310 | paperB_Abstract = remove_mediator(paperB_Abstract) 311 | 312 | if paperByear != yearPrev: 313 | yearPrev = paperByear 314 | if os.path.exists(file_path): 315 | with open(file_path, "rb") as file: 316 | bm25 = pickle.load(file) 317 | # bm25_sparse_matrix = csr_matrix(bm25.matrix) 318 | 319 | else: 320 | lis = [] 321 | print("BM25 Doesnt Exist Creating") 322 | listOfAbstracts = CandidatePool["abstract"].tolist() 323 | listOfAbstracts = [remove_mediator(abstract) for abstract in listOfAbstracts] 324 | print("Abstracts for this Candidate Pool", len(listOfAbstracts)) 325 | 326 | for doc in listOfAbstracts: 327 | try: 328 | lis.append(doc.split()) 329 | except: 330 | lis.append([]) 331 | del listOfAbstracts 332 | bm25 = BM25Okapi(lis) 333 | # bm25_sparse_matrix = csr_matrix(bm25.matrix) 334 | del lis 335 | else: 336 | print("Reusing BM25 Old") 337 | indexCandidatePool = pd.Index(range(len(CandidatePool))) 338 | # try: 339 | top100set_indexes_ofCP = getBM25TopK(paperB_Abstract, indexCandidatePool, 100) 340 | print(" T: BM25 Load + Fetch, New Approach: ", time.time() - start1) 341 | encoded_PaperB = model( 342 | tokenizer.encode( 343 | paperB_Abstract, return_tensors="pt", truncation=True 344 | ).cuda() 345 | ).pooler_output 346 | 347 | finalCandidatePool = [] 348 | count_goodPapers = 0 349 | countCandidatePoolDescendantsA = 0 350 | list_potentialPaper_id = [] 351 | list_citationCount = [] 352 | list_abstract = [] 353 | list_infCit = [] 354 | 355 | for paper in top100set_indexes_ofCP: 356 | potentialPaper = int(CandidatePool.iloc[int(paper)]["id"]) 357 | paper = int(paper) 358 | paperB = int(paperB) 359 | 360 | if potentialPaper in lisDescendants: 361 | countCandidatePoolDescendantsA += 1 362 | print("descendent of paper A") 363 | continue 364 | 365 | if potentialPaper == paperB: 366 | print("Same as B") 367 | continue 368 | 369 | abstract = remove_mediator(CandidatePool.iloc[paper]["abstract"]) 370 | title = CandidatePool.iloc[paper]["title"] 371 | paperCand = df_common[df_common["id"] == potentialPaper].head(1) 372 | potentialPaper_id = paperCand["id"].item() 373 | citationCount = paperCand["citationcount"].item() 374 | infCit = paperCand["influentialcitationcount"].item() 375 | 376 | list_potentialPaper_id.append(potentialPaper_id) 377 | list_citationCount.append(citationCount) 378 | list_abstract.append(title + abstract) 379 | list_infCit.append(infCit) 380 | 381 | if abstract == paperB_Abstract: 382 | print("Candidate Selected is same as PaperB skipping") 383 | continue 384 | 385 | full_output = [] 386 | 387 | for batch in range(0, len(list_abstract), batchSize): 388 | encoded_input = tokenizer( 389 | list_abstract[batch : batch + batchSize], 390 | padding=True, 391 | truncation=True, 392 | return_tensors="pt", 393 | ) 394 | encoded_input["token_type_ids"] = encoded_input["token_type_ids"].cuda() 395 | encoded_input["input_ids"] = encoded_input["input_ids"].cuda() 396 | encoded_input["attention_mask"] = encoded_input["attention_mask"].cuda() 397 | candidate_paper = model(**encoded_input).pooler_output 398 | output1 = cosineSim(encoded_PaperB, candidate_paper).tolist() 399 | full_output.extend(output1) 400 | 401 | output = full_output 402 | count_goodPapers = 0 403 | 404 | for i, _output in enumerate(output): 405 | if _output > 0.93: 406 | count_goodPapers += 1 407 | lis_temp = [ 408 | _output, 409 | list_potentialPaper_id[i], 410 | list_citationCount[i], 411 | list_abstract[i], 412 | list_infCit[i], 413 | ] 414 | 415 | if lis_temp not in finalCandidatePool: 416 | finalCandidatePool.append(lis_temp) 417 | 418 | finalCandidatePool_sorted = sorted( 419 | finalCandidatePool, key=itemgetter(0), reverse=True 420 | ) 421 | finalCandidatePool_sorted = finalCandidatePool_sorted[:10] 422 | 423 | for i, finalPaper in enumerate(finalCandidatePool_sorted): 424 | outputRow["Role"].append("Paper " + str(i)) 425 | outputRow["Abstract"].append(finalPaper[3]) 426 | outputRow["Citations"].append(finalPaper[2]) 427 | outputRow["InfCit"].append(finalPaper[4]) 428 | outputRow["PaperId"].append(finalPaper[1]) 429 | outputRow["Sim"].append(finalPaper[0]) 430 | 431 | if DEBUG: 432 | print(outputRow) 433 | 434 | if not os.path.exists(output_path + str(paperA)): 435 | os.mkdir(output_path + str(paperA)) 436 | 437 | dat = pd.DataFrame( 438 | { 439 | "Role": pd.Series(outputRow["Role"]), 440 | "Abstract": pd.Series(outputRow["Abstract"]), 441 | "Citations": pd.Series(outputRow["Citations"]), 442 | "InfCit": pd.Series(outputRow["InfCit"]), 443 | "PaperId": pd.Series(outputRow["PaperId"]), 444 | "Sim": pd.Series(outputRow["Sim"]), 445 | } 446 | ) 447 | 448 | dat.to_csv( 449 | output_path 450 | + str(paperA) 451 | + "/output_" 452 | + str(paperB) 453 | + "_" 454 | + str(time.time()) 455 | + "_.csv", 456 | index=False, 457 | ) 458 | countPaperB += 1 459 | 460 | del finalCandidatePool_sorted 461 | -------------------------------------------------------------------------------- /data/ToT_BestPapersDataset.tsv: -------------------------------------------------------------------------------- 1 | conference award_year paper_title if_tot if_best_paper 2 | NeurIPS 2021 Online Learning for Latent Dirichlet Allocation 1 0 3 | NeurIPS 2021 Additive Gaussian Processes 0 0 4 | NeurIPS 2021 Double Q-learning 0 0 5 | NeurIPS 2021 Adaptive Multi-Task Lasso: with Application to... 0 0 6 | NeurIPS 2021 Multi-View Active Learning in the Non-Realizab... 0 0 7 | NeurIPS 2021 Multiparty Differential Privacy via Aggregatio... 0 0 8 | NeurIPS 2021 Evaluation of Rarity of Fingerprints in Forensics 0 0 9 | NeurIPS 2021 Natural Policy Gradient Methods with Parameter... 0 0 10 | NeurIPS 2021 Nonlinear Inverse Reinforcement Learning with 0 0 11 | NeurIPS 2020 Learning Fair Representations 1 0 12 | NeurIPS 2020 An Inverse Power Method for Nonlinear Eigenpr 0 0 13 | NeurIPS 2020 Nonparametric Greedy Algorithms for the Sparse... 0 0 14 | NeurIPS 2020 Extended Bayesian Information Criteria for Gau. 0 0 15 | NeurIPS 2020 An Infinite Factor Model Hierarchy Via a Noisy... 0 0 16 | NeurIPS 2020 Bilinear classifiers for visual recognition 0 0 17 | NeurIPS 2020 Streaming Pointwise Mutual Information 0 0 18 | NeurIPS 2020 Guaranteed Rank Minimization via Singular Valu 0 0 19 | NeurIPS 2020 Linear-time Algorithms for Pairwise Statistica... 0 0 20 | NeurIPS 2020 Fast Image Deconvolution using Hyper-Laplacian... 0 0 21 | NeurIPS 2020 Robust PCA via Outlier Pursuit 0 0 22 | NeurIPS 2019 Dual Averaging Methods for Regularized Stochas 1 0 23 | NeurIPS 2019 Matrix Completion from Noisy Entries 0 0 24 | NeurIPS 2019 Data-driven calibration of linear estimators w... 0 0 25 | NeurIPS 2019 Subject independent EEG-based BCI decoding 0 0 26 | NeurIPS 2019 Exponential Family Graph Matching and Ranking 0 0 27 | NeurIPS 2019 Time-Varying Dynamic Bayesian Networks 0 0 28 | NeurIPS 2019 Slow, Decorrelated Features for Pretraining Co... 0 0 29 | NeurIPS 2019 Sufficient Conditions for Agnostic Active Lear... 0 0 30 | NeurIPS 2019 Monte Carlo Sampling for Regret Minimization 0 0 31 | NeurIPS 2018 The Tradeoffs of Large Scale Learning 1 0 32 | NeurIPS 2018 HM-BiTAM: Bilingual Topic Exploration, Word Al... 0 0 33 | NeurIPS 2018 Compressed Regression 0 0 34 | NeurIPS 2018 FilterBoost: Regression and Classification on 0 0 35 | NeurIPS 2018 DIFFRAC: a discriminative and flexible framewo... 0 0 36 | NeurIPS 2018 A Constraint Generation Approach to Learning S... 0 0 37 | NeurIPS 2018 From Online to Batch Learning with Cutoff-Averaging 0 0 38 | NeurIPS 2018 Asynchronous Distributed Learning of Topic Models 0 0 39 | NeurIPS 2017 Random Features for Large-Scale Kernel Machines 1 0 40 | NeurIPS 2017 Bundle Methods for Machine Learning 0 0 41 | NeurIPS 2017 Efficiently solving convex relaxations for MAP... 0 0 42 | NeurIPS 2017 Spectral Dependency Parsing with Latent Variables 0 0 43 | NeurIPS 2017 Ensemble Clustering using Semidefinite Program... 0 0 44 | NeurIPS 2017 Random Projections for Manifold Learning 0 0 45 | NeurIPS 2017 Loop Series and Bethe Variational Bounds in At... 0 0 46 | NeurIPS 2017 N-gram-based Tense Models for Statistical Mach... 0 0 47 | NeurIPS 2017 Syntactic Transfer Using a Bilingual Lexicon 0 0 48 | NeurIPS 2017 Regret Minimization in Games with Incomplete I... 0 0 49 | NeurIPS 2017 Active Learning for Imbalanced Sentiment Class 0 0 50 | ACL 2022 Open Language Learning for Information Extraction 1 0 51 | ACL 2022 Identifying Broken Plurals, Irregular Gender, ... 0 0 52 | ACL 2022 Behind the Article: Recognizing Dialog Acts in... 0 0 53 | ACL 2022 Determining the placement of German verbs in E 0 0 54 | ACL 2022 A Transition-Based System for Joint Part-of-Sp 0 0 55 | ACL 2022 Multi-instance Multi-label Learning for Relati 0 0 56 | ACL 2022 Linking Named Entities to Any Database 0 0 57 | ACL 2022 Bootstrapping via Graph Propagation 0 0 58 | ACL 2022 Characterizing Stylistic Elements in Syntactic... 0 0 59 | ACL 2022 Midge: Generating Image Descriptions From Comp 1 0 60 | ACL 2022 A Transition-Based System for Joint Part-of-Sp 0 0 61 | ACL 2022 Multi-instance Multi-label Learning for Relati 0 0 62 | ACL 2022 Linking Named Entities to Any Database 0 0 63 | ACL 2022 Characterizing Stylistic Elements in Syntactic... 0 0 64 | ACL 2022 Behind the Article: Recognizing Dialog Acts in... 0 0 65 | ACL 2022 Determining the placement of German verbs in E 0 0 66 | ACL 2022 Machine Transliteration 1 0 67 | Monolingual translator workstation 0 0 68 | Multiple-subject constructions in the multilingual MT-system CAT 0 0 69 | Taxonomy and lexical semantics—from the perspective of machine readable dictionary 0 0 70 | Can simultaneous interpretation help machine translation? 0 0 71 | Evaluating language technologies 0 0 72 | Twisted pair grammar: support for rapid development of machine translation for low density languages 0 0 73 | Finding the right words: an analysis of not-translated words in machine translation 0 0 74 | Reusing translated terms to expand a multilingual thesaurus 0 0 75 | Revision of morphological analysis errors through the person name construction model 0 0 76 | ACL 2022 Multilingual Text-to-Speech Synthesis: The Bel... 0 0 77 | ACL 2022 PCFG Models of Linguistic Tree Representations 0 0 78 | ACL 2022 Three Generative, Lexicalised Models for Stati. 1 0 79 | ACL 2022 Lexical selection for cross-language applications: combining LCS with WordNet 0 0 80 | ACL 2022 Lexicons as gold: mining, embellishment and reuse 0 0 81 | ACL 2022 An ontology-based approach to parsing Turkish sentences 0 0 82 | ACL 2022 Rapid prototyping of domain-apecific machine translation systems 0 0 83 | ACL 2022 Quality and robustness in MT—A balancing act 0 0 84 | ACL 2022 A modular approach to spoken language translation for large domains 0 0 85 | ACL 2022 Empirical methods for MT lexicon development 0 0 86 | ACL 2022 Reusing translated terms to expand a multilingual thesaurus 0 0 87 | ACL 2022 Twisted pair grammar: support for rapid development of machine translation for low density languages 0 0 88 | ACL 2022 Automatic Detection of Text Genre 0 0 89 | ACL 2022 Expansion of Multi-Word Terms for Indexing and... 0 0 90 | ACL 2022 Document Classification Using a Finite Mixture... 0 0 91 | ACL 2021 A Maximum Entropy Approach to Natural Langua 1 0 92 | ACL 2021 Translating Collocations for Bilingual Lexicon 0 0 93 | ACL 2021 Error-tolerant Finite-state Recognition with A.. 0 0 94 | ACL 2021 Assessing Agreement on Classification Tasks: T... 1 0 95 | ACL 2021 Limited Attention and Discourse Structure 0 0 96 | ACL 2021 Improving Statistical Language Model Performan... 0 0 97 | ACL 2021 Estimating Lexical Priors for Low-Frequency Sy.. 0 0 98 | ACL 2021 "Lexicon-Based Methods for Sentiment Analysis " 1 0 99 | ACL 2021 Learning to Rank Answers to Non-Factoid Questi. 0 0 100 | ACL 2021 Unsupervised Learning of Morphology 0 0 101 | ACL 2021 Stable Classification of Text Genres 0 0 102 | ACL 2021 "Finding Deceptive Opinion Spam by Any Stretch ... " 1 0 103 | ACL 2021 Deciphering Foreign Language 0 0 104 | ACL 2021 Combining Morpheme-based Machine Translation 0 0 105 | ACL 2021 A Word-Class Approach to Labeling PSCFG Rules ... 0 0 106 | ACL 2021 A Fast and Accurate Method for Approximate Str... 0 0 107 | ACL 2020 Centering: A Framework for Modeling the Local ... 1 0 108 | ACL 2020 An Efficient Probabilistic Context-Free Parsin. 0 0 109 | ACL 2020 Automatic Stochastic Tagging of Natural Langua... 0 0 110 | ACL 2020 Deterministic Part-of-Speech Tagging with Fini.. 0 0 111 | ACL 2020 Unsupervised Word Sense Disambiguation Rivalin... 1 0 112 | ACL 2020 Bayesian Grammar Induction for Language Modeling 0 0 113 | ACL 2020 A Quantitative Evaluation of Linguistic Tests ... 0 0 114 | ACL 2020 New Techniques for Context Modeling 0 0 115 | ACL 2020 Quantifier Scope and Constituency 0 0 116 | ACL 2020 Distributional Memory: A General Framework for. 1 0 117 | ACL 2020 String-to-Dependency Statistical Machine Trans.. 0 0 118 | ACL 2020 An Asymptotic Model for the English Hapax/Voca. 0 0 119 | ACL 2019 Tagging English Text with a Probabilistic Model 1 0 120 | ACL 2019 Tracking Point of View in Narrative 0 0 121 | ACL 2019 Tree-Adjoining Grammar Parsing and Boolean Mat... 0 0 122 | ACL 2019 RAFT/RAPR and Centering: a comparison and disc... 0 0 123 | ACL 2020 Word Representations: A Simple and General Met... 1 0 124 | ACL 2020 Conditional Random Fields for Word Hyphenation 0 0 125 | ACL 2020 Using Smaller Constituents Rather Than Sentenc... 0 0 126 | ACL 2020 Towards Open-Domain Semantic Role Labeling 0 0 127 | ACL 2020 Unsupervised Ontology Induction from Text 0 0 128 | ICML 2022 Poisoning Attacks Against Support Vector Machines 1 0 129 | ICML 2022 Building high-level features using large scale unsupervised learning (HM) 1 0 130 | ICML 2022 On causal and anticausal learning (Hon Mention) 0 0 131 | ICML 2022 Capturing topical content with frequency and exclusivity 0 0 132 | ICML 2022 Lightning Does Not Strike Twice: Robust MDPs with Coupled Uncertainty 0 0 133 | ICML 2022 Continuous Inverse Optimal Control with Locally Optimal Examples 0 0 134 | ICML 2022 Levy Measure Decompositions for the Beta and Gamma Processes 0 0 135 | ICML 2022 Residual Component Analysis: Generalising PCA for more flexible inference in linear-Gaussian models 0 0 136 | ICML 2022 Influence Maximization in Continuous Time Diffusion Networks 0 0 137 | ICML 2021 Bayesian Learning via Stochastic Gradient Langevin Dynamics 1 0 138 | ICML 2021 Adaptively Learning the Crowd Kernel 0 0 139 | ICML 2021 Optimal Distributed Online Prediction 0 0 140 | ICML 2021 Structure Learning in Ergodic Factored MDPs without Knowledge of the Transition Function's In-Degree 0 0 141 | ICML 2021 Tree preserving embedding 0 0 142 | ICML 2021 A Three-Way Model for Collective Learning on Multi-Relational Data 0 0 143 | ICML 2021 Dynamic Egocentric Models for Citation Networks 0 0 144 | ICML 2021 Online Discovery of Feature Dependencies 0 0 145 | ICML 2021 Large-Scale Learning of Embeddings with Reconstruction Sampling 0 0 146 | ICML 2021 Sparse Additive Generative Models of Text 0 0 147 | ICML 2021 A Spectral Algorithm for Latent Tree Graphical Models 0 0 148 | ICML 2020 Gaussian Process Optimization in the Bandit Setting: No Regret and Experimental Design 1 0 149 | ICML 2020 Large Graph Construction for Scalable Semi-Supervised Learning 0 0 150 | ICML 2020 Boosting Classifiers with Tightened L0-Relaxation Penalties 0 0 151 | ICML 2020 Modeling Interaction via the Principle of Maximum Causal Entropy 0 0 152 | ICML 2020 Spherical Topic Models 0 0 153 | ICML 2020 Probabilistic Backward and Forward Reasoning in Stochastic Relational Worlds 0 0 154 | ICML 2020 Supervised Aggregation of Classifiers using Artificial Prediction Markets 0 0 155 | ICML 2020 The Elastic Embedding Algorithm for Dimensionality Reduction 0 0 156 | ICML 2020 Multiscale Wavelets on Trees, Graphs and High Dimensional Data: Theory and Applications to Semi Supervised Learning 0 0 157 | ICML 2020 Generalization Bounds for Learning Kernels 0 0 158 | ICML 2020 A Simple Algorithm for Nuclear Norm Regularized Problems 0 0 159 | ICML 2020 On Sparse Nonparametric Conditional Covariance Selection 0 0 160 | ICML 2019 Online dictionary learning for sparse coding 1 0 161 | ICML 2019 Using fast weights to improve persistent contrastive divergence 0 0 162 | ICML 2019 Spectral Clustering based on the graph p-Laplacian 0 0 163 | ICML 2019 Importance weighted active learning 0 0 164 | ICML 2019 MedLDA: maximum margin supervised topic models for regression and classification 0 0 165 | ICML 2019 ABC-boost: adaptive base class boost for multi-class classification 0 0 166 | ICML 2019 Multi-instance learning by treating instances as non-I.I.D. samples 0 0 167 | ICML 2019 Fitting a graph to vector data 0 0 168 | ICML 2019 Multiple Indefinite Kernel Learning with Mixed Norm Regularization 0 0 169 | ICML 2019 Partial order embedding with multiple kernels 0 0 170 | ICML 2018 A unified architecture for natural language processing: deep neural networks with multitask learning 1 0 171 | ICML 2018 Stability of transductive regression algorithms 0 0 172 | ICML 2018 Self-taught clustering 0 0 173 | ICML 2018 An HDP-HMM for systems with state persistence 0 0 174 | ICML 2018 No-regret learning in convex games 0 0 175 | ICML 2018 Grassmann discriminant analysis: a unifying view on subspace-based learning 0 0 176 | ICML 2018 Discriminative structure and parameter learning for Markov logic networks 0 0 177 | ICML 2018 The skew spectrum of graphs 0 0 178 | ICML 2018 Transfer of samples in batch reinforcement learning 0 0 179 | ICML 2018 A worst-case comparison between temporal difference and residual gradient with linear function approximation 0 0 180 | ICML 2018 Structure compilation: trading structure for features 0 0 181 | ACL 2023 Automatic Word Sense Discrimination 1 0 182 | ACL 2023 Similarity-based Word Sense Disambiguation 0 0 183 | ACL 2023 A Two Level Model for Context Sensitive Inference Rules 0 0 184 | ACL 2023 Adapting Discriminative Reranking to Grounded Language Learning 0 0 185 | ACL 2023 Additive Neural Networks for Statistical Machine Translation 0 0 186 | ACL 2023 Disambiguating Highly Ambiguous Words 0 0 187 | ACL 2023 Advancements in Reordering Models for Statistical Machine Translation 0 0 188 | ACL 2023 Improving Chinese Word Segmentation on Micro-blog Using Rich Punctuations 0 0 189 | ACL 2023 Using Corpus Statistics and WordNet Relations for Sense Identification 0 0 190 | ACL 2023 Topical Clustering of MRD Senses Based on Information Retrieval Techniques 0 0 191 | ACL 2023 Generation that Exploits Corpus-Based Statistical Knowledge 1 0 192 | ACL 2023 A Framework for Customizable Generation of Hypertext Presentations 0 0 193 | ACL 2023 Unification-based Multimodal Parsing 0 0 194 | ACL 2023 Joint Inference for Heterogeneous Dependency Parsing 0 0 195 | ACL 2023 IndoNet: A Multilingual Lexical Knowledge Network for Indian Languages 0 0 196 | ACL 2023 Implicatures and Nested Beliefs in Approximate Decentralized-POMDPs 0 0 197 | ACL 2023 Joint Apposition Extraction with Syntactic and Semantic Constraints 0 0 198 | ACL 2023 English-to-Russian MT evaluation campaign 0 0 199 | ACL 2023 Text Segmentation Using Reiteration and Collocation 0 0 200 | ACL 2023 Improving Automatic Indexing through Concept Combination and Term Enrichment 0 0 201 | ACL 2023 Eliminative Parsing with Graded Constraints 0 0 202 | ACL 2023 Recursive Deep Models for Semantic Compositionality Over a Sentiment Treebank 1 0 203 | ACL 2023 Animacy Detection with Voting Models 0 0 204 | ACL 2023 A Log-Linear Model for Unsupervised Text Normalization 0 0 205 | ACL 2023 Exploring Sentiment in Social Media: Bootstrapping Subjectivity Clues from Multilingual Twitter Streams 0 0 206 | ACL 2023 Bilingual Lexical Cohesion Trigger Model for Document-Level Machine Translation 0 0 207 | ACL 2023 Arguments and Modifiers from the Learner's Perspective 0 0 208 | ACL 2023 An Empirical Examination of Challenges in Chinese Parsing 0 0 209 | ACL 2023 Learning to Freestyle: Hip Hop Challenge-Response Induction via Transduction Rule Segmentation 0 0 210 | ACL 2023 Modeling and Learning Semantic Co-Compositionality through Prototype Projections and Neural Networks 0 0 211 | ACL 2023 Growing Multi-Domain Glossaries from a Few Seeds using Probabilistic Topic Models 0 0 212 | ACL 2023 MCTest: A Challenge Dataset for the Open-Domain Machine Comprehension of Text 0 0 213 | ACL 2023 Universal Dependency Annotation for Multilingual Parsing 1 0 214 | ACL 2023 Translating Dialectal Arabic to English 0 0 215 | ACL 2023 Supervised Model Learning with Feature Grouping based on a Discrete Constraint 0 0 216 | ACL 2023 Natural Language Models for Predicting Programming Comments 0 0 217 | ACL 2023 Learning to Order Natural Language Texts 0 0 218 | ACL 2023 A Tale about PRO and Monsters 0 0 219 | ACL 2023 Random Walk Factoid Annotation for Collective Discourse 0 0 220 | ACL 2023 Word surprisal predicts N400 amplitude during reading 0 0 221 | ACL 2023 Joint Inference for Heterogeneous Dependency Parsing 0 0 222 | ACL 2023 Benefactive/Malefactive Event and Writer Attitude Annotation 0 0 223 | ACL 2023 Automated Pyramid Scoring of Summaries using Distributional Semantics 0 0 224 | ICML 2023 Learning Fair Representations 1 0 225 | ICML 2023 No more pesky learning rates 0 0 226 | ICML 2023 Multi-View Clustering and Feature Learning via Structured Sparsity 0 0 227 | ICML 2023 Planning by Prioritized Sweeping with Small Backups 0 0 228 | ICML 2023 Covariate Shift in Hilbert Space: A Solution via Sorrogate Kernels 0 0 229 | ICML 2023 Spectral Compressed Sensing via Structured Matrix Completion 0 0 230 | ICML 2023 Multi-Task Learning with Gaussian Matrix Generalized Inverse Gaussian Model 0 0 231 | ICML 2023 Near-optimal bounds for cross-validation via loss stability 0 0 232 | ICML 2023 A spectral learning approach to range-only SLAM 0 0 233 | ICML 2023 On the Generalization Ability of Online Learning Algorithms for Pairwise Loss Functions 0 0 234 | ICML 2023 That was fast! Speeding up NN search of high dimensional distributions 0 0 235 | ICML 2023 Deep Canonical Correlation Analysis 1 0 236 | ICML 2023 Making a Science of Model Search: Hyperparameter Optimization in Hundreds of Dimensions for Vision Architectures 1 0 237 | ICML 2022 Poisoning Attacks against Support Vector Machines 1 0 238 | ICML 2022 Latent Collaborative Retrieval 0 0 239 | ICML 2022 Lightning Does Not Strike Twice: Robust MDPs with Coupled Uncertainty 0 0 240 | ICML 2022 Cross-Domain Multitask Learning with Latent Probit Models 0 0 241 | ICML 2022 A Dantzig Selector Approach to Temporal Difference Learning 0 0 242 | ICML 2022 Batch Active Learning via Coordinated Matching 0 0 243 | ICML 2022 The Landmark Selection Method for Multiple Output Prediction 0 0 244 | ICML 2022 Learning the Central Events and Participants in Unlabeled Text 0 0 245 | ICML 2022 On the Difficulty of Nearest Neighbor Search 0 0 246 | ICML 2022 Efficient Active Algorithms for Hierarchical Clustering 0 0 247 | ICML 2022 Finding Botnets Using Minimal Graph Clusterings 0 0 248 | ICML 2017 Combining online and offline knowledge in UCT 1 0 249 | ICML 2017 Learning random walks to rank nodes in graphs 0 0 250 | ICML 2017 Solving MultiClass Support Vector Machines with LaRank 0 0 251 | ICML 2017 Multiple Instance Learning for Sparse Positive Bags 0 0 252 | ICML 2017 " 253 | Multiclass core vector machine" 0 0 254 | ICML 2017 Learning distance function by coding similarity 0 0 255 | ICML 2017 Solving multiclass support vector machines with LaRank 0 0 256 | ICML 2017 Cluster analysis of heterogeneous rank data 0 0 257 | ICML 2017 Direct convex relaxations of sparse SVM 0 0 258 | ICML 2017 Boosting for transfer learning 0 0 259 | ICML 2017 Percentile optimization in uncertain Markov decision processes with application to efficient exploration 0 0 260 | ICML 2017 Unsupervised prediction of citation influences 0 0 261 | ICML 2017 Pegasos: Primal estimated sub-gradient solver for SVM 1 0 262 | ICML 2017 Two-view feature generation model for semi-supervised learning 0 0 263 | ICML 2017 Multiclass core vector machine 0 0 264 | ICML 2017 Learning distance function by coding similarity 0 0 265 | ICML 2017 Discriminative learning for differing training and test distributions 0 0 266 | ICML 2017 Multiple instance learning for sparse positive bags 0 0 267 | ICML 2017 Feature selection in a kernel space 0 0 268 | ICML 2017 Local similarity discriminant analysis 0 0 269 | ICML 2017 Learning to compress images and videos 0 0 270 | ICML 2017 Full regularization path for sparse principal component analysis 0 0 271 | ICML 2017 Intractability and clustering with constraints 0 0 272 | ICML 2017 A Bound on the Label Complexity of Agnostic Active Learning 1 0 273 | ICML 2015 Learning to rank using gradient descent 1 0 274 | ICML 2015 Tempering for Bayesian C&RT 0 0 275 | ICML 2015 Action respecting embedding 0 0 276 | ICML 2015 Fast Condensed Nearest Neighbor Rule 0 0 277 | ICML 2015 Closed-form dual perturb and combine for tree-based models 0 0 278 | ICML 2015 Near-Optimal Sensor Placements in Gaussian Processes 0 0 279 | ICML 2015 Interactive Learning of Mappings from Visual Percepts to Actions 0 0 280 | ICML 2015 Reducing overfitting in process model induction 0 0 281 | ICML 2015 Learning class-discriminative dynamic Bayesian networks 0 0 282 | ICML 2015 Variational Bayesian image modelling 0 0 283 | ICML 2015 A general regression technique for learning transductions 0 0 284 | NAACL 2018 BLEU: a Method for Automatic Evaluation of Machine Translation 1 0 285 | NAACL 2018 Generation as Dependency Parsing 0 0 286 | NAACL 2018 Pronominalization in Generated Discourse and Dialogue 0 0 287 | NAACL 2018 Learning surface text patterns for a Question Answering System 0 0 288 | NAACL 2018 Active Learning for Statistical Natural Language Parsing 0 0 289 | NAACL 2018 GATE: an Architecture for Development of Robust HLT applications 0 0 290 | NAACL 2018 The Descent of Hierarchy, and Selection in Relational Semantics 0 0 291 | NAACL 2018 Named Entity Recognition using an HMM-based Chunk Tagger 0 0 292 | NAACL 2018 From Single to Multi-document Summarization 0 0 293 | NAACL 2018 Is It the Right Answer? Exploiting Web Redundancy for Answer Validation 0 0 294 | NAACL 2018 Evaluating Translational Correspondence using Annotation Projection 0 0 295 | EMNLP 2018 Discriminative Training Methods for Hidden Markov Models: Theory and Experiments with Perceptron Algorithms 1 0 296 | EMNLP 2018 Modeling Consensus: Classifier Combination for Word Sense Disambiguation 0 0 297 | EMNLP 2018 Combining Sample Selection and Error-Driven Pruning for Machine Learning of Coreference Rules 0 0 298 | EMNLP 2018 Kernel Methods for Relation Extraction 0 0 299 | EMNLP 2018 Extentions to HMM-based Statistical Word Alignment Models 0 0 300 | EMNLP 2018 Exploiting Strong Syntactic Heuristics and Co-Training to Learn Semantic Lexicons 0 0 301 | EMNLP 2018 A Hybrid Approach to Natural Language Web Search 0 0 302 | EMNLP 2018 Ensemble Methods for Automatic Thesaurus Extraction 0 0 303 | EMNLP 2018 An Analysis of the AskMSR Question-Answering System 0 0 304 | EMNLP 2018 Extracting Clauses for Spoken Language Understanding in Conversational Systems 0 0 305 | EMNLP 2018 Using the Web to Overcome Data Sparseness 0 0 306 | EMNLP 2018 Thumbs up? Sentiment Classification using Machine Learning Techniques 0 0 307 | ICCV 2015 A database of human segmented natural images and its application to evaluating segmentation algorithms and measuring ecological statistics 1 0 308 | ICCV 2015 Split Aperture Imaging for High Dynamic Range 0 0 309 | ICCV 2015 A co-inference approach to robust visual tracking 0 0 310 | ICCV 2015 BraMBLe: a Bayesian multiple-blob tracker 0 0 311 | ICCV 2015 Deriving intrinsic images from image sequences 0 0 312 | ICCV 2015 Multi-agent event recognition 0 0 313 | ICCV 2015 A general imaging model and a method for finding its parameters 0 0 314 | ICCV 2015 Image segmentation by data driven Markov chain Monte Carlo 0 0 315 | ICCV 2015 Multiple view geometry of non-planar algebraic curves 0 0 316 | ICCV 2015 Folds and cuts: how shading flows into edges 0 0 317 | ICCV 2013 Indexing via color histograms 1 0 318 | ICCV 2013 Computing two motions from three frames 0 0 319 | ICCV 2013 Computing spatiotemporal surface flow 0 0 320 | ICCV 2013 Detecting and localizing edges composed of steps, peaks and roofs 0 0 321 | ICCV 2013 Detection of convex and concave discontinuous points in a plane curve 0 0 322 | ICCV 2013 Uniqueness, the minimum norm constraint, and analog networks for optical flow along contours 0 0 323 | ICCV 2013 Simple method for computing 3D motion and depth 0 0 324 | ICCV 2013 Robustness of correspondence-based structure from motion 0 0 325 | ICCV 2013 Segmentation as the search for the best description of the image in terms of primitives 0 0 326 | ICCV 2013 Perceptual organization of occluding contours 0 0 327 | ICCV 2013 Segmenting curves into elliptic arcs and straight lines 0 0 328 | ICCV 2013 Steerable filters for early vision, image analysis, and wavelet decomposition 1 0 329 | ICCV 2013 A framework for the robust estimation of optical flow, 1 0 330 | ICCV 2013 Egomotion analysis based on the Frenet-Serret motion model 0 0 331 | ICCV 2013 A framework for the robust estimation of optical flow 0 0 332 | ICCV 2013 Tracking non-rigid objects in complex scenes 0 0 333 | ICCV 2013 Extracting projective structure from single perspective views of 3D point sets 0 0 334 | ICCV 2013 A finite element model for 3D shape reconstruction and nonrigid motion tracking 0 0 335 | ICCV 2013 A generalized brightness change model for computing optical flow 0 0 336 | ICCV 2013 An improved algorithm for algebraic curve and surface fitting 0 0 337 | ICCV 2013 Building and using flexible models incorporating grey-level information 0 0 338 | ICCV 2013 A global algorithm for shape from shading 0 0 339 | ICCV 2013 Alignment by Maximization of Mutual Information 1 0 340 | ICCV 2013 Better optical triangulation through spacetime analysis 0 0 341 | ICCV 2013 Motion from the frontier of curved surfaces 0 0 342 | ICCV 2013 Rigid body segmentation and shape description from dense optical flow under weak perspective 0 0 343 | ICCV 2013 Global rigidity constraints in image displacement fields 0 0 344 | ICCV 2013 The nonparametric approach for camera calibration 0 0 345 | ICCV 2013 Bayesian decision theory, the maximum local mass estimate, and color constancy 0 0 346 | ICCV 2013 Combining color and geometry for the active, visual recognition of shadows 0 0 347 | ICCV 2013 Class-based grouping in perspective images 0 0 348 | ICCV 2013 Unsupervised parallel image classification using a hierarchical Markovian model 0 0 349 | ICCV 2013 In defence of the 8-point algorithm 1 0 350 | ICCV 2013 Structure and semi-fluid motion analysis of stereoscopic satellite images for cloud tracking 0 0 351 | ICCV 2013 Better optical triangulation through spacetime analysis 0 0 352 | ICCV 2013 Image segmentation by reaction-diffusion bubbles 0 0 353 | ICCV 2013 Indexing visual representations through the complexity map 0 0 354 | ICCV 2013 Direct estimation of affine image deformations using visual front-end operations with automatic scale selection 0 0 355 | ICCV 2013 Texture segmentation and shape in the same image 0 0 356 | ICCV 2013 An integrated stereo-based approach to automatic vehicle guidance 0 0 357 | ICCV 2013 A multi-body factorization method for motion analysis 0 0 358 | ICCV 2013 Reconstruction from Image Sequences by Means of Relative Depths 0 0 359 | ECCV 2022 A Naturalistic Open Source Movie for Optical Flow Evaluation 1 0 360 | ECCV 2022 Match Graph Construction for Large Image Databases 0 0 361 | ECCV 2022 Local Expert Forest of Score Fusion for Video Event Classification 0 0 362 | ECCV 2022 Text Image Deblurring Using Text-Specific Properties 0 0 363 | ECCV 2022 Non-causal Temporal Prior for Video Deblocking 0 0 364 | ECCV 2022 Divergence-Free Motion Estimation 0 0 365 | ECCV 2022 Learning Spatially-Smooth Mappings in Non-Rigid Structure From Motion 0 0 366 | ECCV 2022 Camera Pose Estimation Using First-Order Curve Differential Geometry 0 0 367 | ECCV 2022 Going with the Flow: Pedestrian Efficiency in Crowded Scenes 0 0 368 | ECCV 2022 Unsupervised Temporal Commonality Discovery 0 0 369 | ECCV 2022 Block-Sparse RPCA for Consistent Foreground Detection 0 0 370 | ECCV 2022 Indoor Segmentation and Support Inference from RGBD Images 1 0 371 | ECCV 2022 Action Recognition with Exemplar Based 2.5D Graph Matching 0 0 372 | ECCV 2022 Detecting Actions, Poses, and Objects with Relational Phraselets 0 0 373 | ECCV 2022 Background Subtraction with Dirichlet Processes 0 0 374 | ECCV 2022 Color Constancy, Intrinsic Images, and Shape Estimation 0 0 375 | ECCV 2022 Robust and Practical Face Recognition via Structured Sparsity 0 0 376 | ECCV 2022 Efficient Closed-Form Solution to Generalized Boundary Detection 0 0 377 | ECCV 2022 Automatic Tracking of a Large Number of Moving Targets in 3D 0 0 378 | ECCV 2022 Segmentation over Detection by Coupled Global and Local Sparse Representations 0 0 379 | ECCV 2022 Reading Ancient Coins: Automatically Identifying Denarii Using Obverse Legend Seeded Retrieval 0 0 380 | ECCV 2020 Improving the Fisher Kernel for Large-Scale Image Classification 1 0 381 | ECCV 2020 Bundle Adjustment in the Large 0 0 382 | ECCV 2020 Image Invariants for Smooth Reflective Surfaces 0 0 383 | ECCV 2020 Detecting Ground Shadows in Outdoor Consumer Photographs 0 0 384 | ECCV 2020 Photometric Stereo for Dynamic Surface Orientations 0 0 385 | ECCV 2020 Facial Contour Labeling via Congealing 0 0 386 | ECCV 2020 An Iterative Method with General Convex Fidelity Term for Image Restoration 0 0 387 | ECCV 2020 A Dual Theory of Inverse and Forward Light Transport 0 0 388 | ECCV 2020 Membrane Nonrigid Image Registration 0 0 389 | ECCV 2020 Video Synchronization Using Temporal Signals from Epipolar Lines 0 0 390 | ECCV 2020 BRIEF: Binary Robust Independent Elementary Features 1 0 391 | ECCV 2020 Cosegmentation Revisited: Models and Optimization 0 0 392 | ECCV 2020 Energy Minimization under Constraints on Label Counts 0 0 393 | ECCV 2020 Optimal Contour Closure by Superpixel Grouping 0 0 394 | ECCV 2020 Shape from Second-Bounce of Light Transport 0 0 395 | ECCV 2020 LACBoost and FisherBoost: Optimally Building Cascade Classifiers 0 0 396 | ECCV 2020 A Fast Dual Method for HIK SVM Learning 0 0 397 | ECCV 2020 Optimal Contour Closure by Superpixel Grouping 0 0 398 | ECCV 2020 Localizing Objects While Learning Their Appearance 0 0 399 | ECCV 2018 Hamming Embedding and Weak Geometric Consistency for Large Scale Image Search 1 0 400 | ECCV 2018 Scale Invariant Action Recognition Using Compound Features Mined from Dense Spatio-temporal Corners 0 0 401 | ECCV 2018 Joint Parametric and Non-parametric Curve Evolution for Medical Image Segmentation 0 0 402 | ECCV 2018 Weakly Supervised Object Localization with Stable Segmentations 0 0 403 | ECCV 2018 Shape Matching by Segmentation Averaging 0 0 404 | ECCV 2018 Optimization of Symmetric Transfer Error for Sub-frame Video Synchronization 0 0 405 | ECCV 2018 Illumination and Person-Insensitive Head Pose Estimation Using Distance Metric Learning 0 0 406 | ECCV 2018 Automatic Generator of Minimal Problem Solvers 0 0 407 | ECCV 2018 Semi-supervised On-Line Boosting for Robust Tracking 1 0 408 | ECCV 2018 3D Non-rigid Surface Matching and Registration Based on Holomorphic Differentials 0 0 409 | ECCV 2018 Training Hierarchial Feed-forward Visual Recognition Models Using Transfer Learning from Pseudo-Tasks 0 0 410 | ECCV 2018 Belief Propagation with Directional Statistics for solving the Shape-from-Shading problem 0 0 411 | ECCV 2018 Fusion of Feature- and Area-Based Information for Urban Buildings Modeling from Aerial Imagery 0 0 412 | ECCV 2018 Joint Parametric and Non-Parametric Curve Evolution for Medical Image Segmentation 0 0 413 | ECCV 2018 Analysis of Building Textures for Reconstructing Partially Occluded Facades 0 0 414 | ECCV 2018 Scale Invariant Action Recognition using Compound Features Mined from Dense Spatio-temporal Corners 0 0 415 | ECCV 2018 Direct Bundle Estimation for Recovery of Shape, Reflectance Property and Light Position 0 0 416 | ECCV 2018 Automated Delineation of Dendritic Networks in Noisy Image Stacks 0 0 417 | ECCV 2018 Robust Visual Tracking Based on an Effective Appearance Model 0 0 418 | ECCV 2016 SURF: Speeded Up Robust Features 1 0 419 | ECCV 2016 Robust Multi-view Face Detection Using Error Correcting Output Codes 0 0 420 | ECCV 2016 What Is the Range of Surface Reconstructions from a Gradient Field? 0 0 421 | ECCV 2016 Riemannian Manifold Learning for Nonlinear Dimensionality Reduction 0 0 422 | ECCV 2016 Comparison of Energy Minimization Algorithms for Highly Connected Graphs 0 0 423 | ECCV 2016 Carved Visual Hulls for Image-Based Modeling 0 0 424 | ECCV 2016 Object Detection by Contour Segment Networks 0 0 425 | ECCV 2016 The 4-Source Photometric Stereo under General Unknown Lighting 0 0 426 | ECCV 2016 PoseCut: Simultaneous Segmentation and 3D Pose Estimation of Humans Using Dynamic Graph-Cuts 0 0 427 | ECCV 2016 Differential Geometric Consistency Extends Stereo to Curved Surfaces 0 0 428 | ECCV 2016 Effective Appearance Model and Similarity Measure for Particle Filtering and Visual Tracking 0 0 429 | ECCV 2016 Machine Learning for High-Speed Corner Detection 1 0 430 | ECCV 2016 Unsupervised patch-based image regularization and representation 0 0 431 | ECCV 2016 Retexturing Single Views Using Texture and Shading 0 0 432 | ECCV 2016 Face Recognition from Video using the Generic Shape-Illumination Manifold 0 0 433 | ECCV 2016 Robust Multi-View Face Detection Using Error Correcting Output Codes 0 0 434 | ECCV 2016 The 4-Source Photometric Stereo under General Unknown Lighting 0 0 435 | ECCV 2016 PoseCut: Simultaneous Segmentation and 3D Pose Estimation of Humans using Dynamic Graph-Cuts 0 0 436 | ECCV 2016 Measuring Uncertainty in Graph Cut Solutions - Efficiently Computing Min-marginal Energies using Dynamic Graph Cuts 0 0 437 | ECCV 2016 Retexturing Single Views Using Texture and Shading 0 0 438 | ECCV 2016 Unsupervised Patch-Based Image Regularization and Representation 0 0 439 | ECCV 2016 Multi-way Clustering Using Super-Symmetric Non-negative Tensor Factorization 0 0 440 | ECCV 2014 Face Recognition with Local Binary Patterns 1 0 441 | ECCV 2014 A Framework for Pencil-of-Points Structure-from-Motion 0 0 442 | ECCV 2014 A Constrained Semi-supervised Learning Approach to Data Association 0 0 443 | ECCV 2014 Enhancing Particle Filters Using Local Likelihood Sampling 0 0 444 | ECCV 2014 Model Selection for Range Segmentation of Curved Objects 0 0 445 | ECCV 2014 Discriminant Analysis on Embedded Manifold 0 0 446 | ECCV 2014 Visibility Analysis and Sensor Planning in Dynamic Environments 0 0 447 | ECCV 2014 Learning Mixtures of Weighted Tree-Unions by Minimizing Description Length 0 0 448 | ECCV 2014 Decision Theoretic Modeling of Human Facial Displays 0 0 449 | ECCV 2014 An Accuracy Certified Augmented Reality System for Therapy Guidance 0 0 450 | ECCV 2014 A Feature-Based Approach for Determining Dense Long Range Correspondences 0 0 451 | ECCV 2014 High Accuracy Optical Flow Estimation Based on a Theory for Warping 1 0 452 | ECCV 2014 A Visual Category Filter for Google Images 0 0 453 | ECCV 2014 Hand Gesture Recognition within a Linguistics-Based Framework 0 0 454 | ECCV 2014 Line Geometry for 3D Shape Understanding and Reconstruction 0 0 455 | ECCV 2014 Many-to-Many Feature Matching Using Spherical Coding of Directed Graphs 0 0 456 | ECCV 2014 A Linguistic Feature Vector for the Visual Interpretation of Sign Language 0 0 457 | ECCV 2014 Interactive Image Segmentation Using an Adaptive GMMRF Model 0 0 458 | ECCV 2014 Steering in Scale Space to Optimally Detect Image Structures 0 0 459 | ECCV 2014 Structure and Motion Problems for Multiple Rigidly Moving Cameras 0 0 460 | ECCV 2014 An Information-Based Measure for Grouping Quality 0 0 461 | ECCV 2014 Partial Object Matching with Shapeme Histograms 0 0 462 | ECCV 2012 What energy functions can be minimized via graph cuts? 1 0 463 | ECCV 2012 Combining Appearance and Topology for Wide Baseline Matching 0 0 464 | ECCV 2012 Guided Sampling and Consensus for Motion Estimation 0 0 465 | ECCV 2012 Texture Similarity Measure Using Kullback-Leibler Divergence between Gamma Distributions 0 0 466 | ECCV 2012 Composite Texture Descriptions 0 0 467 | ECCV 2012 Shape from Texture without Boundaries 0 0 468 | ECCV 2012 The Effect of Illuminant Rotation on Texture Filters: Lissajous’s Ellipses 0 0 469 | ECCV 2012 An Affine Invariant Interest Point Detector 0 0 470 | ECCV 2012 Multimodal Data Representations with Parameterized Local Structures 0 0 471 | ECCV 2012 Resolution Selection Using Generalized Entropies of Multiresolution Histograms 0 0 472 | ECCV 2012 A Hierarchical Framework for Spectral Correspondence 0 0 473 | ECCV 2010 Stochastic Tracking of 3D Human Figures Using 2D Image Motion 1 0 474 | ECCV 2010 Real-Time Tracking of Multiple Articulated Structures in Multiple Views 0 0 475 | ECCV 2010 Bootstrap Initialization of Nonparametric Texture Models for Tracking 0 0 476 | ECCV 2010 Pedestrian Detection from a Moving Vehicle 0 0 477 | ECCV 2010 Bootstrap Initialization of Nonparametric Texture Models for Tracking 0 0 478 | ECCV 2010 Coupled Geodesic Active Regions for Image Segmentation: A Level Set Approach 0 0 479 | ECCV 2010 Model-Based Initialisation for Segmentation 0 0 480 | ECCV 2010 Tracking Discontinuous Motion Using Bayesian Inference 0 0 481 | ECCV 2010 The Construction of 3 Dimensional Models Using an Active Vision System 0 0 482 | ECCV 2010 Coupled Geodesic Active Regions for Image Segmentation: A Level Set Approach 0 0 483 | ECCV 2010 Layer Extraction with a Bayesian Model of Shapes 0 0 484 | ECCV 2010 Unsupervised Learning of Models for Recognition 1 0 485 | ECCV 2010 A Unifying Theory for Central Panoramic Systems and Practical Implications 0 0 486 | ECCV 2010 Motion Segmentation by Tracking Edge Information over Multiple Frames 0 0 487 | ECCV 2010 Statistical Significance as an Aid to System Performance Evaluation 0 0 488 | ECCV 2010 On the Performance Characterisation of Image Segmentation Algorithms: A Case Study 0 0 489 | ECCV 2010 Nautical Scene Segmentation Using Variable Size Image Windows and Feature Space Reclustering 0 0 490 | ECCV 2010 A Physically-Based Statistical Deformable Model for Brain Image Analysis 0 0 491 | ECCV 2010 Registration with a Moving Zoom Lens Camera for Augmented Reality Applications 0 0 492 | ECCV 2010 Multi-view Constraints between Collineations: Application to Self-Calibration from Unknown Planar Structures 0 0 493 | ECCV 2010 Model-Based Initialisation for Segmentation 0 0 494 | ECCV 2010 A Probabilistic Background Model for Tracking 0 0 495 | ECCV 2008 Contour Tracking by Stochastic Propagation of Conditional Density 1 0 496 | ECCV 2008 Stereo Matching with Implicit Detection of Occlusions 0 0 497 | ECCV 2008 Robust Registration of Dissimilar Single and Multimodal Images 0 0 498 | ECCV 2008 Robust registration of dissimilar single and multimodal images 0 0 499 | ECCV 2008 Spatiotemporally adaptive estimation and segmentation of OF-fields 0 0 500 | ECCV 2008 Multichannel shape from shading techniques for moving specular surfaces 0 0 501 | ECCV 2008 Creaseness from level set extrinsic curvature 0 0 502 | ECCV 2008 Flexible Syntactic Matching of Curves 0 0 503 | ECCV 2008 Creaseness from Level Set Extrinsic Curvature 0 0 504 | ECCV 2008 Surface Reconstruction with Multiresolution Discontinuity Analysis 0 0 505 | ECCV 2008 Reconstruction of Smooth Surfaces with Arbitrary Topology Adaptive Splines 0 0 506 | ECCV 2008 Camera Self-Calibration: Theory and Experiments 1 0 507 | ECCV 2008 Changes in surface convexity and topology caused by distortions of stereoscopic visual space 0 0 508 | ECCV 2008 Reconstruction of smooth surfaces with arbitrary topology adaptive splines 0 0 509 | ECCV 2008 Optical flow using overlapped basis functions for solving global motion problems 0 0 510 | ECCV 2008 Discrete wavelet analysis: A new framework for fast optic flow computation 0 0 511 | ECCV 2008 Shape representations from shading primitives 0 0 512 | ECCV 2008 A comparison of measures for detecting natural shapes in cluttered backgrounds 0 0 513 | ECCV 2008 Estimating coloured 3D face models from single images: An example based approach 0 0 514 | ECCV 2008 Optical Flow Using Overlapped Basis Functions for Solving Global Motion Problems 0 0 515 | ECCV 2008 The Role of Total Least Squares in Motion Analysis 0 0 516 | ECCV 2008 Discrete Wavelet Analysis: A New Framework for Fast Optic Flow Computation 0 0 517 | CVPR 2023 Online Object Tracking: A Benchmark 1 0 518 | CVPR 2023 Saliency Detection via Graph-Based Manifold Ranking 0 0 519 | CVPR 2023 Discriminative Subspace Clustering 0 0 520 | CVPR 2023 Fast Energy Minimization Using Learned State Filters 0 0 521 | CVPR 2023 GeoF: Geodesic Forests for Learning Coupled Predictors 0 0 522 | CVPR 2023 Fast Trust Region for Segmentation 0 0 523 | CVPR 2023 Robust Real-Time Tracking of Multiple Objects by Volumetric Mass Densities 0 0 524 | CVPR 2022 Are we ready for autonomous driving? The KITTI vision benchmark suite 1 0 525 | CVPR 2022 Robust Non-negative Graph Embedding: Towards noisy data, unreliable graphs, and noisy labels 0 0 526 | CVPR 2022 Convex reduction of high-dimensional kernels for visual classification 0 0 527 | CVPR 2022 Salient object detection for searched web images via global saliency 0 0 528 | CVPR 2022 Fixed-rank representation for unsupervised visual learning 0 0 529 | CVPR 2022 Real-time scene text localization and recognition 0 0 530 | CVPR 2022 Online robust image alignment via iterative convex optimization 0 0 531 | CVPR 2021 Real-time human pose recognition in parts from single depth images 1 0 532 | CVPR 2021 Visual saliency detection by spatially weighted dissimilarity. 0 0 533 | CVPR 2021 Correspondence driven adaptation for human profile recognition. 0 0 534 | CVPR 2021 Bypassing synthesis: PLS for face recognition with pose, low-resolution and sketch. 0 0 535 | CVPR 2021 Online domain adaptation of a pre-trained cascade of classifiers. 0 0 536 | CVPR 2021 Interreflection removal for photometric stereo by using spectrum-dependent albedo. 0 0 537 | CVPR 2021 Combining attributes and Fisher vectors for efficient image retrieval. 0 0 538 | CVPR 2021 Face image retrieval by shape manipulation. 0 0 539 | CVPR 2021 Online domain adaptation of a pre-trained cascade of classifiers 0 0 540 | CVPR 2021 Learning effective human pose estimation from inaccurate annotation 0 0 541 | CVPR 2021 Parameter learning with truncated message-passing 0 0 542 | CVPR 2021 Coupled information-theoretic encoding for face photo-sketch recognition 0 0 543 | CVPR 2021 Recovery of corrupted low-rank matrices via half-quadratic based nonconvex minimization 0 0 544 | CVPR 2021 Baby talk: Understanding and generating simple image descriptions 1 0 545 | CVPR 2021 3D motion reconstruction for real-world camera motion. 0 0 546 | CVPR 2021 Importance filtering for image retargeting. 0 0 547 | CVPR 2021 Sparse approximated nearest points for image set classification. 0 0 548 | CVPR 2021 Separating reflective and fluorescent components of an image. 0 0 549 | CVPR 2021 Enhancing by saliency-guided decolorization. 0 0 550 | CVPR 2021 High resolution multispectral video capture with a hybrid camera system. 0 0 551 | CVPR 2021 Motion denoising with application to time-lapse photography. 0 0 552 | CVPR 2021 Three-dimensional kaleidoscopic imaging. 0 0 553 | CVPR 2021 Style transfer matrix learning for writer adaptation. 0 0 554 | CVPR 2021 Contextualizing Object Detection and Classification 0 0 555 | CVPR 2021 A fully automated greedy square jigsaw puzzle solver 0 0 556 | CVPR 2021 Glare encoding of high dynamic range images 0 0 557 | CVPR 2020 Secrets of optical flow estimation and their principles 1 0 558 | CVPR 2020 Finding dots: Segmentation as popping out regions from boundaries 0 0 559 | CVPR 2020 Estimating optical properties of layered surfaces using the spider model 0 0 560 | CVPR 2020 Direct image alignment of projector-camera systems with planar surfaces 0 0 561 | CVPR 2020 Global optimization for estimating a BRDF with multiple specular lobes 0 0 562 | CVPR 2020 An approach to vectorial total variation based on geometric measure theory 0 0 563 | CVPR 2020 Estimation of image bias field with sparsity constraints 0 0 564 | CVPR 2019 ImageNet: A large-scale hierarchical image database 1 0 565 | CVPR 2019 Hardware-Efficient Belief Propagation 0 0 566 | CVPR 2019 Blind motion deblurring from a single image using sparse approximation 0 0 567 | CVPR 2019 Support Vector Machines in face recognition with occlusions 0 0 568 | CVPR 2019 Volterrafaces: Discriminant analysis using Volterra kernels 0 0 569 | CVPR 2019 Automated feature extraction for early detection of diabetic retinopathy in fundus images 0 0 570 | CVPR 2019 Markerless Motion Capture with unsynchronized moving cameras 0 0 571 | CVPR 2018 A discriminatively trained, multiscale, deformable part model 1 0 572 | CVPR 2018 Human-assisted motion annotation 0 0 573 | CVPR 2018 Using contours to detect and localize junctions in natural images 0 0 574 | CVPR 2018 Face alignment via boosted ranking model 0 0 575 | CVPR 2018 Variable baseline/resolution stereo 0 0 576 | CVPR 2018 Fast image search for learned metrics 0 0 577 | CVPR 2018 Simple calibration of non-overlapping cameras with a mirror 0 0 578 | CVPR 2017 120661309 1 0 579 | CVPR 2017 Online Learning Asymmetric Boosted Classifiers for Object Detection 0 0 580 | CVPR 2017 Inferring Temporal Order of Images From 3D Structure 0 0 581 | CVPR 2017 What makes a good model of natural images? 0 0 582 | CVPR 2017 3D Occlusion Inference from Silhouette Cues 0 0 583 | CVPR 2017 Human Detection via Classification on Riemannian Manifolds 0 0 584 | CVPR 2017 Approximate Nearest Subspace Search with Applications to Pattern Recognition 0 0 585 | CVPR 2017 Object retrieval with large vocabularies and fast spatial matching 1 0 586 | CVPR 2017 Color Constancy using Natural Image Statistics 0 0 587 | CVPR 2017 Polarization and Phase-Shifting for 3D Scanning of Translucent Objects 0 0 588 | CVPR 2017 Offline Signature Verification Using Online Handwriting Registration 0 0 589 | CVPR 2017 Detailed Human Shape and Pose from Images 0 0 590 | CVPR 2017 Microphone Arrays as Generalized Cameras for Integrated Audio Visual Processing 0 0 591 | CVPR 2017 Learning Gaussian Conditional Random Fields for Low-Level Vision 0 0 592 | CVPR 2016 Beyond Bags of Features: Spatial Pyramid Matching for Recognizing Natural Scene Categories 1 0 593 | CVPR 2016 A New Formulation for Shape from Shading for Non-Lambertian Surfaces. 0 0 594 | CVPR 2016 Spatial Reflectance Recovery under Complex Illumination from Sparse Images. 0 0 595 | CVPR 2016 Separation of Highlight Reflections on Textured Surfaces. 0 0 596 | CVPR 2016 Specular Flow and the Recovery of Surface Structure. 0 0 597 | CVPR 2016 A Framework for Feature Selection for Background Subtraction. 0 0 598 | CVPR 2016 Learning Non-Metric Partial Similarity Based on Maximal Margin Criterion 0 0 599 | CVPR 2016 Bayesian Estimation of Smooth Parameter Maps for Dynamic Contrast-Enhanced MR Images with Block-ICM 0 0 600 | CVPR 2016 Integrating Spatial and Discriminant Strength for Feature Selection and Linear Dimensionality Reduction 0 0 601 | CVPR 2016 A Comprehensive Empirical Study on Linear Subspace Methods for Facial Expression Analysis 0 0 602 | CVPR 2016 Transitivity-based Removal of Correspondence Outliers for Motion Analysis 0 0 603 | CVPR 2016 Scalable Recognition with a Vocabulary Tree 1 0 604 | CVPR 2016 AnnoSearch: Image Auto-Annotation by Search. 0 0 605 | CVPR 2016 A Detection Technique for Degraded Face Images. 0 0 606 | CVPR 2016 Learning Temporal Sequence Model from Partially Labeled Data 0 0 607 | CVPR 2016 Activity Analysis in Microtubule Videos by Mixture of Hidden Markov Models 0 0 608 | CVPR 2016 Dimensionality Reduction by Learning an Invariant Mapping 0 0 609 | CVPR 2016 An Integrated Segmentation and Classification Approach Applied to Multiple Sclerosis Analysis 0 0 610 | CVPR 2016 Robust Statistical Estimation and Segmentation of Multiple Subspaces 0 0 611 | CVPR 2016 Multi-view Appearance-based 3D Hand Pose Estimation 0 0 612 | CVPR 2016 Interactive Feature Tracking using K-D Trees and Dynamic Programming 0 0 613 | CVPR 2015 Histograms of oriented gradients for human detection 1 0 614 | CVPR 2015 Concurrent Subspaces Analysis. 0 0 615 | CVPR 2015 The Distinctiveness, Detectability, and Robustness of Local Image Features. 0 0 616 | CVPR 2015 Damped Newton Algorithms for Matrix Factorization with Missing Data. 0 0 617 | CVPR 2015 Optimal Sub-Shape Models by Minimum Description Length. 0 0 618 | CVPR 2015 Symmetric Stereo Matching for Occlusion Handling. 0 0 619 | CVPR 2015 A Computer Vision System on a Chip: a case study from the automotive domain 0 0 620 | CVPR 2015 WaldBoost - learning for time constrained sequential detection 0 0 621 | CVPR 2015 Two-view geometry estimation unaffected by a dominant plane 0 0 622 | CVPR 2015 Formulating semantic image annotation as a supervised learning problem 0 0 623 | CVPR 2015 Integrated learning of saliency, complex features, and object detectors from cluttered scenes 0 0 624 | CVPR 2015 A non-local algorithm for image denoising 1 0 625 | CVPR 2015 Visual Tracking in the Presence of Motion Blur. 0 0 626 | CVPR 2015 Higher-Order Image Statistics for Unsupervised, Information-Theoretic, Adaptive, Image Filtering. 0 0 627 | CVPR 2015 Determining the Radiometric Response Function from a Single Grayscale Image. 0 0 628 | CVPR 2015 Combining Object and Feature Dynamics in Probabilistic Tracking. 0 0 629 | CVPR 2015 Localization in urban environments: monocular vision compared to a differential GPS sensor 0 0 630 | CVPR 2015 Multiscale segmentation by combining motion and intensity cues 0 0 631 | CVPR 2015 Hybrid models for human motion recognition 0 0 632 | CVPR 2015 Beyond pairwise clustering 0 0 633 | CVPR 2014 A performance evaluation of local descriptors 1 0 634 | CVPR 2014 View independent human body pose estimation from a single perspective image 0 0 635 | CVPR 2014 Cyclic articulated human motion tracking by sequential ancestral simulation 0 0 636 | CVPR 2014 Extraction and integration of window in a 3D building model from ground view images 0 0 637 | CVPR 2014 A flexible projector-camera system for multi-planar displays 0 0 638 | CVPR 2014 Bridging the gaps between cameras 0 0 639 | CVPR 2014 Hidden semantic concept discovery in region based image retrieval 0 0 640 | CVPR 2014 A Hierarchical Framework For High Resolution Facial Expression Tracking 0 0 641 | CVPR 2014 MetaMorphs: Deformable shape and texture models 0 0 642 | CVPR 2014 Bayesian video matting using learnt image priors 0 0 643 | CVPR 2014 Multiobjective data clustering 0 0 644 | CVPR 2013 Object class recognition by unsupervised scale-invariant learning 1 0 645 | CVPR 2013 Clustering Appearances of Objects Under Varying Illumination Conditions. 0 0 646 | CVPR 2013 Kinematic Jump Processes For Monocular 3D Human Tracking. 0 0 647 | CVPR 2013 Man-Made Structure Detection in Natural Images using a Causal Multiscale Random Field. 0 0 648 | CVPR 2013 A Bayesian Approach to Image-Based Visual Hull Reconstruction. 0 0 649 | CVPR 2013 Simultaneous Estimation of Left Ventricular Motion and Material Properties with Maximum a Posteriori Strategy. 0 0 650 | CVPR 2013 Low-Overlap Range Image Registration for Archaeological Applications 0 0 651 | CVPR 2013 Computing layered surface representations: an algorithm for detecting and separating transparent overlays 0 0 652 | CVPR 2013 Feature selection by maximum marginal diversity: optimality and implications for visual recognition 0 0 653 | CVPR 2013 Degeneracies, dependencies and their implications in multi-body and multi-sequence factorizations 0 0 654 | CVPR 2013 Joint manifold distance: a new approach to appearance based clustering 0 0 655 | CVPR 2011 Rapid object detection using a boosted cascade of simple features 1 0 656 | CVPR 2011 Bayesian Learning of Sparse Classifiers. 0 0 657 | CVPR 2011 Image Indexing with Mixture Hierarchies. 0 0 658 | CVPR 2011 Efficient Evaluation of Classification and Recognition Systems. 0 0 659 | CVPR 2011 Undoing Paper Curl Distortion Using Applicable Surfaces. 0 0 660 | CVPR 2011 A New 3-D Pattern Recognition Technique With Application to Computer Aided Colonoscopy. 0 0 661 | CVPR 2011 Linear image coding for regression and classification using the tensor-rank principle 0 0 662 | CVPR 2011 Time-varying shape tensors for scenes with multiply moving points 0 0 663 | CVPR 2011 A probabilistic framework for graph clustering 0 0 664 | CVPR 2011 Critical configurations for n-view projective reconstruction 0 0 665 | CVPR 2011 Face verification using error correcting output codes 0 0 666 | CVPR 2010 Efficient matching of pictorial structures 1 0 667 | CVPR 2010 Provably Fast Algorithms for Contour Tracking 0 0 668 | CVPR 2010 Scene Constraints-Aided Tracking of Human Body 0 0 669 | CVPR 2010 Cameras for Stereo Panoramic Imaging 0 0 670 | CVPR 2010 Discriminant-EM Algorithm with Application to Image Retrieval 0 0 671 | CVPR 2010 Optimizing Learning in Image Retrieval 0 0 672 | CVPR 2010 A probabilistic architecture for content-based image retrieval 0 0 673 | CVPR 2010 Inferring body pose without tracking body parts 0 0 674 | CVPR 2010 Fast face detection using subspace discriminant wavelet features 0 0 675 | CVPR 2010 Color tracking by transductive learning 0 0 676 | CVPR 2010 Adaptive Bayesian recognition in tracking rigid objects 0 0 677 | CVPR 2010 Real-time tracking of non-rigid objects using mean shift 1 0 678 | CVPR 2010 Alpha Estimation in Natural Images 0 0 679 | CVPR 2010 Blind Recovery of Transparent and Semireflected Scenes 0 0 680 | CVPR 2010 Are Multifractal Multipermuted Multinomial Measures Good Enough for Unsupervised Image Segmentation? 0 0 681 | CVPR 2010 Learning Patterns from Images by Combining Soft Decisions and Hard Decisions 0 0 682 | CVPR 2010 Mixture Models and the Segmentation of Multimodal Textures 0 0 683 | CVPR 2010 A region extraction method using multiple active contour models 0 0 684 | CVPR 2010 Multi-modality model-based registration in the cardiac domain 0 0 685 | CVPR 2010 Robust and efficient skeletal graphs 0 0 686 | CVPR 2010 A novel approach to depth ordering in monocular image sequences 0 0 687 | CVPR 2010 Provably fast algorithms for contour tracking 0 0 688 | CVPR 2009 Statistics of natural images and models 1 0 689 | CVPR 2009 Q-warping: direct computation of quadratic reference surfaces 0 0 690 | CVPR 2009 Progressive probabilistic Hough transform for line detection 0 0 691 | CVPR 2009 Critical motions in euclidean structure from motion 0 0 692 | CVPR 2009 Optimal rigid motion estimation and performance evaluation with bootstrap 0 0 693 | CVPR 2009 3D trajectory recovery for tracking multiple objects and trajectory guided recognition of actions 0 0 694 | CVPR 2008 Probabilistic modeling of local appearance and spatial relationships for object recognition 1 0 695 | CVPR 2008 Moment Invariants and Quantization Effects. 0 0 696 | CVPR 2008 Empirical Performance Analysis of Linear Discriminant Classifiers. 0 0 697 | CVPR 2008 Salient and Multiple Illusory Surfaces. 0 0 698 | CVPR 2008 Variable-Scale Smoothing and Edge Detection Guided by Stereoscopy. 0 0 699 | CVPR 2008 Stochastic Computation of Medial Axis in Markov Random Fields. 0 0 700 | CVPR 2008 A Bayesian framework for semantic content characterization 0 0 701 | CVPR 2008 A spatiotemporal motion model for video summarization 0 0 702 | CVPR 2008 Image segmentation using local variation 0 0 703 | CVPR 2008 Correspondence between different view breast X-rays using a simulation of breast deformation 0 0 704 | CVPR 2008 Orientation space filtering for multiple orientation line segmentation 0 0 705 | CVPR 2008 Tracking people with twists and exponential maps 1 0 706 | CVPR 2008 Incremental Tracking of Human Actions from Multiple Views 0 0 707 | CVPR 2008 Using Adaptive Tracking to Classify and Monitor Activities in a Site. 0 0 708 | CVPR 2008 Rotation Invariant Neural Network-Based Face Detection 0 0 709 | CVPR 2008 Illumination Cones for Recognition under Variable Lighting: Faces. 0 0 710 | CVPR 2008 Stochastic Computation of Medial Axis in Markov Random Fields. 0 0 711 | CVPR 2008 A New Complex Basis for Implicit Polynomial Curves and its Simple Exploitation for Pose Estimation and Invariant Recognition. 0 0 712 | CVPR 2008 Fuzzy Relational Distance for Large-Scale Object Recognition. 0 0 713 | CVPR 2008 Hierarchical organization of appearance-based parts and relations for object recognition 0 0 714 | CVPR 2008 Camera calibration and Euclidean reconstruction from known observer translations 0 0 715 | CVPR 2008 Motion feature detection using steerable flow fields 0 0 716 | CVPR 2007 Normalized cuts and image segmentation 1 0 717 | CVPR 2007 Model-based brightness constraints: on direct estimation of structure and motion 0 0 718 | CVPR 2007 Reconstruction of 3D-curves from 2D-images using affine shape methods for curves 0 0 719 | CVPR 2007 Fast 3D stabilization and mosaic construction 0 0 720 | CVPR 2007 Self-maintaining camera calibration over time 0 0 721 | CVPR 2007 Using geometric corners to build a 2D mosaic from a set of images 0 0 722 | CVPR 2007 Training support vector machines: an application to face detection 1 0 723 | CVPR 2007 Color-Based Tracking of Heads and Other Mobile Objects at Video Frame Rates 0 0 724 | CVPR 2007 An image-based visual-motion-cue for autonomous navigation 0 0 725 | CVPR 2007 An Assessment of Information Criteria for Motion Model Selection 0 0 726 | CVPR 2007 Pictorial Recognition Using Affine-Invariant Spectral Signatures 0 0 727 | CVPR 2007 Uncalibrated 1D projective camera and 3D affine reconstruction of lines 0 0 728 | CVPR 2007 Determining a Polyhedral Shape Using Interreflections 0 0 729 | CVPR 2007 Deterioration detection for digital film restoration 0 0 730 | CVPR 2007 Characterization of errors in compositing panoramic images 0 0 731 | CVPR 2007 LAFTER: Lips and Face Real-Time Tracker 0 0 732 | CVPR 2007 FOCUS: Searching for multi-colored objects in a diverse image database 0 0 733 | CVPR 2007 MDL estimation for small sample sizes and its application to segmenting binary strings 0 0 734 | CVPR 2006 Neural network-based face detection 1 0 735 | CVPR 2006 Epipolar Geometry and Linear Subspace Methods: A New Approach to Weak Calibration 0 0 736 | CVPR 2006 A factorization method for affine structure from line correspondences 0 0 737 | CVPR 2006 Optimal servoing for active foveated vision 0 0 738 | CVPR 2006 Minimal operator set for passive depth from defocus 0 0 739 | CVPR 2006 Eigenfeatures for planar pose measurement of partially occluded objects 0 0 740 | CVPR 2006 Combining greyvalue invariants with local constraints for object recognition 1 0 741 | CVPR 2006 3-D Scene Data Recovery Using Omnidirectional Multibaseline Stereo 0 0 742 | CVPR 2006 Competitive mixture of deformable models for pattern classification 0 0 743 | CVPR 2006 Structure and motion of curved 3D objects from monocular silhouettes 0 0 744 | NeurIPS 2021 A Universal Law of Robustness via Isoperimetry 0 1 745 | NeurIPS 2021 On the Expressivity of Markov Reward 0 1 746 | NeurIPS 2021 Deep Reinforcement Learning at the Edge of the Statistical Precipice 0 1 747 | NeurIPS 2021 MAUVE: Measuring the Gap Between Neural Text and Human Text using Divergence Frontiers 0 1 748 | NeurIPS 2021 Continuized Accelerations of Deterministic and Stochastic Gradient Descents, and of Gossip Algorithms 0 1 749 | NeurIPS 2021 3D Pose Transfer with Correspondence Learning and Mesh Refinement 0 0 750 | NeurIPS 2021 A 3D Generative Model for Structure-Based Drug Design 0 0 751 | NeurIPS 2021 Accommodating Picky Customers: Regret Bound and Exploration Complexity for Multi-Objective Reinforcement Learning 0 0 752 | NeurIPS 2021 AC-GC: Lossy Activation Compression with Guaranteed Convergence 0 0 753 | NeurIPS 2021 A Compositional Atlas of Tractable Circuit Operations for Probabilistic Inference 0 0 754 | NeurIPS 2020 Accelerating Training of Transformer-Based Language Models with Progressive Layer Dropping 0 0 755 | NeurIPS 2020 A Closer Look at the Training Strategy for Modern Meta-Learning 0 0 756 | NeurIPS 2020 Active Structure Learning of Causal DAGs via Directed Clique Tree 0 0 757 | NeurIPS 2020 Adapting Neural Architectures Between Domains 0 0 758 | NeurIPS 2020 Language Models are Few-Shot Learners 0 1 759 | NeurIPS 2020 Improved guarantees and a multiple-descent curve for Column Subset Selection and the Nystrom method 0 1 760 | NeurIPS 2020 No-Regret Learning Dynamics for Extensive-Form Correlated Equilibrium 0 1 761 | NeurIPS 2019 Distribution-Independent PAC Learning of Halfspaces with Massart Noise 0 1 762 | NeurIPS 2019 Uniform convergence may be unable to explain generalization in deep learning 0 1 763 | NeurIPS 2019 Nonparametric Density Estimation & Convergence Rates for GANs under Besov IPM Losses 0 1 764 | NeurIPS 2019 Scene Representation Networks: Continuous 3D-Structure-Aware Neural Scene Representations 0 1 765 | NeurIPS 2019 A Bayesian Theory of Conformity in Collective Decision Making 0 0 766 | NeurIPS 2019 Abstract Reasoning with Distracting Features 0 0 767 | NeurIPS 2019 Accelerating Rescaled Gradient Descent: Fast Optimization of Smooth Functions 0 0 768 | NeurIPS 2019 Accurate, reliable and fast robustness evaluation 0 0 769 | NeurIPS 2019 A Composable Specification Language for Reinforcement Learning Tasks 0 0 770 | NeurIPS 2018 Non-delusional Q-learning and Value-iteration 0 1 771 | NeurIPS 2018 Optimal Algorithms for Non-Smooth Distributed Optimization in Networks 0 1 772 | NeurIPS 2018 Nearly Tight Sample Complexity Bounds for Learning Mixtures of Gaussians via Sample Compression Schemes 0 1 773 | NeurIPS 2018 Neural Ordinary Differential Equations 0 1 774 | NeurIPS 2018 Batch-Instance Normalization for Adaptively Style-Invariant Neural Networks 0 0 775 | NeurIPS 2018 KDGAN: Knowledge Distillation with Generative Adversarial Networks 0 0 776 | NeurIPS 2018 Contextual bandits with surrogate losses: Margin bounds and efficient algorithms 0 0 777 | NeurIPS 2018 Adaptive Sampling Towards Fast Graph Representation Learning 0 0 778 | NeurIPS 2018 Learning SMaLL Predictors 0 0 779 | NeurIPS 2018 ResNet with one-neuron hidden layers is a Universal Approximator 0 0 780 | NeurIPS 2018 Data center cooling using model-predictive control 0 0 781 | NeurIPS 2017 Safe and Nested Subgame Solving for Imperfect-Information Games. 0 1 782 | NeurIPS 2017 Variance-based Regularization with Convex Objectives. 0 1 783 | NeurIPS 2017 A Linear-Time Kernel Goodness-of-Fit Test. 0 1 784 | NeurIPS 2017 Real Time Image Saliency for Black Box Classifiers 0 0 785 | NeurIPS 2017 Inverse Filtering for Hidden Markov Models 0 0 786 | NeurIPS 2017 Langevin Dynamics with Continuous Tempering for Training Deep Neural Networks 0 0 787 | NeurIPS 2017 Scalable Levy Process Priors for Spectral Kernel Learning 0 0 788 | NeurIPS 2017 Query Complexity of Clustering with Side Information 0 0 789 | NeurIPS 2017 High-Order Attention Models for Visual Question Answering 0 0 790 | NeurIPS 2017 PASS-GLM: polynomial approximate sufficient statistics for scalable Bayesian GLM inference 0 0 791 | NeurIPS 2016 Visual Dynamics: Probabilistic Future Frame Synthesis via Cross Convolutional Networks 0 0 792 | NeurIPS 2016 Stochastic Gradient Richardson-Romberg Markov Chain Monte Carlo 0 0 793 | NeurIPS 2016 Budgeted stream-based active learning via adaptive submodular maximization 0 0 794 | NeurIPS 2016 A Non-convex One-Pass Framework for Generalized Factorization Machine and Rank-One Matrix Sensing 0 0 795 | NeurIPS 2016 Measuring the reliability of MCMC inference with bidirectional Monte Carlo 0 0 796 | NeurIPS 2016 Image Restoration Using Very Deep Convolutional Encoder-Decoder Networks with Symmetric Skip Connections 0 0 797 | NeurIPS 2016 Fast and accurate spike sorting of high-channel count probes with KiloSort 0 0 798 | NeurIPS 2015 Competitive Distribution Estimation: Why is Good-Turing Good 0 1 799 | NeurIPS 2015 Fast Convergence of Regularized Learning in Games 0 1 800 | NeurIPS 2015 Double or Nothing: Multiplicative Incentive Mechanisms for Crowdsourcing 0 0 801 | NeurIPS 2015 Covariance-Controlled Adaptive Langevin Thermostat for Large-Scale Bayesian Sampling 0 0 802 | NeurIPS 2015 Planar Ultrametrics for Image Segmentation 0 0 803 | NeurIPS 2015 Parallel Correlation Clustering on Big Graphs 0 0 804 | NeurIPS 2015 A Convergent Gradient Descent Algorithm for Rank Minimization and Semidefinite Programming from Random Linear Measurements 0 0 805 | ACL 2020 Beyond Accuracy: Behavioral Testing of NLP Models with CheckList 0 1 806 | ACL 2020 A Batch Normalized Inference Network Keeps the KL Vanishing Away 0 0 807 | ACL 2020 A Comprehensive Analysis of Preprocessing for Word Representation Learning in Affective Tasks 0 0 808 | ACL 2020 A Contextual Hierarchical Attention Network with Adaptive Objective for Dialogue State Tracking 0 0 809 | ACL 2020 A Formal Hierarchy of RNN Architectures 0 0 810 | ACL 2020 A Generative Model for Joint Natural Language Understanding and Generation 0 0 811 | ACL 2019 Bridging the Gap between Training and Inference for Neural Machine Translation 0 1 812 | ACL 2019 Abstractive Text Summarization Based on Deep Learning and Semantic Content Generalization 0 0 813 | ACL 2019 A Cross-Domain Transferable Neural Coherence Model 0 0 814 | ACL 2019 Adaptive Attention Span in Transformers 0 0 815 | ACL 2019 Adversarial Learning of Privacy-Preserving Text Representations for De-Identification of Medical Records 0 0 816 | ACL 2019 A Hierarchical Reinforced Sequence Operation Method for Unsupervised Text Style Transfer 0 0 817 | ACL 2018 Finding syntax in human encephalography with beam search 0 1 818 | ACL 2018 Learning to Ask Good Questions: Ranking Clarification Questions using Neural Expected Value of Perfect Information 0 1 819 | ACL 2018 Let’s do it “again”: A First Computational Approach to Detecting Adverbial Presupposition Triggers 0 1 820 | ACL 2018 A Helping Hand: Transfer Learning for Deep Sentiment Analysis 0 0 821 | ACL 2018 Improving Entity Linking by Modeling Latent Relations between Mentions 0 0 822 | ACL 2018 The Hitchhiker’s Guide to Testing Statistical Significance in Natural Language Processing 0 0 823 | ACL 2018 Strong Baselines for Neural Semi-Supervised Learning under Domain Shift 0 0 824 | ACL 2018 Attention Focusing for Neural Machine Translation by Bridging Source and Target Embeddings 0 0 825 | ACL 2017 Probabilistic Typology: Deep Generative Models of Vowel Inventories 0 1 826 | ACL 2017 Adversarial Multi-task Learning for Text Classification 0 0 827 | ACL 2017 The State of the Art in Semantic Representation 0 0 828 | ACL 2017 Discourse Mode Identification in Essays 0 0 829 | ACL 2017 Deep Neural Machine Translation with Linear Associative Unit 0 0 830 | ACL 2017 Automatically Generating Rhythmic Verse with Neural Networks 0 0 831 | CVPR 2020 Unsupervised Learning of Probably Symmetric Deformable 3D Objects From Images in the Wild 0 1 832 | CVPR 2020 Unsupervised Learning for Intrinsic Image Decomposition From a Single Image 0 0 833 | CVPR 2020 Alleviation of Gradient Exploding in GANs: Fake Can Be Real 0 0 834 | CVPR 2020 Zooming Slow-Mo: Fast and Accurate One-Stage Space-Time Video Super-Resolution 0 0 835 | CVPR 2020 A Hierarchical Graph Network for 3D Object Detection on Point Clouds 0 0 836 | CVPR 2020 Video to Events: Recycling Video Datasets for Event Cameras 0 0 837 | CVPR 2019 A Theory of Fermat Paths for Non-Line-Of-Sight Shape Reconstruction 0 1 838 | CVPR 2019 On the Structural Sensitivity of Deep Convolutional Networks to the Directions of Fourier Basis Functions 0 0 839 | CVPR 2019 Striking the Right Balance With Uncertainty 0 0 840 | CVPR 2019 Kervolutional Neural Networks 0 0 841 | CVPR 2019 NM-Net: Mining Reliable Neighbors for Robust Feature Correspondences 0 0 842 | CVPR 2019 Relational Action Forecasting 0 0 843 | CVPR 2018 Taskonomy: Disentangling Task Transfer Learning 0 1 844 | CVPR 2018 Zero-Shot Sketch-Image Hashing 0 0 845 | CVPR 2018 VizWiz Grand Challenge: Answering Visual Questions from Blind People 0 0 846 | CVPR 2018 Link and Code: Fast Indexing with Graphs and Compact Regression Codes 0 0 847 | CVPR 2018 Unsupervised Deep Generative Adversarial Hashing Network 0 0 848 | CVPR 2018 DenseASPP for Semantic Segmentation in Street Scenes 0 0 849 | CVPR 2017 Densely Connected Convolutional Networks 0 1 850 | CVPR 2017 Local Binary Convolutional Neural Networks 0 0 851 | CVPR 2017 Face Normals "In-the-Wild" Using Fully Convolutional Networks 0 0 852 | CVPR 2017 Towards a Quality Metric for Dense Light Fields 0 0 853 | CVPR 2017 A Non-convex Variational Approach to Photometric Stereo under Inaccurate Lighting 0 0 854 | CVPR 2017 Correlational Gaussian Processes for Cross-Domain Visual Recognition 0 0 855 | CVPR 2017 Learning from Simulated and Unsupervised Images through Adversarial Training 0 1 856 | CVPR 2016 Deep Residual Learning for Image Recognition 0 1 857 | CVPR 2016 Generation and Comprehension of Unambiguous Object Descriptions 0 0 858 | CVPR 2016 Image Question Answering Using Convolutional Neural Network with Dynamic Parameter Prediction 0 0 859 | CVPR 2016 Multi-cue Zero-Shot Learning with Strong Supervision 0 0 860 | CVPR 2016 Learning Attributes Equals Multi-Source Domain Generalization 0 0 861 | CVPR 2016 Learning Dense Correspondence via 3D-Guided Cycle Consistency 0 0 862 | ECCV 2022 On the Versatile Uses of Partial Distance Correlation in Deep Learning 0 1 863 | ECCV 2022 Contrastive Deep Supervision 0 0 864 | ECCV 2022 SeqFormer: Sequential Transformer for Video Instance Segmentation 0 0 865 | ECCV 2022 Pose2Room: Understanding 3D Scenes from Human Activities 0 0 866 | ECCV 2022 TAPE: Task-Agnostic Prior Embedding for Image Restoration 0 0 867 | ECCV 2022 Rethinking IoU-based Optimization for Single-stage 3D Object Detection 0 0 868 | ECCV 2020 RAFT: Recurrent All-Pairs Field Transforms for Optical Flow 0 1 869 | ECCV 2020 Describing Textures using Natural Language 0 0 870 | ECCV 2020 AiR: Attention with Reasoning Capability 0 0 871 | ECCV 2020 Invertible Image Rescaling 0 0 872 | ECCV 2020 Crowdsampling the Plenoptic Function 0 0 873 | ECCV 2020 DeepSFM: Structure From Motion Via Deep Bundle Adjustment 0 0 874 | ECCV 2018 Implicit 3D Orientation Learning for 6D Object Detection from RGB Images 0 1 875 | ECCV 2018 Deep Cross-Modal Projection Learning for Image-Text Matching 0 0 876 | ECCV 2018 Context Refinement for Object Detection 0 0 877 | ECCV 2018 Deep Expander Networks: Efficient Deep Networks from Graph Theory 0 0 878 | ECCV 2018 PyramidBox: A Context-assisted Single Shot Face Detector 0 0 879 | ECCV 2018 Contemplating Visual Emotions: Understanding and Overcoming Dataset Bias 0 0 880 | ECCV 2016 Real-Time 3D Reconstruction and 6-DoF Tracking with an Event Camera 0 1 881 | ECCV 2016 Online Variational Bayesian Motion Averaging 0 0 882 | ECCV 2016 Inter-battery Topic Representation Learning 0 0 883 | ECCV 2016 Real-Time Facial Segmentation and Performance Capture from RGB Input 0 0 884 | ECCV 2016 Learning Temporal Transformations from Time-Lapse Videos 0 0 885 | ECCV 2016 Interactive Image Segmentation Using Constrained Dominant Sets 0 0 886 | ECCV 2014 Large-Scale Object Classification using Label Relation Graphs 0 1 887 | ECCV 2014 3D Reconstruction of Dynamic Textures in Crowd Sourced Data 0 0 888 | ECCV 2014 SRA: Fast Removal of General Multipath for ToF Sensors 0 0 889 | ECCV 2014 Read My Lips: Continuous Signer Independent Weakly Supervised Viseme Recognition 0 0 890 | ECCV 2014 Probabilistic Temporal Head Pose Estimation Using a Hierarchical Graphical Model 0 0 891 | ECCV 2014 Robust Visual Tracking with Double Bounding Box Model 0 0 892 | ECCV 2014 Scene Chronology 0 1 893 | ECCV 2014 Learning Brightness Transfer Functions for the Joint Recovery of Illumination Changes and Optical Flow 0 0 894 | ECCV 2014 Learning Discriminative and Shareable Features for Scene Classification 0 0 895 | ECCV 2014 Neural Codes for Image Retrieval 0 0 896 | ECCV 2012 Segmentation Propagation in ImageNet 0 1 897 | ECCV 2012 Morphable Displacement Field Based Image Matching for Face Recognition across Pose 0 0 898 | ECCV 2012 Joint Image and Word Sense Discrimination for Image Retrieval 0 0 899 | ECCV 2012 Undoing the Damage of Dataset Bias 0 0 900 | ECCV 2012 Learning to Efficiently Detect Repeatable Interest Points in Depth Data 0 0 901 | ECCV 2012 Effective Use of Frequent Itemset Mining for Image Classification 0 0 902 | ECCV 2010 Graph Cut based Inference with Co-occurrence Statistics 0 1 903 | ECCV 2010 ADICT: Accurate Direct and Inverse Color Transformation 0 0 904 | ECCV 2010 Part-Based Feature Synthesis for Human Detection 0 0 905 | ECCV 2010 Towards Optimal Naive Bayes Nearest Neighbor 0 0 906 | ECCV 2010 Learning What and How of Contextual Models for Scene Labeling 0 0 907 | ECCV 2010 Improved Human Parsing with a Full Relational Model 0 0 908 | ECCV 2008 Learning Spatial Context: Using Stuff to Find Things 0 1 909 | ECCV 2008 Face Alignment Via Component-Based Discriminative Search 0 0 910 | ECCV 2008 Regularized Partial Matching of Rigid Shapes 0 0 911 | ECCV 2008 Linear Time Maximally Stable Extremal Regions 0 0 912 | ECCV 2008 A Probabilistic Approach to Integrating Multiple Cues in Visual Tracking 0 0 913 | ECCV 2008 The Naked Truth: Estimating Body Shape Under Clothing 0 0 914 | ICCV 2021 Swin Transformer: Hierarchical Vision Transformer using Shifted Windows 0 1 915 | ICCV 2021 4D-Net for Learned Multi-Modal Alignment 0 0 916 | ICCV 2021 Perturbed Self-Distillation: Weakly Supervised Large-Scale Point Cloud Semantic Segmentation 0 0 917 | ICCV 2021 EventHands: Real-Time Neural 3D Hand Pose Estimation from an Event Stream 0 0 918 | ICCV 2021 Focus on the Positives: Self-Supervised Learning for Biodiversity Monitoring 0 0 919 | ICCV 2021 Bridging Unsupervised and Supervised Depth from Focus via All-in-Focus Supervision 0 0 920 | ICCV 2019 SinGAN: Learning a Generative Model from a Single Natural Image 0 1 921 | ICCV 2019 Controllable Artistic Text Style Transfer via Shape-Matching GAN 0 0 922 | ICCV 2019 InGAN: Capturing and Retargeting the “DNA” of a Natural Image 0 0 923 | ICCV 2019 Meta-Sim: Learning to Generate Synthetic Datasets 0 0 924 | ICCV 2019 A Graph-Based Framework to Bridge Movies and Synopses 0 0 925 | ICCV 2019 Counterfactual Critic Multi-Agent Training for Scene Graph Generation 0 0 926 | ICCV 2017 Mask R-CNN 0 1 927 | ICCV 2017 Robust Pseudo Random Fields for Light-Field Stereo Matching 0 0 928 | ICCV 2017 Distributed Very Large Scale Bundle Adjustment by Global Camera Consensus 0 0 929 | ICCV 2017 Anticipating Daily Intention Using On-wrist Motion Triggered Sensing 0 0 930 | ICCV 2017 Temporal Tessellation: A Unified Approach for Video Analysis 0 0 931 | ICCV 2017 Colored Point Cloud Registration Revisited 0 0 932 | ICCV 2015 Deep Neural Decision Forests 0 1 933 | ICCV 2015 Ask Your Neurons: A Neural-Based Approach to Answering Questions about Images 0 0 934 | ICCV 2015 Learning to See by Moving 0 0 935 | ICCV 2015 Pose Induction for Novel Object Categories 0 0 936 | ICCV 2015 Local Convolutional Features with Unsupervised Training for Image Retrieval 0 0 937 | ICCV 2015 RIDE: Reversal Invariant Descriptor Enhancement 0 0 938 | ICML 2021 Unbiased Gradient Estimation in Unrolled Computation Graphs with Persistent Evolution Strategies 0 1 939 | ICML 2021 A New Representation of Successor Features for Transfer across Dissimilar Environments 0 0 940 | ICML 2021 Massively Parallel and Asynchronous Tsetlin Machine Architecture Supporting Almost Constant-Time Scaling 0 0 941 | ICML 2021 Memory Efficient Online Meta Learning 0 0 942 | ICML 2021 Acceleration via Fractal Learning Rate Schedules 0 0 943 | ICML 2021 Label Inference Attacks from Log-loss Scores 0 0 944 | ICML 2020 On Learning Sets of Symmetric Elements 0 1 945 | ICML 2020 Flow Models for Arbitrary Conditional Likelihoods 0 0 946 | ICML 2020 Adaptive Checkpoint Adjoint Method for Gradient Estimation in Neural ODE 0 0 947 | ICML 2020 AdaScale SGD: A User-Friendly Algorithm for Distributed Training 0 0 948 | ICML 2020 Alleviating Privacy Attacks via Causal Learning 0 0 949 | ICML 2020 An Optimistic Perspective on Offline Deep Reinforcement Learning 0 0 950 | ICML 2020 Tuning-free Plug-and-Play Proximal Algorithm for Inverse Imaging Problems 0 1 951 | ICML 2019 Challenging Common Assumptions in the Unsupervised Learning of Disentangled Representations 0 1 952 | ICML 2019 Rates of Convergence for Sparse Variational Gaussian Process Regression 0 1 953 | ICML 2019 Dynamic Weights in Multi-Objective Deep Reinforcement Learning 0 0 954 | ICML 2019 Distributed Learning with Sublinear Communication 0 0 955 | ICML 2019 Static Automatic Batching In TensorFlow 0 0 956 | ICML 2019 Fair Regression: Quantitative Definitions and Reduction-based Algorithms 0 0 957 | ICML 2019 The Kernel Interaction Trick: Fast Bayesian Discovery of Pairwise Interactions in High Dimensions 0 0 958 | ICML 2018 Obfuscated Gradients Give a False Sense of Security: Circumventing Defenses to Adversarial Examples 0 1 959 | ICML 2018 Delayed Impact of Fair Machine Learning 0 1 960 | ICML 2018 State Abstractions for Lifelong Reinforcement Learning 0 0 961 | ICML 2018 oi-VAE: Output Interpretable VAEs for Nonlinear Group Factor Analysis 0 0 962 | ICML 2018 Differentially Private Identity and Equivalence Testing of Discrete Distributions 0 0 963 | ICML 2018 Make the Minority Great Again: First-Order Regret Bound for Contextual Bandits 0 0 964 | ICML 2018 MAGAN: Aligning Biological Manifolds 0 0 965 | ICML 2017 Understanding Black-box Predictions via Influence Functions 0 1 966 | ICML 2017 The Price of Differential Privacy for Online Learning 0 0 967 | ICML 2017 Connected Subgraph Detection with Mirror Descent on SDPs 0 0 968 | ICML 2017 Doubly Accelerated Methods for Faster CCA and Generalized Eigendecomposition 0 0 969 | ICML 2017 Averaged-DQN: Variance Reduction and Stabilization for Deep Reinforcement Learning 0 0 970 | ICML 2017 Generalization and Equilibrium in Generative Adversarial Nets (GANs) 0 0 971 | EMNLP 2019 Specializing Word Embeddings (for Parsing) by Information Bottleneck 0 1 972 | EMNLP 2019 “Transforming” Delete, Retrieve, Generate Approach for Controlled Text Style Transfer 0 0 973 | EMNLP 2019 A Bayesian Approach for Sequence Tagging with Crowds 0 0 974 | EMNLP 2019 A Benchmark Dataset for Learning to Intervene in Online Hate Speech 0 0 975 | EMNLP 2019 A Boundary-aware Neural Model for Nested Named Entity Recognition 0 0 976 | EMNLP 2019 A Dataset of General-Purpose Rebuttal 0 0 977 | EMNLP 2018 Linguistically-Informed Self-Attention for Semantic Role Labeling 0 1 978 | EMNLP 2018 Character-level Chinese-English Translation through ASCII Encoding 0 0 979 | EMNLP 2018 Discourse-Related Language Contrasts in English-Croatian Human and Machine Translation 0 0 980 | EMNLP 2018 Beyond Weight Tying: Learning Joint Input-Output Embeddings for Neural Machine Translation 0 0 981 | EMNLP 2018 Attaining the Unattainable? Reassessing Claims of Human Parity in Neural Machine Translation 0 0 982 | EMNLP 2018 Neural Machine Translation into Language Varieties 0 0 983 | EMNLP 2017 Depression and Self-Harm Risk Assessment in Online Forums 0 1 984 | EMNLP 2017 Natural Language Does Not Emerge ‘Naturally’ in Multi-Agent Dialog 0 0 985 | EMNLP 2017 Zipporah: a Fast and Scalable Data Cleaning System for Noisy Web-Crawled Parallel Corpora 0 0 986 | EMNLP 2017 Charmanteau: Character Embedding Models For Portmanteau Creation 0 0 987 | EMNLP 2017 Analogs of Linguistic Structure in Deep Representations 0 0 988 | EMNLP 2017 Men Also Like Shopping: Reducing Gender Bias Amplification using Corpus-level Constraints 0 1 989 | EMNLP 2017 Analogs of Linguistic Structure in Deep Representations 0 0 990 | EMNLP 2017 Adapting Sequence Models for Sentence Correction 0 0 991 | EMNLP 2017 Transition-Based Disfluency Detection using LSTMs 0 0 992 | EMNLP 2016 Global Neural CCG Parsing with Optimality Guarantees 0 1 993 | EMNLP 2016 POLY: Mining Relational Paraphrases from Multilingual Sentences 0 0 994 | EMNLP 2016 Nested Propositions in Open Information Extraction 0 0 995 | EMNLP 2016 Aspect Level Sentiment Classification with Deep Memory Network 0 0 996 | EMNLP 2016 Improving Information Extraction by Acquiring External Evidence with Reinforcement Learning 0 1 997 | EMNLP 2016 Discourse Parsing with Attention-based Hierarchical Neural Networks 0 0 998 | EMNLP 2016 Recursive Neural Conditional Random Fields for Aspect-based Sentiment Analysis 0 0 999 | EMNLP 2016 Extracting Aspect Specific Opinion Expressions 0 0 1000 | EMNLP 2015 Semantically Conditioned LSTM-based Natural Language Generation for Spoken Dialogue Systems 0 1 1001 | EMNLP 2015 Broad-coverage CCG Semantic Parsing with AMR 0 0 1002 | EMNLP 2015 Script Induction as Language Modeling 0 0 1003 | EMNLP 2015 Context-Dependent Knowledge Graph Embedding 0 0 1004 | EMNLP 2015 " Broad-coverage CCG Semantic Parsing with AMR" 0 1 1005 | EMNLP 2015 Distributional vectors encode referential attributes 0 0 1006 | EMNLP 2015 Dependency Graph-to-String Translation 0 0 1007 | EMNLP 2015 Reordering Grammar Induction 0 0 1008 | EMNLP 2014 Modeling Biological Processes for Reading Comprehension 0 1 1009 | EMNLP 2014 Identifying Argumentative Discourse Structures in Persuasive Essays 0 0 1010 | EMNLP 2014 A Constituent-Based Approach to Argument Labeling with Joint Inference in Discourse Parsing 0 0 1011 | EMNLP 2014 Accurate Word Segmentation and POS Tagging for Japanese Microblogs: Corpus Annotation and Joint Modeling with Lexical Normalization 0 0 1012 | EMNLP 2013 Breaking Out of Local Optima with Count Transforms and Model Recombination: A Study in Grammar Induction 0 1 1013 | EMNLP 2013 A Multimodal LDA Model integrating Textual, Cognitive and Visual Modalities 0 0 1014 | EMNLP 2013 A temporal model of text periodicities using Gaussian Processes 0 0 1015 | EMNLP 2013 Assembling the Kazakh Language Corpus 0 0 1016 | EMNLP 2013 Automatically Determining a Proper Length for Multi-Document Summarization: A Bayesian Nonparametric Approach 0 0 1017 | NAACL 2019 BERT: Pre-training of Deep Bidirectional Transformers for Language Understanding 0 1 1018 | NAACL 2019 Benchmarking Hierarchical Script Knowledge 0 0 1019 | NAACL 2019 Beyond task success: A closer look at jointly learning to see, ask, and GuessWhat 0 0 1020 | NAACL 2019 Bidirectional Attentive Memory Networks for Question Answering over Knowledge Bases 0 0 1021 | NAACL 2019 BoolQ: Exploring the Surprising Difficulty of Natural Yes/No Questions 0 0 1022 | NAACL 2018 Deep Contextualized Word Representations 0 1 1023 | NAACL 2018 Label-Aware Double Transfer Learning for Cross-Specialty Medical Named Entity Recognition 0 0 1024 | NAACL 2018 Joint Bootstrapping Machines for High Confidence Relation Extraction 0 0 1025 | NAACL 2018 Improving Character-Based Decoding Using Target-Side Morphological Information for Neural Machine Translation 0 0 1026 | NAACL 2018 Attentive Interaction Model: Modeling Changes in View in Argumentation 0 0 1027 | NAACL 2016 Learning to Compose Neural Networks for Question Answering 0 1 1028 | NAACL 2016 Achieving Accurate Conclusions in Evaluation of Automatic Machine Translation Metrics 0 0 1029 | NAACL 2016 An Empirical Study of Automatic Chinese Word Segmentation for Spoken Language Understanding and Named Entity Recognition 0 0 1030 | NAACL 2016 Bayesian Supervised Domain Adaptation for Short Text Similarity 0 0 1031 | NAACL 2016 Black Holes and White Rabbits: Metaphor Identification with Visual Features 0 0 1032 | NAACL 2016 Feuding Families and Former Friends; Unsupervised Learning for Dynamic Fictional Relationships 0 1 1033 | NAACL 2016 Clustering for Simultaneous Extraction of Aspects and Features from Reviews 0 0 1034 | NAACL 2016 Conversational Markers of Constructive Discussions 0 0 1035 | NAACL 2016 DAG-Structured Long Short-Term Memory for Semantic Compositionality 0 0 1036 | NAACL 2016 Deep LSTM based Feature Mapping for Query Classification 0 0 1037 | NAACL 2015 Unsupervised Morphology Induction Using Word Embeddings 0 1 1038 | NAACL 2015 Ontologically Grounded Multi-sense Representation Learning for Semantic Vector Space Models 0 0 1039 | NAACL 2015 Subsentential Sentiment on a Shoestring: A Crosslingual Analysis of Compositional Classification 0 0 1040 | NAACL 2015 The Unreasonable Effectiveness of Word Representations for Twitter Named Entity Recognition 0 0 1041 | NAACL 2015 Inferring Temporally-Anchored Spatial Knowledge from Semantic Roles 0 0 1042 | NAACL 2012 Vine Pruning for Efficient Multi-Pass Dependency Parsing 0 1 1043 | NAACL 2012 Semantic Textual Similarity for MT evaluation 0 0 1044 | NAACL 2012 Quality estimation for Machine Translation output using linguistic analysis and decoding features 0 0 1045 | NAACL 2012 Tree Kernels for Machine Translation Quality Estimation 0 0 1046 | NAACL 2012 Morpheme- and POS-based IBM1 and language model scores for translation quality estimation 0 0 1047 | ACL 2015 Improving Evaluation of Machine Translation Quality Estimation 0 1 1048 | ACL 2015 A Convolution Kernel Approach to Identifying Comparisons in Text 0 0 1049 | ACL 2015 A Hierarchical Neural Autoencoder for Paragraphs and Documents 0 0 1050 | ACL 2015 Model-based Word Embeddings from Decompositions of Count Matrices 0 0 1051 | ACL 2015 A Unified Multilingual Semantic Representation of Concepts 0 0 1052 | ACL 2015 Learning Dynamic Feature Selection for Fast Sequential Prediction 0 1 1053 | ACL 2015 Adding Semantics to Data-Driven Paraphrasing 0 0 1054 | ACL 2015 Aligning Opinions: Cross-Lingual Opinion Mining with Dependencies 0 0 1055 | ACL 2015 AutoExtend: Extending Word Embeddings to Embeddings for Synsets and Lexemes 0 0 1056 | ACL 2015 Building a Semantic Parser Overnight 0 0 1057 | ACL 2014 Fast and Robust Neural Network Joint Models for Statistical Machine Translation 0 1 1058 | ACL 2014 Representation Learning for Text-level Discourse Parsing 0 0 1059 | ACL 2014 Discovering Latent Structure in Task-Oriented Dialogues 0 0 1060 | ACL 2014 Multilingual Models for Compositional Distributed Semantics 0 0 1061 | ACL 2014 Logical Inference on Dependency-based Compositional Semantics 0 0 1062 | --------------------------------------------------------------------------------