-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy path2020.07.21.txt
2276 lines (1875 loc) · 174 KB
/
2020.07.21.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: Jupyter Notebooks on GitHub: Characteristics and Code Clones
http://arxiv.org/abs/2007.10146
AUTHORS: Malin Källén ; Ulf Sigvardsson ; Tobias Wrigstad
HIGHLIGHT: In this paper we present the first large-scale study of code cloning in Jupyter notebooks.
2, TITLE: Wavelet Channel Attention Module with a Fusion Network for Single Image Deraining
http://arxiv.org/abs/2007.09163
AUTHORS: Hao-Hsiang Yang ; Chao-Han Huck Yang ; Yu-Chiang Frank Wang
COMMENTS: Accepted to IEEE ICIP 2020
HIGHLIGHT: In this paper, we propose the new convolutional neural network (CNN) called the wavelet channel attention module with a fusion network.
3, TITLE: Improving Object Detection with Selective Self-supervised Self-training
http://arxiv.org/abs/2007.09162
AUTHORS: Yandong Li ; Di Huang ; Danfeng Qin ; Liqiang Wang ; Boqing Gong
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: To tackle this challenge, we propose a selective net to rectify the supervision signals in Web images.
4, TITLE: A Macro-Micro Weakly-supervised Framework for AS-OCT Tissue Segmentation
http://arxiv.org/abs/2007.10007
AUTHORS: Munan Ning ; Cheng Bian ; Donghuan Lu ; Hong-Yu Zhou ; Shuang Yu ; Chenglang Yuan ; Yang Guo ; Yaohua Wang ; Kai Ma ; Yefeng Zheng
COMMENTS: MICCAI 2020
HIGHLIGHT: In this paper, we propose a novel framework to segment the target tissues accurately for the AS-OCT images, by using the combination of weakly-annotated images (majority) and fully-annotated images (minority).
5, TITLE: Deep Hough-Transform Line Priors
http://arxiv.org/abs/2007.09493
AUTHORS: Yancong Lin ; Silvia L. Pintea ; Jan C. van Gemert
COMMENTS: ECCV 2020, code online: https://github.com/yanconglin/Deep-Hough-Transform-Line-Priors
HIGHLIGHT: Here, we reduce the dependency on labeled data by building on the classic knowledge-based priors while using deep networks to learn features.
6, TITLE: On the Comparison of Classic and Deep Keypoint Detector and Descriptor Methods
http://arxiv.org/abs/2007.10000
AUTHORS: Kristijan Bartol ; David Bojanić ; Tomislav Pribanić ; Tomislav Petković ; Yago Diez Donoso ; Joaquim Salvi Mas
HIGHLIGHT: The purpose of this study is to give a performance comparison between several classic hand-crafted and deep key-point detector and descriptor methods.
7, TITLE: A novel approach to sentiment analysis in Persian using discourse and external semantic information
http://arxiv.org/abs/2007.09495
AUTHORS: Rahim Dehkharghani ; Hojjat Emami
COMMENTS: 15 pages
HIGHLIGHT: The proposed approach in this paper is two-fold: The first one is based on classifier combination, and the second one is based on deep neural networks which benefits from word embedding vectors.
8, TITLE: Deep Image Clustering with Category-Style Representation
http://arxiv.org/abs/2007.10004
AUTHORS: Junjie Zhao ; Donghuan Lu ; Kai Ma ; Yu Zhang ; Yefeng Zheng
COMMENTS: Accepted at ECCV 2020. Project address: https://github.com/sKamiJ/DCCS
HIGHLIGHT: In this paper, we propose a novel deep image clustering framework to learn a category-style latent representation in which the category information is disentangled from image style and can be directly used as the cluster assignment.
9, TITLE: Joint Disentangling and Adaptation for Cross-Domain Person Re-Identification
http://arxiv.org/abs/2007.10315
AUTHORS: Yang Zou ; Xiaodong Yang ; Zhiding Yu ; B. V. K. Vijaya Kumar ; Jan Kautz
COMMENTS: ECCV 2020 (Oral)
HIGHLIGHT: In this paper, we seek to improve adaptation by purifying the representation space to be adapted.
10, TITLE: MCUNet: Tiny Deep Learning on IoT Devices
http://arxiv.org/abs/2007.10319
AUTHORS: Ji Lin ; Wei-Ming Chen ; Yujun Lin ; John Cohn ; Chuang Gan ; Song Han
COMMENTS: Demo video available here: https://youtu.be/YvioBgtec4U
HIGHLIGHT: We propose MCUNet, a framework that jointly designs the efficient neural architecture (TinyNAS) and the lightweight inference engine (TinyEngine), enabling ImageNet-scale inference on microcontrollers.
11, TITLE: Deep Learning Based Brain Tumor Segmentation: A Survey
http://arxiv.org/abs/2007.09479
AUTHORS: Zhihua Liu ; Long Chen ; Lei Tong ; Feixiang Zhou ; Zheheng Jiang ; Qianni Zhang ; Caifeng Shan ; Yinhai Wang ; Xiangrong Zhang ; Ling Li ; Huiyu Zhou
HIGHLIGHT: Considering state-of-the-art technologies and their performance, the purpose of this paper is to provide a comprehensive survey of recently developed deep learning based brain tumor segmentation techniques.
12, TITLE: Classification of Diabetic Retinopathy via Fundus Photography: Utilization of Deep Learning Approaches to Speed up Disease Detection
http://arxiv.org/abs/2007.09478
AUTHORS: Hangwei Zhuang ; Nabil Ettehadi
COMMENTS: 6 pages, 9 figures
HIGHLIGHT: In this paper, we propose two distinct solutions to the problem of Diabetic Retinopathy (DR) classification.
13, TITLE: Unsupervised Domain Attention Adaptation Network for Caricature Attribute Recognition
http://arxiv.org/abs/2007.09344
AUTHORS: Wen Ji ; Kelei He ; Jing Huo ; Zheng Gu ; Yang Gao
COMMENTS: This paper has been accepted by ECCV 2020
HIGHLIGHT: To facility the research in attribute learning of caricatures, we propose a caricature attribute dataset, namely WebCariA.
14, TITLE: Combinatorial and computational investigations of Neighbor-Joining bias
http://arxiv.org/abs/2007.09345
AUTHORS: Ruth Davidson ; Abraham Martin del Campo
COMMENTS: 17 pages, 11 figures
HIGHLIGHT: We resolve this confusion by defining agglomeration orders on trees, leading to a bijection between distinct regions of the output space and weighted Motzkin paths.
15, TITLE: CoVoST 2: A Massively Multilingual Speech-to-Text Translation Corpus
http://arxiv.org/abs/2007.10310
AUTHORS: Changhan Wang ; Anne Wu ; Juan Pino
HIGHLIGHT: CoVoST 2: A Massively Multilingual Speech-to-Text Translation Corpus
16, TITLE: Automated Phenotyping via Cell Auto Training (CAT) on the Cell DIVE Platform
http://arxiv.org/abs/2007.09471
AUTHORS: Alberto Santamaria-Pang ; Anup Sood ; Dan Meyer ; Aritra Chowdhury ; Fiona Ginty
COMMENTS: 2019 IEEE International Conference on Bioinformatics and Biomedicine (BIBM)
HIGHLIGHT: We present a method for automatic cell classification in tissue samples using an automated training set from multiplexed immunofluorescence images.
17, TITLE: Social Adaptive Module for Weakly-supervised Group Activity Recognition
http://arxiv.org/abs/2007.09470
AUTHORS: Rui Yan ; Lingxi Xie ; Jinhui Tang ; Xiangbo Shu ; Qi Tian
COMMENTS: Accepted by ECCV2020
HIGHLIGHT: This paper presents a new task named weakly-supervised group activity recognition (GAR) which differs from conventional GAR tasks in that only video-level labels are available, yet the important persons within each frame are not provided even in the training data.
18, TITLE: Mask TextSpotter v3: Segmentation Proposal Network for Robust Scene Text Spotting
http://arxiv.org/abs/2007.09482
AUTHORS: Minghui Liao ; Guan Pang ; Jing Huang ; Tal Hassner ; Xiang Bai
COMMENTS: Accepted by ECCV 2020
HIGHLIGHT: To tackle these problems, we propose Mask TextSpotter v3, an end-to-end trainable scene text spotter that adopts a Segmentation Proposal Network (SPN) instead of an RPN.
19, TITLE: Temporal Pointwise Convolutional Networks for Length of Stay Prediction in the Intensive Care Unit
http://arxiv.org/abs/2007.09483
AUTHORS: Emma Rocheteau ; Pietro Liò ; Stephanie Hyland
COMMENTS: arXiv admin note: substantial text overlap with arXiv:2006.16109
HIGHLIGHT: In this work, we propose a new deep learning model based on the combination of temporal convolution and pointwise (1x1) convolution, to solve the length of stay prediction task on the eICU critical care dataset.
20, TITLE: Learning from Extrinsic and Intrinsic Supervisions for Domain Generalization
http://arxiv.org/abs/2007.09316
AUTHORS: Shujun Wang ; Lequan Yu ; Caizi Li ; Chi-Wing Fu ; Pheng-Ann Heng
COMMENTS: Accepted at ECCV 2020. Code is available at https://github.com/EmmaW8/EISNet
HIGHLIGHT: To this end, we present a new domain generalization framework that learns how to generalize across domains simultaneously from extrinsic relationship supervision and intrinsic self-supervision for images from multi-source domains.
21, TITLE: Dynamic Dual-Attentive Aggregation Learning for Visible-Infrared Person Re-Identification
http://arxiv.org/abs/2007.09314
AUTHORS: Mang Ye ; Jianbing Shen ; David J. Crandall ; Ling Shao ; Jiebo Luo
COMMENTS: Accepted by ECCV20
HIGHLIGHT: In this paper, we propose a novel dynamic dual-attentive aggregation (DDAG) learning method by mining both intra-modality part-level and cross-modality graph-level contextual cues for VI-ReID.
22, TITLE: Robust Image Classification Using A Low-Pass Activation Function and DCT Augmentation
http://arxiv.org/abs/2007.09453
AUTHORS: Md Tahmid Hossain ; Shyh Wei Teng ; Ferdous Sohel ; Guojun Lu
HIGHLIGHT: In this work, we analyse common corruptions from a frequency perspective, i.e., High Frequency corruptions or HFc (e.g., noise) and Low Frequency corruptions or LFc (e.g., blur).
23, TITLE: ICA-UNet: ICA Inspired Statistical UNet for Real-time 3D Cardiac Cine MRI Segmentation
http://arxiv.org/abs/2007.09455
AUTHORS: Tianchen Wang ; Xiaowei Xu ; Jinjun Xiong ; Qianjun Jia ; Haiyun Yuan ; Meiping Huang ; Jian Zhuang ; Yiyu Shi
COMMENTS: MICCAI2020, 12 pages, 3 figures
HIGHLIGHT: In this work, inspired by a new interpretation of Independent Component Analysis (ICA) for learning, we propose a novel ICA-UNet for real-time 3D cardiac cine MRI segmentation.
24, TITLE: Face Super-Resolution Guided by 3D Facial Priors
http://arxiv.org/abs/2007.09454
AUTHORS: Xiaobin Hu ; Wenqi Ren ; John LaMaster ; Xiaochun Cao ; Xiaoming Li ; Zechao Li ; Bjoern Menze ; Wei Liu
COMMENTS: Accepted as a spotlight paper, European Conference on Computer Vision 2020 (ECCV)
HIGHLIGHT: In this paper, we propose a novel face super-resolution method that explicitly incorporates 3D facial priors which grasp the sharp facial structures.
25, TITLE: On a Novel Application of Wasserstein-Procrustes for Unsupervised Cross-Lingual Learning
http://arxiv.org/abs/2007.09456
AUTHORS: Guillem Ramírez ; Rumen Dangovski ; Preslav Nakov ; Marin Soljačić
HIGHLIGHT: Here, we analyze popular methods for UCL and we find that often their objectives are, intrinsically, versions of the Wasserstein-Procrustes problem.
26, TITLE: An Entropic Relevance Measure for Stochastic Conformance Checking in Process Mining
http://arxiv.org/abs/2007.09310
AUTHORS: Artem Polyvyanyy ; Alistair Moffat ; Luciano García-Bañuelos
COMMENTS: 8 pages. Submitted for review on July 15, 2020
HIGHLIGHT: Here we present an entropic relevance measure for stochastic conformance checking, computed as the average number of bits required to compress each of the log's traces, based on the structure and information about relative likelihoods provided by the model.
27, TITLE: E$^2$Net: An Edge Enhanced Network for Accurate Liver and Tumor Segmentation on CT Scans
http://arxiv.org/abs/2007.09791
AUTHORS: Youbao Tang ; Yuxing Tang ; Yingying Zhu ; Jing Xiao ; Ronald M. Summers
HIGHLIGHT: In this work, we propose a two-stage framework for 2D liver and tumor segmentation.
28, TITLE: Generative Adversarial Stacked Autoencoders for Facial Pose Normalization and Emotion Recognition
http://arxiv.org/abs/2007.09790
AUTHORS: Ariel Ruiz-Garcia ; Vasile Palade ; Mark Elshaw ; Mariette Awad
COMMENTS: Accepted at IJCNN 2020
HIGHLIGHT: In this work, we propose a novel Generative Adversarial Stacked Autoencoder that learns to map facial expressions, with up to plus or minus 60 degrees, to an illumination invariant facial representation of 0 degrees.
29, TITLE: Object-Centric Multi-View Aggregation
http://arxiv.org/abs/2007.10300
AUTHORS: Shubham Tulsiani ; Or Litany ; Charles Qi ; Leonidas Guibas
HIGHLIGHT: We present an approach for aggregating a sparse set of views of an object in order to compute a semi-implicit 3D representation in the form of a volumetric feature grid.
30, TITLE: Feature Pyramid Transformer
http://arxiv.org/abs/2007.09451
AUTHORS: Dong Zhang ; Hanwang Zhang ; Jinhui Tang ; Meng Wang ; Xiansheng Hua ; Qianru Sun
COMMENTS: Published at the European Conference on Computer Vision, 2020
HIGHLIGHT: To this end, we propose a fully active feature interaction across both space and scales, called Feature Pyramid Transformer (FPT).
31, TITLE: PSIGAN: Joint probabilistic segmentation and image distribution matching for unpaired cross-modality adaptation based MRI segmentation
http://arxiv.org/abs/2007.09465
AUTHORS: Jue Jiang ; Yu Chi Hu ; Neelam Tyagi ; Andreas Rimner ; Nancy Lee ; Joseph O. Deasy ; Sean Berry ; Harini Veeraraghavan
COMMENTS: This paper has been accepted by IEEE Transactions on Medical Imaging
HIGHLIGHT: We developed a new joint probabilistic segmentation and image distribution matching generative adversarial network (PSIGAN) for unsupervised domain adaptation (UDA) and multi-organ segmentation from magnetic resonance (MRI) images.
32, TITLE: ESCELL: Emergent Symbolic Cellular Language
http://arxiv.org/abs/2007.09469
AUTHORS: Aritra Chowdhury ; James R. Kubricht ; Anup Sood ; Peter Tu ; Alberto Santamaria-Pang
COMMENTS: IEEE International Symposium on Biomedical Imaging (IEEE ISBI 2020)
HIGHLIGHT: We present ESCELL, a method for developing an emergent symbolic language of communication between multiple agents reasoning about cells.
33, TITLE: Analysis of Bayesian Networks via Prob-Solvable Loops
http://arxiv.org/abs/2007.09450
AUTHORS: Ezio Bartocci ; Laura Kovács ; Miroslav Stankovič
HIGHLIGHT: In this paper we extend Prob-solvable loops with new features essential for encoding Bayesian networks (BNs).
34, TITLE: Unsupervised Shape Normality Metric for Severity Quantification
http://arxiv.org/abs/2007.09307
AUTHORS: Wenzheng Tao ; Riddhish Bhalodia ; Erin Anstadt ; Ladislav Kavan ; Ross T. Whitaker ; Jesse A. Goldstein
HIGHLIGHT: This work describes an unsupervised method to objectively quantify the abnormality of general anatomical shapes.
35, TITLE: A Bag of Visual Words Model for Medical Image Retrieval
http://arxiv.org/abs/2007.09464
AUTHORS: Sowmya Kamath S ; Karthik K
COMMENTS: In the proceedings of the 7th International Engineering Symposium (IES 2018), Kumamoto University, Kumamoto, Japan, Mar 7-9, 2018
HIGHLIGHT: In this paper, we present a MedIR approach based on the BoVW model for content-based medical image retrieval.
36, TITLE: PaSh: Light-touch Data-Parallel Shell Processing
http://arxiv.org/abs/2007.09436
AUTHORS: Nikos Vasilakis ; Konstantinos Kallas ; Konstantinos Mamouras ; Achilleas Benetopoulos ; Lazar Cvetkovich
COMMENTS: 15 pages, 9 figures
HIGHLIGHT: This paper presents PaSh, a shell aimed at parallelizing POSIX shell scripts through a combination of program transformations and runtime primitives.
37, TITLE: LiteFlowNet3: Resolving Correspondence Ambiguity for More Accurate Optical Flow Estimation
http://arxiv.org/abs/2007.09319
AUTHORS: Tak-Wai Hui ; Chen Change Loy
COMMENTS: Accepted to ECCV 2020. Trained models and code package are available at https://github.com/twhui/LiteFlowNet3
HIGHLIGHT: In this paper, we introduce LiteFlowNet3, a deep network consisting of two specialized modules, to address the above challenges.
38, TITLE: Monochromatic Triangles, Triangle Listing and APSP
http://arxiv.org/abs/2007.09318
AUTHORS: Virginia Vassilevska Williams ; Yinzhan Xu
COMMENTS: To appear in FOCS'20
HIGHLIGHT: In this paper we find more relationships between these two problems and other basic problems.
39, TITLE: Deep Representation Learning For Multimodal Brain Networks
http://arxiv.org/abs/2007.09777
AUTHORS: Wen Zhang ; Liang Zhan ; Paul Thompson ; Yalin Wang
COMMENTS: 11 pages, 3 figures, MICCAI 2020
HIGHLIGHT: To address these challenges, we propose a novel end-to-end deep graph representation learning (Deep Multimodal Brain Networks - DMBN) to fuse multimodal brain networks.
40, TITLE: An Overview of Natural Language State Representation for Reinforcement Learning
http://arxiv.org/abs/2007.09774
AUTHORS: Brielen Madureira ; David Schlangen
COMMENTS: Accepted to the ICML 2020 Workshop on Language in Reinforcement Learning (LaReL). 4 pages
HIGHLIGHT: This survey outlines the strategies used in the literature to build natural language state representations.
41, TITLE: A Separation Logic to Verify Termination of Busy-Waiting for Abrupt Program Exit: Technical Report
http://arxiv.org/abs/2007.10215
AUTHORS: Tobias Reinhard ; Amin Timany ; Bart Jacobs
COMMENTS: 22 pages, 14 figures, Technical report
HIGHLIGHT: In this paper, we make a first step towards proving termination of such programs.
42, TITLE: Bit-Slicing the Hilbert Space: Scaling Up Accurate Quantum Circuit Simulation to a New Level
http://arxiv.org/abs/2007.09304
AUTHORS: Yuan-Hung Tsai ; Jie-Hong R. Jiang ; Chiao-Shan Jhang
COMMENTS: 9 pages, 2 figures
HIGHLIGHT: In this paper, we enhance quantum circuit simulation in two dimensions: accuracy and scalability.
43, TITLE: DH3D: Deep Hierarchical 3D Descriptors for Robust Large-Scale 6DoF Relocalization
http://arxiv.org/abs/2007.09217
AUTHORS: Juan Du ; Rui Wang ; Daniel Cremers
COMMENTS: ECCV 2020, sportlight
HIGHLIGHT: For relocalization in large-scale point clouds, we propose the first approach that unifies global place recognition and local 6DoF pose refinement.
44, TITLE: Improving the HardNet Descriptor
http://arxiv.org/abs/2007.09699
AUTHORS: Milan Pultar
COMMENTS: The thesis was supervised by Dmytro Mishkin. Many pieces of advice came from Ji\v{r}\'i Matas
HIGHLIGHT: In the thesis we consider the problem of local feature descriptor learning for wide baseline stereo focusing on the HardNet descriptor, which is close to state-of-the-art.
45, TITLE: Using Deep Convolutional Neural Networks to Diagnose COVID-19 From Chest X-Ray Images
http://arxiv.org/abs/2007.09695
AUTHORS: Yi Zhong
HIGHLIGHT: This project utilizes several open-source or public datasets to present an open-source dataset of COVID-19 CXRs, named COVID-19-CXR-Dataset, and introduces a deep convolutional neural network model.
46, TITLE: Class-wise Dynamic Graph Convolution for Semantic Segmentation
http://arxiv.org/abs/2007.09690
AUTHORS: Hanzhe Hu ; Deyi Ji ; Weihao Gan ; Shuai Bai ; Wei Wu ; Junjie Yan
COMMENTS: Accepted by ECCV2020
HIGHLIGHT: In order to avoid potential misleading contextual information aggregation in previous works, we propose a class-wise dynamic graph convolution (CDGC) module to adaptively propagate information.
47, TITLE: Can we cover navigational perception needs of the visually impaired by panoptic segmentation?
http://arxiv.org/abs/2007.10202
AUTHORS: Wei Mao ; Jiaming Zhang ; Kailun Yang ; Rainer Stiefelhagen
COMMENTS: 14 pages, 6 Figures, 2 tables
HIGHLIGHT: Motivated by that, we propose to utilize panoptic segmentation as an approach to navigating visually impaired people by offering both things and stuff awareness in the proximity of the visually impaired.
48, TITLE: People as Scene Probes
http://arxiv.org/abs/2007.09209
AUTHORS: Yifan Wang ; Brian Curless ; Steve Seitz
COMMENTS: ECCV 2020
HIGHLIGHT: We demonstrate results (best viewed in supplementary video) on a range of scenes and compare to alternative methods for depth estimation and shadow compositing.
49, TITLE: Learn distributed GAN with Temporary Discriminators
http://arxiv.org/abs/2007.09221
AUTHORS: Hui Qu ; Yikai Zhang ; Qi Chang ; Zhennan Yan ; Chao Chen ; Dimitris Metaxas
COMMENTS: Accepted by ECCV2020. Code: https://github.com/huiqu18/TDGAN-PyTorch
HIGHLIGHT: In this work, we propose a method for training distributed GAN with sequential temporary discriminators.
50, TITLE: Classes Matter: A Fine-grained Adversarial Approach to Cross-domain Semantic Segmentation
http://arxiv.org/abs/2007.09222
AUTHORS: Haoran Wang ; Tong Shen ; Wei Zhang ; Lingyu Duan ; Tao Mei
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: To fully exploit the supervision in the source domain, we propose a fine-grained adversarial learning strategy for class-level feature alignment while preserving the internal structure of semantics across domains.
51, TITLE: One-Shot Learning for Language Modelling
http://arxiv.org/abs/2007.09679
AUTHORS: Talip Ucar ; Adrian Gonzalez-Martin ; Matthew Lee ; Adrian Daniel Szwarc
HIGHLIGHT: In this work we tackle the problem of oneshot learning for an NLP task by employing ideas from recent developments in machine learning: embeddings, attention mechanisms (softmax) and similarity measures (cosine, Euclidean, Poincare, and Minkowski).
52, TITLE: Learning Error-Driven Curriculum for Crowd Counting
http://arxiv.org/abs/2007.09676
AUTHORS: Wenxi Li ; Zhuoqun Cao ; Qian Wang ; Songjian Chen ; Rui Feng
COMMENTS: This paper is accepted by ICPR2020
HIGHLIGHT: In this paper, we propose a novel learning strategy for learning error-driven curriculum, which uses an additional network to supervise the training of the main network.
53, TITLE: Unified cross-modality feature disentangler for unsupervised multi-domain MRI abdomen organs segmentation
http://arxiv.org/abs/2007.09669
AUTHORS: Jue Jiang ; Harini Veeraraghavan
COMMENTS: This paper has been accepted by MICCAI2020
HIGHLIGHT: Our contribution is a unified cross-modality feature disentagling approach for multi-domain image translation and multiple organ segmentation.
54, TITLE: OBA: An Ontology-Based Framework for Creating REST APIs for Knowledge Graphs
http://arxiv.org/abs/2007.09206
AUTHORS: Daniel Garijo ; Maximiliano Osorio
HIGHLIGHT: In this paper we describe the Ontology-Based APIs framework (OBA), our approach to automatically create REST APIs from ontologies while following RESTful API best practices.
55, TITLE: Neural Networks with Recurrent Generative Feedback
http://arxiv.org/abs/2007.09200
AUTHORS: Yujia Huang ; James Gornet ; Sihui Dai ; Zhiding Yu ; Tan Nguyen ; Doris Y. Tsao ; Anima Anandkumar
HIGHLIGHT: The proposed framework, termed Convolutional Neural Networks with Feedback (CNN-F), introduces a generative feedback with latent variables into existing CNN architectures, making consistent predictions via alternating MAP inference under a Bayesian framework.
56, TITLE: ThriftyNets : Convolutional Neural Networks with Tiny Parameter Budget
http://arxiv.org/abs/2007.10106
AUTHORS: Guillaume Coiffier ; Ghouthi Boukli Hacene ; Vincent Gripon
HIGHLIGHT: In an effort to use every parameter of a network at its maximum, we propose a new convolutional neural network architecture, called ThriftyNet.
57, TITLE: Monte Carlo Dropout Ensembles for Robust Illumination Estimation
http://arxiv.org/abs/2007.10114
AUTHORS: Firas Laakom ; Jenni Raitoharju ; Alexandros Iosifidis ; Jarno Nikkanen ; Moncef Gabbouj
COMMENTS: 7 pages,6 figures
HIGHLIGHT: In this paper, we address this limitation by proposing to aggregate different deep learning methods according to their output uncertainty.
58, TITLE: Adaptive Video Highlight Detection by Learning from User History
http://arxiv.org/abs/2007.09598
AUTHORS: Mrigank Rochan ; Mahesh Kumar Krishna Reddy ; Linwei Ye ; Yang Wang
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: In this paper, we propose a simple yet effective framework that learns to adapt highlight detection to a user by exploiting the user's history in the form of highlights that the user has previously created.
59, TITLE: Mapping in a cycle: Sinkhorn regularized unsupervised learning for point cloud shapes
http://arxiv.org/abs/2007.09594
AUTHORS: Lei Yang ; Wenxi Liu ; Zhiming Cui ; Nenglun Chen ; Wenping Wang
COMMENTS: Accepted to ECCV2020
HIGHLIGHT: We propose an unsupervised learning framework with the pretext task of finding dense correspondences between point cloud shapes from the same category based on the cycle-consistency formulation.
60, TITLE: AWR: Adaptive Weighting Regression for 3D Hand Pose Estimation
http://arxiv.org/abs/2007.09590
AUTHORS: Weiting Huang ; Pengfei Ren ; Jingyu Wang ; Qi Qi ; Haifeng Sun
COMMENTS: Accepted by AAAI-2020
HIGHLIGHT: In this paper, we propose an adaptive weighting regression (AWR) method to leverage the advantages of both detection-based and regression-based methods.
61, TITLE: Semantic Equivalent Adversarial Data Augmentation for Visual Question Answering
http://arxiv.org/abs/2007.09592
AUTHORS: Ruixue Tang ; Chao Ma ; Wei Emma Zhang ; Qi Wu ; Xiaokang Yang
COMMENTS: To appear in ECCV 2020
HIGHLIGHT: In this paper, instead of directly manipulating images and questions, we use generated adversarial examples for both images and questions as the augmented data.
62, TITLE: Length-Controllable Image Captioning
http://arxiv.org/abs/2007.09580
AUTHORS: Chaorui Deng ; Ning Ding ; Mingkui Tan ; Qi Wu
COMMENTS: To be appeared in ECCV 2020
HIGHLIGHT: In this paper, we propose to use a simple length level embedding to endow them with this ability.
63, TITLE: PIoU Loss: Towards Accurate Oriented Object Detection in Complex Environments
http://arxiv.org/abs/2007.09584
AUTHORS: Zhiming Chen ; Kean Chen ; Weiyao Lin ; John See ; Hui Yu ; Yan Ke ; Cong Yang
HIGHLIGHT: Existing OBB approaches are mostly built on horizontal bounding box detectors by introducing an additional angle dimension optimized by a distance loss.
64, TITLE: Referring Expression Comprehension: A Survey of Methods and Datasets
http://arxiv.org/abs/2007.09554
AUTHORS: Yanyuan Qiao ; Chaorui Deng ; Qi Wu
HIGHLIGHT: We classify methods by their mechanism to encode the visual and textual modalities.
65, TITLE: Resolution Switchable Networks for Runtime Efficient Image Recognition
http://arxiv.org/abs/2007.09558
AUTHORS: Yikai Wang ; Fuchun Sun ; Duo Li ; Anbang Yao
COMMENTS: Accepted by ECCV 2020. Code and models are available at https://github.com/yikaiw/RS-Nets
HIGHLIGHT: We propose a general method to train a single convolutional neural network which is capable of switching image resolutions at inference.
66, TITLE: From Spatial Relations to Spatial Configurations
http://arxiv.org/abs/2007.09557
AUTHORS: Soham Dan ; Parisa Kordjamshidi ; Julia Bonn ; Archna Bhatia ; Jon Cai ; Martha Palmer ; Dan Roth
HIGHLIGHT: We integrate this language with the Abstract Meaning Representation(AMR) annotation schema and present a corpus annotated by this extended AMR.
67, TITLE: Beyond Prioritized Replay: Sampling States in Model-Based RL via Simulated Priorities
http://arxiv.org/abs/2007.09569
AUTHORS: Jincheng Mei ; Yangchen Pan ; Martha White ; Amir-massoud Farahmand ; Hengshuai Yao
COMMENTS: The paper is under review
HIGHLIGHT: In this work, we revisit prioritized ER and, in an ideal setting, show an equivalence to minimizing cubic loss, providing theoretical insight into why it improves upon uniform sampling.
68, TITLE: Leveraging Seen and Unseen Semantic Relationships for Generative Zero-Shot Learning
http://arxiv.org/abs/2007.09549
AUTHORS: Maunil R Vyas ; Hemanth Venkateswara ; Sethuraman Panchanathan
COMMENTS: 19 Pages, To be appear in ECCV 2020
HIGHLIGHT: To address this concern, we propose the novel LsrGAN, a generative model that Leverages the Semantic Relationship between seen and unseen categories and explicitly performs knowledge transfer by incorporating a novel Semantic Regularized Loss (SR-Loss).
69, TITLE: Kinematic 3D Object Detection in Monocular Video
http://arxiv.org/abs/2007.09548
AUTHORS: Garrick Brazil ; Gerard Pons-Moll ; Xiaoming Liu ; Bernt Schiele
COMMENTS: To appear in ECCV 2020
HIGHLIGHT: In this work, we propose a novel method for monocular video-based 3D object detection which carefully leverages kinematic motion to improve precision of 3D localization.
70, TITLE: Predicting risk of late age-related macular degeneration using deep learning
http://arxiv.org/abs/2007.09550
AUTHORS: Yifan Peng ; Tiarnan D. Keenan ; Qingyu Chen ; Elvira Agrón ; Alexis Allot ; Wai T. Wong ; Emily Y. Chew ; Zhiyong Lu
COMMENTS: Accepted by npj Digital Medicine
HIGHLIGHT: Here, we demonstrate how deep learning and survival analysis can predict the probability of progression to late AMD using 3,298 participants (over 80,000 images) from the Age-Related Eye Disease Studies AREDS and AREDS2, the largest longitudinal clinical trials in AMD.
71, TITLE: Progressive Multi-Scale Residual Network for Single Image Super-Resolution
http://arxiv.org/abs/2007.09552
AUTHORS: Yuqing Liu ; Xinfeng Zhang ; Shanshe Wang ; Siwei Ma ; Wen Gao
HIGHLIGHT: This paper proposes a progressive multi-scale residual network (PMRN) for single image super-resolution problem by sequentially exploiting features with restricted parameters.
72, TITLE: Understanding Spatial Relations through Multiple Modalities
http://arxiv.org/abs/2007.09551
AUTHORS: Soham Dan ; Hangfeng He ; Dan Roth
HIGHLIGHT: In this paper, we introduce the task of inferring implicit and explicit spatial relations between two entities in an image.
73, TITLE: DDR-ID: Dual Deep Reconstruction Networks Based Image Decomposition for Anomaly Detection
http://arxiv.org/abs/2007.09431
AUTHORS: Dongyun Lin ; Yiqun Li ; Shudong Xie ; Tin Lay Nwe ; Sheng Dong
HIGHLIGHT: In this paper, we propose an AD method called dual deep reconstruction networks based image decomposition (DDR-ID).
74, TITLE: Volumetric Transformer Networks
http://arxiv.org/abs/2007.09433
AUTHORS: Seungryong Kim ; Sabine Süsstrunk ; Mathieu Salzmann
COMMENTS: ECCV 2020
HIGHLIGHT: To overcome this limitation, we introduce a learnable module, the volumetric transformer network (VTN), that predicts channel-wise warping fields so as to reconfigure intermediate CNN features spatially and channel-wisely.
75, TITLE: Autonomy and Unmanned Vehicles Augmented Reactive Mission-Motion Planning Architecture for Autonomous Vehicles
http://arxiv.org/abs/2007.09563
AUTHORS: Somaiyeh MahmoudZadeh ; David MW Powers ; Reza Bairam Zadeh
HIGHLIGHT: In-deed the research monograph, the review chapters and the new approaches we have developed would be appropriate for use as a reference in upper years or postgraduate degrees for its coverage of literature and algorithms relating to Robot/Vehicle planning, tasking, routing, and trust.
76, TITLE: Structure Mapping for Transferability of Causal Models
http://arxiv.org/abs/2007.09445
AUTHORS: Purva Pruthi ; Javier González ; Xiaoyu Lu ; Madalina Fiterau
COMMENTS: Presented at the Inductive Biases, Invariances and Generalization in Reinforcement Learning Workshop, ICML 2020
HIGHLIGHT: We use this intuition to design a transfer-learning framework using object-oriented representations to learn the causal relationships between objects.
77, TITLE: Towards Emergent Language Symbolic Semantic Segmentation and Model Interpretability
http://arxiv.org/abs/2007.09448
AUTHORS: Alberto Santamaria-Pang ; James Kubricht ; Aritra Chowdhury ; Chitresh Bhushan ; Peter Tu
COMMENTS: Accepted to Medical Image Computing and Computer Assisted Intervention (MICCAI) 2020, 9 pages, 3 figures
HIGHLIGHT: Inspired by how humans communicate complex ideas through language, we developed a generalized Symbolic Semantic ($\text{S}^2$) framework for interpretable segmentation.
78, TITLE: Hierarchical Topic Mining via Joint Spherical Tree and Text Embedding
http://arxiv.org/abs/2007.09536
AUTHORS: Yu Meng ; Yunyi Zhang ; Jiaxin Huang ; Yu Zhang ; Chao Zhang ; Jiawei Han
COMMENTS: KDD 2020 Research Track. (Code: https://github.com/yumeng5/JoSH)
HIGHLIGHT: To guide the hierarchical topic discovery process with minimal user supervision, we propose a new task, Hierarchical Topic Mining, which takes a category tree described by category names only, and aims to mine a set of representative terms for each category from a text corpus to help a user comprehend his/her interested topics.
79, TITLE: Few-Shot Defect Segmentation Leveraging Abundant Normal Training Samples Through Normal Background Regularization and Crop-and-Paste Operation
http://arxiv.org/abs/2007.09438
AUTHORS: Dongyun Lin ; Yanpeng Cao ; Wenbing Zhu ; Yiqun Li
HIGHLIGHT: We present two effective regularization techniques via incorporating abundant defect-free images into the training of a UNet-like encoder-decoder defect segmentation network.
80, TITLE: Semi-Supervised Learning Approach to Discover Enterprise User Insights from Feedback and Support
http://arxiv.org/abs/2007.09303
AUTHORS: Xin Deng ; Ross Smith ; Genevieve Quintin
COMMENTS: 7 pages, 7 figures, 2 tables
HIGHLIGHT: With the evolution of the cloud and customer centric culture, we inherently accumulate huge repositories of textual reviews, feedback, and support data.This has driven enterprises to seek and research engagement patterns, user network analysis, topic detections, etc.However, huge manual work is still necessary to mine data to be able to mine actionable outcomes.In this paper, we proposed and developed an innovative Semi-Supervised Learning approach by utilizing Deep Learning and Topic Modeling to have a better understanding of the user voice.This approach combines a BERT-based multiclassification algorithm through supervised learning combined with a novel Probabilistic and Semantic Hybrid Topic Inference (PSHTI) Model through unsupervised learning, aiming at automating the process of better identifying the main topics or areas as well as the sub-topics from the textual feedback and support.There are three major contributions and break-through:1.
81, TITLE: An Open-World Simulated Environment for Developmental Robotics
http://arxiv.org/abs/2007.09300
AUTHORS: SM Mazharul Islam ; Md Ashaduzzaman Rubel Mondol ; Aishwarya Pothula ; Deokgun Park
COMMENTS: Presented at Workshop on Learning in Artificial Open Worlds held with ICML 2020
HIGHLIGHT: In this paper, we introduce SEDRo, a Simulated Environment for Developmental Robotics which allows a learning agent to have similar experiences that a human infant goes through from the fetus stage up to 12 months.
82, TITLE: ASAP-NMS: Accelerating Non-Maximum Suppression Using Spatially Aware Priors
http://arxiv.org/abs/2007.09785
AUTHORS: Rohun Tripathi ; Vasu Singla ; Mahyar Najibi ; Bharat Singh ; Abhishek Sharma ; Larry Davis
HIGHLIGHT: In this article, we carefully profile Greedy-NMS iterations to find that a major chunk of computation is wasted in comparing proposals that are already far-away and have a small chance of suppressing each other.
83, TITLE: Solving Long-tailed Recognition with Deep Realistic Taxonomic Classifier
http://arxiv.org/abs/2007.09898
AUTHORS: Tz-Ying Wu ; Pedro Morgado ; Pei Wang ; Chih-Hui Ho ; Nuno Vasconcelos
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: Solving Long-tailed Recognition with Deep Realistic Taxonomic Classifier
84, TITLE: Deep Reflectance Volumes: Relightable Reconstructions from Multi-View Photometric Images
http://arxiv.org/abs/2007.09892
AUTHORS: Sai Bi ; Zexiang Xu ; Kalyan Sunkavalli ; Miloš Hašan ; Yannick Hold-Geoffroy ; David Kriegman ; Ravi Ramamoorthi
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: We present a deep learning approach to reconstruct scene appearance from unstructured images captured under collocated point lighting.
85, TITLE: Improved Convergence Speed of Fully Symmetric Learning Rules for Principal Component Analysis
http://arxiv.org/abs/2007.09426
AUTHORS: Ralf Möller
HIGHLIGHT: Here we describe a modified objective function with an additional term which mitigates this convergence problem.
86, TITLE: A Generic Visualization Approach for Convolutional Neural Networks
http://arxiv.org/abs/2007.09748
AUTHORS: Ahmed Taha ; Xitong Yang ; Abhinav Shrivastava ; Larry Davis
COMMENTS: ECCV'2020
HIGHLIGHT: We formulate attention visualization as a constrained optimization problem.
87, TITLE: On Algorithmic Estimation of Analytic Complexity for Polynomial Solutions to Hypergeometric Systems
http://arxiv.org/abs/2007.09407
AUTHORS: Vitaly A. Krasikov
HIGHLIGHT: The paper deals with the analytic complexity of solutions to bivariate holonomic hypergeometric systems of the Horn type.
88, TITLE: Beyond Single Stage Encoder-Decoder Networks: Deep Decoders for Semantic Image Segmentation
http://arxiv.org/abs/2007.09746
AUTHORS: Gabriel L. Oliveira ; Senthil Yogamani ; Wolfram Burgard ; Thomas Brox
HIGHLIGHT: To address these limitations, we propose a new architecture based on a decoder which uses a set of shallow networks for capturing more information content. Additionally, we present a set of experiments augmenting semantic segmentation with optical flow information, showing that motion clues can boost pure image based semantic segmentation approaches.
89, TITLE: Exploiting vulnerabilities of deep neural networks for privacy protection
http://arxiv.org/abs/2007.09766
AUTHORS: Ricardo Sanchez-Matilla ; Chau Yi Li ; Ali Shahin Shamsabadi ; Riccardo Mazzon ; Andrea Cavallaro
HIGHLIGHT: To address these limitations, we present an adversarial attack {that is} specifically designed to protect visual content against { unseen} classifiers and known defenses.
90, TITLE: Connecting the Dots: Detecting Adversarial Perturbations Using Context Inconsistency
http://arxiv.org/abs/2007.09763
AUTHORS: Shasha Li ; Shitong Zhu ; Sudipta Paul ; Amit Roy-Chowdhury ; Chengyu Song ; Srikanth Krishnamurthy ; Ananthram Swami ; Kevin S Chan
COMMENTS: The paper is accepted by ECCV 2020
HIGHLIGHT: Our approach builds a set of auto-encoders, one for each object class, appropriately trained so as to output a discrepancy between the input and output if an added adversarial perturbation violates context consistency rules.
91, TITLE: Graph Neural Network for Video-Query based Video Moment Retrieval
http://arxiv.org/abs/2007.09877
AUTHORS: Yuan Zhou ; Mingfei Wang ; Ruolin Wang ; Shuwei Huo
HIGHLIGHT: In this paper, we focus on Video Query based Video Moment Retrieval (VQ-VMR) task, which uses a query video clip as input to retrieve a semantic relative video clip in another untrimmed long video.
92, TITLE: Mono vs Multilingual Transformer-based Models: a Comparison across Several Language Tasks
http://arxiv.org/abs/2007.09757
AUTHORS: Diego de Vargas Feijo ; Viviane Pereira Moreira
HIGHLIGHT: In this paper, our contribution is twofold.
93, TITLE: Full Quaternion Representation of Color images: A Case Study on QSVD-based Color Image Compression
http://arxiv.org/abs/2007.09758
AUTHORS: Alireza Parchami ; Mojtaba Mahdavi
COMMENTS: 15 pages, 16 figures, 1 table, submitted to Signal Processing journal
HIGHLIGHT: In this paper, we propose an approach for representing color images with full quaternion numbers that enables us to process color images holistically without additional cost in time, space and computation.
94, TITLE: Interpretable Foreground Object Search As Knowledge Distillation
http://arxiv.org/abs/2007.09867
AUTHORS: Boren Li ; Po-Yu Zhuang ; Jian Gu ; Mingyang Li ; Ping Tan
COMMENTS: This paper will appear at ECCV 2020
HIGHLIGHT: This paper proposes a knowledge distillation method for foreground object search (FoS).
95, TITLE: Geometry Constrained Weakly Supervised Object Localization
http://arxiv.org/abs/2007.09727
AUTHORS: Weizeng Lu ; Xi Jia ; Weicheng Xie ; Linlin Shen ; Yicong Zhou ; Jinming Duan
COMMENTS: This paper (ID 5424) is accepted to ECCV 2020
HIGHLIGHT: We propose a geometry constrained network, termed GC-Net, for weakly supervised object localization (WSOL).
96, TITLE: Distribution-Balanced Loss for Multi-Label Classification in Long-Tailed Datasets
http://arxiv.org/abs/2007.09654
AUTHORS: Tong Wu ; Qingqiu Huang ; Ziwei Liu ; Yu Wang ; Dahua Lin
COMMENTS: To appear in ECCV 2020 as a spotlight presentation. Code and models are available at: https://github.com/wutong16/DistributionBalancedLoss
HIGHLIGHT: We present a new loss function called Distribution-Balanced Loss for the multi-label recognition problems that exhibit long-tailed class distributions.
97, TITLE: Political Framing: US COVID19 Blame Game
http://arxiv.org/abs/2007.09655
AUTHORS: Chereen Shurafa ; Kareem Darwish ; Wajdi Zaghouani
COMMENTS: Social Informatics 2020 (SocInfo2020)
HIGHLIGHT: In this paper, we show that the COVID19 pandemic rather than being viewed as a public health issue, political rhetoric surrounding it is mostly shaped through a blame frame (blame Trump, China, or conspiracies) and a support frame (support candidates) backing the agenda of Republican and Democratic users in the lead up to the 2020 presidential campaign.
98, TITLE: Character Region Attention For Text Spotting
http://arxiv.org/abs/2007.09629
AUTHORS: Youngmin Baek ; Seung Shin ; Jeonghun Baek ; Sungrae Park ; Junyeop Lee ; Daehyun Nam ; Hwalsuk Lee
COMMENTS: 17 pages, 9 figures, Accepted by ECCV 2020
HIGHLIGHT: Based on the insight, we construct a tightly coupled single pipeline model.
99, TITLE: Design and Analysis of a Multi-Agent E-Learning System Using Prometheus Design Tool
http://arxiv.org/abs/2007.09645
AUTHORS: Kennedy E. Ehimwenma ; Sujatha krishnamoorthy
COMMENTS: 17 figures, 3 tables
HIGHLIGHT: This paper presents the use of Prometheus AUML approach for the modeling of a Pre-assessment System of five interactive agents.
100, TITLE: Landmark Guidance Independent Spatio-channel Attention and Complementary Context Information based Facial Expression Recognition
http://arxiv.org/abs/2007.10298
AUTHORS: Darshan Gera ; S Balasubramanian
HIGHLIGHT: Leveraging on the aforementioned observations, an end-to-end architecture for FER is proposed in this work that obtains both local and global attention per channel per spatial location through a novel spatio-channel attention net (SCAN), without seeking any information from the landmark detectors.
101, TITLE: Survey on Deep Learning-based Kuzushiji Recognition
http://arxiv.org/abs/2007.09637
AUTHORS: Kazuya Ueki ; Tomoka Kojima
HIGHLIGHT: In recent years, competitions on Kuzushiji recognition have been held, and many researchers have proposed various recognition methods.
102, TITLE: Modulation of viability signals for self-regulatory control
http://arxiv.org/abs/2007.09297
AUTHORS: Alvaro Ovalle ; Simon M. Lucas
COMMENTS: Accepted to the 1st International Workshop on Active Inference (non-final version)
HIGHLIGHT: We revisit the role of instrumental value as a driver of adaptive behavior.
103, TITLE: Slot Contrastive Networks: A Contrastive Approach for Representing Objects
http://arxiv.org/abs/2007.09294
AUTHORS: Evan Racah ; Sarath Chandar
COMMENTS: Presented at ICML 2020 Workshop: Object-Oriented Learning (OOL): Perception, Representation, and Reasoning
HIGHLIGHT: Conversely, we present a new method that avoids losses in pixel space and over-reliance on the limited signal a static image provides.
104, TITLE: Symbiotic Adversarial Learning for Attribute-based Person Search
http://arxiv.org/abs/2007.09609
AUTHORS: Yu-Tong Cao ; Jingya Wang ; Dacheng Tao
COMMENTS: 17 pages, 5 figures. Accepted to ECCV2020
HIGHLIGHT: In this paper, we present a symbiotic adversarial learning framework, called SAL.Two GANs sit at the base of the framework in a symbiotic learning scheme: one synthesizes features of unseen classes/categories, while the other optimizes the embedding and performs the cross-modal alignment on the common embedding space .
105, TITLE: Coupling Explicit and Implicit Surface Representations for Generative 3D Modeling
http://arxiv.org/abs/2007.10294
AUTHORS: Omid Poursaeed ; Matthew Fisher ; Noam Aigerman ; Vladimir G. Kim
COMMENTS: ECCV 2020
HIGHLIGHT: We propose a novel neural architecture for representing 3D surfaces, which harnesses two complementary shape representations: (i) an explicit representation via an atlas, i.e., embeddings of 2D domains into 3D; (ii) an implicit-function representation, i.e., a scalar function over the 3D volume, with its levels denoting surfaces.
106, TITLE: Meta-learning for Few-shot Natural Language Processing: A Survey
http://arxiv.org/abs/2007.09604
AUTHORS: Wenpeng Yin
COMMENTS: no submission intent
HIGHLIGHT: Usually we rely on collecting more auxiliary information or developing a more efficient learning algorithm.
107, TITLE: Characterization of Potential Drug Treatments for COVID-19 using Social Media Data and Machine Learning
http://arxiv.org/abs/2007.10276
AUTHORS: Ramya Tekumalla ; Juan M. Banda
COMMENTS: 7 pages, 2 figures and 5 tables
HIGHLIGHT: In this work, we mined a large twitter dataset of 424 million tweets of COVID-19 chatter to identify discourse around potential treatments.
108, TITLE: Complex Skill Acquisition through Simple Skill Adversarial Imitation Learning
http://arxiv.org/abs/2007.10281
AUTHORS: Pranay Pasula
COMMENTS: 6 pages, 2 figures
HIGHLIGHT: Motivated by this line of reasoning, we propose a new algorithm that trains neural network policies on simple, easy-to-learn skills in order to cultivate latent spaces that accelerate adversarial imitation learning of complex, hard-to-learn skills.
109, TITLE: Relatable Clothing: Detecting Visual Relationships between People and Clothing
http://arxiv.org/abs/2007.10283
AUTHORS: Thomas Truong ; Svetlana Yanushkevich
COMMENTS: 7 pages, 7 figures, accepted to ICPR 2020
HIGHLIGHT: We present the release of the Relatable Clothing Dataset which contains 35287 person-clothing pairs and segmentation masks for the development of ``worn'' and ``unworn'' classification models.
110, TITLE: XingGAN for Person Image Generation
http://arxiv.org/abs/2007.09278
AUTHORS: Hao Tang ; Song Bai ; Li Zhang ; Philip H. S. Torr ; Nicu Sebe
COMMENTS: Accepted to ECCV 2020, camera ready (16 pages) + supplementary (6 pages)
HIGHLIGHT: We propose a novel Generative Adversarial Network (XingGAN or CrossingGAN) for person image generation tasks, i.e., translating the pose of a given person to a desired one.
111, TITLE: On Disentangling Spoof Trace for Generic Face Anti-Spoofing
http://arxiv.org/abs/2007.09273
AUTHORS: Yaojie Liu ; Joel Stehouwer ; Xiaoming Liu
COMMENTS: To appear in ECCV 2020
HIGHLIGHT: Prior studies show that the key to face anti-spoofing lies in the subtle image pattern, termed "spoof trace", e.g., color distortion, 3D mask edge, Moire pattern, and many others.
112, TITLE: OnlineAugment: Online Data Augmentation with Less Domain Knowledge
http://arxiv.org/abs/2007.09271
AUTHORS: Zhiqiang Tang ; Yunhe Gao ; Leonid Karlinsky ; Prasanna Sattigeri ; Rogerio Feris ; Dimitris Metaxas
COMMENTS: ECCV2020
HIGHLIGHT: In this work, we offer an orthogonal online data augmentation scheme together with three new augmentation networks, co-trained with the target learning task.
113, TITLE: Single View Metrology in the Wild
http://arxiv.org/abs/2007.09529
AUTHORS: Rui Zhu ; Xingyi Yang ; Yannick Hold-Geoffroy ; Federico Perazzi ; Jonathan Eisenmann ; Kalyan Sunkavalli ; Manmohan Chandraker
COMMENTS: ECCV 2020, camera-ready version
HIGHLIGHT: We present a novel approach to single view metrology that can recover the absolute scale of a scene represented by 3D heights of objects or camera height above the ground as well as camera parameters of orientation and field of view, using just a monocular image acquired in unconstrained condition.
114, TITLE: Object Tracking by Least Spatiotemporal Searches
http://arxiv.org/abs/2007.09288
AUTHORS: Zhiyong Yu ; Lei Han ; Chao Chen ; Wenzhong Guo ; Zhiwen Yu
HIGHLIGHT: This paper proposes a strategy named IHMs (Intermediate Searching at Heuristic Moments): each step we figure out which moment is the best to search according to a heuristic indicator, then at that moment search locations one by one in descending order of predicted appearing probabilities, until a search hits; iterate this step until we get the object's current location.
115, TITLE: Sat2Graph: Road Graph Extraction through Graph-Tensor Encoding
http://arxiv.org/abs/2007.09547
AUTHORS: Songtao He ; Favyen Bastani ; Satvat Jagwani ; Mohammad Alizadeh ; Hari Balakrishnan ; Sanjay Chawla ; Mohamed M. Elshrif ; Samuel Madden ; Amin Sadeghi
COMMENTS: ECCV 2020
HIGHLIGHT: In this paper, we propose a new method, Sat2Graph, which combines the advantages of the two prior categories into a unified framework.
116, TITLE: XMixup: Efficient Transfer Learning with Auxiliary Samples by Cross-domain Mixup
http://arxiv.org/abs/2007.10252
AUTHORS: Xingjian Li ; Haoyi Xiong ; Haozhe An ; Chengzhong Xu ; Dejing Dou
HIGHLIGHT: In this work, we aim to improve the multitask paradigm for deep transfer learning via Cross-domain Mixup (XMixup).
117, TITLE: Multi-Principal Assistance Games
http://arxiv.org/abs/2007.09540
AUTHORS: Arnaud Fickinger ; Simon Zhuang ; Dylan Hadfield-Menell ; Stuart Russell
HIGHLIGHT: In this context we propose a social choice method that uses shared control of a system to combine preference inference with social welfare optimization.
118, TITLE: Efficient Iterative Solutions to Complex-Valued Nonlinear Least-Squares Problems with Mixed Linear and Antilinear Operators
http://arxiv.org/abs/2007.09281
AUTHORS: Tae Hyung Kim ; Justin P. Haldar
HIGHLIGHT: In this work, we describe theory and computational methods that enable mixed linear/antilinear least-squares problems to be solved iteratively using standard linear least-squares tools, while retaining all of the complex-valued structure of the original inverse problem.
119, TITLE: ContactPose: A Dataset of Grasps with Object Contact and Hand Pose
http://arxiv.org/abs/2007.09545
AUTHORS: Samarth Brahmbhatt ; Chengcheng Tang ; Christopher D. Twigg ; Charles C. Kemp ; James Hays
COMMENTS: The European Conference on Computer Vision (ECCV) 2020
HIGHLIGHT: We introduce ContactPose, the first dataset of hand-object contact paired with hand pose, object pose, and RGB-D images.
120, TITLE: Gaussian kernel smoothing
http://arxiv.org/abs/2007.09539
AUTHORS: Moo K. Chung
HIGHLIGHT: Gaussian kernel smoothing
121, TITLE: Lagrangian Duality in Reinforcement Learning
http://arxiv.org/abs/2007.09998
AUTHORS: Pranay Pasula
COMMENTS: 8 pages, 0 figures
HIGHLIGHT: In this paper, we show show how duality is involved in a variety of RL work, from that which spearheaded the field, such as Richard Bellman's value iteration, to that which was done within just the past few years yet has already had significant impact, such as TRPO, A3C, and GAIL.
122, TITLE: Feature-level Rating System using Customer Reviews and Review Votes
http://arxiv.org/abs/2007.09513
AUTHORS: Koteswar Rao Jerripothula ; Ankit Rai ; Kanu Garg ; Yashvardhan Singh Rautela
COMMENTS: 10 pages, 7 figures, and accepted by IEEE Transactions on Computational Social Systems
HIGHLIGHT: This work studies how we can obtain feature-level ratings of the mobile products from the customer reviews and review votes to influence decision making, both for new customers and manufacturers.
123, TITLE: FaceHop: A Light-Weight Low-Resolution Face Gender Classification Method
http://arxiv.org/abs/2007.09510
AUTHORS: Mozhdeh Rouhsedaghat ; Yifan Wang ; Xiou Ge ; Shuowen Hu ; Suya You ; C. -C. Jay Kuo
HIGHLIGHT: A light-weight low-resolution face gender classification method, called FaceHop, is proposed in this research.
124, TITLE: Tracking-by-Counting: Using Network Flows on Crowd Density Maps for Tracking Multiple Targets
http://arxiv.org/abs/2007.09509
AUTHORS: Weihong Ren ; Xinchao Wang ; Jiandong Tian ; Yandong Tang ; Antoni B. Chan
COMMENTS: 14 pages
HIGHLIGHT: In this paper, we propose a new MOT paradigm, tracking-by-counting, tailored for crowded scenes.
125, TITLE: Unsupervised Learning of Image Segmentation Based on Differentiable Feature Clustering
http://arxiv.org/abs/2007.09990
AUTHORS: Wonjik Kim ; Asako Kanezaki ; Masayuki Tanaka
COMMENTS: IEEE Transactions on Image Processing, Accepted in July, 2020
HIGHLIGHT: The contributions of this study are four-fold.
126, TITLE: Backpropagated Gradient Representations for Anomaly Detection
http://arxiv.org/abs/2007.09507
AUTHORS: Gukyeong Kwon ; Mohit Prabhushankar ; Dogancan Temel ; Ghassan AlRegib
COMMENTS: European Conference on Computer Vision (ECCV) 2020
HIGHLIGHT: Hence, we propose the utilization of backpropagated gradients as representations to characterize model behavior on anomalies and, consequently, detect such anomalies.
127, TITLE: Quick Question: Interrupting Users for Microtasks with Reinforcement Learning
http://arxiv.org/abs/2007.09515
AUTHORS: Bo-Jhang Ho ; Bharathan Balaji ; Mehmet Koseoglu ; Sandeep Sandha ; Siyou Pei ; Mani Srivastava
COMMENTS: Presented at the 2nd Workshop on Human in the Loop Learning in ICML 2020
HIGHLIGHT: We model the problem as a Markov decision process and use Advantage Actor Critic algorithm to identify interruptible moments based on context and history of user interactions.
128, TITLE: GREEN: a Graph REsidual rE-ranking Network for Grading Diabetic Retinopathy
http://arxiv.org/abs/2007.09968
AUTHORS: Shaoteng Liu ; Lijun Gong ; Kai Ma ; Yefeng Zheng
HIGHLIGHT: In this paper, we propose a Graph REsidual rE-ranking Network (GREEN) to introduce a class dependency prior into the original image classification network.
129, TITLE: How are you? Introducing stress-based text tailoring
http://arxiv.org/abs/2007.09970
AUTHORS: Simone Balloccu ; Ehud Reiter ; Alexandra Johnstone ; Claire Fyfe
HIGHLIGHT: Healthcare has shown evidence of such dynamics and in this short paper we discuss customising texts based on user stress level, as it could represent a critical factor when it comes to user engagement and behavioural change.
130, TITLE: Quantifying Model Uncertainty in Inverse Problems via Bayesian Deep Gradient Descent
http://arxiv.org/abs/2007.09971
AUTHORS: Riccardo Barbano ; Chen Zhang ; Simon Arridge ; Bangti Jin
COMMENTS: 8 pages, 6 figures
HIGHLIGHT: In this work, we develop a novel scalable data-driven knowledge-aided computational framework to quantify the model uncertainty via Bayesian neural networks.
131, TITLE: Complementary Boundary Generator with Scale-Invariant Relation Modeling for Temporal Action Localization: Submission to ActivityNet Challenge 2020
http://arxiv.org/abs/2007.09883
AUTHORS: Haisheng Su ; Jinyuan Feng ; Hao Shao ; Zhenyu Jiang ; Manyuan Zhang ; Wei Wu ; Yu Liu ; Hongsheng Li ; Junjie Yan
COMMENTS: Submitted to CVPR workshop of ActivityNet Challenge 2020
HIGHLIGHT: In this paper, we decouple the temporal action localization task into two stages (i.e. proposal generation and classification) and enrich the proposal diversity through exhaustively exploring the influences of multiple components from different but complementary perspectives.
132, TITLE: Self-Supervision with Superpixels: Training Few-shot Medical Image Segmentation without Annotation
http://arxiv.org/abs/2007.09886
AUTHORS: Cheng Ouyang ; Carlo Biffi ; Chen Chen ; Turkay Kart ; Huaqi Qiu ; Daniel Rueckert
COMMENTS: Accepted by ECCV2020
HIGHLIGHT: To address this problem we make several contributions: (1) A novel self-supervised FSS framework for medical images in order to eliminate the requirement for annotations during training.
133, TITLE: MIX'EM: Unsupervised Image Classification using a Mixture of Embeddings
http://arxiv.org/abs/2007.09502
AUTHORS: Ali Varamesh ; Tinne Tuytelaars
HIGHLIGHT: We present MIX'EM, a novel solution for unsupervised image classification.
134, TITLE: Self-Loop Uncertainty: A Novel Pseudo-Label for Semi-Supervised Medical Image Segmentation
http://arxiv.org/abs/2007.09854
AUTHORS: Yuexiang Li ; Jiawei Chen ; Xinpeng Xie ; Kai Ma ; Yefeng Zheng
COMMENTS: Accepted by MICCAI 2020
HIGHLIGHT: In this paper, we propose a semi-supervised approach to train neural networks with limited labeled data and a large quantity of unlabeled images for medical image segmentation.
135, TITLE: Frustratingly Hard Evidence Retrieval for QA Over Books
http://arxiv.org/abs/2007.09878
AUTHORS: Xiangyang Mou ; Mo Yu ; Bingsheng Yao ; Chenghao Yang ; Xiaoxiao Guo ; Saloni Potdar ; Hui Su
COMMENTS: ACL 2020 NUSE Workshop, 6 pages
HIGHLIGHT: We formulate BookQA as an open-domain QA task given its similar dependency on evidence retrieval.
136, TITLE: Cross-View Image Synthesis with Deformable Convolution and Attention Mechanism
http://arxiv.org/abs/2007.09858
AUTHORS: Hao Ding ; Songsong Wu ; Hao Tang ; Fei Wu ; Guangwei Gao ; Xiao-Yuan Jing
HIGHLIGHT: In this paper, we propose to use Generative Adversarial Networks(GANs) based on a deformable convolution and attention mechanism to solve the problem of cross-view image synthesis (see Fig.1).
137, TITLE: Learning Gaussian Instance Segmentation in Point Clouds
http://arxiv.org/abs/2007.09860
AUTHORS: Shih-Hung Liu ; Shang-Yi Yu ; Shao-Chi Wu ; Hwann-Tzong Chen ; Tyng-Luh Liu
HIGHLIGHT: This paper presents a novel method for instance segmentation of 3D point clouds.
138, TITLE: Context-Aware RCNN: A Baseline for Action Detection in Videos
http://arxiv.org/abs/2007.09861
AUTHORS: Jianchao Wu ; Zhanghui Kuang ; Limin Wang ; Wayne Zhang ; Gangshan Wu
COMMENTS: ECCV 2020 Camera-ready version
HIGHLIGHT: Thus, we revisit RCNN for actor-centric action recognition via cropping and resizing image patches around actors before feature extraction with I3D deep network.
139, TITLE: MINI-Net: Multiple Instance Ranking Network for Video Highlight Detection
http://arxiv.org/abs/2007.09833
AUTHORS: Fa-Ting Hong ; Xuanteng Huang ; Wei-Hong Li ; Wei-Shi Zheng
HIGHLIGHT: In this work, we propose casting weakly supervised video highlight detection modeling for a given specific event as a multiple instance ranking network (MINI-Net) learning.
140, TITLE: Novel Approach to Use HU Moments with Image Processing Techniques for Real Time Sign Language Communication
http://arxiv.org/abs/2007.09859
AUTHORS: Matheesha Fernando ; Janaka Wijayanayake
HIGHLIGHT: The main objective of this research is to provide a low cost affordable method of sign language interpretation.
141, TITLE: Seeing the Un-Scene: Learning Amodal Semantic Maps for Room Navigation
http://arxiv.org/abs/2007.09841
AUTHORS: Medhini Narasimhan ; Erik Wijmans ; Xinlei Chen ; Trevor Darrell ; Dhruv Batra ; Devi Parikh ; Amanpreet Singh
COMMENTS: Published at the European Conference on Computer Vision, 2020
HIGHLIGHT: We introduce a learning-based approach for room navigation using semantic maps.
142, TITLE: A Gated and Bifurcated Stacked U-Net Module for Document Image Dewarping
http://arxiv.org/abs/2007.09824
AUTHORS: Hmrishav Bandyopadhyay ; Tanmoy Dasgupta ; Nibaran Das ; Mita Nasipuri
HIGHLIGHT: We propose a supervised Gated and Bifurcated Stacked U-Net module to predict a dewarping grid and create a distortion free image from the input.
143, TITLE: Achieving Real-Time Execution of 3D Convolutional Neural Networks on Mobile Devices
http://arxiv.org/abs/2007.09835
AUTHORS: Wei Niu ; Mengshu Sun ; Zhengang Li ; Jou-An Chen ; Jiexiong Guan ; Xipeng Shen ; Yanzhi Wang ; Xue Lin ; Bin Ren
HIGHLIGHT: This paper proposes RT3D, a model compression and mobile acceleration framework for 3D CNNs, seamlessly integrating neural network weight pruning and compiler code generation techniques.
144, TITLE: Object-Aware Centroid Voting for Monocular 3D Object Detection
http://arxiv.org/abs/2007.09836
AUTHORS: Wentao Bao ; Qi Yu ; Yu Kong
COMMENTS: IROS 2020 Accepted Paper
HIGHLIGHT: In this paper, we propose an end-to-end trainable monocular 3D object detector without learning the dense depth.
145, TITLE: Learning to Generate Customized Dynamic 3D Facial Expressions
http://arxiv.org/abs/2007.09805
AUTHORS: Rolandos Alexandros Potamias ; Jiali Zheng ; Stylianos Ploumpis ; Giorgos Bouritsas ; Evangelos Ververas ; Stefanos Zafeiriou
HIGHLIGHT: In this paper, we extrapolate those advances to the 3D domain, by studying 3D image-to-video translation with a particular focus on 4D facial expressions.
146, TITLE: Shopping in the Multiverse: A Counterfactual Approach to In-Session Attribution
http://arxiv.org/abs/2007.10087
AUTHORS: Jacopo Tagliabue ; Bingqing Yu
COMMENTS: accepted at 2020 SIGIR Workshop On eCommerce
HIGHLIGHT: We approach counterfactuals in analogy with treatments in formal semantics, explicitly modeling possible outcomes through alternative shopper timelines; in particular, we propose to learn a generative browsing model over a target shop, leveraging the latent space induced by prod2vec embeddings; we show how natural language queries can be effectively represented in the same space and how "search intervention" can be performed to assess causal contribution.
147, TITLE: Improving Attention-Based Handwritten Mathematical Expression Recognition with Scale Augmentation and Drop Attention
http://arxiv.org/abs/2007.10092
AUTHORS: Zhe Li ; Lianwen Jin ; Songxuan Lai ; Yecheng Zhu
COMMENTS: Accepted to appear in ICFHR 2020
HIGHLIGHT: To address this issue, in this paper, we propose a high-performance HMER model with scale augmentation and drop attention.
148, TITLE: A Big Data Approach for Sequences Indexing on the Cloud via Burrows Wheeler Transform
http://arxiv.org/abs/2007.10095
AUTHORS: Mario Randazzo ; Simona E. Rombo
COMMENTS: Accepted at HELPLINE@ECAI2020
HIGHLIGHT: Here we propose an algorithm for the computation of Burrows Wheeler transform relying on Big Data technologies, i.e., Apache Spark and Hadoop.
149, TITLE: EllSeg: An Ellipse Segmentation Framework for Robust Gaze Tracking
http://arxiv.org/abs/2007.09600
AUTHORS: Rakshit S. Kothari ; Aayush K. Chaudhary ; Reynold J. Bailey ; Jeff B. Pelz ; Gabriel J. Diaz
HIGHLIGHT: In this work, we propose training a convolutional neural network to directly segment entire elliptical structures and demonstrate that such a framework is robust to occlusions and offers superior pupil and iris tracking performance (at least 10$\%$ and 24$\%$ increase in pupil and iris center detection rate respectively within a two-pixel error margin) compared to using standard eye parts segmentation for multiple publicly available synthetic segmentation datasets.
150, TITLE: Relative Pose from Deep Learned Depth and a Single Affine Correspondence
http://arxiv.org/abs/2007.10082
AUTHORS: Ivan Eichhardt ; Daniel Barath
HIGHLIGHT: We propose a new approach for combining deep-learned non-metric monocular depth with affine correspondences (ACs) to estimate the relative pose of two calibrated cameras from a single correspondence.
151, TITLE: Weakly Supervised Instance Segmentation by Learning Annotation Consistent Instances
http://arxiv.org/abs/2007.09397
AUTHORS: Aditya Arun ; C. V. Jawahar ; M. Pawan Kumar
COMMENTS: To appear at ECCV 2020
HIGHLIGHT: Unlike previous approaches, we explicitly model the uncertainty in the pseudo label generation process using a conditional distribution.
152, TITLE: Distractor-Aware Neuron Intrinsic Learning for Generic 2D Medical Image Classifications
http://arxiv.org/abs/2007.09979
AUTHORS: Lijun Gong ; Kai Ma ; Yefeng Zheng
HIGHLIGHT: In this paper, we explore distractors from the CNN feature space via proposing a neuron intrinsic learning method.
153, TITLE: Computing regular meromorphic differential forms via Saito's logarithmic residues
http://arxiv.org/abs/2007.09950
AUTHORS: Katsusuke Nabeshima ; Shinichi Tajima
HIGHLIGHT: An effective method is introduced for computing logarithmic residues.
154, TITLE: HMQ: Hardware Friendly Mixed Precision Quantization Block for CNNs
http://arxiv.org/abs/2007.09952
AUTHORS: Hai Victor Habi ; Roy H. Jennings ; Arnon Netzer
HIGHLIGHT: In this work, we introduce the Hardware Friendly Mixed Precision Quantization Block (HMQ) in order to meet this requirement.
155, TITLE: Gesture Recognition for Initiating Human-to-Robot Handovers
http://arxiv.org/abs/2007.09945
AUTHORS: Jun Kwan ; Chinkye Tan ; Akansel Cosgun
HIGHLIGHT: We pose the handover gesture recognition as a binary classification problem in a single RGB image.
156, TITLE: The Decidability of Verification under Promising 2.0
http://arxiv.org/abs/2007.09944
AUTHORS: Parosh Aziz Abdulla ; Mohamed Faouzi Atig ; Adwait Godbole ; Shankaranarayanan Krishna ; Viktor Vafeiadis
HIGHLIGHT: Therefore, we address, in this paper, the reachability problem for programs running under $\ps$ with relaxed accesses ($\psr$) together with promises.
157, TITLE: Program algebra for random access machine programs
http://arxiv.org/abs/2007.09946
AUTHORS: C. A. Middelburg
COMMENTS: 25 pages, Sect. 2--4 are largely shortened versions of Sect. 2--4 of arXiv:1808.04264, which, in turn, draw from preliminary sections of several other papers. arXiv admin note: substantial text overlap with arXiv:1901.08840
HIGHLIGHT: This paper presents an algebraic theory of instruction sequences with instructions for a random access machine (RAM) as basic instructions, the behaviours produced by the instruction sequences concerned under execution, and the interaction between such behaviours and RAM memories.
158, TITLE: Interpretable Control by Reinforcement Learning
http://arxiv.org/abs/2007.09964
AUTHORS: Daniel Hein ; Steffen Limmer ; Thomas A. Runkler
HIGHLIGHT: In this paper, three recently introduced reinforcement learning (RL) methods are used to generate human-interpretable policies for the cart-pole balancing benchmark.
159, TITLE: Improving Memory Utilization in Convolutional Neural Network Accelerators
http://arxiv.org/abs/2007.09963
AUTHORS: Petar Jokic ; Stephane Emery ; Luca Benini
HIGHLIGHT: This work presents the mathematical model to compute the maximum activations memory overlap and thus the lower bound of on-chip memory needed to perform layer-by-layer processing of convolutional neural networks on memory-limited accelerators.
160, TITLE: TENet: Triple Excitation Network for Video Salient Object Detection
http://arxiv.org/abs/2007.09943
AUTHORS: Sucheng Ren ; Chu Han ; Xin Yang ; Guoqiang Han ; Shengfeng He
HIGHLIGHT: In this paper, we propose a simple yet effective approach, named Triple Excitation Network, to reinforce the training of video salient object detection (VSOD) from three aspects, spatial, temporal, and online excitations.
161, TITLE: Incorporating Reinforced Adversarial Learning in Autoregressive Image Generation
http://arxiv.org/abs/2007.09923
AUTHORS: Kenan E. Ak ; Ning Xu ; Zhe Lin ; Yilin Wang
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: To address these limitations, we propose to use Reinforced Adversarial Learning (RAL) based on policy gradient optimization for autoregressive models.
162, TITLE: MotionSqueeze: Neural Motion Feature Learning for Video Understanding
http://arxiv.org/abs/2007.09933
AUTHORS: Heeseung Kwon ; Manjin Kim ; Suha Kwak ; Minsu Cho
COMMENTS: Accepted to ECCV 2020
HIGHLIGHT: In this work, we replace external and heavy computation of optical flows with internal and light-weight learning of motion features.
163, TITLE: Sep-Stereo: Visually Guided Stereophonic Audio Generation by Associating Source Separation
http://arxiv.org/abs/2007.09902
AUTHORS: Hang Zhou ; Xudong Xu ; Dahua Lin ; Xiaogang Wang ; Ziwei Liu
COMMENTS: To appear in Proceedings of the European Conference on Computer Vision (ECCV), 2020. Code, models, and video results are available on our webpage: https://hangz-nju-cuhk.github.io/projects/Sep-Stereo
HIGHLIGHT: To overcome this challenge, we propose to leverage the vastly available mono data to facilitate the generation of stereophonic audio.
164, TITLE: Reinforcement Communication Learning in Different Social Network Structures
http://arxiv.org/abs/2007.09820
AUTHORS: Marina Dubova ; Arseny Moskvichev ; Robert Goldstone
HIGHLIGHT: We examined the effects of social network organization on the properties of communication systems emerging in decentralized, multi-agent reinforcement learning communities.
165, TITLE: Coinduction Plain and Simple
http://arxiv.org/abs/2007.09909
AUTHORS: François Bry
HIGHLIGHT: Coinduction Plain and Simple
166, TITLE: DBQ: A Differentiable Branch Quantizer for Lightweight Deep Neural Networks
http://arxiv.org/abs/2007.09818
AUTHORS: Hassan Dbouk ; Hetul Sanghvi ; Mahesh Mehendale ; Naresh Shanbhag
COMMENTS: Published as a conference paper in ECCV 2020
HIGHLIGHT: To this end, we present a novel fully differentiable non-uniform quantizer that can be seamlessly mapped onto efficient ternary-based dot product engines.
167, TITLE: Event Prediction in Big Data Era: A Systematic Survey
http://arxiv.org/abs/2007.09815
AUTHORS: Liang Zhao
HIGHLIGHT: This survey has presented a comprehensive survey of existing methodologies developed for event prediction methods in the big data era.
168, TITLE: Multimodal Dialogue State Tracking By QA Approach with Data Augmentation
http://arxiv.org/abs/2007.09903
AUTHORS: Xiangyang Mou ; Brandyn Sigouin ; Ian Steenstra ; Hui Su
COMMENTS: AAAI DSTC8 Workshop
HIGHLIGHT: This paper interprets the AVSD task from an open-domain Question Answering (QA) point of view and proposes a multimodal open-domain QA system to deal with the problem.
169, TITLE: Wearable camera-based human absolute localization in large warehouses
http://arxiv.org/abs/2007.10066
AUTHORS: Gaël Écorchard ; Karel Košnar ; Libor Přeučil
COMMENTS: Conference paper presented at Twelfth International Conference on Machine Vision, 2019
HIGHLIGHT: The purpose of this paper is to demonstrate an absolute visual localization method working in the challenging environment of an automated warehouse with low intensity of light, massively changing environment and using solely monocular camera placed on the human body.
170, TITLE: Investigating Bias and Fairness in Facial Expression Recognition
http://arxiv.org/abs/2007.10075
AUTHORS: Tian Xu ; Jennifer White ; Sinan Kalkan ; Hatice Gunes
HIGHLIGHT: Therefore, in this work, we undertake a systematic investigation of bias and fairness in facial expression recognition by comparing three different approaches, namely a baseline, an attribute-aware and a disentangled approach, on two well-known datasets, RAF-DB and CelebA.
171, TITLE: Morphological Skip-Gram: Using morphological knowledge to improve word representation
http://arxiv.org/abs/2007.10055
AUTHORS: Flávio Santos ; Hendrik Macedo ; Thiago Bispo ; Cleber Zanchetting
COMMENTS: 11 pages
HIGHLIGHT: In this work, we propose a new method for training word embeddings, and its goal is to replace the FastText bag of character n-grams for a bag of word morphemes through the morphological analysis of the word.
172, TITLE: It's LeVAsa not LevioSA! Latent Encodings for Valence-Arousal Structure Alignment
http://arxiv.org/abs/2007.10058
AUTHORS: Surabhi S. Nath ; Vishaal Udandarao ; Jainendra Shukla
COMMENTS: 5 pages, 4 figures and 3 tables
HIGHLIGHT: We present "LeVAsa", a VAE model that learns implicit structure by aligning the latent space with the VA space.
173, TITLE: Cephalometric Landmark Regression with Convolutional Neural Networks on 3D Computed Tomography Data
http://arxiv.org/abs/2007.10052
AUTHORS: Dmitry Lachinov ; Alexandra Getmanskaya ; Vadim Turlapov
HIGHLIGHT: In this paper, we address the problem of automatic three-dimensional cephalometric analysis.
174, TITLE: Personalized Speech2Video with 3D Skeleton Regularization and Expressive Body Poses
http://arxiv.org/abs/2007.09198
AUTHORS: Miao Liao ; Sibo Zhang ; Peng Wang ; Hao Zhu ; Ruigang Yang
HIGHLIGHT: In this paper, we propose a novel approach to convert given speech audio to a photo-realistic speaking video of a specific person, where the output video has synchronized, realistic, and expressive rich body dynamics. To validate our approach, we collect a dataset with 20 high-quality videos from 1 male and 1 female model reading various documents under different topics.
175, TITLE: Making Affine Correspondences Work in Camera Geometry Computation
http://arxiv.org/abs/2007.10032
AUTHORS: Daniel Barath ; Michal Polic ; Wolfgang Förstner ; Torsten Sattler ; Tomas Pajdla ; Zuzana Kukelova
HIGHLIGHT: We propose a method for refining the local feature geometries by symmetric intensity-based matching, combine uncertainty propagation inside RANSAC with preemptive model verification, show a general scheme for computing uncertainty of minimal solvers results, and adapt the sample cheirality check for homography estimation.
176, TITLE: Improving Semantic Segmentation via Decoupled Body and Edge Supervision
http://arxiv.org/abs/2007.10035
AUTHORS: Xiangtai Li ; Xia Li ; Li Zhang ; Guangliang Cheng ; Jianping Shi ; Zhouchen Lin ; Shaohua Tan ; Yunhai Tong
COMMENTS: accepted by ECCV 2020
HIGHLIGHT: In this paper, a new paradigm for semantic segmentation is proposed.
177, TITLE: Attention2AngioGAN: Synthesizing Fluorescein Angiography from Retinal Fundus Images using Generative Adversarial Networks
http://arxiv.org/abs/2007.09191
AUTHORS: Sharif Amit Kamran ; Khondker Fariha Hossain ; Alireza Tavakkoli ; Stewart Lee Zuckerbrod
COMMENTS: 8 pages, 4 figures, 2 tables
HIGHLIGHT: To eradicate the need for an invasive FA extraction procedure, we introduce an Attention-based Generative network that can synthesize Fluorescein Angiography from Fundus images.
178, TITLE: Knowledge Graph Extraction from Videos
http://arxiv.org/abs/2007.10040