-
Notifications
You must be signed in to change notification settings - Fork 6
/
2020.06.09.txt
1761 lines (1439 loc) · 133 KB
/
2020.06.09.txt
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
==========New Papers==========
1, TITLE: Finger Texture Biometric Characteristic: a Survey
http://arxiv.org/abs/2006.04193
AUTHORS: Raid R. O. Al-Nima ; Tingting Han ; Taolue Chen ; Satnam Dlay ; Jonathon Chambers
HIGHLIGHT: In this paper, a comprehensive survey of the relevant FT studies is presented.
2, TITLE: Predictive Coding Approximates Backprop along Arbitrary Computation Graphs
http://arxiv.org/abs/2006.04182
AUTHORS: Beren Millidge ; Alexander Tschantz ; Christopher L. Buckley
COMMENTS: Submitted to NeurIPS 2020
HIGHLIGHT: Here, we demonstrate that predictive coding converges asymptotically (and in practice rapidly) to exact backprop gradients on arbitrary computation graphs using only local learning rules.
3, TITLE: Realistic text replacement with non-uniform style conditioning
http://arxiv.org/abs/2006.04170
AUTHORS: Arseny Nerinovsky ; Igor Buzhinsky ; Andey Filchencov
COMMENTS: 8 pages, 5 figures
HIGHLIGHT: In this work, we study the possibility of realistic text replacement, the goal of which is to replace text present in the image with user-supplied text.
4, TITLE: Learning pose variations within shape population by constrained mixtures of factor analyzers
http://arxiv.org/abs/2006.04171
AUTHORS: Xilu Wang
COMMENTS: 25 Pages, 15 Figures
HIGHLIGHT: This paper formulates the pose learning problem as mixtures of factor analyzers.
5, TITLE: Deep active inference agents using Monte-Carlo methods
http://arxiv.org/abs/2006.04176
AUTHORS: Zafeirios Fountas ; Noor Sajid ; Pedro A. M. Mediano ; Karl Friston
COMMENTS: 16 pages, 8 figures
HIGHLIGHT: In this paper, we present a neural architecture for building deep active inference agents operating in complex, continuous state-spaces using multiple forms of Monte-Carlo (MC) sampling.
6, TITLE: An Empirical Meta-analysis of the Life Sciences (Linked?) Open Data on the Web
http://arxiv.org/abs/2006.04161
AUTHORS: Maulik R. Kamdar ; Mark A. Musen
COMMENTS: Under Review at Nature Scientific Data
HIGHLIGHT: In this paper, we extract schemas from more than 80 publicly available biomedical linked data graphs into an LSLOD schema graph and conduct an empirical meta-analysis to evaluate the extent of semantic heterogeneity across the LSLOD cloud.
7, TITLE: A data complexity and rewritability tetrachotomy of ontology-mediated queries with a covering axiom
http://arxiv.org/abs/2006.04167
AUTHORS: Olga Gerasimova ; Stanislav Kikot ; Agi Kurucz ; Vladimir Podolskii ; Michael Zakharyaschev
HIGHLIGHT: Aiming to understand the data complexity of answering conjunctive queries mediated by an axiom stating that a class is covered by the union of two other classes, we show that deciding their first-order rewritability is PSpace-hard and obtain a number of sufficient conditions for membership in AC0, L, NL, and P.
8, TITLE: Unsupervised Abnormality Detection Using Heterogeneous Autonomous Systems
http://arxiv.org/abs/2006.03733
AUTHORS: Sayeed Shafayet Chowdhury ; Kazi Mejbaul Islam ; Rouhan Noor
HIGHLIGHT: In this paper, a heterogeneous system is proposed which estimates the degree of abnormality of an environment using drone-feed, analyzing real-time image and IMU sensor data in an unsupervised manner.
9, TITLE: WOAD: Weakly Supervised Online Action Detection in Untrimmed Videos
http://arxiv.org/abs/2006.03732
AUTHORS: Mingfei Gao ; Yingbo Zhou ; Ran Xu ; Richard Socher ; Caiming Xiong
HIGHLIGHT: We propose WOAD, a weakly supervised framework that can be trained using only video-class labels.
10, TITLE: Applied Awareness: Test-Driven GUI Development using Computer Vision and Cryptography
http://arxiv.org/abs/2006.03725
AUTHORS: Donald Beaver
COMMENTS: 8 pages. Submitted for conference publication
HIGHLIGHT: Our interdisciplinary work is ready for off-the-shelf practice: we report self-contained, practical implementation with both online and offline validation, using simple designer specifications at the outset and specifically avoiding any requirements for a bootstrap implementation or golden images.
11, TITLE: State Action Separable Reinforcement Learning
http://arxiv.org/abs/2006.03713
AUTHORS: Ziyao Zhang ; Liang Ma ; Kin K. Leung ; Konstantinos Poularakis ; Mudhakar Srivatsa
COMMENTS: 16 pages
HIGHLIGHT: In this regard, we propose a new learning paradigm, State Action Separable Reinforcement Learning (sasRL), wherein the action space is decoupled from the value function learning process for higher efficiency.
12, TITLE: Relation of the Relations: A New Paradigm of the Relation Extraction Problem
http://arxiv.org/abs/2006.03719
AUTHORS: Zhijing Jin ; Yongyi Yang ; Xipeng Qiu ; Zheng Zhang
HIGHLIGHT: Due to the significance of RoR in existing datasets, we propose a new paradigm of RE that considers as a whole the predictions of all relations in the same context.
13, TITLE: Accelerating Natural Language Understanding in Task-Oriented Dialog
http://arxiv.org/abs/2006.03701
AUTHORS: Ojas Ahuja ; Shrey Desai
COMMENTS: Accepted to ACL 2020 Workshop on NLP for Conversational AI
HIGHLIGHT: In this work, we show that a simple convolutional model compressed with structured pruning achieves largely comparable results to BERT on ATIS and Snips, with under 100K parameters.
14, TITLE: Dilated Convolutions with Lateral Inhibitions for Semantic Image Segmentation
http://arxiv.org/abs/2006.03708
AUTHORS: Yujiang Wang ; Mingzhi Dong ; Jie Shen ; Yiming Lin ; Maja Pantic
HIGHLIGHT: Inspired by the Lateral Inhibition (LI) mechanisms in human visual systems, we propose the dilated convolution with lateral inhibitions (LI-Convs) to overcome these limitations.
15, TITLE: FibeR-CNN: Expanding Mask R-CNN to Improve Image-Based Fiber Analysis
http://arxiv.org/abs/2006.04552
AUTHORS: Max Frei ; Frank Einar Kruis
COMMENTS: 21 pages, 30 figures, 5 tables, 1 algorithm
HIGHLIGHT: We therefore propose the use of region-based convolutional neural networks (R-CNNs) to automate this task.
16, TITLE: Texture Interpolation for Probing Visual Perception
http://arxiv.org/abs/2006.03698
AUTHORS: Jonathan Vacher ; Aida Davila ; Adam Kohn ; Ruben Coen-Cagli
COMMENTS: Paper + ref: 12 pages and 6 figures | Supplementary: 8 pages and 8 figures
HIGHLIGHT: We demonstrate our method by measuring the perceptual scale associated to the interpolation parameter in human observers, and the neural sensitivity of different areas of visual cortex in macaque monkeys.
17, TITLE: UDPipe at EvaLatin 2020: Contextualized Embeddings and Treebank Embeddings
http://arxiv.org/abs/2006.03687
AUTHORS: Milan Straka ; Jana Straková
COMMENTS: Accepted at EvaLatin 2020, LREC (Proceedings of Language Resources and Evaluation, Marseille, France)
HIGHLIGHT: We present our contribution to the EvaLatin shared task, which is the first evaluation campaign devoted to the evaluation of NLP tools for Latin.
18, TITLE: Evaluating the Disentanglement of Deep Generative Models through Manifold Topology
http://arxiv.org/abs/2006.03680
AUTHORS: Sharon Zhou ; Eric Zelikman ; Fred Lu ; Andrew Y. Ng ; Stefano Ermon
HIGHLIGHT: To address this, we present a method for quantifying disentanglement that only uses the generative model, by measuring the topological similarity of conditional submanifolds in the learned representation.
19, TITLE: Prague Dependency Treebank -- Consolidated 1.0
http://arxiv.org/abs/2006.03679
AUTHORS: Jan Hajič ; Eduard Bejček ; Jaroslava Hlaváčová ; Marie Mikulová ; Milan Straka ; Jan Štěpánek ; Barbora Štěpánková
COMMENTS: Accepted at LREC 2020 (Proceedings of Language Resources and Evaluation, Marseille, France)
HIGHLIGHT: We present a richly annotated and genre-diversified language resource, the Prague Dependency Treebank-Consolidated 1.0 (PDT-C 1.0), the purpose of which is - as it always been the case for the family of the Prague Dependency Treebanks - to serve both as a training data for various types of NLP tasks as well as for linguistically-oriented research.
20, TITLE: Learning 3D-3D Correspondences for One-shot Partial-to-partial Registration
http://arxiv.org/abs/2006.04523
AUTHORS: Zheng Dang ; Fei Wang ; Mathieu Salzmann
COMMENTS: 11 pages
HIGHLIGHT: To this end, we propose an Optimal Transport layer able to account for occluded points thanks to the use of outlier bins.
21, TITLE: Visual Transformers: Token-based Image Representation and Processing for Computer Vision
http://arxiv.org/abs/2006.03677
AUTHORS: Bichen Wu ; Chenfeng Xu ; Xiaoliang Dai ; Alvin Wan ; Peizhao Zhang ; Masayoshi Tomizuka ; Kurt Keutzer ; Peter Vajda
HIGHLIGHT: In this work, we challenge this paradigm: we instead (a) represent images as a set of visual tokens and (b) apply visual transformers to find relationships between visual semantic concepts.
22, TITLE: More Information Supervised Probabilistic Deep Face Embedding Learning
http://arxiv.org/abs/2006.04518
AUTHORS: Ying Huang ; Shangfeng Qiu ; Wenwei Zhang ; Xianghui Luo ; Jinzhuo Wang
HIGHLIGHT: In this paper, we analyse margin based softmax loss in probability view.
23, TITLE: Combining word embeddings and convolutional neural networks to detect duplicated questions
http://arxiv.org/abs/2006.04513
AUTHORS: Yoan Dimitrov
HIGHLIGHT: In this work, we propose a simple approach to identifying semantically similar questions by combining the strengths of word embeddings and Convolutional Neural Networks (CNNs).
24, TITLE: VectorTSP: A Traveling Salesperson Problem with Racetrack-like acceleration constraints
http://arxiv.org/abs/2006.03666
AUTHORS: Arnaud Casteigts ; Mathieu Raffinot ; Jason Schoeters
COMMENTS: 12 pages, 22 pages with bibliography and appendices, submitted
HIGHLIGHT: We present algorithms for both, and we demonstrate and quantify through experiments that this approach frequently finds a better solution than the optimal trajectory realizing an optimal ETSP tour, which legitimates the problem itself and (we hope) motivates further algorithmic developments.
25, TITLE: Rapid Task-Solving in Novel Environments
http://arxiv.org/abs/2006.03662
AUTHORS: Sam Ritter ; Ryan Faulkner ; Laurent Sartran ; Adam Santoro ; Matt Botvinick ; David Raposo
HIGHLIGHT: We introduce two domains for conducting research on this challenge, and find that state-of-the-art deep reinforcement learning (RL) agents fail to plan in novel environments.
26, TITLE: DeCLUTR: Deep Contrastive Learning for Unsupervised Textual Representations
http://arxiv.org/abs/2006.03659
AUTHORS: John M. Giorgi ; Osvald Nitski ; Gary D. Bader ; Bo Wang
HIGHLIGHT: We present DeCLUTR: Deep Contrastive Learning for Unsupervised Textual Representations, a self-supervised method for learning universal sentence embeddings that transfer to a wide variety of natural language processing (NLP) tasks.
27, TITLE: DeBERTa: Decoding-enhanced BERT with Disentangled Attention
http://arxiv.org/abs/2006.03654
AUTHORS: Pengcheng He ; Xiaodong Liu ; Jianfeng Gao ; Weizhu Chen
COMMENTS: 17 pages,4 figures, 8 tables
HIGHLIGHT: In this paper we propose a new model architecture DeBERTa (Decoding-enhanced BERT with disentangled attention) that improves the BERT and RoBERTa models using two novel techniques.
28, TITLE: AutoHAS: Differentiable Hyper-parameter and Architecture Search
http://arxiv.org/abs/2006.03656
AUTHORS: Xuanyi Dong ; Mingxing Tan ; Adams Wei Yu ; Daiyi Peng ; Bogdan Gabrys ; Quoc V. Le
HIGHLIGHT: In this work, we extend NAS to a broader and more practical space by combining hyper-parameter and architecture search.
29, TITLE: Filtered Inner Product Projection for Multilingual Embedding Alignment
http://arxiv.org/abs/2006.03652
AUTHORS: Vin Sachidananda ; Ziyi Yang ; Chenguang Zhu
HIGHLIGHT: In this paper, we propose a method, Filtered Inner Product Projection (FIPP), for mapping embeddings to a common representation space and evaluate FIPP in the context of bilingual dictionary induction.
30, TITLE: Deployment-Efficient Reinforcement Learning via Model-Based Offline Optimization
http://arxiv.org/abs/2006.03647
AUTHORS: Tatsuya Matsushima ; Hiroki Furuta ; Yutaka Matsuo ; Ofir Nachum ; Shixiang Gu
HIGHLIGHT: We propose a novel model-based algorithm, Behavior-Regularized Model-ENsemble (BREMEN) that can effectively optimize a policy offline using 10-20 times fewer data than prior works.
31, TITLE: RIT-Eyes: Rendering of near-eye images for eye-tracking applications
http://arxiv.org/abs/2006.03642
AUTHORS: Nitinraj Nair ; Rakshit Kothari ; Aayush K. Chaudhary ; Zhizhuo Yang ; Gabriel J. Diaz ; Jeff B. Pelz ; Reynold J. Bailey
HIGHLIGHT: In this work, we introduce a synthetic eye image generation platform that improves upon previous work by adding features such as an active deformable iris, an aspherical cornea, retinal retro-reflection, gaze-coordinated eye-lid deformations, and blinks.
32, TITLE: Stance Detection on Social Media: State of the Art and Trends
http://arxiv.org/abs/2006.03644
AUTHORS: Abeer AlDayel ; Walid Magdy
HIGHLIGHT: The survey reports the state-of-the-art results on the existing benchmark datasets onstance detection, and discusses the most effective approaches.In addition, this study explores the emerging trends and the different applications of stance detection on social media.The study concludes by providing discussion of the gabs in the current existing research and highlighting the possible futuredirections for stance detection on social media
33, TITLE: Knowledge transfer between bridges for drive-by monitoring using adversarial and multi-task learning
http://arxiv.org/abs/2006.03641
AUTHORS: Jingxiao Liu ; Mario Bergés ; Jacobo Bielak ; Hae Young Noh
HIGHLIGHT: To alleviate these problems, we introduce a transfer learning framework using domain-adversarial training and multi-task learning to detect, localize and quantify damage.
34, TITLE: Robust Face Verification via Disentangled Representations
http://arxiv.org/abs/2006.03638
AUTHORS: Marius Arvinte ; Ahmed H. Tewfik ; Sriram Vishwanath
COMMENTS: Preprint
HIGHLIGHT: We introduce a robust algorithm for face verification, i.e., deciding whether twoimages are of the same person or not.
35, TITLE: SparseFusion: Dynamic Human Avatar Modeling from Sparse RGBD Images
http://arxiv.org/abs/2006.03630
AUTHORS: Xinxin Zuo ; Sen Wang ; Jiangbin Zheng ; Weiwei Yu ; Minglun Gong ; Ruigang Yang ; Li Cheng
COMMENTS: Accepted by TMM
HIGHLIGHT: In this paper, we propose a novel approach to reconstruct 3D human body shapes based on a sparse set of RGBD frames using a single RGBD camera.
36, TITLE: Equivariant Maps for Hierarchical Structures
http://arxiv.org/abs/2006.03627
AUTHORS: Renhao Wang ; Marjan Albooyeh ; Siamak Ravanbakhsh
HIGHLIGHT: Observing that the transformation group for a nested structure corresponds to the ``wreath product'' of the symmetry groups of the building blocks, we show how to obtain the equivariant map for hierarchical data-structures using an intuitive combination of the equivariant maps for the individual blocks.
37, TITLE: LGML: Logic Guided Machine Learning
http://arxiv.org/abs/2006.03626
AUTHORS: Joseph Scott ; Maysum Panju ; Vijay Ganesh
HIGHLIGHT: We introduce Logic Guided Machine Learning (LGML), a novel approach that symbiotically combines machine learning (ML) and logic solvers with the goal of learning mathematical functions from data.
38, TITLE: Inception Augmentation Generative Adversarial Network
http://arxiv.org/abs/2006.03622
AUTHORS: Saman Motamed ; Farzad Khalvati
HIGHLIGHT: In this work, we propose a new GAN architecture for semi-supervised augmentation of chest X-rays for the detection of pneumonia.
39, TITLE: Hierarchical Class-Based Curriculum Loss
http://arxiv.org/abs/2006.03629
AUTHORS: Palash Goyal ; Shalini Ghosh
HIGHLIGHT: In this paper, we propose a loss function, hierarchical curriculum loss, with two properties: (i) satisfy hierarchical constraints present in the label space, and (ii) provide non-uniform weights to labels based on their levels in the hierarchy, learned implicitly by the training paradigm.
40, TITLE: Decentralised Learning from Independent Multi-Domain Labels for Person Re-Identification
http://arxiv.org/abs/2006.04150
AUTHORS: Guile Wu ; Shaogang Gong
HIGHLIGHT: In this work, we solve the Re-ID problem by decentralised model learning from non-shared private training data distributed at multiple user cites of independent multi-domain labels.
41, TITLE: Analogy as Nonparametric Bayesian Inference over Relational Systems
http://arxiv.org/abs/2006.04156
AUTHORS: Ruairidh M. Battleday ; Thomas L. Griffiths
COMMENTS: In Proceedings for the Annual Meeting of the Cognitive Science Society 2020 (CogSci 2020)
HIGHLIGHT: In this project, we propose a Bayesian model that generalizes relational knowledge to novel environments by analogically weighting predictions from previously encountered relational structures.
42, TITLE: BERT Loses Patience: Fast and Robust Inference with Early Exit
http://arxiv.org/abs/2006.04152
AUTHORS: Wangchunshu Zhou ; Canwen Xu ; Tao Ge ; Julian McAuley ; Ke Xu ; Furu Wei
COMMENTS: 13 pages
HIGHLIGHT: In this paper, we propose Patience-based Early Exit, a straightforward yet effective inference method that can be used as a plug-and-play technique to simultaneously improve the efficiency and robustness of a pretrained language model (PLM).
43, TITLE: Interactive Extractive Search over Biomedical Corpora
http://arxiv.org/abs/2006.04148
AUTHORS: Hillel Taub-Tabib ; Micah Shlain ; Shoval Sadde ; Dan Lahav ; Matan Eyal ; Yaara Cohen ; Yoav Goldberg
HIGHLIGHT: We present a system that allows life-science researchers to search a linguistically annotated corpus of scientific texts using patterns over dependency graphs, as well as using patterns over token sequences and a powerful variant of boolean keyword queries.
44, TITLE: Peer Collaborative Learning for Online Knowledge Distillation
http://arxiv.org/abs/2006.04147
AUTHORS: Guile Wu ; Shaogang Gong
HIGHLIGHT: In this work, we propose a novel Peer Collaborative Learning method for online knowledge distillation.
45, TITLE: Parametric Representation for Singing Voice Synthesis: a Comparative Evaluation
http://arxiv.org/abs/2006.04142
AUTHORS: Onur Babacan ; Thomas Drugman ; Tuomo Raitio ; Daniel Erro ; Thierry Dutoit
HIGHLIGHT: The goal of this paper is twofold.
46, TITLE: Maximum Phase Modeling for Sparse Linear Prediction of Speech
http://arxiv.org/abs/2006.04138
AUTHORS: Thomas Drugman
HIGHLIGHT: The aim of this paper is to propose a novel technique which incorporates a modeling of the maximum-phase contribution of speech, and can be applied to any filter representation.
47, TITLE: Learning Texture Transformer Network for Image Super-Resolution
http://arxiv.org/abs/2006.04139
AUTHORS: Fuzhi Yang ; Huan Yang ; Jianlong Fu ; Hongtao Lu ; Baining Guo
COMMENTS: Accepted by CVPR 2020
HIGHLIGHT: In this paper, we propose a novel Texture Transformer Network for Image Super-Resolution (TTSR), in which the LR and Ref images are formulated as queries and keys in a transformer, respectively.
48, TITLE: Analysis and Synthesis of Hypo and Hyperarticulated Speech
http://arxiv.org/abs/2006.04136
AUTHORS: Benjamin Picart ; Thomas Drugman ; Thierry Dutoit
HIGHLIGHT: This paper focuses on the analysis and synthesis of hypo and hyperarticulated speech in the framework of HMM-based speech synthesis.
49, TITLE: ADMP: An Adversarial Double Masks Based Pruning Framework For Unsupervised Cross-Domain Compression
http://arxiv.org/abs/2006.04127
AUTHORS: Xiaoyu Feng ; Zhuqing Yuan ; Guijin Wang ; Yongpan Liu
HIGHLIGHT: Hence this work proposes an Adversarial Double Masks based Pruning (ADMP) for such cross-domain compression.
50, TITLE: A multi-channel framework for joint reconstruction of multi-contrast parallel MRI
http://arxiv.org/abs/2006.04128
AUTHORS: Erfan Ebrahim Esfahani
HIGHLIGHT: In this paper, a novel isotropic multi-channel image regularizer is introduced, and its full potential is unleashed by integrating it into compressed multi-contrast multi-coil MRI.
51, TITLE: On the Complexity of Branching Proofs
http://arxiv.org/abs/2006.04124
AUTHORS: Daniel Dadush ; Samarth Tiwari
HIGHLIGHT: As our final contribution, we give a simple family of polytopes in $[0,1]^n$ requiring branching proofs of length $2^n/n$.
52, TITLE: Sophisticated Inference
http://arxiv.org/abs/2006.04120
AUTHORS: Karl Friston ; Lancelot Da Costa ; Danijar Hafner ; Casper Hesp ; Thomas Parr
HIGHLIGHT: In this paper, we consider a sophisticated kind of active inference, using a recursive form of expected free energy.
53, TITLE: DiffGCN: Graph Convolutional Networks via Differential Operators and Algebraic Multigrid Pooling
http://arxiv.org/abs/2006.04115
AUTHORS: Moshe Eliasof ; Eran Treister
HIGHLIGHT: In this work we propose novel approaches for graph convolution, pooling and unpooling, taking inspiration from finite-elements and algebraic multigrid frameworks.
54, TITLE: Iterative Effect-Size Bias in Ridehailing: Measuring Social Bias in Dynamic Pricing of 100 Million Rides
http://arxiv.org/abs/2006.04599
AUTHORS: Akshat Pandey ; Aylin Caliskan
COMMENTS: 10 pages, 3 tables, 2 figures
HIGHLIGHT: In this work we develop a random-effects based metric for the analysis of social bias in supervised machine learning prediction models where model outputs depend on U.S. locations.
55, TITLE: WaveNODE: A Continuous Normalizing Flow for Speech Synthesis
http://arxiv.org/abs/2006.04598
AUTHORS: Hyeongju Kim ; Hyeongseung Lee ; Woo Hyun Kang ; Sung Jun Cheon ; Byoung Jin Choi ; Nam Soo Kim
COMMENTS: 8 pages, 4 figures
HIGHLIGHT: In this paper, we propose a novel generative model called WaveNODE which exploits a continuous normalizing flow for speech synthesis.
56, TITLE: CS-Embed-francesita at SemEval-2020 Task 9: The effectiveness of code-switched word embeddings for sentiment analysis
http://arxiv.org/abs/2006.04597
AUTHORS: Frances Adriana Laureano De Leon ; Florimond Guéniat ; Harish Tayyar Madabushi
COMMENTS: To appear in SemEval-2020 Task 9
HIGHLIGHT: In this work, we present word-embeddings trained on code-switched tweets, specifically those that make use of Spanish and English, known as Spanglish.
57, TITLE: Incorporating Pragmatic Reasoning Communication into Emergent Language
http://arxiv.org/abs/2006.04109
AUTHORS: Yipeng Kang ; Tonghan Wang ; Gerard de Melo
COMMENTS: 8 pages. Submitted to NeurIPS 2020
HIGHLIGHT: Given that their combination has been explored in linguistics, we propose computational models that combine short-term mutual reasoning-based pragmatics with long-term language emergentism.
58, TITLE: Language Models as Fact Checkers?
http://arxiv.org/abs/2006.04102
AUTHORS: Nayeon Lee ; Belinda Z. Li ; Sinong Wang ; Wen-tau Yih ; Hao Ma ; Madian Khabsa
COMMENTS: Accepted in FEVER Workshop (ACL2020)
HIGHLIGHT: In this paper, we leverage this implicit knowledge to create an effective end-to-end fact checker using a solely a language model, without any external knowledge or explicit retrieval components.
59, TITLE: Person Re-identification in the 3D Space
http://arxiv.org/abs/2006.04569
AUTHORS: Zhedong Zheng ; Yi Yang
COMMENTS: The code is available at https://github.com/layumi/person-reid-3d
HIGHLIGHT: In this work, we address this limitation by exploring the prior knowledge of the 3D body structure.
60, TITLE: Towards an Argument Mining Pipeline Transforming Texts to Argument Graphs
http://arxiv.org/abs/2006.04562
AUTHORS: Mirko Lenz ; Premtim Sahitaj ; Sean Kallenberg ; Christopher Coors ; Lorik Dumani ; Ralf Schenkel ; Ralph Bergmann
HIGHLIGHT: We present an argument mining pipeline as a universally applicable approach for transforming German and English language texts to graph-based argument representations.
61, TITLE: FastSpeech 2: Fast and High-Quality End-to-End Text-to-Speech
http://arxiv.org/abs/2006.04558
AUTHORS: Yi Ren ; Chenxu Hu ; Tao Qin ; Sheng Zhao ; Zhou Zhao ; Tie-Yan Liu
HIGHLIGHT: In this paper, we propose FastSpeech 2, which addresses the issues in FastSpeech and better solves the one-to-many mapping problem in TTS by 1) directly training the model with ground-truth target instead of the simplified output from teacher, and 2) introducing more variation information of speech (e.g., pitch, energy and more accurate duration) as conditional inputs.
62, TITLE: Multi-view Contrastive Learning for Online Knowledge Distillation
http://arxiv.org/abs/2006.04093
AUTHORS: Chuanguang Yang ; Zhulin An ; Xiaolong Hu ; Hui Zhu ; Kaiqiang Xu ; Yongjun Xu
HIGHLIGHT: We thus introduce Multi-view Contrastive Learning (MCL) for OKD to implicitly capture correlations of representations encoded by multiple peer networks, which provide various views for understanding the input data samples.
63, TITLE: Robust Learning Through Cross-Task Consistency
http://arxiv.org/abs/2006.04096
AUTHORS: Amir Zamir ; Alexander Sax ; Teresa Yeo ; Oğuzhan Kar ; Nikhil Cheerla ; Rohan Suri ; Zhangjie Cao ; Jitendra Malik ; Leonidas Guibas
COMMENTS: CVPR 2020 (Oral). Project website, models, live demo at http://consistency.epfl.ch/
HIGHLIGHT: We propose a broadly applicable and fully computational method for augmenting learning with Cross-Task Consistency.
64, TITLE: End-to-end Learning for Inter-Vehicle Distance and Relative Velocity Estimation in ADAS with a Monocular Camera
http://arxiv.org/abs/2006.04082
AUTHORS: Zhenbo Song ; Jianfeng Lu ; Tong Zhang ; Hongdong Li
HIGHLIGHT: In this paper, we propose a monocular camera based inter-vehicle distance and relative velocity estimation method based on end-to-end training of a deep neural network.
65, TITLE: CubifAE-3D: Monocular Camera Space Cubification on Autonomous Vehicles for Auto-Encoder based 3D Object Detection
http://arxiv.org/abs/2006.04080
AUTHORS: Shubham Shrivastava ; Punarjay Chakravarty
COMMENTS: 11 pages, 14 figures
HIGHLIGHT: We introduce a method for 3D object detection using a single monocular image.
66, TITLE: STDI-Net: Spatial-Temporal Network with Dynamic Interval Mapping for Bike Sharing Demand Prediction
http://arxiv.org/abs/2006.04089
AUTHORS: Weiguo Pian ; Yingbo Wu ; Ziyi Kou
COMMENTS: submitted to ACML2020
HIGHLIGHT: In this paper, we propose a novel deep learning method called Spatial-Temporal Dynamic Interval Network (STDI-Net).
67, TITLE: Implications of Human Irrationality for Reinforcement Learning
http://arxiv.org/abs/2006.04072
AUTHORS: Haiyang Chen ; Hyung Jin Chang ; Andrew Howes
COMMENTS: 12 pages, 5 figures
HIGHLIGHT: Here, we propose a novel POMDP model for contextual choice tasks and show that, despite the apparent irrationalities, a reinforcement learner can take advantage of the way that humans make decisions.
68, TITLE: Siamese Keypoint Prediction Network for Visual Object Tracking
http://arxiv.org/abs/2006.04078
AUTHORS: Qiang Li ; Zekui Qin ; Wenbo Zhang ; Wen Zheng
COMMENTS: Code: https://github.com/ZekuiQin/SiamKPN
HIGHLIGHT: In this paper, we propose the Siamese keypoint prediction network (SiamKPN) to address these challenges.
69, TITLE: Dual Policy Distillation
http://arxiv.org/abs/2006.04061
AUTHORS: Kwei-Herng Lai ; Daochen Zha ; Yuening Li ; Xia Hu
COMMENTS: Accepeted by IJCAI'20
HIGHLIGHT: In this work, we introduce dual policy distillation(DPD), a student-student framework in which two learners operate on the same environment to explore different perspectives of the environment and extract knowledge from each other to enhance their learning.
70, TITLE: Growing Together: Modeling Human Language Learning With n-Best Multi-Checkpoint Machine Translation
http://arxiv.org/abs/2006.04050
AUTHORS: El Moatez Billah Nagoudi ; Muhammad Abdul-Mageed ; Hasan Cavusoglu
COMMENTS: Accepted to the 4th Workshop on Neural Generation and Translation (Duolingo Shared Task on Simultaneous Translation And Paraphrase for Language Education Mayhew et al., 2020) collocated with ACL 2020
HIGHLIGHT: We describe our submission to the 2020 Duolingo Shared Task on Simultaneous Translation And Paraphrase for Language Education (STAPLE) (Mayhew et al., 2020).
71, TITLE: Facial Expression Recognition using Deep Learning
http://arxiv.org/abs/2006.04057
AUTHORS: Raghu Vamshi. N ; Bharathi Raja S
HIGHLIGHT: In this paper, I take one such dataset FER-2013 and will implement deep learning models that are able to achieve significant improvement over the previously used traditional approaches and even some of the deep learning models.
72, TITLE: NITS-VC System for VATEX Video Captioning Challenge 2020
http://arxiv.org/abs/2006.04058
AUTHORS: Alok Singh ; Thoudam Doren Singh ; Sivaji Bandyopadhyay
COMMENTS: 4 pages, 1 figure
HIGHLIGHT: In this paper, a system description of the framework used for VATEX-2020 video captioning challenge is presented.
73, TITLE: A Generic First-Order Algorithmic Framework for Bi-Level Programming Beyond Lower-Level Singleton
http://arxiv.org/abs/2006.04045
AUTHORS: Risheng Liu ; Pan Mu ; Xiaoming Yuan ; Shangzhi Zeng ; Jin Zhang
COMMENTS: Accepted at ICML 2020
HIGHLIGHT: Theoretically, we derive a new methodology to prove the convergence of BDA without the LLS condition.
74, TITLE: DeepRelativeFusion: Dense Monocular SLAM using Single-Image Relative Depth Prediction
http://arxiv.org/abs/2006.04047
AUTHORS: Shing Yan Loo ; Syamsiah Mashohor ; Sai Hong Tang ; Hong Zhang
HIGHLIGHT: In this paper, we propose a dense monocular SLAM system, named DeepRelativeFusion, that is capable to recover a globally consistent 3D structure.
75, TITLE: An Algorithm for Fuzzification of WordNets, Supported by a Mathematical Proof
http://arxiv.org/abs/2006.04042
AUTHORS: Sayyed-Ali Hossayni ; Mohammad-R Akbarzadeh-T ; Diego Reforgiato Recupero ; Aldo Gangemi ; Esteve Del Acebo ; Josep Lluís de la Rosa i Esteva
COMMENTS: 6 pages, without figures, theoretical
HIGHLIGHT: In this study, we present an algorithm for constructing fuzzy versions of WLDs of any language, given a corpus of documents and a word-sense disambiguation (WSD) system for that language.
76, TITLE: SVGA-Net: Sparse Voxel-Graph Attention Network for 3D Object Detection from Point Clouds
http://arxiv.org/abs/2006.04043
AUTHORS: Qingdong He ; Zhengning Wang ; Hao Zeng ; Yi Zeng ; Shuaicheng Liu ; Bing Zeng
HIGHLIGHT: In this paper, we propose Sparse Voxel-Graph Attention Network (SVGA-Net), a novel end-to-end trainable network which mainly contains voxel-graph module and sparse-to-dense regression module to achieve comparable 3D detection tasks from raw LIDAR data.
77, TITLE: Metagame Autobalancing for Competitive Multiplayer Games
http://arxiv.org/abs/2006.04419
AUTHORS: Daniel Hernandez ; Charles Takashi Toyin Gbadomosi ; James Goodman ; James Alfred Walker
HIGHLIGHT: In this paper we present a tool for balancing multi-player games during game design.
78, TITLE: A Survey on Approximation in Parameterized Complexity: Hardness and Algorithms
http://arxiv.org/abs/2006.04411
AUTHORS: Andreas Emil Feldmann ; Karthik C. S. ; Euiwoong Lee ; Pasin Manurangsi
HIGHLIGHT: We survey developments in the area both from the algorithmic and hardness perspectives, with emphasis on new techniques and potential future research directions.
79, TITLE: Passive Batch Injection Training Technique: Boosting Network Performance by Injecting Mini-Batches from a different Data Distribution
http://arxiv.org/abs/2006.04406
AUTHORS: Pravendra Singh ; Pratik Mazumder ; Vinay P. Namboodiri
COMMENTS: Accepted in IJCNN 2020
HIGHLIGHT: This work presents a novel training technique for deep neural networks that makes use of additional data from a distribution that is different from that of the original input data.
80, TITLE: An Optimal Tester for $k$-Linear
http://arxiv.org/abs/2006.04409
AUTHORS: Nader H. Bshouty
HIGHLIGHT: In this paper, we study property testing of the classes $k$-Linear, the class of all $k$-linear functions, and $k$-Linear$^*$, the class $\cup_{j=0}^kj$-Linear.
81, TITLE: MeshSDF: Differentiable Iso-Surface Extraction
http://arxiv.org/abs/2006.03997
AUTHORS: Edoardo Remelli ; Artem Lukoianov ; Stephan R. Richter ; Benoît Guillard ; Timur Bagautdinov ; Pierre Baque ; Pascal Fua
COMMENTS: 11 pages, 5 figures, submitted to NeurIPS 2020
HIGHLIGHT: In this work, we remove this limitation and introduce a differentiable way to produce explicit surface mesh representations from Deep Signed Distance Functions.
82, TITLE: Graph Neural Network Encoding for Community Detection in Attribute Networks
http://arxiv.org/abs/2006.03996
AUTHORS: Jianyong Sun ; Wei Zheng ; Qingfu Zhang ; Zongben Xu
HIGHLIGHT: The fitness landscape analysis verifies that the transformed community detection problems have smoother landscapes than those of the original problems, which justifies the effectiveness of the proposed graph neural network encoding method.
83, TITLE: Enhancing Facial Data Diversity with Style-based Face Aging
http://arxiv.org/abs/2006.03985
AUTHORS: Markos Georgopoulos ; James Oldfield ; Mihalis A. Nicolaou ; Yannis Panagakis ; Maja Pantic
COMMENTS: IEEE CVPR 2020 WORKSHOP ON FAIR, DATA EFFICIENT AND TRUSTED COMPUTER VISION
HIGHLIGHT: In this work, we address the problem of increasing the diversity of face datasets with respect to age.
84, TITLE: Reinforcement Learning for Multi-Product Multi-Node Inventory Management in Supply Chains
http://arxiv.org/abs/2006.04037
AUTHORS: Nazneen N Sultana ; Hardik Meisheri ; Vinita Baniwal ; Somjit Nath ; Balaraman Ravindran ; Harshad Khadilkar
HIGHLIGHT: We describe a novel formulation in a multi-agent (hierarchical) reinforcement learning framework that can be used for parallelised decision-making, and use the advantage actor critic (A2C) algorithm with quantised action spaces to solve the problem.
85, TITLE: Semantic Loss Application to Entity Relation Recognition
http://arxiv.org/abs/2006.04031
AUTHORS: Venkata Sasank Pagolu
HIGHLIGHT: The main contribution of this paper is an end-to-end neural model for joint entity relation extraction which incorporates a novel loss function.
86, TITLE: A Comparative Analysis of E-Scooter and E-Bike Usage Patterns: Findings from the City of Austin, TX
http://arxiv.org/abs/2006.04033
AUTHORS: Mohammed Hamad Almannaa ; Huthaifa I. Ashqar ; Mohammed Elhenawy ; Mahmoud Masoud ; Andry Rakotonirainy ; Hesham Rakha
COMMENTS: Submitted to the International Journal of Sustainable Transportation
HIGHLIGHT: This study analyzes e-scooter and dockless e-bike sharing system user behavior.
87, TITLE: Efficient Architecture Search for Continual Learning
http://arxiv.org/abs/2006.04027
AUTHORS: Qiang Gao ; Zhipeng Luo ; Diego Klabjan
COMMENTS: 12 pages, 11 figures
HIGHLIGHT: To reach these goals, we propose a novel approach named as Continual Learning with Efficient Architecture Search, or CLEAS in short.
88, TITLE: SharinGAN: Combining Synthetic and Real Data for Unsupervised Geometry Estimation
http://arxiv.org/abs/2006.04026
AUTHORS: Koutilya PNVR ; Hao Zhou ; David Jacobs
COMMENTS: Accepted to CVPR 2020. Supplementary material added towards the end instead of a separate file. A Github link to the code is also provided in this submission
HIGHLIGHT: We propose a novel method for combining synthetic and real images when training networks to determine geometric information from a single image.
89, TITLE: A Multitask Learning Approach for Diacritic Restoration
http://arxiv.org/abs/2006.04016
AUTHORS: Sawsan Alqahtani ; Ajay Mishra ; Mona Diab
HIGHLIGHT: Thus, to compensate for this loss, we investigate the use of multi-task learning to jointly optimize diacritic restoration with related NLP problems namely word segmentation, part-of-speech tagging, and syntactic diacritization.
90, TITLE: Learning under Invariable Bayesian Safety
http://arxiv.org/abs/2006.04497
AUTHORS: Gal Bahar ; Omer Ben-Porat ; Kevin Leyton-Brown ; Moshe Tennenholtz
HIGHLIGHT: In this paper, we adopt a model inspired by recent work on a bandit-like setting for recommendations.
91, TITLE: Medical Concept Normalization in User Generated Texts by Learning Target Concept Embeddings
http://arxiv.org/abs/2006.04014
AUTHORS: Katikapalli Subramanyam Kalyan ; S. Sangeetha
COMMENTS: 5 pages
HIGHLIGHT: Our proposed model overcomes these drawbacks by jointly learning the representations of input concept mention and target concepts.
92, TITLE: Action Recognition with Deep Multiple Aggregation Networks
http://arxiv.org/abs/2006.04489
AUTHORS: Ahmed Mazari ; Hichem Sahbi
HIGHLIGHT: In this paper, we introduce a novel hierarchical pooling design that captures different levels of temporal granularity in action recognition.
93, TITLE: Neural Networks Out-of-Distribution Detection: Hyperparameter-Free Isotropic Maximization Loss, The Principle of Maximum Entropy, Cold Training, and Branched Inferences
http://arxiv.org/abs/2006.04005
AUTHORS: David Macêdo ; Teresa Ludermir
HIGHLIGHT: In this paper, we propose a novel loss called Hyperparameter-Free IsoMax that overcomes these limitations.
94, TITLE: Real-Time Model Calibration with Deep Reinforcement Learning
http://arxiv.org/abs/2006.04001
AUTHORS: Manuel Arias Chao ; Yuan Tian ; Chetan Kulkarni ; Kai Goebel ; Olga Fink
COMMENTS: 18 pages, 10 figures
HIGHLIGHT: In this paper, we propose a novel framework for inference of model parameters based on reinforcement learning.
95, TITLE: Every Action Based Sensor
http://arxiv.org/abs/2006.04003
AUTHORS: Grace McFassel ; Dylan A. Shell
COMMENTS: 16 pages, 7 figures, WAFR 2020
HIGHLIGHT: Erdmann's theory of action-based sensors is a classical approach to characterizing fundamental information requirements.
96, TITLE: A Comparison of Self-Play Algorithms Under a Generalized Framework
http://arxiv.org/abs/2006.04471
AUTHORS: Daniel Hernandez ; Kevin Denamganai ; Sam Devlin ; Spyridon Samothrakis ; James Alfred Walker
HIGHLIGHT: We present a formalized framework, with clearly defined assumptions, which encapsulates the meaning of self-play as abstracted from various existing self-play algorithms.
97, TITLE: Deep hierarchical pooling design for cross-granularity action recognition
http://arxiv.org/abs/2006.04473
AUTHORS: Ahmed Mazari ; Hichem Sahbi
HIGHLIGHT: In this paper, we introduce a novel hierarchical aggregation design that captures different levels of temporal granularity in action recognition.
98, TITLE: A non-causal FFTNet architecture for speech enhancement
http://arxiv.org/abs/2006.04469
AUTHORS: Muhammed PV Shifas ; Nagaraj Adiga ; Vassilis Tsiaras ; Yannis Stylianou
COMMENTS: 5 pages
HIGHLIGHT: In this paper, we suggest a new parallel, non-causal and shallow waveform domain architecture for speech enhancement based on FFTNet, a neural network for generating high quality audio waveform.
99, TITLE: A Diffractive Neural Network with Weight-Noise-Injection Training
http://arxiv.org/abs/2006.04462
AUTHORS: Jiashuo Shi
HIGHLIGHT: We propose a diffractive neural network with strong robustness based on Weight Noise Injection training, which achieves accurate and fast optical-based classification while diffraction layers have a certain amount of surface shape error.
100, TITLE: Continual Representation Learning for Biometric Identification
http://arxiv.org/abs/2006.04455
AUTHORS: Bo Zhao ; Shixiang Tang ; Dapeng Chen ; Hakan Bilen ; Rui Zhao
HIGHLIGHT: In this paper, we propose a new continual learning (CL) setting, namely ``continual representation learning'', which focuses on learning better representation in a continuous way. We also provide two large-scale multi-step benchmarks for biometric identification, where the visual appearance of different classes are highly relevant.
101, TITLE: Novel Adaptive Binary Search Strategy-First Hybrid Pyramid- and Clustering-Based CNN Filter Pruning Method without Parameters Setting
http://arxiv.org/abs/2006.04451
AUTHORS: Kuo-Liang Chung ; Yu-Lun Chang ; Bo-Wei Tsai
HIGHLIGHT: In this paper, we propose an adaptive binary search-first hybrid pyramid- and clustering-based (ABSHPC-based) method for pruning filters automatically.
102, TITLE: On Universalized Adversarial and Invariant Perturbations
http://arxiv.org/abs/2006.04449
AUTHORS: Sandesh Kamath ; Amit Deshpande ; K V Subrahmanyam
COMMENTS: Some part of this work was presented in ICML 2018 Workshop on "Towards learning with limited labels: Equivariance, Invariance,and Beyond" as "Understanding Adversarial Robustness of Symmetric Networks"
HIGHLIGHT: In this paper, we study the effectiveness of SVD-Universal on GCNNs as they gain rotation invariance through higher degree of training augmentation.
103, TITLE: Liquid Time-constant Networks
http://arxiv.org/abs/2006.04439
AUTHORS: Ramin Hasani ; Mathias Lechner ; Alexander Amini ; Daniela Rus ; Radu Grosu
COMMENTS: 32 pages, 9 figures
HIGHLIGHT: We introduce a new class of time-continuous recurrent neural network models.
104, TITLE: CAST: A Correlation-based Adaptive Spectral Clustering Algorithm on Multi-scale Data
http://arxiv.org/abs/2006.04435
AUTHORS: Xiang Li ; Ben Kao ; Caihua Shan ; Dawei Yin ; Martin Ester
HIGHLIGHT: We propose the algorithm CAST that applies trace Lasso to regularize the coefficient matrix.
105, TITLE: Training Deep Spiking Neural Networks
http://arxiv.org/abs/2006.04436
AUTHORS: Eimantas Ledinauskas ; Julius Ruseckas ; Alfonsas Juršėnas ; Giedrius Buračas
HIGHLIGHT: In this work we directly train deep SNNs using backpropagation with surrogate gradient and find that due to implicitly recurrent nature of feed forward SNN's the exploding or vanishing gradient problem severely hinders their training.
106, TITLE: Visual Prediction of Priors for Articulated Object Interaction
http://arxiv.org/abs/2006.03979
AUTHORS: Caris Moses ; Michael Noseworthy ; Leslie Pack Kaelbling ; Tomás Lozano-Pérez ; Nicholas Roy
COMMENTS: IEEE International Conference on Robotics and Automation (ICRA) 2020
HIGHLIGHT: We develop a method, Contextual Prior Prediction, which provides a means of transferring knowledge between interactions in similar domains through vision.
107, TITLE: Generative Adversarial Phonology: Modeling unsupervised phonetic and phonological learning with neural networks
http://arxiv.org/abs/2006.03965
AUTHORS: Gašper Beguš
COMMENTS: Provisionally accepted in Frontiers in Artificial Intelligence
HIGHLIGHT: The paper proposes a technique for establishing the network's internal representations that identifies latent variables that correspond to, for example, presence of [s] and its spectral properties.
108, TITLE: Detecting Emergent Intersectional Biases: Contextualized Word Embeddings Contain a Distribution of Human-like Biases
http://arxiv.org/abs/2006.03955
AUTHORS: Wei Guo ; Aylin Caliskan
COMMENTS: 11 pages, 1 figure, 1 table
HIGHLIGHT: We propose a new comprehensive method, Contextualized Embedding Association Test (CEAT), based on the distribution of 10,000 pooled effect magnitudes of bias in embedding variations and a random-effects model, dispensing with templates.
109, TITLE: ValNorm: A New Word Embedding Intrinsic Evaluation Method Reveals Valence Biases are Consistent Across Languages and Over Decades
http://arxiv.org/abs/2006.03950
AUTHORS: Autumn Toney ; Aylin Caliskan
COMMENTS: 11 pages, 3 figures, 5 tables
HIGHLIGHT: By extending methods that quantify human-like biases in word embeddings, we introduce ValNorm, a new word embedding intrinsic evaluation task, and the first unsupervised method that estimates the affective meaning of valence in words with high accuracy.
110, TITLE: Self-Supervised Dynamic Networks for Covariate Shift Robustness
http://arxiv.org/abs/2006.03952
AUTHORS: Tomer Cohen ; Noy Shulman ; Hai Morgenstern ; Roey Mechrez ; Erez Farhan
HIGHLIGHT: In this work, we propose Self-Supervised Dynamic Networks (SSDN): an input-dependent mechanism, inspired by dynamic networks, that allows a self-supervised network to predict the weights of the main network, and thus directly handle covariate shifts at test-time.
111, TITLE: The Convergence Indicator: Improved and completely characterized parameter bounds for actual convergence of Particle Swarm Optimization
http://arxiv.org/abs/2006.03944
AUTHORS: Bernd Bassimir ; Alexander Raß ; Rolf Wanka
HIGHLIGHT: In this paper we focus on the convergence of the particle swarm, i.e., the exploitation phase of the algorithm.
112, TITLE: An Efficient $k$-modes Algorithm for Clustering Categorical Datasets
http://arxiv.org/abs/2006.03936
AUTHORS: Karin S. Dorman ; Ranjan Maitra
COMMENTS: 28 pages, 16 figures, 5 tables
HIGHLIGHT: We provide a fast and computationally efficient implementation of $k$-modes, OTQT, and prove that it can find superior clusterings to existing algorithms.
113, TITLE: Robust watermarking with double detector-discriminator approach
http://arxiv.org/abs/2006.03921
AUTHORS: Marcin Plata ; Piotr Syga
HIGHLIGHT: In this paper we present a novel deep framework for a watermarking - a technique of embedding a transparent message into an image in a way that allows retrieving the message from a (perturbed) copy, so that copyright infringement can be tracked.
114, TITLE: Self-supervising Fine-grained Region Similarities for Large-scale Image Localization
http://arxiv.org/abs/2006.03926
AUTHORS: Yixiao Ge ; Haibo Wang ; Feng Zhu ; Rui Zhao ; Hongsheng Li
HIGHLIGHT: To tackle this challenge, we propose to self-supervise image-to-region similarities in order to fully explore the potential of difficult positive images alongside their sub-regions.
115, TITLE: A Robust Attentional Framework for License Plate Recognition in the Wild
http://arxiv.org/abs/2006.03919
AUTHORS: Linjiang Zhang ; Peng Wang ; Hui Li ; Zhen Li ; Chunhua Shen ; Yanning Zhang
HIGHLIGHT: In this work, we propose a robust framework for license plate recognition in the wild. Moreover, we released a new license plate dataset, named "CLPD", with 1200 images from all 31 provinces in mainland China.
116, TITLE: Bitcoin covenants unchained
http://arxiv.org/abs/2006.03918
AUTHORS: Massimo Bartoletti ; Stefano Lande ; Roberto Zunino
HIGHLIGHT: In this paper we propose a formal model of covenants, which can be implemented with minor modifications to Bitcoin.
117, TITLE: Complexity for deep neural networks and other characteristics of deep feature representations
http://arxiv.org/abs/2006.04791
AUTHORS: Romuald A. Janik ; Przemek Witaszczyk
COMMENTS: 8 pages + 6 supplementary pages, 7+7 figures
HIGHLIGHT: We define a notion of complexity, motivated by considerations of circuit complexity, which quantifies the nonlinearity of the computation of a neural network, as well as a complementary measure of the effective dimension of feature representations.
118, TITLE: Are We Hungry for 3D LiDAR Data for Semantic Segmentation?
http://arxiv.org/abs/2006.04307
AUTHORS: Biao Gao ; Yancheng Pan ; Chengkun Li ; Sibo Geng ; Huijing Zhao
COMMENTS: 26 pages, 18 figures
HIGHLIGHT: This survey aims to explore whether and how we are hungry for 3D LiDAR data for semantic segmentation.
119, TITLE: Text Detection and Recognition in the Wild: A Review
http://arxiv.org/abs/2006.04305
AUTHORS: Zobeir Raisi ; Mohamed A. Naiel ; Paul Fieguth ; Steven Wardell ; John Zelek
HIGHLIGHT: Thus, unlike previous surveys in this field, the objectives of this survey are as follows: first, offering the reader not only a review on the recent advancement in scene text detection and recognition, but also presenting the results of conducting extensive experiments using a unified evaluation framework that assesses pre-trained models of the selected methods on challenging cases, and applies the same evaluation criteria on these techniques.
120, TITLE: What's the Difference Between Professional Human and Machine Translation? A Blind Multi-language Study on Domain-specific MT
http://arxiv.org/abs/2006.04781
AUTHORS: Lukas Fischer ; Samuel Läubli
COMMENTS: EAMT 2020 (Research Track)
HIGHLIGHT: We find that the post-editing effort for MT segments is only higher in two out of three language pairs, and that the number of segments with wrong terminology, omissions, and typographical problems is similar in HT.
121, TITLE: Fair Classification with Noisy Protected Attributes
http://arxiv.org/abs/2006.04778
AUTHORS: L. Elisa Celis ; Lingxiao Huang ; Nisheeth K. Vishnoi
HIGHLIGHT: We propose a ``denoised'' fair optimization formulation that can incorporate very general fairness goals via a set of constraints, mitigates the effects of such noise perturbations, and comes with provable guarantees.
122, TITLE: An Astrocyte-Modulated Neuromorphic Central Pattern Generator for Hexapod Robot Locomotion on Intel's Loihi
http://arxiv.org/abs/2006.04765
AUTHORS: Ioannis Polykretis ; Konstantinos P. Michmizos
COMMENTS: 8 pages, 7 figures, International Conference on Neuromorphic Systems (ICONS) 2020
HIGHLIGHT: Here, we propose a brain-morphic CPG controler based on a comprehensive spiking neural-astrocytic network that generates two gait patterns for a hexapod robot.
123, TITLE: Motion Prediction using Trajectory Sets and Self-Driving Domain Knowledge
http://arxiv.org/abs/2006.04767
AUTHORS: Freddy A. Boulton ; Elena Corina Grigore ; Eric M. Wolff
HIGHLIGHT: Our final contribution is a detailed comparison of classification and ordinal regression on two public self-driving datasets.
124, TITLE: A Heuristically Self-Organised Linguistic Attribute Deep Learning in Edge Computing For IoT Intelligence
http://arxiv.org/abs/2006.04766
AUTHORS: Hongmei He ; Zhenhuan Zhu
HIGHLIGHT: In this paper, we propose a heuristic approach to constructing an LAH, embedded with LDTs for decision making or classification by utilising the distance correlations between attributes and between attributes and the goal variable.
125, TITLE: Outlier Detection Using a Novel method: Quantum Clustering
http://arxiv.org/abs/2006.04760
AUTHORS: Ding Liu ; Hui Li
COMMENTS: 9 pages, 18 figures
HIGHLIGHT: We propose a new assumption in outlier detection: Normal data instances are commonly located in the area that there is hardly any fluctuation on data density, while outliers are often appeared in the area that there is violent fluctuation on data density.
126, TITLE: Language Modeling for Formal Mathematics
http://arxiv.org/abs/2006.04757
AUTHORS: Markus N. Rabe ; Dennis Lee ; Kshitij Bansal ; Christian Szegedy
HIGHLIGHT: To train language models for formal mathematics, we propose a novel skip-tree task, which outperforms standard language modeling tasks on our reasoning benchmarks.
127, TITLE: Approximate learning of high dimensional Bayesian network structures via pruning of Candidate Parent Sets
http://arxiv.org/abs/2006.04753
AUTHORS: Zhigao Guo ; Anthony C. Constantinou
HIGHLIGHT: Score-based algorithms that learn Bayesian Network (BN) structures provide solutions ranging from different levels of approximate learning to exact learning.
128, TITLE: The Golden Ratio of Learning and Momentum
http://arxiv.org/abs/2006.04751
AUTHORS: Stefan Jaeger
COMMENTS: 10 pages, 3 figures, under review
HIGHLIGHT: This paper proposes a new information-theoretical loss function motivated by neural signal processing in a synapse.
129, TITLE: The Criminality From Face Illusion
http://arxiv.org/abs/2006.03895
AUTHORS: Kevin W. Bowyer ; Michael King ; Walter Scheirer
HIGHLIGHT: Predicting criminality from face may initially seem similar to other facial analytics, but we argue that attempts to create a criminality-from-face algorithm are necessarily doomed to fail, that apparently promising experimental results in recent publications are an illusion resulting from inadequate experimental design, and that there is potentially a large social cost to belief in the criminality from face illusion.
130, TITLE: Ensemble Network for Ranking Images Based on Visual Appeal
http://arxiv.org/abs/2006.03898
AUTHORS: Sachin Singh ; Victor Sanchez ; Tanaya Guha
HIGHLIGHT: We propose a computational framework for ranking images (group photos in particular) taken at the same event within a short time span. Owing to the unavailability of suitable databases, we created a new database of manually annotated group photos taken during various social events.
131, TITLE: Unsupervised Transfer Learning with Self-Supervised Remedy
http://arxiv.org/abs/2006.04737
AUTHORS: Jiabo Huang ; Shaogang Gong
HIGHLIGHT: In this work, we address this problem by transfer clustering that aims to learn a discriminative latent space of the unlabelled target data in a novel domain by knowledge transfer from labelled related domains.
132, TITLE: Reinforcement Learning Under Moral Uncertainty
http://arxiv.org/abs/2006.04734
AUTHORS: Adrien Ecoffet ; Joel Lehman
COMMENTS: 33 pages, 17 figures
HIGHLIGHT: Inspired by such work, this paper proposes a formalism that translates such insights to the field of reinforcement learning.
133, TITLE: Biomechanics-informed Neural Networks for Myocardial Motion Tracking in MRI
http://arxiv.org/abs/2006.04725
AUTHORS: Chen Qin ; Shuo Wang ; Chen Chen ; Huaqi Qiu ; Wenjia Bai ; Daniel Rueckert
COMMENTS: The paper is early accepted to MICCAI 2020
HIGHLIGHT: In contrast to most of the current approaches which impose explicit regularisation terms such as smoothness, in this paper we propose a novel method that can implicitly learn biomechanics-informed regularisation.
134, TITLE: Scalene: Scripting-Language Aware Profiling for Python
http://arxiv.org/abs/2006.03879
AUTHORS: Emery D. Berger
HIGHLIGHT: This paper introduces scripting-language aware profiling, and presents Scalene, an implementation of scripting-language aware profiling for Python.
135, TITLE: Modeling Discourse Structure for Document-level Neural Machine Translation
http://arxiv.org/abs/2006.04721
AUTHORS: Junxuan Chen ; Xiang Li ; Jiarui Zhang ; Chulun Zhou ; Jianwei Cui ; Bin Wang ; Jinsong Su
HIGHLIGHT: In this paper, we propose to improve document-level NMT with the aid of discourse structure information.
136, TITLE: ARID: A New Dataset for Recognizing Action in the Dark
http://arxiv.org/abs/2006.03876
AUTHORS: Yuecong Xu ; Jianfei Yang ; Haozhi Cao ; Kezhi Mao ; Jianxiong Yin ; Simon See
COMMENTS: 6 pages, 7 figures
HIGHLIGHT: In this paper, we explored the task of action recognition in dark videos.
137, TITLE: Towards large-scale, automated, accurate detection of CCTV camera objects using computer vision. Applications and implications for privacy, safety, and cybersecurity. (Preprint)
http://arxiv.org/abs/2006.03870
AUTHORS: Hannu Turtiainen ; Andrei Costin ; Timo Hamalainen ; Tuomo Lahtinen
HIGHLIGHT: To close this gap, with this paper we introduce the first and only computer vision MS COCO-compatible models that are able to accurately detect CCTV and video surveillance cameras in images and video frames.
138, TITLE: A Cross-Task Analysis of Text Span Representations
http://arxiv.org/abs/2006.03866
AUTHORS: Shubham Toshniwal ; Haoyue Shi ; Bowen Shi ; Lingyu Gao ; Karen Livescu ; Kevin Gimpel
COMMENTS: RepL4NLP 2020
HIGHLIGHT: In this paper, we conduct a comprehensive empirical evaluation of six span representation methods using eight pretrained language representation models across six tasks, including two tasks that we introduce.
139, TITLE: Energy Constraints Improve Liquid State Machine Performance
http://arxiv.org/abs/2006.04716
AUTHORS: Andrew Fountain ; Cory Merkel
COMMENTS: 8 pages, 5 figures. Submitted to ICONS 2020
HIGHLIGHT: A model of metabolic energy constraints is applied to a liquid state machine in order to analyze its effects on network performance.
140, TITLE: ResKD: Residual-Guided Knowledge Distillation
http://arxiv.org/abs/2006.04719
AUTHORS: Xuewei Li ; Songyuan Li ; Bourahla Omar ; Xi Li
HIGHLIGHT: In this paper, we see knowledge distillation in a fresh light, using the knowledge gap between a teacher and a student as guidance to train a lighter-weight student called res-student.
141, TITLE: Cross-Domain Segmentation with Adversarial Loss and Covariate Shift for Biomedical Imaging
http://arxiv.org/abs/2006.04390
AUTHORS: Bora Baydar ; Savas Ozkan ; A. Emre Kavur ; N. Sinem Gezer ; M. Alper Selver ; Gozde Bozdagi Akar
HIGHLIGHT: For this purpose, this manuscript aims to implement a novel model that can learn robust representations from cross-domain data by encapsulating distinct and shared patterns from different modalities.
142, TITLE: Learning the Compositional Visual Coherence for Complementary Recommendations
http://arxiv.org/abs/2006.04380
AUTHORS: Zhi Li ; Bo Wu ; Qi Liu ; Likang Wu ; Hongke Zhao ; Tao Mei
COMMENTS: Early version accepted by IJCAI2020
HIGHLIGHT: Towards this end, in this paper, we propose a novel Content Attentive Neural Network (CANN) to model the comprehensive compositional coherence on both global contents and semantic contents.
143, TITLE: An ASP approach for reasoning in a concept-aware multipreferential lightweight DL
http://arxiv.org/abs/2006.04387
AUTHORS: Laura Giordano ; Daniele Theseider Dupré
COMMENTS: 23 pages
HIGHLIGHT: In this paper we develop a concept aware multi-preferential semantics for dealing with typicality in description logics, where preferences are associated with concepts, starting from a collection of ranked TBoxes containing defeasible concept inclusions.
144, TITLE: Generalized Focal Loss: Learning Qualified and Distributed Bounding Boxes for Dense Object Detection
http://arxiv.org/abs/2006.04388
AUTHORS: Xiang Li ; Wenhai Wang ; Lijun Wu ; Shuo Chen ; Xiaolin Hu ; Jun Li ; Jinhui Tang ; Jian Yang
COMMENTS: 14 pages, 14 figures
HIGHLIGHT: To address the problems, we design new representations for these elements.
145, TITLE: Speaker Diarization as a Fully Online Learning Problem in MiniVox
http://arxiv.org/abs/2006.04376
AUTHORS: Baihan Lin ; Xinxin Zhang
HIGHLIGHT: We proposed a novel AI framework to conduct real-time multi-speaker diarization and recognition without prior registration and pretraining in a fully online learning setting. First, we proposed a new benchmark to evaluate the rarely studied fully online speaker diarization problem.
146, TITLE: Semantics-Driven Unsupervised Learning for Monocular Depth and Ego-Motion Estimation
http://arxiv.org/abs/2006.04371
AUTHORS: Xiaobin Wei ; Jianjiang Feng ; Jie Zhou
HIGHLIGHT: We propose a semantics-driven unsupervised learning approach for monocular depth and ego-motion estimation from videos in this paper.
147, TITLE: Photoacoustic Microscopy with Sparse Data Enabled by Convolutional Neural Networks for Fast Imaging
http://arxiv.org/abs/2006.04368
AUTHORS: Jiasheng Zhou ; Da He ; Xiaoyu Shang ; Zhendong Guo ; Sung-liang Chen ; Jiajia Luo
COMMENTS: 13 pages (including 2 pages of supplementary materials)
HIGHLIGHT: In this work, we propose a method using convolutional neural networks (CNNs) to improve the quality of sparse PAM images, thereby speeding up image acquisition while keeping good image quality.
148, TITLE: Hallucinating Value: A Pitfall of Dyna-style Planning with Imperfect Environment Models
http://arxiv.org/abs/2006.04363
AUTHORS: Taher Jafferjee ; Ehsan Imani ; Erin Talvitie ; Martha White ; Micheal Bowling
COMMENTS: 9 pages, 7 figures,
HIGHLIGHT: In this paper, we investigate one type of model error: hallucinated states.
149, TITLE: Neural Sparse Representation for Image Restoration
http://arxiv.org/abs/2006.04357
AUTHORS: Yuchen Fan ; Jiahui Yu ; Yiqun Mei ; Yulun Zhang ; Yun Fu ; Ding Liu ; Thomas S. Huang
HIGHLIGHT: Inspired by the robustness and efficiency of sparse representation in sparse coding based image restoration models, we investigate the sparsity of neurons in deep networks.
150, TITLE: Associate-3Ddet: Perceptual-to-Conceptual Association for 3D Point Cloud Object Detection
http://arxiv.org/abs/2006.04356
AUTHORS: Liang Du ; Xiaoqing Ye ; Xiao Tan ; Jianfeng Feng ; Zhenbo Xu ; Errui Ding ; Shilei Wen
COMMENTS: 8 pages, 5 figures, CVPR 2020
HIGHLIGHT: In this paper, we innovatively propose a domain adaptation like approach to enhance the robustness of the feature representation.
151, TITLE: Deep Neural Network Based Real-time Kiwi Fruit Flower Detection in an Orchard Environment
http://arxiv.org/abs/2006.04343
AUTHORS: JongYoon Lim ; Ho Seok Ahn ; Mahla Nejati ; Jamie Bell ; Henry Williams ; Bruce A. MacDonald
COMMENTS: ACRA(Australian Robotics and Automation Association) 2019
HIGHLIGHT: In this paper, we present a novel approach to kiwi fruit flower detection using Deep Neural Networks (DNNs) to build an accurate, fast, and robust autonomous pollination robot system.
152, TITLE: Fast Synthetic LiDAR Rendering via Spherical UV Unwrapping of Equirectangular Z-Buffer Images
http://arxiv.org/abs/2006.04345
AUTHORS: Mohammed Hossny ; Khaled Saleh ; Mohammed Attia ; Ahmed Abobakr ; Julie Iskander
COMMENTS: 8 pages and 6 figures. Copyright 2020. This manuscript version is made available under the CC-BY-NC-ND 4.0 license http://creativecommons.org/licenses/by- nc-nd/4.0/
HIGHLIGHT: In this paper, we present a novel method to simulate LiDAR point cloud with faster rendering time of 1 sec per frame.
153, TITLE: PSPACE-completeness of Pulling Blocks to Reach a Goal
http://arxiv.org/abs/2006.04337
AUTHORS: Joshua Ani ; Sualeh Asif ; Erik D. Demaine ; Yevhenii Diomidov ; Dylan Hendrickson ; Jayson Lynch ; Sarah Scheffler ; Adam Suhl
COMMENTS: Full version of JCDCGGG2019 paper, 22 pages, 25 figures
HIGHLIGHT: We prove PSPACE-completeness of all but one problem in a large space of pulling-block problems where the goal is for the agent to reach a target destination.
154, TITLE: Randomized Policy Learning for Continuous State and Action MDPs
http://arxiv.org/abs/2006.04331
AUTHORS: Hiteshi Sharma ; Rahul Jain
HIGHLIGHT: We present \texttt{RANDPOL}, a generalized policy iteration algorithm for MDPs with continuous state and action spaces.
155, TITLE: Characterizing Sociolinguistic Variation in the Competing Vaccination Communities
http://arxiv.org/abs/2006.04334
AUTHORS: Shahan Ali Memon ; Aman Tyagi ; David R. Mortensen ; Kathleen M. Carley
COMMENTS: 11 pages, 4 tables, 1 figure, 1 algorithm, accepted to SBP-BRiMS 2020 -- International Conference on Social Computing, Behavioral-Cultural Modeling & Prediction and Behavior Representation in Modeling and Simulation
HIGHLIGHT: Hence, in this paper, we conduct a sociolinguistic analysis of the two competing vaccination communities on Twitter: "pro-vaxxers" or individuals who believe in the effectiveness of vaccinations, and "anti-vaxxers" or individuals who are opposed to vaccinations.
156, TITLE: Fully Convolutional Mesh Autoencoder using Efficient Spatially Varying Kernels
http://arxiv.org/abs/2006.04325
AUTHORS: Yi Zhou ; Chenglei Wu ; Zimo Li ; Chen Cao ; Yuting Ye ; Jason Saragih ; Hao Li ; Yaser Sheikh
COMMENTS: 12 pages
HIGHLIGHT: In this paper, we propose a non-template-specific fully convolutional mesh autoencoder for arbitrary registered mesh data.
157, TITLE: Toward Scalable Algorithms for the Unsplittable Shortest Path Routing Problem
http://arxiv.org/abs/2006.04324
AUTHORS: Amal Benhamiche ; Morgan Chopin
HIGHLIGHT: In this paper, we consider the Delay Constrained Unsplittable Shortest Path Routing problem which arises in the field of traffic engineering for IP networks.
158, TITLE: Ensemble Model with Batch Spectral Regularization and Data Blending for Cross-Domain Few-Shot Learning with Unlabeled Data
http://arxiv.org/abs/2006.04323
AUTHORS: Zhen Zhao ; Bingyu Liu ; Yuhong Guo ; Jieping Ye
HIGHLIGHT: We propose an Ensemble Model with Batch Spectral Regularization and Data Blending for the Track 2 of the CD-FSL challenge.
159, TITLE: Counterfactual VQA: A Cause-Effect Look at Language Bias
http://arxiv.org/abs/2006.04315
AUTHORS: Yulei Niu ; Kaihua Tang ; Hanwang Zhang ; Zhiwu Lu ; Xian-Sheng Hua ; Ji-Rong Wen
HIGHLIGHT: In this paper, we propose a novel cause-effect look at the language bias, where the bias is formulated as the direct effect of question on answer from the view of causal inference.
160, TITLE: Multi-step Estimation for Gradient-based Meta-learning
http://arxiv.org/abs/2006.04298
AUTHORS: Jin-Hwa Kim ; Junyoung Park ; Yongseok Choi
COMMENTS: 17 pages, 5 figures
HIGHLIGHT: To tackle this issue, we propose a simple yet straightforward method to reduce the cost by reusing the same gradient in a window of inner steps.
161, TITLE: On the Maximum Cardinality Cut Problem in Proper Interval Graphs and Related Graph Classes
http://arxiv.org/abs/2006.03856
AUTHORS: Arman Boyacı ; Tınaz Ekim ; Mordechai Shalom
HIGHLIGHT: In this paper, we give FPT algorithms for the maximum cardinality cut problem in classes of graphs containing proper interval graphs and mixed unit interval graphs when parameterized by some new parameters that we introduce.
162, TITLE: CycleGT: Unsupervised Graph-to-Text and Text-to-Graph Generation via Cycle Training
http://arxiv.org/abs/2006.04702
AUTHORS: Qipeng Guo ; Zhijing Jin ; Xipeng Qiu ; Weinan Zhang ; David Wipf ; Zheng Zhang
COMMENTS: Submitted to NeurIPS 2020
HIGHLIGHT: We present CycleGT, an unsupervised training framework that can bootstrap from fully non-parallel graph and text datasets, iteratively back translate between the two forms, and use a novel pretraining strategy.
163, TITLE: Instance segmentation of buildings using keypoints
http://arxiv.org/abs/2006.03858
AUTHORS: Qingyu Li ; Lichao Mou ; Yuansheng Hua ; Yao Sun ; Pu Jin ; Yilei Shi ; Xiao Xiang Zhu
HIGHLIGHT: In this paper, we propose a novel instance segmentation network for building segmentation in high-resolution remote sensing images.
164, TITLE: EPARS: Early Prediction of At-risk Students with Online and Offline Learning Behaviors
http://arxiv.org/abs/2006.03857
AUTHORS: Yu Yang ; Zhiyuan Wen ; Jiannong Cao ; Jiaxing Shen ; Hongzhi Yin ; Xiaofang Zhou
COMMENTS: To be published in DASFAA 2020
HIGHLIGHT: We propose a novel algorithm (EPARS) that could early predict STAR in a semester by modeling online and offline learning behaviors.
165, TITLE: Multimodal Future Localization and Emergence Prediction for Objects in Egocentric View with a Reachability Prior
http://arxiv.org/abs/2006.04700
AUTHORS: Osama Makansi ; Özgün Cicek ; Kevin Buchicchio ; Thomas Brox
COMMENTS: In CVPR 2020
HIGHLIGHT: In this paper, we investigate the problem of anticipating future dynamics, particularly the future location of other vehicles and pedestrians, in the view of a moving vehicle.
166, TITLE: Principles to Practices for Responsible AI: Closing the Gap
http://arxiv.org/abs/2006.04707
AUTHORS: Daniel Schiff ; Bogdana Rakova ; Aladdin Ayesh ; Anat Fanti ; Michael Lennon
COMMENTS: Preprint draft. A version has been submitted to the 2020 European Conference on AI (ECAI) Workshop on "ADVANCING TOWARDS THE SDGs: ARTIFICIAL INTELLIGENCE FOR A FAIR, JUST AND EQUITABLE WORLD (AI4EQ)"
HIGHLIGHT: This paper reviews the principles-to-practices gap.
167, TITLE: Building a Heterogeneous, Large Scale Morphable Face Model
http://arxiv.org/abs/2006.03840
AUTHORS: Claudio Ferrari ; Stefano Berretti ; Pietro Pala ; Alberto Del Bimbo
HIGHLIGHT: In this manuscript, we present an approach that leverages a 3DMM to transfer its dense semantic annotation across a large set of heterogeneous 3D faces, establishing a dense correspondence between them.
168, TITLE: Scaling Equilibrium Propagation to Deep ConvNets by Drastically Reducing its Gradient Estimator Bias
http://arxiv.org/abs/2006.03824
AUTHORS: Axel Laborieux ; Maxence Ernoult ; Benjamin Scellier ; Yoshua Bengio ; Julie Grollier ; Damien Querlioz
HIGHLIGHT: In this work, we show that a bias in the gradient estimate of EP, inherent in the use of finite nudging, is responsible for this phenomenon and that cancelling it allows training deep ConvNets by EP.
169, TITLE: 3D Self-Supervised Methods for Medical Imaging
http://arxiv.org/abs/2006.03829
AUTHORS: Aiham Taleb ; Winfried Loetzsch ; Noel Danz ; Julius Severin ; Thomas Gaertner ; Benjamin Bergner ; Christoph Lippert
COMMENTS: Submitted to NeurIPS 2020
HIGHLIGHT: In this work, we leverage these techniques, and we propose 3D versions for five different self-supervised methods, in the form of proxy tasks.
170, TITLE: An Empirical Analysis of the Impact of Data Augmentation on Knowledge Distillation
http://arxiv.org/abs/2006.03810
AUTHORS: Deepan Das ; Haley Massa ; Abhimanyu Kulkarni ; Theodoros Rekatsinas
HIGHLIGHT: In this work, we attempt to empirically analyse the impact of such augmentation strategies on the transfer of generalization between teacher and student models in a distillation setup.
171, TITLE: UCLID-Net: Single View Reconstruction in Object Space
http://arxiv.org/abs/2006.03817
AUTHORS: Benoit Guillard ; Edoardo Remelli ; Pascal Fua
HIGHLIGHT: In this paper, we show that building a geometry preserving 3-dimensional latent space helps the network concurrently learn global shape regularities and local reasoning in the object coordinate space and, as a result, boosts performance.
172, TITLE: Extracting Cellular Location of Human Proteins Using Deep Learning
http://arxiv.org/abs/2006.03800
AUTHORS: Hanke Chen
COMMENTS: 5 page, 10 figures
HIGHLIGHT: To resolve this problem, we attempted to create an automatic image classifier using Machine Learning to locate human proteins with higher speed and accuracy than human beings.
173, TITLE: Link Prediction for Temporally Consistent Networks
http://arxiv.org/abs/2006.03804
AUTHORS: Mohamoud Ali ; Yugyung Lee ; Praveen Rao
HIGHLIGHT: We propose a time-parameterized matrix (TP-matrix) and empirically demonstrate its effectiveness in non-bipartite, heterogeneous networks.
174, TITLE: POLY-HOOT: Monte-Carlo Planning in Continuous Space MDPs with Non-Asymptotic Analysis
http://arxiv.org/abs/2006.04672
AUTHORS: Weichao Mao ; Kaiqing Zhang ; Qiaomin Xie ; Tamer Başar
HIGHLIGHT: In this paper, we consider Monte-Carlo planning in an environment with continuous state-action spaces, a much less understood problem with important applications in control and robotics.
175, TITLE: Misinformation has High Perplexity
http://arxiv.org/abs/2006.04666
AUTHORS: Nayeon Lee ; Yejin Bang ; Andrea Madotto ; Pascale Fung
HIGHLIGHT: In this paper, we postulate that misinformation itself has higher perplexity compared to truthful statements, and propose to leverage the perplexity to debunk false claims in an unsupervised manner. We construct two new COVID-19-related test sets, one is scientific, and another is political in content, and empirically verify that our system performs favorably compared to existing systems. We are releasing these datasets publicly to encourage more research in debunking misinformation on COVID-19 and other topics.
176, TITLE: MultiSpeech: Multi-Speaker Text to Speech with Transformer
http://arxiv.org/abs/2006.04664
AUTHORS: Mingjian Chen ; Xu Tan ; Yi Ren ; Jin Xu ; Hao Sun ; Sheng Zhao ; Tao Qin
HIGHLIGHT: In this paper, we develop a robust and high-quality multi-speaker Transformer TTS system called MultiSpeech, with several specially designed components/techniques to improve text-to-speech alignment: 1) a diagonal constraint on the weight matrix of encoder-decoder attention in both training and inference; 2) layer normalization on phoneme embedding in encoder to better preserve position information; 3) a bottleneck in decoder pre-net to prevent copy between consecutive speech frames.
177, TITLE: Runtime Analysis of Evolutionary Algorithms via Symmetry Arguments
http://arxiv.org/abs/2006.04663
AUTHORS: Benjamin Doerr
HIGHLIGHT: We use an elementary argument building on group actions to prove that the selection-free steady state genetic algorithm analyzed by Sutton and Witt (GECCO 2019) takes an expected number of $\Omega(2^n / \sqrt n)$ iterations to find any particular target search point, regardless of the population size $\mu$.
178, TITLE: Read what you need: Controllable Aspect-based Opinion Summarization of Tourist Reviews
http://arxiv.org/abs/2006.04660
AUTHORS: Rajdeep Mukherjee ; Hari Chandana Peruri ; Uppada Vishnu ; Pawan Goyal ; Sourangshu Bhattacharya ; Niloy Ganguly
COMMENTS: 4 pages, accepted in the Proceedings of the 43rd International ACM SIGIR Conference on Research and Development in Information Retrieval (SIGIR), 2020
HIGHLIGHT: In this work, we argue the need and propose a solution for generating personalized aspect-based opinion summaries from large collections of online tourist reviews.
179, TITLE: Semantic Graph-enhanced Visual Network for Zero-shot Learning
http://arxiv.org/abs/2006.04648
AUTHORS: Yang Hu ; Guihua Wen ; Adriane Chapman ; Pei Yang ; Mingnan Luo ; Yingxue Xu ; Dan Dai ; Wendy Hall
COMMENTS: 15 pages, 8 figures
HIGHLIGHT: In response to this, we propose the Graph-based Visual-Semantic Entanglement Network to conduct graph modeling of visual features, which is mapped to semantic attributes by using a knowledge graph, it contains several novel designs: 1.
180, TITLE: Neural Architecture Search without Training
http://arxiv.org/abs/2006.04647
AUTHORS: Joseph Mellor ; Jack Turner ; Amos Storkey ; Elliot J. Crowley
HIGHLIGHT: In this work, we examine how the linear maps induced by data points correlate for untrained network architectures in the NAS-Bench-201 search space, and motivate how this can be used to give a measure of modelling flexibility which is highly indicative of a network's trained performance.
181, TITLE: ColdGANs: Taming Language GANs with Cautious Sampling Strategies
http://arxiv.org/abs/2006.04643
AUTHORS: Thomas Scialom ; Paul-Alexis Dray ; Sylvain Lamprier ; Benjamin Piwowarski ; Jacopo Staiano
HIGHLIGHT: We propose to consider alternative exploration strategies in a GAN framework that we name ColdGANs, where we force the sampling to be close to the distribution modes to get smoother learning dynamics.
182, TITLE: Deep Mining External Imperfect Data for Chest X-ray Disease Screening
http://arxiv.org/abs/2006.03796
AUTHORS: Luyang Luo ; Lequan Yu ; Hao Chen ; Quande Liu ; Xi Wang ; Jiaqi Xu ; Pheng-Ann Heng
COMMENTS: Accepted to IEEE Transactions on Medical Imaging
HIGHLIGHT: In this paper, we argue that incorporating an external CXR dataset leads to imperfect training data, which raises the challenges.
183, TITLE: Multi-Task Temporal Shift Attention Networks for On-Device Contactless Vitals Measurement
http://arxiv.org/abs/2006.03790
AUTHORS: Xin Liu ; Josh Fromm ; Shwetak Patel ; Daniel McDuff
COMMENTS: preprint