-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy path2020.06.23.txt
1621 lines (1329 loc) · 125 KB
/
2020.06.23.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: Always-On, Sub-300-nW, Event-Driven Spiking Neural Network based on Spike-Driven Clock-Generation and Clock- and Power-Gating for an Ultra-Low-Power Intelligent Device
http://arxiv.org/abs/2006.12314
AUTHORS: Dewei Wang ; Pavan Kumar Chundi ; Sung Justin Kim ; Minhao Yang ; Joao Pedro Cerqueira ; Joonsung Kang ; Seunchul Jung ; Sangjoon Kim ; Mingoo Seok
HIGHLIGHT: Toward this goal, we present a novel SNN classifier architecture for always-on functions, demonstrating sub-300nW power consumption at the competitive inference accuracy for a KWS and other always-on classification workloads.
2, TITLE: Coupling-based Invertible Neural Networks Are Universal Diffeomorphism Approximators
http://arxiv.org/abs/2006.11469
AUTHORS: Takeshi Teshima ; Isao Ishikawa ; Koichi Tojo ; Kenta Oono ; Masahiro Ikeda ; Masashi Sugiyama
COMMENTS: 28 pages, 3 figures
HIGHLIGHT: As its corollary, we can affirmatively resolve a previously unsolved problem: whether normalizing flow models based on affine coupling can be universal distributional approximators.
3, TITLE: On the Ability of a CNN to Realize Image-to-Image Language Conversion
http://arxiv.org/abs/2006.12316
AUTHORS: Kohei Baba ; Seiichi Uchida ; Brian Kenji Iwana
COMMENTS: Published at ICDAR 2019
HIGHLIGHT: The purpose of this paper is to reveal the ability that Convolutional Neural Networks (CNN) have on the novel task of image-to-image language conversion.
4, TITLE: Automatic Recall Machines: Internal Replay, Continual Learning and the Brain
http://arxiv.org/abs/2006.12323
AUTHORS: Xu Ji ; Joao Henriques ; Tinne Tuytelaars ; Andrea Vedaldi
HIGHLIGHT: We present a method where these auxiliary samples are generated on the fly, given only the model that is being trained for the assessed objective, without extraneous buffers or generator networks.
5, TITLE: Video Playback Rate Perception for Self-supervisedSpatio-Temporal Representation Learning
http://arxiv.org/abs/2006.11476
AUTHORS: Yuan Yao ; Chang Liu ; Dezhao Luo ; Yu Zhou ; Qixiang Ye
COMMENTS: CVPR 2020
HIGHLIGHT: In this paper, we propose a novel self-supervised method, referred to as video Playback Rate Perception (PRP), to learn spatio-temporal representation in a simple-yet-effective way.
6, TITLE: Patch Based Classification of Remote Sensing Data: A Comparison of 2D-CNN, SVM and NN Classifiers
http://arxiv.org/abs/2006.11767
AUTHORS: Mahesh Pal ; Akshay ; Himanshu Rohilla ; B. Charan Teja
COMMENTS: 8 pages, 2 Figures
HIGHLIGHT: In this paper, we compare performance of patch based SVM and NN with that of a deep learning algorithms comprising of 2D-CNN and fully connected layers.
7, TITLE: Fully-parallel Convolutional Neural Network Hardware
http://arxiv.org/abs/2006.12439
AUTHORS: Christiam F. Frasser ; Pablo Linares-Serrano ; V. Canals ; Miquel Roca ; T. Serrano-Gotarredona ; Josep L. Rossello
COMMENTS: 8 pages, 6 figures, to be submitted to an IEEE journal
HIGHLIGHT: In this work, we propose a new power-and-area-efficient architecture for implementing Articial Neural Networks (ANNs) in hardware, based on the exploitation of correlation phenomenon in Stochastic Computing (SC) systems.
8, TITLE: Compiler Directed Speculative Intermittent Computation
http://arxiv.org/abs/2006.11479
AUTHORS: Jongouk Choi ; Qingrui Liu ; Changhee Jung
HIGHLIGHT: This paper presents CoSpec, a new architecture/compiler co-design scheme that works for commodity in-order processors used in energy-harvesting systems.
9, TITLE: Siamese Meta-Learning and Algorithm Selection with 'Algorithm-Performance Personas' [Proposal]
http://arxiv.org/abs/2006.12328
AUTHORS: Joeran Beel ; Bryan Tyrell ; Edward Bergman ; Andrew Collins ; Shahad Nagoor
HIGHLIGHT: We propose a Siamese Neural Network architecture for automated algorithm selection that focuses more on 'alike performing' instances than meta-features.
10, TITLE: wav2vec 2.0: A Framework for Self-Supervised Learning of Speech Representations
http://arxiv.org/abs/2006.11477
AUTHORS: Alexei Baevski ; Henry Zhou ; Abdelrahman Mohamed ; Michael Auli
HIGHLIGHT: We show for the first time that learning powerful representations from speech audio alone followed by fine-tuning on transcribed speech can outperform the best semi-supervised methods while being conceptually simpler.
11, TITLE: Pseudo-LiDAR Point Cloud Interpolation Based on 3D Motion Representation and Spatial Supervision
http://arxiv.org/abs/2006.11481
AUTHORS: Haojie Liu ; Kang Liao ; Chunyu Lin ; Yao Zhao ; Yulan Guo
COMMENTS: 10 pages, 6 figures
HIGHLIGHT: To solve the above problems, we propose a Pseudo-LiDAR point cloud interpolation network to generates temporally and spatially high-quality point cloud sequences.
12, TITLE: Constant-Space, Constant-Randomness Verifiers with Arbitrarily Small Error
http://arxiv.org/abs/2006.12330
AUTHORS: M. Utkan Gezer ; A. C. Cem Say
HIGHLIGHT: We study the capabilities of probabilistic finite-state machines that act as verifiers for certificates of language membership for input strings, in the regime where the verifiers are restricted to toss some fixed nonzero number of coins regardless of the input size.
13, TITLE: Deep Double-Side Learning Ensemble Model for Few-Shot Parkinson Speech Recognition
http://arxiv.org/abs/2006.11593
AUTHORS: Yongming Li ; Lang Zhou ; Lingyun Qin ; Yuwei Zeng ; Yuchuan Liu ; Yan Lei ; Pin Wang ; Fan Li
COMMENTS: 15 pages, 4 figures
HIGHLIGHT: To solve these two problems, based on the existing Parkinson speech feature data set, a deep double-side learning ensemble model is designed in this paper that can reconstruct speech features and samples deeply and simultaneously.
14, TITLE: Unsupervised Image Classification for Deep Representation Learning
http://arxiv.org/abs/2006.11480
AUTHORS: Weijie Chen ; Shiliang Pu ; Di Xie ; Shicai Yang ; Yilu Guo ; Luojun Lin
COMMENTS: submitted to ECCV 2020
HIGHLIGHT: In this work, we aim to make this framework more simple and elegant without performance decline.
15, TITLE: A Baseline Approach for AutoImplant: the MICCAI 2020 Cranial Implant Design Challenge
http://arxiv.org/abs/2006.12449
AUTHORS: Jianning Li ; Antonio Pepe ; Christina Gsaxner ; Gord von Campe ; Jan Egger
COMMENTS: 12 pages
HIGHLIGHT: In this study, we present a baseline approach for AutoImplant (https://autoimplant.grand-challenge.org/) - the cranial implant design challenge, which, as suggested by the organizers, can be formulated as a volumetric shape learning task.
16, TITLE: Open-Domain Conversational Agents: Current Progress, Open Problems, and Future Directions
http://arxiv.org/abs/2006.12442
AUTHORS: Stephen Roller ; Y-Lan Boureau ; Jason Weston ; Antoine Bordes ; Emily Dinan ; Angela Fan ; David Gunning ; Da Ju ; Margaret Li ; Spencer Poff ; Pratik Ringshia ; Kurt Shuster ; Eric Michael Smith ; Arthur Szlam ; Jack Urbanek ; Mary Williamson
HIGHLIGHT: We present our view of what is necessary to build an engaging open-domain conversational agent: covering the qualities of such an agent, the pieces of the puzzle that have been built so far, and the gaping holes we have not filled yet.
17, TITLE: FaceHack: Triggering backdoored facial recognition systems using facial characteristics
http://arxiv.org/abs/2006.11623
AUTHORS: Esha Sarkar ; Hadjer Benkraouda ; Michail Maniatakos
HIGHLIGHT: In this work, we demonstrate that specific changes to facial characteristics may also be used to trigger malicious behavior in an ML model.
18, TITLE: Defense against Adversarial Attacks in NLP via Dirichlet Neighborhood Ensemble
http://arxiv.org/abs/2006.11627
AUTHORS: Yi Zhou ; Xiaoqing Zheng ; Cho-Jui Hsieh ; Kai-wei Chang ; Xuanjing Huang
HIGHLIGHT: In this paper, we propose Dirichlet Neighborhood Ensemble (DNE), a randomized smoothing method for training a robust model to defense substitution-based attacks.
19, TITLE: Quickest Intruder Detection for Multiple User Active Authentication
http://arxiv.org/abs/2006.11921
AUTHORS: Pramuditha Perera ; Julian Fierrez ; Vishal M. Patel
COMMENTS: Accepted for publication in ICIP 2020
HIGHLIGHT: In this paper, we investigate how to detect intruders with low latency for Active Authentication (AA) systems with multiple-users.
20, TITLE: G2D: Generate to Detect Anomalies
http://arxiv.org/abs/2006.11629
AUTHORS: Masoud Pourreza ; Bahram Mohammadi ; Mostafa Khaki ; Samir Bouindour ; Hichem Snoussi ; Mohammad Sabokrou
HIGHLIGHT: In this paper, we propose a novel method for irregularity detection.
21, TITLE: Lyric Video Analysis Using Text Detection and Tracking
http://arxiv.org/abs/2006.11933
AUTHORS: Shota Sakaguchi ; Jun Kato ; Masataka Goto ; Seiichi Uchida
COMMENTS: 15 pages, 8 figures, DAS 2020
HIGHLIGHT: The purpose of this paper is to analyze the motion of the lyric words in lyric videos, as the first step of automatic lyric video generation.
22, TITLE: A Fast Stochastic Plug-and-Play ADMM for Imaging Inverse Problems
http://arxiv.org/abs/2006.11630
AUTHORS: Junqi Tang ; Mike Davies
HIGHLIGHT: In this work we propose an efficient stochastic plug-and-play (PnP) algorithm for imaging inverse problems.
23, TITLE: FilterNet: A Neighborhood Relationship Enhanced Fully Convolutional Network for Calf Muscle Compartment Segmentation
http://arxiv.org/abs/2006.11930
AUTHORS: Zhihui Guo ; Honghai Zhang ; Zhi Chen ; Ellen van der Plas ; Laurie Gutmann ; Daniel Thedens ; Peggy Nopoulos ; Milan Sonka
HIGHLIGHT: We present a novel fully convolutional network (FCN), called FilterNet, that utilizes contextual information in a large neighborhood and embeds edge-aware constraints for individual calf muscle compartment segmentations.
24, TITLE: Estimating Model Uncertainty of Neural Networks in Sparse Information Form
http://arxiv.org/abs/2006.11631
AUTHORS: Jongseok Lee ; Matthias Humt ; Jianxiang Feng ; Rudolph Triebel
COMMENTS: Accepted to the Thirty-seventh International Conference on Machine Learning (ICML) 2020
HIGHLIGHT: The key insight of our work is that the information matrix, i.e. the inverse of the covariance matrix tends to be sparse in its spectrum.
25, TITLE: Dynamic Symbolic Execution of Higher-Order Functions
http://arxiv.org/abs/2006.11639
AUTHORS: Shu-Hung You ; Robert Bruce Findler ; Christos Dimoulas
HIGHLIGHT: In this paper, we take the first step towards solving the problem; we offer a design, semantics, and prototype for concolic testing of higher-order functions.
26, TITLE: End-to-End Memristive HTM System for Pattern Recognition and Sequence Prediction
http://arxiv.org/abs/2006.11958
AUTHORS: Abdullah M. Zyarah ; Kevin Gomez ; Dhireesha Kudithipudi
HIGHLIGHT: In this paper, a neuromorphic system that processes spatio-temporal information on the edge is proposed.
27, TITLE: Differentiable Rendering: A Survey
http://arxiv.org/abs/2006.12057
AUTHORS: Hiroharu Kato ; Deniz Beker ; Mihai Morariu ; Takahiro Ando ; Toru Matsuoka ; Wadim Kehl ; Adrien Gaidon
HIGHLIGHT: This paper reviews existing literature and discusses the current state of differentiable rendering, its applications and open research problems.
28, TITLE: Object Tracking through Residual and Dense LSTMs
http://arxiv.org/abs/2006.12061
AUTHORS: Fabio Garcea ; Alessandro Cucco ; Lia Morra ; Fabrizio Lamberti
HIGHLIGHT: Inspired by the success of residual and dense networks in image recognition, we propose here to enhance the capabilities of hybrid trackers using residual and/or dense LSTMs.
29, TITLE: MotioNet: 3D Human Motion Reconstruction from Monocular Video with Skeleton Consistency
http://arxiv.org/abs/2006.12075
AUTHORS: Mingyi Shi ; Kfir Aberman ; Andreas Aristidou ; Taku Komura ; Dani Lischinski ; Daniel Cohen-Or ; Baoquan Chen
COMMENTS: Accepted to Transactions on Graphics (ToG) 2020. Project page: {https://rubbly.cn/publications/motioNet} Video: {https://youtu.be/8YubchlzvFA}
HIGHLIGHT: We introduce MotioNet, a deep neural network that directly reconstructs the motion of a 3D human skeleton from monocular video.While previous methods rely on either rigging or inverse kinematics (IK) to associate a consistent skeleton with temporally coherent joint rotations, our method is the first data-driven approach that directly outputs a kinematic skeleton, which is a complete, commonly used, motion representation.
30, TITLE: Split to Be Slim: An Overlooked Redundancy in Vanilla Convolution
http://arxiv.org/abs/2006.12085
AUTHORS: Qiulin Zhang ; Zhuqing Jiang ; Qishuo Lu ; Jia'nan Han ; Zhengxin Zeng ; Shang-hua Gao ; Aidong Men
COMMENTS: Preprint version. The final version has been accepted to appear at IJCAI20
HIGHLIGHT: Many effective solutions have been proposed to reduce the redundancy of models for inference acceleration.
31, TITLE: Kiwifruit detection in challenging conditions
http://arxiv.org/abs/2006.11729
AUTHORS: Mahla Nejati ; Nicky Penhall ; Henry Williams ; Jamie Bell ; JongYoon Lim ; Ho Seok Ahn ; Bruce MacDonald
COMMENTS: Accepted to the Australasian conference on robotics and automation (ACRA 2019)
HIGHLIGHT: This paper presents a semantic segmentation approach with two novel image prepossessing techniques designed to detect kiwifruit under the harsh lighting conditions found in the canopy.
32, TITLE: Verifying Individual Fairness in Machine Learning Models
http://arxiv.org/abs/2006.11737
AUTHORS: Philips George John ; Deepak Vijaykeerthy ; Diptikalyan Saha
COMMENTS: An extended version of the paper accepted at UAI 2020, 12 pages, code is available at https://github.com/philips-george/ifv-uai-2020
HIGHLIGHT: Our objective is to construct verifiers for proving individual fairness of a given model, and we do so by considering appropriate relaxations of the problem.
33, TITLE: Progressive Graph Learning for Open-Set Domain Adaptation
http://arxiv.org/abs/2006.12087
AUTHORS: Yadan Luo ; Zijian Wang ; Zi Huang ; Mahsa Baktashmotlagh
HIGHLIGHT: More specifically, we introduce an end-to-end Progressive Graph Learning (PGL) framework where a graph neural network with episodic training is integrated to suppress underlying conditional shift and adversarial learning is adopted to close the gap between the source and target distributions.
34, TITLE: Efficient Integer-Arithmetic-Only Convolutional Neural Networks
http://arxiv.org/abs/2006.11735
AUTHORS: Hengrui Zhao ; Dong Liu ; Houqiang Li
COMMENTS: 8 pages, 4 figures
HIGHLIGHT: We analyze this phonomenon and find that the decline is due to activation quantization.
35, TITLE: Deep Low-rank Prior in Dynamic MR Imaging
http://arxiv.org/abs/2006.12090
AUTHORS: Ziwen Ke ; Wenqi Huang ; Jing Cheng ; Xin Liu ; Hairong Zheng ; Leslie Ying ; Yanjie Zhu ; Dong Liang
COMMENTS: 12 pages, 7 figures
HIGHLIGHT: In this paper, we explore deep low-rank prior in dynamic MR imaging to obtain improved reconstruction results.
36, TITLE: Achieving Better Kinship Recognition Through Better Baseline
http://arxiv.org/abs/2006.11739
AUTHORS: Andrei Shadrikov
COMMENTS: Accepted for the 4th Recognizing Families In the Wild Workshop
HIGHLIGHT: We present a new baseline for an automatic kinship recognition task and relatives search based on RetinaFace[1] for face registration and ArcFace[2] face verification model.
37, TITLE: Weak Supervision and Referring Attention for Temporal-Textual Association Learning
http://arxiv.org/abs/2006.11747
AUTHORS: Zhiyuan Fang ; Shu Kong ; Zhe Wang ; Charless Fowlkes ; Yezhou Yang
COMMENTS: 12 pages, 6 figures
HIGHLIGHT: Therefore we provide a Weak-Supervised alternative with our proposed Referring Attention mechanism to learn temporal-textual association (dubbed WSRA).
38, TITLE: Sample Factory: Egocentric 3D Control from Pixels at 100000 FPS with Asynchronous Reinforcement Learning
http://arxiv.org/abs/2006.11751
AUTHORS: Aleksei Petrenko ; Zhehui Huang ; Tushar Kumar ; Gaurav Sukhatme ; Vladlen Koltun
COMMENTS: Paper published in ICML2020. Visualizations of trained policies can be found at https://sites.google.com/view/sample-factory
HIGHLIGHT: In this work we aim to solve this problem by optimizing the efficiency and resource utilization of reinforcement learning algorithms instead of relying on distributed computation.
39, TITLE: Methodology for Building Synthetic Datasets with Virtual Humans
http://arxiv.org/abs/2006.11757
AUTHORS: Shubhajit Basak ; Hossein Javidnia ; Faisal Khan ; Rachel McDonnell ; Michael Schukat
COMMENTS: Conference - ISSC 2020
HIGHLIGHT: In this work, we explore a framework to synthetically generate facial data to be used as part of a toolchain to generate very large facial datasets with a high degree of control over facial and environmental variations.
40, TITLE: Examination of community sentiment dynamics due to covid-19 pandemic: a case study from Australia
http://arxiv.org/abs/2006.12185
AUTHORS: Jianlong Zhou ; Shuiqiao Yang ; Chun Xiao ; Fang Chen
HIGHLIGHT: In this paper, we exploit the massive text data posted by Twitter users to analyse the sentiment dynamics of people living in the state of New South Wales (NSW) in Australia during the pandemic period.
41, TITLE: Neural networks adapting to datasets: learning network size and topology
http://arxiv.org/abs/2006.12195
AUTHORS: Romuald A. Janik ; Aleksandra Nowak
HIGHLIGHT: We introduce a flexible setup allowing for a neural network to learn both its size and topology during the course of a standard gradient-based training.
42, TITLE: Flood severity mapping from Volunteered Geographic Information by interpreting water level from images containing people: a case study of Hurricane Harvey
http://arxiv.org/abs/2006.11802
AUTHORS: Yu Feng ; Claus Brenner ; Monika Sester
HIGHLIGHT: In this paper, we propose a novel three-step pipeline method to extract and map flood severity information.
43, TITLE: Sequential Feature Filtering Classifier
http://arxiv.org/abs/2006.11808
AUTHORS: Minseok Seo ; Jaemin Lee ; Jongchan Park ; Dong-Geol Choi
HIGHLIGHT: We propose Sequential Feature Filtering Classifier (FFC), a simple but effective classifier for convolutional neural networks (CNNs).
44, TITLE: Improving Image Captioning with Better Use of Captions
http://arxiv.org/abs/2006.11807
AUTHORS: Zhan Shi ; Xu Zhou ; Xipeng Qiu ; Xiaodan Zhu
COMMENTS: ACL 2020
HIGHLIGHT: In this paper, we present a novel image captioning architecture to better explore semantics available in captions and leverage that to enhance both image representation and caption generation.
45, TITLE: A blindspot of AI ethics: anti-fragility in statistical prediction
http://arxiv.org/abs/2006.11814
AUTHORS: Michele Loi ; Lonneke van der Plas
COMMENTS: 7th Swiss Conference on Data Science (accepted as Panel)
HIGHLIGHT: With this paper, we aim to put an issue on the agenda of AI ethics that in our view is overlooked in the current discourse.
46, TITLE: Subspace Clustering for Action Recognition with Covariance Representations and Temporal Pruning
http://arxiv.org/abs/2006.11812
AUTHORS: Giancarlo Paoletti ; Jacopo Cavazza ; Cigdem Beyan ; Alessio Del Bue
HIGHLIGHT: To this end, we propose a novel subspace clustering method, which exploits covariance matrix to enhance the action's discriminability and a timestamp pruning approach that allow us to better handle the temporal dimension of the data.
47, TITLE: TreeRNN: Topology-Preserving Deep GraphEmbedding and Learning
http://arxiv.org/abs/2006.11825
AUTHORS: Yecheng Lyu ; Ming Li ; Xinming Huang ; Ziming Zhang
COMMENTS: 10 pages
HIGHLIGHT: In contrast to the literature where the graph local patterns are captured by customized graph kernels, in this paper we study the problem of how to effectively and efficiently transfer such graphs into image space so that order-sensitive networks such as recurrent neural networks (RNNs) can better extract local pattern in this regularized forms.
48, TITLE: Enriching Large-Scale Eventuality Knowledge Graph with Entailment Relations
http://arxiv.org/abs/2006.11824
AUTHORS: Changlong Yu ; Hongming Zhang ; Yangqiu Song ; Wilfred Ng ; Lifeng Shang
COMMENTS: Accepted by AKBC 2020
HIGHLIGHT: In this paper, we propose a scalable approach to model the entailment relations between eventualities ("eat an apple'' entails ''eat fruit'').
49, TITLE: Refined bounds for algorithm configuration: The knife-edge of dual class approximability
http://arxiv.org/abs/2006.11827
AUTHORS: Maria-Florina Balcan ; Tuomas Sandholm ; Ellen Vitercik
HIGHLIGHT: Automating algorithm configuration is growing increasingly necessary as algorithms come with more and more tunable parameters.
50, TITLE: AdvAug: Robust Adversarial Augmentation for Neural Machine Translation
http://arxiv.org/abs/2006.11834
AUTHORS: Yong Cheng ; Lu Jiang ; Wolfgang Macherey ; Jacob Eisenstein
COMMENTS: In ACL 2020
HIGHLIGHT: In this paper, we propose a new adversarial augmentation method for Neural Machine Translation (NMT).
51, TITLE: The NYU-CUBoulder Systems for SIGMORPHON 2020 Task 0 and Task 2
http://arxiv.org/abs/2006.11830
AUTHORS: Assaf Singer ; Katharina Kann
COMMENTS: 8 pages, 2 figures
HIGHLIGHT: We describe the NYU-CUBoulder systems for the SIGMORPHON 2020 Task 0 on typologically diverse morphological inflection and Task 2 on unsupervised morphological paradigm completion.
52, TITLE: Unsupervised Learning of Deep-Learned Features from Breast Cancer Images
http://arxiv.org/abs/2006.11843
AUTHORS: Sanghoon Lee ; Colton Farley ; Simon Shim ; Yanjun Zhao ; Wookjin Choi ; Wook-Sung Yoo
COMMENTS: 7 pages for IEEE BIBE
HIGHLIGHT: In this paper, we propose an unsupervised learning approach for detecting cancer in breast invasive carcinoma (BRCA) whole slide images.
53, TITLE: Quanta Burst Photography
http://arxiv.org/abs/2006.11840
AUTHORS: Sizhuo Ma ; Shantanu Gupta ; Arin C. Ulku ; Claudio Bruschini ; Edoardo Charbon ; Mohit Gupta
COMMENTS: A version with better-quality images can be found on the project webpage: http://wisionlab.cs.wisc.edu/project/quanta-burst-photography/
HIGHLIGHT: We present quanta burst photography, a computational photography technique that leverages SPCs as passive imaging devices for photography in challenging conditions, including ultra low-light and fast motion.
54, TITLE: Emerging Biometrics: Deep Inference and Other Computational Intelligence
http://arxiv.org/abs/2006.11971
AUTHORS: Svetlana Yanushkevich ; Shawn Eastwood ; Kenneth Lai ; Vlad Shmerko
COMMENTS: Survey paper
HIGHLIGHT: This paper aims at identifying emerging computational intelligence trends for the design and modeling of complex biometric-enabled infrastructure and systems.
55, TITLE: Labeling Explicit Discourse Relations using Pre-trained Language Models
http://arxiv.org/abs/2006.11852
AUTHORS: Murathan Kurfalı
COMMENTS: To be presented at TSD 2020
HIGHLIGHT: We evaluate our model on PDTB 2.0 and report the state-of-the-art results in the extraction of the full relation.
56, TITLE: Perspective Texture Synthesis Based on Improved Energy Optimization
http://arxiv.org/abs/2006.11851
AUTHORS: Syed Muhammad Arsalan Bashir ; Farhan Ali Khan Ghouri
COMMENTS: Published in PLOS One
HIGHLIGHT: In this paper, we present a novel example-based, specifically energy optimization-based algorithm, to synthesize perspective textures.
57, TITLE: ELF: An Early-Exiting Framework for Long-Tailed Classification
http://arxiv.org/abs/2006.11979
AUTHORS: Rahul Duggal ; Scott Freitas ; Sunny Dhamnani ; Duen Horng ; Chau ; Jimeng Sun
HIGHLIGHT: To incorporate this notion of hardness into the learning process, we propose the EarLy-exiting Framework(ELF).
58, TITLE: Functional differentiations in evolutionary reservoir computing networks
http://arxiv.org/abs/2006.11507
AUTHORS: Yutaka Yamaguti ; Ichiro Tsuda
COMMENTS: This article has been submitted to Chaos. After it is published, it will be found at https://aip.scitation.org/journal/cha
HIGHLIGHT: In this paper, we show how specific neuronal units are yielded in the evolutionary reservoir computer.
59, TITLE: G-image Segmentation: Similarity-preserving Fuzzy C-Means with Spatial Information Constraint in Wavelet Space
http://arxiv.org/abs/2006.11510
AUTHORS: Cong Wang ; Witold Pedrycz ; ZhiWu Li ; MengChu Zhou ; Shuzhi Sam Ge
COMMENTS: 12 pages, 17 figures, 2 tables
HIGHLIGHT: This work elaborates a similarity-preserving Fuzzy C-Means (FCM) algorithm for G-image segmentation and aims to develop techniques and tools for segmenting G-images.
60, TITLE: Computational Enhancement of Molecularly Targeted Contrast-Enhanced Ultrasound: Application to Human Breast Tumor Imaging
http://arxiv.org/abs/2006.11993
AUTHORS: Andrew A. Berlin ; Mon Young ; Ahmed El Kaffas ; Sam Gambhir ; Amelie Lutz ; Maria Luigia Storto ; Juergen Willmann
HIGHLIGHT: We have developed computational enhancement techniques for mCEUS tailored to address the unique challenges of imaging contrast accumulation in humans.
61, TITLE: Global Image Sentiment Transfer
http://arxiv.org/abs/2006.11989
AUTHORS: Jie An ; Tianlang Chen ; Songyang Zhang ; Jiebo Luo
HIGHLIGHT: This work proposes a novel framework consisting of a reference image retrieval step and a global sentiment transfer step to transfer sentiments of images according to a given sentiment tag.
62, TITLE: COVID-19 Image Data Collection: Prospective Predictions Are the Future
http://arxiv.org/abs/2006.11988
AUTHORS: Joseph Paul Cohen ; Paul Morrison ; Lan Dao ; Karsten Roth ; Tim Q Duong ; Marzyeh Ghassemi
COMMENTS: Code for baseline experiments can be found here: https://github.com/mlmed/torchxrayvision/tree/master/scripts/covid-baselines
HIGHLIGHT: We present multiple possible use cases for the data such as predicting the need for the ICU, predicting patient survival, and understanding a patient's trajectory during treatment.
63, TITLE: Effective Version Space Reduction for Convolutional Neural Networks
http://arxiv.org/abs/2006.12456
AUTHORS: Jiayu Liu ; Ioannis Chiotellis ; Rudolph Triebel ; Daniel Cremers
COMMENTS: 22 pages, 8 figures, to be published in the Proceedings of the European Conference on Machine Learning and Principles and Practice of Knowledge Discovery in Databases (ECML PKDD) 2020
HIGHLIGHT: We identify the connection between two approaches---prior mass reduction and diameter reduction---and propose a new diameter-based querying method---the minimum Gibbs-vote disagreement.
64, TITLE: Sarcasm Detection in Tweets with BERT and GloVe Embeddings
http://arxiv.org/abs/2006.11512
AUTHORS: Akshay Khatri ; Pranav P ; Dr. Anand Kumar M
COMMENTS: 5 pages Submitted to ACL 2020 conference
HIGHLIGHT: In this paper, we propose using machine learning techniques with BERT and GloVe embeddings to detect sarcasm in tweets.
65, TITLE: Improving Query Safety at Pinterest
http://arxiv.org/abs/2006.11511
AUTHORS: Abhijit Mahabal ; Yinrui Li ; Rajat Raina ; Daniel Sun ; Revati Mahajan ; Jure Lescovec
HIGHLIGHT: We present PinSets, a system for query-set expansion, which applies a simple yet powerful mechanism to search user sessions, expanding a tiny seed set into thousands of related queries at nearly perfect precision, deep into the tail, along with explanations that are easy to interpret.
66, TITLE: Fanoos: Multi-Resolution, Multi-Strength, Interactive Explanations for Learned Systems
http://arxiv.org/abs/2006.12453
AUTHORS: David Bayani ; Stefan Mitsch
COMMENTS: 26 pages, 7 figures
HIGHLIGHT: We introduce Fanoos, a flexible framework for combining formal verification techniques, heuristic search, and user interaction to explore explanations at the desired level of granularity and fidelity.
67, TITLE: Students Need More Attention: BERT-based AttentionModel for Small Data with Application to AutomaticPatient Message Triage
http://arxiv.org/abs/2006.11991
AUTHORS: Shijing Si ; Rui Wang ; Jedrek Wosik ; Hao Zhang ; David Dov ; Guoyin Wang ; Ricardo Henao ; Lawrence Carin
COMMENTS: 20 pages, Machine Learning for Healthcare 2020 (To appear)
HIGHLIGHT: So motivated, we propose a novel framework based on BioBERT (Bidirectional Encoder Representations from Transformers forBiomedical TextMining).
68, TITLE: Slimming Neural Networks using Adaptive Connectivity Scores
http://arxiv.org/abs/2006.12463
AUTHORS: Madan Ravi Ganesh ; Dawsin Blanchard ; Jason J. Corso ; Salimeh Yasaei Sekeh
COMMENTS: 22 pages
HIGHLIGHT: In this work,we propose Slimming Neural networks using Adaptive Connectivity Measures(SNACS), as an algorithm that uses a probabilistic framework for compression while incorporating weight-based constraints at multiple levels to capitalize on both their strengths and overcome previous issues. To reduce the amount of unnecessary manual effort required to set the upper pruning limit of different layers in a DNN we propose a set of operating constraints to help automatically set them.
69, TITLE: Modeling Lost Information in Lossy Image Compression
http://arxiv.org/abs/2006.11999
AUTHORS: Yaolong Wang ; Mingqing Xiao ; Chang Liu ; Shuxin Zheng ; Tie-Yan Liu
HIGHLIGHT: In this work, we propose a novel invertible framework called Invertible Lossy Compression (ILC) to largely mitigate the information loss problem.
70, TITLE: Limits to Depth Efficiencies of Self-Attention
http://arxiv.org/abs/2006.12467
AUTHORS: Yoav Levine ; Noam Wies ; Or Sharir ; Hofit Bata ; Amnon Shashua
HIGHLIGHT: In this paper, we theoretically study the interplay between depth and width in self-attention, and shed light on the root of the above phenomenon.
71, TITLE: Ecological Reinforcement Learning
http://arxiv.org/abs/2006.12478
AUTHORS: John D. Co-Reyes ; Suvansh Sanjeev ; Glen Berseth ; Abhishek Gupta ; Sergey Levine
COMMENTS: Preprint. Website at: https://sites.google.com/view/ecological-rl/home
HIGHLIGHT: In this paper, instead of studying algorithmic improvements that can address such non-episodic and sparse reward settings, we instead study the kinds of environment properties that can make learning under such conditions easier.
72, TITLE: Self-supervised Video Object Segmentation
http://arxiv.org/abs/2006.12480
AUTHORS: Fangrui Zhu ; Li Zhang ; Yanwei Fu ; Guodong Guo ; Weidi Xie
HIGHLIGHT: The objective of this paper is self-supervised representation learning, with the goal of solving semi-supervised video object segmentation (a.k.a. dense tracking).
73, TITLE: Sample-Efficient Reinforcement Learning of Undercomplete POMDPs
http://arxiv.org/abs/2006.12484
AUTHORS: Chi Jin ; Sham M. Kakade ; Akshay Krishnamurthy ; Qinghua Liu
HIGHLIGHT: In particular, we present a sample-efficient algorithm, OOM-UCB, for episodic finite undercomplete POMDPs, where the number of observations is larger than the number of latent states and where exploration is essential for learning, thus distinguishing our results from prior works.
74, TITLE: DiRS: On Creating Benchmark Datasets for Remote Sensing Image Interpretation
http://arxiv.org/abs/2006.12485
AUTHORS: Yang Long ; Gui-Song Xia ; Shengyang Li ; Wen Yang ; Michael Ying Yang ; Xiao Xiang Zhu ; Liangpei Zhang ; Deren Li
COMMENTS: Article submitted to IEEE Geoscience and Remote Sensing Magazine
HIGHLIGHT: After reviewing existing benchmark datasets in the research community of RS image interpretation, this article discusses the problem of how to efficiently prepare a suitable benchmark dataset for RS image analysis.
75, TITLE: MaskIt: Masking for efficient utilization of incomplete public datasets for training deep learning models
http://arxiv.org/abs/2006.12004
AUTHORS: Ankit Kariryaa
COMMENTS: 5 pages, 3 figures
HIGHLIGHT: In the paper, we present a masking approach for training deep learning models from a publicly available but incomplete dataset.
76, TITLE: Efficient text generation of user-defined topic using generative adversarial networks
http://arxiv.org/abs/2006.12005
AUTHORS: Chenhan Yuan ; Yi-chin Huang ; Cheng-Hung Tsai
COMMENTS: Accepted by CC-NLG 2019 (Workshop on Computational Creativity in Natural Language Generation)
HIGHLIGHT: Therefore, we propose a User-Defined GAN (UD-GAN) with two-level discriminators to solve this problem.
77, TITLE: Locally Masked Convolution for Autoregressive Models
http://arxiv.org/abs/2006.12486
AUTHORS: Ajay Jain ; Pieter Abbeel ; Deepak Pathak
COMMENTS: Published at Conference on Uncertainty in AI (UAI) 2020
HIGHLIGHT: To generate data in arbitrary orders, we introduce LMConv: a simple modification to the standard 2D convolution that allows arbitrary masks to be applied to the weights at each location in the image.
78, TITLE: Feature Alignment and Restoration for Domain Generalization and Adaptation
http://arxiv.org/abs/2006.12009
AUTHORS: Xin Jin ; Cuiling Lan ; Wenjun Zeng ; Zhibo Chen
HIGHLIGHT: In this paper, we propose a unified framework termed Feature Alignment and Restoration (FAR) to simultaneously ensure high generalization and discrimination power of the networks for effective DG and UDA.
79, TITLE: Near-Optimal Reinforcement Learning with Self-Play
http://arxiv.org/abs/2006.12007
AUTHORS: Yu Bai ; Chi Jin ; Tiancheng Yu
HIGHLIGHT: This paper closes this gap for the first time: we propose an optimistic variant of the \emph{Nash Q-learning} algorithm with sample complexity $\tilde{\mathcal{O}}(SAB)$, and a new \emph{Nash V-learning} algorithm with sample complexity $\tilde{\mathcal{O}}(S(A+B))$.
80, TITLE: Towards Better Performance and More Explainable Uncertainty for 3D Object Detection of Autonomous Vehicles
http://arxiv.org/abs/2006.12015
AUTHORS: Hujie Pan ; Zining Wang ; Wei Zhan ; Masayoshi Tomizuka
COMMENTS: ITSC2020
HIGHLIGHT: In this paper, we propose a novel form of the loss function to increase the performance of LiDAR-based 3d object detection and obtain more explainable and convincing uncertainty for the prediction.
81, TITLE: A Self-Attention Network based Node Embedding Model
http://arxiv.org/abs/2006.12100
AUTHORS: Dai Quoc Nguyen ; Tu Dinh Nguyen ; Dinh Phung
COMMENTS: Accepted version, ECML-PKDD 2020
HIGHLIGHT: To this end, we propose SANNE -- a novel unsupervised embedding model -- whose central idea is to employ a transformer self-attention network to iteratively aggregate vector representations of nodes in random walks.
82, TITLE: Exploiting Non-Taxonomic Relations for Measuring Semantic Similarity and Relatedness in WordNet
http://arxiv.org/abs/2006.12106
AUTHORS: Mohannad AlMousa ; Rachid Benlamri ; Richard Khoury
HIGHLIGHT: We propose a holistic poly-relational approach based on a new relation-based information content and non-taxonomic-based weighted paths to devise a comprehensive semantic similarity and relatedness measure.
83, TITLE: The color out of space: learning self-supervised representations for Earth Observation imagery
http://arxiv.org/abs/2006.12119
AUTHORS: Stefano Vincenzi ; Angelo Porrello ; Pietro Buzzega ; Marco Cipriano ; Pietro Fronte ; Roberto Cuccu ; Carla Ippoliti ; Annamaria Conte ; Simone Calderara
COMMENTS: 8 pages, 2 figures. Accepted in the 25th International Conference on PATTERN RECOGNITION (ICPR 2020), Milan, Italy
HIGHLIGHT: In this work, we propose to learn meaningful representations from satellite imagery, leveraging its high-dimensionality spectral bands to reconstruct the visible colors.
84, TITLE: Machine Learning Pipelines: Provenance, Reproducibility and FAIR Data Principles
http://arxiv.org/abs/2006.12117
AUTHORS: Sheeba Samuel ; Frank Löffler ; Birgitta König-Ries
COMMENTS: Accepted at ProvenanceWeek 2020 (https://iitdbgroup.github.io/ProvenanceWeek2020/)
HIGHLIGHT: In this paper, we describe our goals and initial steps in supporting the end-to-end reproducibility of ML pipelines.
85, TITLE: Automated machine vision enabled detection of movement disorders from hand drawn spirals
http://arxiv.org/abs/2006.12121
AUTHORS: Nabeel Seedat ; Vered Aharonson ; Ilana Schlesinger
COMMENTS: Accepted IEEE International Conference on Healthcare Informatics 2020 (ICHI 2020), Upcoming Dec 2020, Copyright IEEE - 978-1-5386-5541-2/18/$31.00 Copyright, 2020 IEEE
HIGHLIGHT: This study uses a dataset of scanned pen and paper drawings and a convolutional neural network (CNN) to perform classification between PD, ET and control subjects.
86, TITLE: Learning with AMIGo: Adversarially Motivated Intrinsic Goals
http://arxiv.org/abs/2006.12122
AUTHORS: Andres Campero ; Roberta Raileanu ; Heinrich Küttler ; Joshua B. Tenenbaum ; Tim Rocktäschel ; Edward Grefenstette
COMMENTS: 17 pages, 5 figures
HIGHLIGHT: We propose AMIGo, a novel agent incorporating a goal-generating teacher that proposes Adversarially Motivated Intrinsic Goals to train a goal-conditioned "student" policy in the absence of (or alongside) environment reward.
87, TITLE: Efficiently generating ground states is hard for postselected quantum computation
http://arxiv.org/abs/2006.12125
AUTHORS: Yuki Takeuchi ; Yasuhiro Takahashi ; Seiichiro Tani
COMMENTS: 7 pages, 4 figures
HIGHLIGHT: In this paper, we give evidence for this impossibility by applying an argument used in the quantum-computational-supremacy approach.
88, TITLE: Self-Supervised Representations Improve End-to-End Speech Translation
http://arxiv.org/abs/2006.12124
AUTHORS: Anne Wu ; Changhan Wang ; Juan Pino ; Jiatao Gu
HIGHLIGHT: In this work, we explore whether self-supervised pre-trained speech representations can benefit the speech translation task in both high- and low-resource settings, whether they can transfer well to other languages, and whether they can be effectively combined with other common methods that help improve low-resource end-to-end speech translation such as using a pre-trained high-resource speech recognition system.
89, TITLE: Organising a Successful AI Online Conference: Lessons from SoCS 2020
http://arxiv.org/abs/2006.12129
AUTHORS: Daniel Harabor ; Mauro Vallati
HIGHLIGHT: This paper describes challenges, approaches and opportunities associated with adapting these many different activities to the online setting.
90, TITLE: Supervised dimensionality reduction by a Linear Discriminant Analysis on pre-trained CNN features
http://arxiv.org/abs/2006.12127
AUTHORS: Francisco J. H. Heras ; Gonzalo G. de Polavieja
HIGHLIGHT: We explore the application of linear discriminant analysis (LDA) to the features obtained in different layers of pretrained deep convolutional neural networks (CNNs).
91, TITLE: Emergent cooperation through mutual information maximization
http://arxiv.org/abs/2006.11769
AUTHORS: Santiago Cuervo ; Marco Alzate
HIGHLIGHT: With this in mind, we propose a decentralized deep reinforcement learning algorithm for the design of cooperative multi-agent systems.
92, TITLE: Safe Reinforcement Learning via Curriculum Induction
http://arxiv.org/abs/2006.12136
AUTHORS: Matteo Turchetta ; Andrey Kolobov ; Shital Shah ; Andreas Krause ; Alekh Agarwal
HIGHLIGHT: This paper presents an alternative approach inspired by human teaching, where an agent learns under the supervision of an automatic instructor that saves the agent from violating constraints during learning.
93, TITLE: Learning to Generate Noise for Robustness against Multiple Perturbations
http://arxiv.org/abs/2006.12135
AUTHORS: Divyam Madaan ; Jinwoo Shin ; Sung Ju Hwang
HIGHLIGHT: To tackle this challenge of robustness against multiple perturbations, we propose a novel meta-learning framework that explicitly learns to generate noise to improve the model's robustness against multiple types of attacks.
94, TITLE: High-Precision Digital Traffic Recording with Multi-LiDAR Infrastructure Sensor Setups
http://arxiv.org/abs/2006.12140
AUTHORS: Laurent Kloeker ; Christian Geller ; Amarin Kloeker ; Lutz Eckstein
COMMENTS: Accepted to be published as part of the 23rd IEEE International Conference on Intelligent Transportation Systems (ITSC), Rhodes, Greece, September 20-23, 2020
HIGHLIGHT: Various methods can be used to collect such driving data records.
95, TITLE: Modelling Agent Policies with Interpretable Imitation Learning
http://arxiv.org/abs/2006.11309
AUTHORS: Tom Bewley ; Jonathan Lawry ; Arthur Richards
COMMENTS: 6 pages, 3 figures; under review for the 1st TAILOR Workshop, due to take place 29-30 August 2020 in Santiago de Compostela
HIGHLIGHT: We present initial promising results from an implementation in a multi-agent traffic environment.
96, TITLE: Envy-freeness up to one item: Shall we add or remove resources?
http://arxiv.org/abs/2006.11312
AUTHORS: Martin Aleksandrov
COMMENTS: 10 pages, 1 table, 2 figures
HIGHLIGHT: We propose two new axiomatic properties for allocations in this model: EF1+- and EFX+-.
97, TITLE: SqueezeBERT: What can computer vision teach NLP about efficient neural networks?
http://arxiv.org/abs/2006.11316
AUTHORS: Forrest N. Iandola ; Albert E. Shaw ; Ravi Krishna ; Kurt W. Keutzer
COMMENTS: 9 pages + appendix
HIGHLIGHT: In this work, we observe that methods such as grouped convolutions have yielded significant speedups for computer vision networks, but many of these techniques have not been adopted by NLP neural network designers.
98, TITLE: Self-Supervised Prototypical Transfer Learning for Few-Shot Classification
http://arxiv.org/abs/2006.11325
AUTHORS: Carlos Medina ; Arnout Devos ; Matthias Grossglauser
COMMENTS: Extended version of work presented at the 7th ICML Workshop on Automated Machine Learning (2020). Code available at https://github.com/indy-lab/ProtoTransfer ; 17 pages, 3 figures, 12 tables
HIGHLIGHT: Building on these insights and on advances in self-supervised learning, we propose a transfer learning approach which constructs a metric embedding that clusters unlabeled prototypical samples and their augmentations closely together.
99, TITLE: Normalization Matters in Zero-Shot Learning
http://arxiv.org/abs/2006.11328
AUTHORS: Ivan Skorokhodov ; Mohamed Elhoseiny
COMMENTS: 22 pages, 7 figures, 7 tables
HIGHLIGHT: In this paper, we theoretically investigate two very popular tricks used in ZSL: "normalize+scale" trick and attributes normalization and show how they help to preserve a signal's variance in a typical model during a forward pass.
100, TITLE: Generalized Zero and Few-Shot Transfer for Facial Forgery Detection
http://arxiv.org/abs/2006.11863
AUTHORS: Shivangi Aneja ; Matthias Nießner
COMMENTS: Project page: https://shivangi-aneja.github.io/ddt/
HIGHLIGHT: We propose Deep Distribution Transfer(DDT), a new transfer learning approach to address the problem of zero and few-shot transfer in the context of facial forgery detection.
101, TITLE: Image Sentiment Transfer
http://arxiv.org/abs/2006.11337
AUTHORS: Tianlang Chen ; Wei Xiong ; Haitian Zheng ; Jiebo Luo
HIGHLIGHT: In this work, we introduce an important but still unexplored research task -- image sentiment transfer.
102, TITLE: Video Panoptic Segmentation
http://arxiv.org/abs/2006.11339
AUTHORS: Dahun Kim ; Sanghyun Woo ; Joon-Young Lee ; In So Kweon
COMMENTS: CVPR 2020 Oral. Code: see https://github.com/mcahny/vps
HIGHLIGHT: In this paper, we propose and explore a new video extension of this task, called video panoptic segmentation.
103, TITLE: A Survey on Machine Reading Comprehension: Tasks, Evaluation Metrics, and Benchmark Datasets
http://arxiv.org/abs/2006.11880
AUTHORS: Chengchang Zeng ; Shaobo Li ; Qin Li ; Jie Hu ; Jianjun Hu
COMMENTS: 59 pages
HIGHLIGHT: This shows the need of improving existing datasets, evaluation metrics and models to move the MRC models toward 'real' understanding.
104, TITLE: Manifolds for Unsupervised Visual Anomaly Detection
http://arxiv.org/abs/2006.11364
AUTHORS: Louise Naud ; Alexander Lavin
HIGHLIGHT: To this end, we propose constant curvature manifolds for embedding data distributions in unsupervised visual anomaly detection.
105, TITLE: A survey of face recognition techniques under occlusion
http://arxiv.org/abs/2006.11366
AUTHORS: Dan Zeng ; Raymond Veldhuis ; Luuk Spreeuwers
HIGHLIGHT: In this paper, we restrict the scope to occluded face recognition.
106, TITLE: Feel The Music: Automatically Generating A Dance For An Input Song
http://arxiv.org/abs/2006.11905
AUTHORS: Purva Tendulkar ; Abhishek Das ; Aniruddha Kembhavi ; Devi Parikh
COMMENTS: 4 pages
HIGHLIGHT: We present a general computational approach that enables a machine to generate a dance for any input music.
107, TITLE: Paying more attention to snapshots of Iterative Pruning: Improving Model Compression via Ensemble Distillation
http://arxiv.org/abs/2006.11487
AUTHORS: Duong H. Le ; Vo Trung Nhan ; Nam Thoai
HIGHLIGHT: In this work, we show that strong ensembles can be constructed from snapshots of iterative pruning, which achieve competitive performance and vary in network structure.
108, TITLE: Online Handbook of Argumentation for AI: Volume 1
http://arxiv.org/abs/2006.12020
AUTHORS: OHAAI Collaboration ; Federico Castagna ; Timotheus Kampik ; Atefeh Keshavarzi Zafarghandi ; Mickaël Lafages ; Jack Mumford ; Christos T. Rodosthenous ; Samy Sá ; Stefan Sarkadi ; Joseph Singleton ; Kenneth Skiba ; Andreas Xydis
COMMENTS: editor: Federico Castagna and Francesca Mosca and Jack Mumford and Stefan Sarkadi and Andreas Xydis
HIGHLIGHT: Previously, formal theories of argument and argument interaction have been proposed and studied, and this has led to the more recent study of computational models of argument.
109, TITLE: Constructing Driver Hamiltonians for Several Linear Constraints
http://arxiv.org/abs/2006.12028
AUTHORS: Hannes Leipold ; Federico M. Spedalieri
COMMENTS: 20 pages, 2 figures
HIGHLIGHT: In this work, we develop a simple and intuitive algebraic framework for reasoning about the commutation of Hamiltonians with linear constraints - one that allows us to classify the complexity of finding a driver Hamiltonian for an arbitrary set of constraints as NP-hard.
110, TITLE: Unsupervised Vehicle Re-identification with Progressive Adaptation
http://arxiv.org/abs/2006.11486
AUTHORS: Jinjia Peng ; Yang Wang ; Huibing Wang ; Zhao Zhang ; Xianping Fu ; Meng Wang
COMMENTS: Appearing at IJCAI 2020
HIGHLIGHT: To tackle these challenges, we propose a novel progressive adaptation learning method for vehicle reID, named PAL, which infers from the abundant data without annotations.
111, TITLE: DO-Conv: Depthwise Over-parameterized Convolutional Layer
http://arxiv.org/abs/2006.12030
AUTHORS: Jinming Cao ; Yangyan Li ; Mingchao Sun ; Ying Chen ; Dani Lischinski ; Daniel Cohen-Or ; Baoquan Chen ; Changhe Tu
HIGHLIGHT: In this paper, we propose to augment a convolutional layer with an additional depthwise convolution, where each input channel is convolved with a different 2D kernel.
112, TITLE: Metaheuristics for the Online Printing Shop Scheduling Problem
http://arxiv.org/abs/2006.12344
AUTHORS: Willian T. Lunardi ; Ernesto G. Birgin ; Débora P. Ronconi ; Holger Voos
HIGHLIGHT: In this work, the online printing shop scheduling problem introduced in (Lunardi et al., Mixed Integer Linear Programming and Constraint Programming Models for the Online Printing Shop Scheduling Problem, Computers & Operations Research, to appear) is considered.
113, TITLE: Clinical Predictive Keyboard using Statistical and Neural Language Modeling
http://arxiv.org/abs/2006.12040
AUTHORS: John Pavlopoulos ; Panagiotis Papapetrou
COMMENTS: To appear in CBMS'20
HIGHLIGHT: A language model can be used to predict the next word during authoring, to correct spelling or to accelerate writing (e.g., in sms or emails).
114, TITLE: Characterizing Hirability via Personality and Behavior
http://arxiv.org/abs/2006.12041
AUTHORS: Harshit Malik ; Hersh Dhillon ; Roland Goecke ; Ramanathan Subramanian
COMMENTS: 9 pages
HIGHLIGHT: Modeling hirability as a discrete/continuous variable with the \emph{big-five} personality traits as predictors, we utilize (a) apparent personality annotations, and (b) personality estimates obtained via audio, visual and textual cues for hirability prediction (HP).
115, TITLE: Generative Sparse Detection Networks for 3D Single-shot Object Detection
http://arxiv.org/abs/2006.12356
AUTHORS: JunYoung Gwak ; Christopher Choy ; Silvio Savarese
HIGHLIGHT: To this end, we propose Generative Sparse Detection Network (GSDN), a fully-convolutional single-shot sparse detection network that efficiently generates the support for object proposals.
116, TITLE: Few-shot 3D Point Cloud Semantic Segmentation
http://arxiv.org/abs/2006.12052
AUTHORS: Na Zhao ; Tat-Seng Chua ; Gim Hee Lee
HIGHLIGHT: To mitigate these limitations, we propose a novel attention-aware multi-prototype transductive few-shot point cloud semantic segmentation method to segment new classes given a few labeled examples.
117, TITLE: Neuro-Symbolic Visual Reasoning: Disentangling "Visual" from "Reasoning"
http://arxiv.org/abs/2006.11524
AUTHORS: Saeed Amizadeh ; Hamid Palangi ; Oleksandr Polozov ; Yichen Huang ; Kazuhito Koishida
COMMENTS: To be published in Proceedings of the 37th International Conference on Machine Learning (ICML), Vienna, Austria, PMLR 108, 2020
HIGHLIGHT: To address this, we propose (1) a framework to isolate and evaluate the reasoning aspect of VQA separately from its perception, and (2) a novel top-down calibration technique that allows the model to answer reasoning questions even with imperfect perception.
118, TITLE: Remote Sensing Image Scene Classification with Deep Neural Networks in JPEG 2000 Compressed Domain
http://arxiv.org/abs/2006.11529
AUTHORS: Akshara Preethy Byju ; Gencer Sumbul ; Begüm Demir ; Lorenzo Bruzzone
COMMENTS: Accepted to IEEE Transactions on Geoscience and Remote Sensing
HIGHLIGHT: To address this issue, in this paper we propose a novel approach to achieve scene classification in JPEG 2000 compressed RS images.
119, TITLE: Memory Transformer
http://arxiv.org/abs/2006.11527
AUTHORS: Mikhail S. Burtsev ; Grigory V. Sapunov
HIGHLIGHT: In this work, we propose and study two extensions of the Transformer baseline (1) by adding memory tokens to store non-local representations, and (2) creating memory bottleneck for the global information.
120, TITLE: Artificial intelligence in space
http://arxiv.org/abs/2006.12362
AUTHORS: George Anthony Gal ; Cristiana Santos ; Lucien Rapp ; Réeka Markovich ; Leendert van der Torre
COMMENTS: 32 pages
HIGHLIGHT: In the next coming years, space activities are expected to undergo a radical transformation with the emergence of new satellite systems or new services which will incorporate the contributions of artificial intelligence and machine learning defined as covering a wide range of innovations from autonomous objects with their own decision-making power to increasingly sophisticated services exploiting very large volumes of information from space.
121, TITLE: ReCO: A Large Scale Chinese Reading Comprehension Dataset on Opinion
http://arxiv.org/abs/2006.12146
AUTHORS: BingningWang ; Ting Yao ; Qi Zhang ; Jingfang Xu ; Xiaochuan Wang
COMMENTS: AAAI-2020 camera ready
HIGHLIGHT: This paper presents the ReCO, a human-curated ChineseReading Comprehension dataset on Opinion.
122, TITLE: IQA: Interactive Query Construction in Semantic Question Answering Systems
http://arxiv.org/abs/2006.11534
AUTHORS: Hamid Zafara ; Mohnish Dubey ; Jens Lehmann ; Elena Demidova
HIGHLIGHT: In this article, we aim to empower users in guiding QA systems towards the intended semantic queries by means of interaction.
123, TITLE: On Addressing the Impact of ISO Speed upon PRNU and Forgery Detection
http://arxiv.org/abs/2006.11539
AUTHORS: Yijun Quan ; Chang-Tsun Li
COMMENTS: The paper is accepted to IEEE Transactions on Information Forensics and Security with the supplementary material
HIGHLIGHT: In this work, we will show the PRNU correlation's dependency on ISO speed.
124, TITLE: generating annotated high-fidelity images containing multiple coherent objects
http://arxiv.org/abs/2006.12150
AUTHORS: B. G. Cardenas ; A. Devanshu ; D. K. Gupta
COMMENTS: 21 pages, 5 tables, 21 figures
HIGHLIGHT: In this work, we propose a multi-object generation framework that can synthesize images with multiple objects without explicitly requiring their contextual information during the generation process.
125, TITLE: Pyramidal Convolution: Rethinking Convolutional Neural Networks for Visual Recognition
http://arxiv.org/abs/2006.11538
AUTHORS: Ionut Cosmin Duta ; Li Liu ; Fan Zhu ; Ling Shao
HIGHLIGHT: This work introduces pyramidal convolution (PyConv), which is capable of processing the input at multiple filter scales.
126, TITLE: Neural Cellular Automata Manifold
http://arxiv.org/abs/2006.12155
AUTHORS: Alejandro Hernandez Ruiz ; Armand Vilalta ; Francesc Moreno-Noguer
HIGHLIGHT: In this paper, we move a step further and propose a new model that extends the expressive power of NCA from a single image to an manifold of images.
127, TITLE: First Steps Towards a Runtime Analysis When Starting With a Good Solution
http://arxiv.org/abs/2006.12161
AUTHORS: Denis Antipov ; Maxim Buzdalov ; Benjamin Doerr
COMMENTS: The extended version of the PPSN 2020 conference paper
HIGHLIGHT: We start a mathematical runtime analysis for such situations.
128, TITLE: Bidirectional Self-Normalizing Neural Networks
http://arxiv.org/abs/2006.12169
AUTHORS: Yao Lu ; Stephen Gould ; Thalaiyasingam Ajanthan
HIGHLIGHT: In this paper, we address the problem from the perspective of high-dimensional probability theory.
129, TITLE: MDR Cluster-Debias: A Nonlinear WordEmbedding Debiasing Pipeline
http://arxiv.org/abs/2006.11642
AUTHORS: Yuhao Du ; Kenneth Joseph
HIGHLIGHT: We identify two potential reasons for which residual bias exists and develop a new pipeline, MDR Cluster-Debias, to mitigate this bias.
130, TITLE: Accelerating Safe Reinforcement Learning with Constraint-mismatched Policies
http://arxiv.org/abs/2006.11645
AUTHORS: Tsung-Yen Yang ; Justinian Rosca ; Karthik Narasimhan ; Peter J. Ramadge
HIGHLIGHT: We propose an iterative algorithm for solving this problem.
131, TITLE: The Importance of Category Labels in Grammar Induction with Child-directed Utterances
http://arxiv.org/abs/2006.11646
AUTHORS: Lifeng Jin ; William Schuler
COMMENTS: The 16th International Conference on Parsing Technologies (IWPT 2020)
HIGHLIGHT: Experiments in this work using a labeled evaluation metric, RH, show that linguistically motivated predictions about grammar sparsity and use of categories can only be revealed through labeled evaluation.
132, TITLE: BRULÉ: Barycenter-Regularized Unsupervised Landmark Extraction
http://arxiv.org/abs/2006.11643
AUTHORS: Iaroslav Bespalov ; Nazar Buzun ; Dmitry V. Dylov
COMMENTS: 11 main pages with 5 figures and 1 Table, 13 pages total with 3 supplementary figures
HIGHLIGHT: In this work, we propose a new unsupervised approach to detect the landmarks in images, and we validate it on the popular task of human face key-points extraction.
133, TITLE: A numerical framework for elastic surface matching, comparison, and interpolation
http://arxiv.org/abs/2006.11652
AUTHORS: Martin Bauer ; Nicolas Charon ; Philipp Harms ; Hsi-Wei Hsieh
COMMENTS: 33 pages, 10 figures, 1 table, 2 algorithms
HIGHLIGHT: In this paper, we take an alternative approach which bypasses the direct estimation of reparametrizations: we relax the geodesic boundary constraint using an auxiliary parametrization-blind varifold fidelity metric.
134, TITLE: Towards Understanding Label Smoothing
http://arxiv.org/abs/2006.11653
AUTHORS: Yi Xu ; Yuanhong Xu ; Qi Qian ; Hao Li ; Rong Jin
HIGHLIGHT: In this paper, we analyze the convergence behaviors of stochastic gradient descent with LSR for solving non-convex problems and show that an appropriate LSR can help to speed up the convergence by reducing the variance of labels.
135, TITLE: Adversarial Transfer of Pose Estimation Regression
http://arxiv.org/abs/2006.11658
AUTHORS: Boris Chidlovskii Assem Sadek
HIGHLIGHT: We identify the dataset shift an important barrier to generalization and consider transfer learning as an alternative way towards a better reuse of pose estimation models.
136, TITLE: Collective Learning by Ensembles of Altruistic Diversifying Neural Networks
http://arxiv.org/abs/2006.11671
AUTHORS: Benjamin Brazowski ; Elad Schneidman
HIGHLIGHT: We therefore present a model for co-learning by ensembles of interacting neural networks that aim to maximize their own performance but also their functional relations to other networks.
137, TITLE: Hierarchical Patch VAE-GAN: Generating Diverse Videos from a Single Sample
http://arxiv.org/abs/2006.12226
AUTHORS: Shir Gur ; Sagie Benaim ; Lior Wolf
HIGHLIGHT: We introduce a novel patch-based variational autoencoder (VAE) which allows for a much greater diversity in generation.
138, TITLE: Quantile-Quantile Embedding for Distribution Transformation, Manifold Embedding, and Image Embedding with Choice of Embedding Distribution
http://arxiv.org/abs/2006.11385
AUTHORS: Benyamin Ghojogh ; Fakhri Karray ; Mark Crowley
COMMENTS: The proposed QQE method can be used for manifold embedding and image embedding with choice of embedding distribution. Giving freedom to user to choose the embedding distribution of (embedded) data is the contribution of this paper. QQE is based on the quantile-quantile plot (qq-plot) used in the visual statistical tests
HIGHLIGHT: We propose a new embedding method, named Quantile-Quantile Embedding (QQE), for distribution transformation, manifold embedding, and image embedding with the ability to choose the embedding distribution.
139, TITLE: ResFPN: Residual Skip Connections in Multi-Resolution Feature Pyramid Networks for Accurate Dense Pixel Matching
http://arxiv.org/abs/2006.12235
AUTHORS: Rishav ; René Schuster ; Ramy Battrawy ; Oliver Wasenmüller ; Didier Stricker
COMMENTS: Accepted at ICPR 2020
HIGHLIGHT: Thus, we present ResFPN -- a multi-resolution feature pyramid network with multiple residual skip connections, where at any scale, we leverage the information from higher resolution maps for stronger and better localized features.
140, TITLE: HookNet: multi-resolution convolutional neural networks for semantic segmentation in histopathology whole-slide images
http://arxiv.org/abs/2006.12230
AUTHORS: Mart van Rijthoven ; Maschenka Balkenhol ; Karina Siliņa ; Jeroen van der Laak ; Francesco Ciompi
HIGHLIGHT: We propose HookNet, a semantic segmentation model for histopathology whole-slide images, which combines context and details via multiple branches of encoder-decoder convolutional neural networks.
141, TITLE: Shared Task on Evaluating Accuracy in Natural Language Generation
http://arxiv.org/abs/2006.12234
AUTHORS: Ehud Reiter ; Craig Thomson
HIGHLIGHT: We propose a shared task on methodologies and algorithms for evaluating the accuracy of generated texts.
142, TITLE: Semantically Tied Paired Cycle Consistency for Any-Shot Sketch-based Image Retrieval
http://arxiv.org/abs/2006.11397
AUTHORS: Anjan Dutta ; Zeynep Akata
COMMENTS: In International Journal of Computer Vision (IJCV) 2020 (17 pages, 12 figures, 5 tables). arXiv admin note: substantial text overlap with arXiv:1903.03372
HIGHLIGHT: In this paper, we address any-shot, i.e. zero-shot and few-shot, sketch-based image retrieval (SBIR) tasks, where we introduce the few-shot setting for SBIR.
143, TITLE: Advantages of biologically-inspired adaptive neural activation in RNNs during learning
http://arxiv.org/abs/2006.12253
AUTHORS: Victor Geadah ; Giancarlo Kerg ; Stefan Horoi ; Guy Wolf ; Guillaume Lajoie
HIGHLIGHT: In this paper, we investigate nonlinear activation function adaptation over the large time scale of learning, and outline its impact on sequential processing in recurrent neural networks.
144, TITLE: Pix2Vox++: Multi-scale Context-aware 3D Object Reconstruction from Single and Multiple Images
http://arxiv.org/abs/2006.12250
AUTHORS: Haozhe Xie ; Hongxun Yao ; Shengping Zhang ; Shangchen Zhou ; Wenxiu Sun
COMMENTS: International Journal of Computer Vision (IJCV).arXiv admin note: text overlap with arXiv:1901.11153
HIGHLIGHT: To address these issues, we propose a novel framework for single-view and multi-view 3D object reconstruction, named Pix2Vox++.
145, TITLE: FDFlowNet: Fast Optical Flow Estimation using a Deep Lightweight Network
http://arxiv.org/abs/2006.12263
AUTHORS: Lingtong Kong ; Jie Yang
COMMENTS: Accepted by ICIP 2020
HIGHLIGHT: In this work, we present a lightweight yet effective model for real-time optical flow estimation, termed FDFlowNet (fast deep flownet).
146, TITLE: MedLatin1 and MedLatin2: Two Datasets for the Computational Authorship Analysis of Medieval Latin Texts
http://arxiv.org/abs/2006.12289
AUTHORS: Silvia Corbara ; Alejandro Moreo ; Fabrizio Sebastiani ; Mirko Tavoni
HIGHLIGHT: We present and make available MedLatin1 and MedLatin2, two datasets of medieval Latin texts to be used in research on computational authorship analysis.
147, TITLE: Learning Physical Graph Representations from Visual Scenes
http://arxiv.org/abs/2006.12373
AUTHORS: Daniel M. Bear ; Chaofei Fan ; Damian Mrowca ; Yunzhu Li ; Seth Alter ; Aran Nayebi ; Jeremy Schwartz ; Li Fei-Fei ; Jiajun Wu ; Joshua B. Tenenbaum ; Daniel L. K. Yamins
COMMENTS: 23 pages
HIGHLIGHT: To overcome these limitations, we introduce the idea of Physical Scene Graphs (PSGs), which represent scenes as hierarchical graphs, with nodes in the hierarchy corresponding intuitively to object parts at different scales, and edges to physical connections between parts.
148, TITLE: One PLOT to Show Them All: Visualization of Efficient Sets in Multi-Objective Landscapes
http://arxiv.org/abs/2006.11547
AUTHORS: Lennart Schäpermeier ; Christian Grimme ; Pascal Kerschke
COMMENTS: This version has been accepted for publication at the 16th International Conference on Parallel Problem Solving from Nature (PPSN XVI)
HIGHLIGHT: In this paper, we propose a new and hybrid visualization technique, which combines the advantages of both approaches in order to represent local and global optimality together within a single visualization.
149, TITLE: Named Entity Extraction with Finite State Transducers
http://arxiv.org/abs/2006.11548
AUTHORS: Diego Alexander Huérfano Villalba ; Elizabeth León Guzmán
HIGHLIGHT: We describe a named entity tagging system that requires minimal linguistic knowledge and can be applied to more target languages without substantial changes.
150, TITLE: A Modular Hybridization of Particle Swarm Optimization and Differential Evolution
http://arxiv.org/abs/2006.11886
AUTHORS: Rick Boks ; Hao Wang ; Thomas Bäck
COMMENTS: 8 pages, 1 figure, to be published in GECCO 2020 Companion
HIGHLIGHT: In detail, we consider 16 different variation operators originating from existing PSO- and DE algorithms, which, combined with 4 different selection operators, allow the hybridization framework to generate 800 novel algorithms.
151, TITLE: Driver Intention Anticipation Based on In-Cabin and Driving SceneMonitoring
http://arxiv.org/abs/2006.11557
AUTHORS: Yao Rong ; Zeynep Akata ; Enkelejda Kasneci
COMMENTS: 8 pages, 9 figures
HIGHLIGHT: Since the outside view from the traffic scene may also contain informative features for driving maneuver prediction, we present a framework for the detection of the drivers' intention based on both in-cabin and traffic scene videos.
152, TITLE: Seq2Seq and Joint Learning Based Unix Command Line Prediction System
http://arxiv.org/abs/2006.11558
AUTHORS: Thoudam Doren Singh ; Abdullah Faiz Ur Rahman Khilji ; Divyansha ; Apoorva Vikram Singh ; Surmila Thokchom ; Sivaji Bandyopadhyay
COMMENTS: 9 pages, 1 Figure
HIGHLIGHT: This work describes an assistive, adaptive and dynamic way of enhancing UNIX command line prediction systems.
153, TITLE: Learning Objective Boundaries for Constraint Optimization Problems
http://arxiv.org/abs/2006.11560
AUTHORS: Helge Spieker ; Arnaud Gotlieb
COMMENTS: The 6th International Conference on machine Learning, Optimization and Data science - LOD 2020
HIGHLIGHT: This paper introduces Bion, a novel approach for boundary estimation by learning from previously solved instances of the COP.
154, TITLE: A Symbolic Temporal Pooling method for Video-based Person Re-Identification
http://arxiv.org/abs/2006.11416
AUTHORS: S V Aruna Kumar ; Ehsan Yaghoubi ; Hugo Proença
COMMENTS: 11 pages
HIGHLIGHT: To alleviate this problem, this paper introduces a symbolic temporal pooling method, where frame-level features are represented in the distribution valued symbolic form, yielding from fitting an Empirical Cumulative Distribution Function (ECDF) to each feature.
155, TITLE: Set-Invariant Constrained Reinforcement Learning with a Meta-Optimizer
http://arxiv.org/abs/2006.11419
AUTHORS: Chuangchuang Sun ; Dong-Ki Kim ; Jonathan P. How
HIGHLIGHT: To address this, we propose to learn a neural network-based meta-optimizer to optimize the objective while satisfying such linear constraints.
156, TITLE: A Multiparametric Class of Low-complexity Transforms for Image and Video Coding
http://arxiv.org/abs/2006.11418
AUTHORS: D. R. Canterle ; T. L. T. da Silveira ; F. M. Bayer ; R. J. Cintra
COMMENTS: Fixed Figure 1 and typos in the reference list
HIGHLIGHT: In this paper, we introduce a new class of low-complexity 8-point DCT approximations based on a series of works published by Bouguezel, Ahmed and Swamy.
157, TITLE: Dirichlet-Smoothed Word Embeddings for Low-Resource Settings
http://arxiv.org/abs/2006.12414
AUTHORS: Jakob Jungmaier ; Nora Kassner ; Benjamin Roth
HIGHLIGHT: But these methods are usually applied using very large amounts of text data.
158, TITLE: Capturing Video Frame Rate Variations through Entropic Differencing
http://arxiv.org/abs/2006.11424
AUTHORS: Pavan C. Madhusudana ; Neil Birkbeck ; Yilin Wang ; Balu Adsumilli ; Alan C. Bovik
HIGHLIGHT: We show through extensive experiments that our model correlates very well with subjective scores in the HFR database and achieves state of the art performance when compared with existing methodologies.
159, TITLE: A Step Towards Interpretable Authorship Verification
http://arxiv.org/abs/2006.12418
AUTHORS: Oren Halvani ; Lukas Graner ; Roey Regev
COMMENTS: 19 pages, 5 figures
HIGHLIGHT: To address this problem, we propose an alternative AV approach that considers only topic-agnostic features in its classification decision.
160, TITLE: SIGMORPHON 2020 Shared Task 0: Typologically Diverse Morphological Inflection
http://arxiv.org/abs/2006.11572
AUTHORS: Ekaterina Vylomova ; Jennifer White ; Elizabeth Salesky ; Sabrina J. Mielke ; Shijie Wu ; Edoardo Ponti ; Rowan Hall Maudslay ; Ran Zmigrod ; Josef Valvoda ; Svetlana Toldova ; Francis Tyers ; Elena Klyachko ; Ilya Yegorov ; Natalia Krizhanovsky ; Paula Czarnowska ; Irene Nikkarinen ; Andrew Krizhanovsky ; Tiago Pimentel ; Lucas Torroba Hennigen ; Christo Kirov ; Garrett Nicolai ; Adina Williams ; Antonios Anastasopoulos ; Hilaria Cruz ; Eleanor Chodroff ; Ryan Cotterell ; Miikka Silfverberg ; Mans Hulden
COMMENTS: 39 pages, SIGMORPHON
HIGHLIGHT: SIGMORPHON 2020 Shared Task 0: Typologically Diverse Morphological Inflection
161, TITLE: BEV-Seg: Bird's Eye View Semantic Segmentation Using Geometry and Semantic Point Cloud
http://arxiv.org/abs/2006.11436
AUTHORS: Mong H. Ng ; Kaahan Radia ; Jianfei Chen ; Dequan Wang ; Ionel Gog ; Joseph E. Gonzalez
HIGHLIGHT: In this work, we focus on bird's eye semantic segmentation, a task that predicts pixel-wise semantic segmentation in BEV from side RGB images.
162, TITLE: Band-limited Soft Actor Critic Model
http://arxiv.org/abs/2006.11431
AUTHORS: Miguel Campo ; Zhengxing Chen ; Luke Kung ; Kittipat Virochsiri ; Jianyu Wang
COMMENTS: 8 pages plus additional material
HIGHLIGHT: We derive the closed form solution in the linear case and show that bandlimiting reduces the interdependency between the low and high frequency components of the state-action value approximation, allowing the critic to learn faster.
163, TITLE: Learning aligned embeddings for semi-supervised word translation using Maximum Mean Discrepancy
http://arxiv.org/abs/2006.11578
AUTHORS: Antonio H. O. Fonseca ; David van Dijk
HIGHLIGHT: Here we propose an end-to-end approach for word embedding alignment that does not require known word pairs.
164, TITLE: Deep Negative Volume Segmentation
http://arxiv.org/abs/2006.12430
AUTHORS: Kristina Belikova ; Oleg Rogov ; Aleksandr Rybakov ; Maxim V. Maslov ; Dmitry V. Dylov
COMMENTS: 20 pages, 5 main figures, 3 tables, 11 supplemental figures, supplementary material
HIGHLIGHT: To address the challenge, we invent a new angle to the 3D segmentation task: namely, we propose to segment empty spaces between all the tissues surrounding the object - the so-called negative volume segmentation.
165, TITLE: AraDIC: Arabic Document Classification using Image-Based Character Embeddings and Class-Balanced Loss
http://arxiv.org/abs/2006.11586
AUTHORS: Mahmoud Daif ; Shunsuke Kitada ; Hitoshi Iyatomi
HIGHLIGHT: We propose a novel end-to-end Arabic document classification framework, Arabic document image-based classifier (AraDIC), inspired by the work on image-based character embeddings.
166, TITLE: Cardiac Segmentation on Late Gadolinium Enhancement MRI: A Benchmark Study from Multi-Sequence Cardiac MR Segmentation Challenge
http://arxiv.org/abs/2006.12434
AUTHORS: Xiahai Zhuang ; Jiahang Xu ; Xinzhe Luo ; Chen Chen ; Cheng Ouyang ; Daniel Rueckert ; Victor M. Campello ; Karim Lekadir ; Sulaiman Vesal ; Nishant RaviKumar ; Yashu Liu ; Gongning Luo ; Jingkun Chen ; Hongwei Li ; Buntheng Ly ; Maxime Sermesant ; Holger Roth ; Wentao Zhu ; Jiexiang Wang ; Xinghao Ding ; Xinyue Wang ; Sen Yang ; Lei Li
COMMENTS: 14 pages
HIGHLIGHT: This paper presents the selective results from the Multi-Sequence Cardiac MR (MS-CMR) Segmentation challenge, in conjunction with MICCAI 2019.
167, TITLE: To Explain or Not to Explain: A Study on the Necessity of Explanations for Autonomous Vehicles
http://arxiv.org/abs/2006.11684
AUTHORS: Yuan Shen ; Shanduojiao Jiang ; Yanlin Chen ; Eileen Yang ; Xilun Jin ; Yuliang Fan ; Katie Driggs Campbell
COMMENTS: 9.5 pages, 7 figures, submitted to UIST2020
HIGHLIGHT: In this work, we investigate which scenarios people need explanations and how the critical degree of explanation shifts with situations and driver types.
168, TITLE: Semi-Supervised Object Detection with Sparsely Annotated Dataset
http://arxiv.org/abs/2006.11692
AUTHORS: Jihun Yoon ; Seungbum Hong ; Sanha Jeong ; Min-Kook Choi
COMMENTS: Challenge Winner in Epic-Kitchens 2020 Object Detection Challenge (EPIC@CVPR 2020)
HIGHLIGHT: We used two approaches to solve this problem: 1) the use of an anchorless object detector and 2) a semi-supervised learning-based object detection using a single object tracker.
169, TITLE: Dense-Captioning Events in Videos: SYSU Submission to ActivityNet Challenge 2020
http://arxiv.org/abs/2006.11693
AUTHORS: Teng Wang ; Huicheng Zheng ; Mingjing Yu
COMMENTS: technical report, 4 pages, 2 figures
HIGHLIGHT: This technical report presents a brief description of our submission to the dense video captioning task of ActivityNet Challenge 2020.
170, TITLE: Fast and Accurate: Structure Coherence Component for Face Alignment
http://arxiv.org/abs/2006.11697
AUTHORS: Beier Zhu ; Chunze Lin ; Quan Wang ; Renjie Liao ; Chen Qian
HIGHLIGHT: In this paper, we propose a fast and accurate coordinate regression method for face alignment.
171, TITLE: Studying Attention Models in Sentiment Attitude Extraction Task
http://arxiv.org/abs/2006.11605
AUTHORS: Nicolay Rusnachenko ; Natalia Loukachevitch
COMMENTS: This is a preprint of an article published in the Proceedings of the 25th International Conference on Natural Language and Information Systems. The final authenticated publication is available online at https://doi.org/10.1007/978-3-030-51310-8_15
HIGHLIGHT: In this paper, we provide a study on attention-based context encoders in the sentiment attitude extraction task.
172, TITLE: How do SGD hyperparameters in natural training affect adversarial robustness?
http://arxiv.org/abs/2006.11604
AUTHORS: Sandesh Kamath ; Amit Deshpande ; K V Subrahmanyam
COMMENTS: Preliminary version presented in ICML 2019 Workshop on "Understanding and Improving Generalization in Deep Learning" as "On Adversarial Robustness of Small vs Large Batch Training"
HIGHLIGHT: In the same paper, the authors train models with different batch sizes and compute the eigenvalues of the Hessian of loss function.
173, TITLE: Real-time Pupil Tracking from Monocular Video for Digital Puppetry
http://arxiv.org/abs/2006.11341
AUTHORS: Artsiom Ablavatski ; Andrey Vakunov ; Ivan Grishchenko ; Karthik Raveendran ; Matsvei Zhdanovich
HIGHLIGHT: We present a simple, real-time approach for pupil tracking from live video on mobile devices.
174, TITLE: Text Recognition in Real Scenarios with a Few Labeled Samples
http://arxiv.org/abs/2006.12209
AUTHORS: Jinghuang Lin ; Zhanzhan Cheng ; Fan Bai ; Yi Niu ; Shiliang Pu ; Shuigeng Zhou
COMMENTS: 8 pages, 6 figures
HIGHLIGHT: To tackle this challenging problem, this paper proposes a few-shot adversarial sequence domain adaptation (FASDA) approach to build sequence adaptation between the synthetic source domain (with many synthetic labeled samples) and a specific target domain (with only some or a few real labeled samples).
175, TITLE: Optimal Statistical Hypothesis Testing for Social Choice
http://arxiv.org/abs/2006.11362
AUTHORS: Lirong Xia
HIGHLIGHT: We address the following question in this paper: "What are the most robust statistical methods for social choice?''
176, TITLE: Facial Expression Editing with Continuous Emotion Labels
http://arxiv.org/abs/2006.12210
AUTHORS: Alexandra Lindt ; Pablo Barros ; Henrique Siqueira ; Stefan Wermter
COMMENTS: 8 pages, 5 figures. 14th IEEE International Conference on Automatic Face and Gesture Recognition (FG 2019), May 2019
HIGHLIGHT: We propose a deep generative model that can be used to manipulate facial expressions in facial images according to continuous two-dimensional emotion labels.
177, TITLE: Moore's Paradox and the logic of belief
http://arxiv.org/abs/2006.11363
AUTHORS: Andrés Páez
HIGHLIGHT: In this paper I argue that Hintikkas interpretation of one of the doxastic operators is philosophically problematic and leads to an unnecessarily strong logical system.
178, TITLE: Hierarchical Reinforcement Learning for Deep Goal Reasoning: An Expressiveness Analysis
http://arxiv.org/abs/2006.11704
AUTHORS: Weihang Yuan ; Héctor Muñoz-Avila
HIGHLIGHT: We describe the recurrent hierarchical framework (RHF), generalizing architectures that use a recurrent neural network at the meta level.
179, TITLE: A Universal Representation Transformer Layer for Few-Shot Image Classification
http://arxiv.org/abs/2006.11702
AUTHORS: Lu Liu ; William Hamilton ; Guodong Long ; Jing Jiang ; Hugo Larochelle
HIGHLIGHT: We analyze variants of URT and present a visualization of the attention score heatmaps that sheds light on how the model performs cross-domain generalization.
180, TITLE: Mapping Low-Resolution Images To Multiple High-Resolution Images Using Non-Adversarial Mapping