-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathbelongsTo.csv
We can make this file beautiful and searchable if this error is corrected: It looks like row 25 should actually have 2 columns, instead of 4 in line 24.
1000 lines (1000 loc) · 102 KB
/
belongsTo.csv
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
Three questions of Bertram on locally maximal sum-free sets.,Appl. Algebra Eng. Commun. Comput.
On the Cipolla-Lehmer type algorithms in finite fields.,Appl. Algebra Eng. Commun. Comput.
Quantum codes from cyclic codes over the ring 𝔽q + v1𝔽q + ⋯ + vr 𝔽q.,Appl. Algebra Eng. Commun. Comput.
Computing with D-algebraic power series.,Appl. Algebra Eng. Commun. Comput.
On the near prime-order MNT curves.,Appl. Algebra Eng. Commun. Comput.
Several classes of binary linear codes and their weight enumerators.,Appl. Algebra Eng. Commun. Comput.
Orthogonal matrix and its application in Bloom's threshold scheme.,Appl. Algebra Eng. Commun. Comput.
Several classes of linear codes and their weight distributions.,Appl. Algebra Eng. Commun. Comput.
Two classes of optimal frequency-hopping sequences with new parameters.,Appl. Algebra Eng. Commun. Comput.
Four families of minimal binary linear codes with wmin/wmax ≤ 1/2.,Appl. Algebra Eng. Commun. Comput.
Directed path spaces via discrete vector fields.,Appl. Algebra Eng. Commun. Comput.
A Non-Intrusive Heuristic for Energy Messaging Intervention Modeled Using a Novel Agent-Based Approach.,IEEE Access
Low-Order Space Harmonic Modeling of Asymmetrical Six-Phase Induction Machines.,IEEE Access
RFI Cancellation for an Array Radio Astronomy System With Receiver Nonlinearity.,IEEE Access
Performance Analysis of MICS-Based RF Wireless Power Transfer System for Implantable Medical Devices.,IEEE Access
Fog Load Balancing for Massive Machine Type Communications - A Game and Transport Theoretic Approach.,IEEE Access
Discrete-Time Adaptive Control for Systems With Input Time-Delay and Non-Sector Bounded Nonlinear Functions.,IEEE Access
Using Beamforming for Dense Frequency Reuse in 5G.,IEEE Access
Gale-Shapley Matching Game Selection - A Framework for User Satisfaction.,IEEE Access
A Survey on Mobile Crowd-Sensing and Its Applications in the IoT Era.,IEEE Access
Improved Dynamic Multi-Party Quantum Private Comparison for Next-Generation Mobile Network.,IEEE Access
Native Language Identification in Very Short Utterances Using Bidirectional Long Short-Term Memory Network.,IEEE Access
A Multivariate Homogeneously Weighted Moving Average Control Chart.,IEEE Access
Internet of Things - A Comprehensive Study of Security Issues and Defense Mechanisms.,IEEE Access
State-of-the-Art Clustering Schemes in Mobile Ad Hoc Networks - Objectives, Challenges, and Future Directions.,IEEE Access
State-of-Art in Nano-Based Dielectric Oil - A Review.,IEEE Access
State-of-Charge Balancing Control for ON/OFF-Line Internal Cells Using Hybrid Modular Multi-Level Converter and Parallel Modular Dual L-Bridge in a Grid-Scale Battery Energy Storage System.,IEEE Access
Aspects of Quality in Internet of Things (IoT) Solutions - A Systematic Mapping Study.,IEEE Access
Primitive Polynomials for Iterative Recursive Soft Sequential Acquisition of Concatenated Sequences.,IEEE Access
Incision Sensor Using Conductive Tape for Cricothyrotomy Training Simulation With Quantitative Feedback.,IEEE Access
Improving Urdu Recognition Using Character-Based Artistic Features of Nastalique Calligraphy.,IEEE Access
Lightweight and Low-Loss 3-D Printed Millimeter-Wave Bandpass Filter Based on Gap-Waveguide.,IEEE Access
Spectrum Sharing in Multi-Tenant 5G Cellular Networks - Modeling and Planning.,IEEE Access
Secrecy Performance of Decode-and-Forward Based Hybrid RF/VLC Relaying Systems.,IEEE Access
Comprehensive Review of the Development of the Harmony Search Algorithm and its Applications.,IEEE Access
A Model of Factors Affecting Cyber Bullying Behaviors Among University Students.,IEEE Access
Reliable Middleware for Wireless Sensor-Actuator Networks.,IEEE Access
Network Experience Scheduling and Routing Approach for Big Data Transmission in the Internet of Things.,IEEE Access
Finite-Time Lag Synchronization of Uncertain Complex Dynamical Networks With Disturbances via Sliding Mode Control.,IEEE Access
Credibility in Online Social Networks - A Survey.,IEEE Access
Data-Driven Dynamic Active Node Selection for Event Localization in IoT Applications - A Case Study of Radiation Localization.,IEEE Access
Efficient Face Recognition Using Regularized Adaptive Non-Local Sparse Coding.,IEEE Access
Hybrid Stochastic Exploration Using Grey Wolf Optimizer and Coordinated Multi-Robot Exploration Algorithms.,IEEE Access
Group L1/2 Regularization for Pruning Hidden Layer Nodes of Feedforward Neural Networks.,IEEE Access
Analytical Approach of Director Tilting in Nematic Liquid Crystals for Electronically Tunable Devices.,IEEE Access
Queuing Delay Model for Video Transmission Over Multi-Channel Underwater Wireless Optical Networks.,IEEE Access
A New Frequency Control Strategy in an Islanded Microgrid Using Virtual Inertia Control-Based Coefficient Diagram Method.,IEEE Access
Deep Reinforcement Learning Paradigm for Performance Optimization of Channel Observation-Based MAC Protocols in Dense WLANs.,IEEE Access
A Novel Nested Q-Learning Method to Tackle Time-Constrained Competitive Influence Maximization.,IEEE Access
Motion Artifact Detection and Reduction in Bed-Based Ballistocardiogram.,IEEE Access
Smart Information Retrieval - Domain Knowledge Centric Optimization Approach.,IEEE Access
Evolutionary Deep Learning-Based Energy Consumption Prediction for Buildings.,IEEE Access
Arabic Word Segmentation With Long Short-Term Memory Neural Networks and Word Embedding.,IEEE Access
Exact Coupling Method for Stratonovich Stochastic Differential Equation Using Non-Degeneracy for the Diffusion.,IEEE Access
A Survey of Super-Resolution in Iris Biometrics With Evaluation of Dictionary-Learning.,IEEE Access
On the Development of a Novel Mixed Embroidered-Woven Slot Antenna for Wireless Applications.,IEEE Access
From Threads to Smart Textile - Parametric Characterization and Electromagnetic Analysis of Woven Structures.,IEEE Access
Registration Center Based User Authentication Scheme for Smart E-Governance Applications in Smart Cities.,IEEE Access
A Game-Theoretical Modelling Approach for Enhancing the Physical Layer Security of Non-Orthogonal Multiple Access System.,IEEE Access
Null-Steering Beamforming for Enhancing the Physical Layer Security of Non-Orthogonal Multiple Access System.,IEEE Access
Impact of Two-Way Communication of Traffic Light Signal-to-Vehicle on the Electric Vehicle State of Charge.,IEEE Access
Interactive Data Exploration of Distributed Raw Files - A Systematic Mapping Study.,IEEE Access
Improving Multipath Routing of TCP Flows by Network Exploration.,IEEE Access
A Family of Scalable Non-Isolated Interleaved DC-DC Boost Converters With Voltage Multiplier Cells.,IEEE Access
Cognitive Smart Healthcare for Pathology Detection and Monitoring.,IEEE Access
Advanced Fault Tolerant Air-Fuel Ratio Control of Internal Combustion Gas Engine for Sensor and Actuator Faults.,IEEE Access
APA - Adaptive Pose Alignment for Pose-Invariant Face Recognition.,IEEE Access
A Novel Fuzzy Approach for Combining Uncertain Conflict Evidences in the Dempster-Shafer Theory.,IEEE Access
Wireless Control of Robotic Artificial Hand Using Myoelectric Signal Based on Wideband Human Body Communication.,IEEE Access
Deployment of IoV for Smart Cities - Applications, Architecture, and Challenges.,IEEE Access
98-dB Gain Class-AB OTA With 100 pF Load Capacitor in 180-nm Digital CMOS Process.,IEEE Access
Device-to-Device (D2D) Communication as a Bootstrapping System in a Wireless Cellular Network.,IEEE Access
An Empirical Study on Forensic Analysis of Urdu Text Using LDA-Based Authorship Attribution.,IEEE Access
A Survey on Cluster-Based Routing Protocols for Unmanned Aerial Vehicle Networks.,IEEE Access
Long-Term Operational Data Analysis of an In-Service Wind Turbine DFIG.,IEEE Access
A Novel RF-Powered Wireless Pacing via a Rectenna-Based Pacemaker and a Wearable Transmit-Antenna Array.,IEEE Access
Analysis of Transient Behavior of Mixed High Voltage DC Transmission Line Under Lightning Strikes.,IEEE Access
Attribute Control Chart Using the Repetitive Sampling Under Neutrosophic System.,IEEE Access
Design of a Control Chart for Gamma Distributed Variables Under the Indeterminate Environment.,IEEE Access
Real-Time Imaging of Particles Distribution in Centrifugal Particles-Liquid Two-Phase Fields by Wireless Electrical Resistance Tomography (WERT) System.,IEEE Access
Friction Damper-Based Passive Vibration Control Assessment for Seismically-Excited Buildings Through Comparison With Active Control - A Case Study.,IEEE Access
Circuit Aware Approximate System Design With Case Studies in Image Processing and Neural Networks.,IEEE Access
ISO/IEEE 11073 Personal Health Device (X73-PHD) Standards Compliant Systems - A Systematic Literature Review.,IEEE Access
Low Leakage Current Symmetrical Dual-k 7 nm Trigate Bulk Underlap FinFET for Ultra Low Power Applications.,IEEE Access
An Adaptive Sliding Mode Control With Effective Switching Gain Tuning Near the Sliding Surface.,IEEE Access
Finite-Difference Time-Domain Modeling for Electromagnetic Wave Analysis of Human Voxel Model at Millimeter-Wave Frequencies.,IEEE Access
BIG DATA for Healthcare - A Survey.,IEEE Access
Weighted Incoherent Signal Subspace Method for DOA Estimation on Wideband Colored Signals.,IEEE Access
Development of a Novel Home Based Multi-Scene Upper Limb Rehabilitation Training and Evaluation System for Post-Stroke Patients.,IEEE Access
Scientific Paper Recommendation - A Survey.,IEEE Access
Performance of HARQ-Assisted OFDM Systems Contaminated by Impulsive Noise - Finite-Length LDPC Code Analysis.,IEEE Access
Series Current Flow Controllers for DC Grids.,IEEE Access
Integrated Test Automation for Evaluating a Motion-Based Image Capture System Using a Robotic Arm.,IEEE Access
Incast Mitigation in a Data Center Storage Cluster Through a Dynamic Fair-Share Buffer Policy.,IEEE Access
Machine Learning Based Optimized Pruning Approach for Decoding in Statistical Machine Translation.,IEEE Access
Research on Series Arc Fault Detection Based on Higher-Order Cumulants.,IEEE Access
A Secure Authentication Protocol for Multi-Server-Based E-Healthcare Using a Fuzzy Commitment Scheme.,IEEE Access
VERB - VFCDM-Based Electrocardiogram Reconstruction and Beat Detection Algorithm.,IEEE Access
MF-TDMA Scheduling Algorithm for Multi-Spot Beam Satellite Systems Based on Co-Channel Interference Evaluation.,IEEE Access
Automated 3-D Retinal Layer Segmentation From SD-OCT Images With Neurosensory Retinal Detachment.,IEEE Access
Energy-Delay Evaluation and Optimization for NB-IoT PSM With Periodic Uplink Reporting.,IEEE Access
A High-Speed, Scalable, and Programmable Traffic Manager Architecture for Flow-Based Networking.,IEEE Access
Ultrafast Rectifier for Variable-Frequency Applications.,IEEE Access
Quality-Driven Detection and Resolution of Metamodel Smells.,IEEE Access
Low-Power (1T1N) Skyrmionic Synapses for Spiking Neuromorphic Systems.,IEEE Access
A Modified NSGA-II for Solving Control Allocation Optimization Problem in Lateral Flight Control System for Large Aircraft.,IEEE Access
Mitigating the Impact of Renewable Variability With Demand-Side Resources Considering Communication and Cyber Security Limitations.,IEEE Access
Analyzing Emergent Users' Text Messages Data and Exploring Its Benefits.,IEEE Access
Semiparametric Correction for Endogenous Truncation Bias With Vox Populi-Based Participation Decision.,IEEE Access
Model Predictive Control of Marine Power Plants With Gas Engines and Battery.,IEEE Access
Multi-Band Vehicle-to-Vehicle Channel Characterization in the Presence of Vehicle Blockage.,IEEE Access
Analyzing Covariate Influence on Gender and Race Prediction From Near-Infrared Ocular Images.,IEEE Access
Experimental Design via Generalized Mean Objective Cost of Uncertainty.,IEEE Access
Realistic Multi-Scale Modeling of Household Electricity Behaviors.,IEEE Access
Analytical Performance Assessment of THz Wireless Systems.,IEEE Access
Deriving Probabilistic SVM Kernels From Flexible Statistical Mixture Models and its Application to Retinal Images Classification.,IEEE Access
Day-Ahead and Intraday Forecasts of the Dynamic Line Rating for Buried Cables.,IEEE Access
Compact Leaky SIW Feeder Offering TEM Parallel Plate Waveguide Launching.,IEEE Access
Design and Measurement of 3D Flexible Antenna Diversity for Ambient RF Energy Scavenging in Indoor Scenarios.,IEEE Access
Low-Profile ESPAR Antenna for RSS-Based DoA Estimation in IoT Applications.,IEEE Access
Removal of Movement Artefact for Mobile EEG Analysis in Sports Exercises.,IEEE Access
Design of a Coupled Feed Structure With Cavity Walls for Extremely Small Anti-Jamming Arrays.,IEEE Access
An Efficient Strong Designated Verifier Signature Based on ℛ-SIS Assumption.,IEEE Access
Robust Model Predictive Control for a Class of Discrete-Time Markovian Jump Linear Systems With Operation Mode Disordering.,IEEE Access
Link Prediction Approach for Opportunistic Networks Based on Recurrent Neural Network.,IEEE Access
A New Adaptive Compensation Control for Parametric Systems With Actuator Aging.,IEEE Access
Event-Triggered Adaptive Control for Tank Gun Control Systems.,IEEE Access
Bibliographic Network Representation Based Personalized Citation Recommendation.,IEEE Access
Classification of 3D Archaeological Objects Using Multi-View Curvature Structure Signatures.,IEEE Access
Periodic Stabilization of Continuous-Time Multi-Module Impulsive Switched Linear Systems.,IEEE Access
Recent Advances of Generative Adversarial Networks in Computer Vision.,IEEE Access
A Robust Parameter-Free Thresholding Method for Image Segmentation.,IEEE Access
A Relay-Node Selection on Curve Road in Vehicular Networks.,IEEE Access
Reliable Integrated ASC and DYC Control of All-Wheel-Independent-Drive Electric Vehicles Over CAN Using a Co-Design Methodology.,IEEE Access
Assessment of Energy Management in a Fuel Cell/Battery Hybrid Vehicle.,IEEE Access
Method to Organize and Analyze Speed Data to Detect Unusual Traffic Activity.,IEEE Access
Distributed Continuous-Time Fault Estimation Control for Multiple Devices in IoT Networks.,IEEE Access
Visualization and Interpretation Tool for Expert Systems Based on Fuzzy Cognitive Maps.,IEEE Access
A Case for Malleable Thread-Level Linear Algebra Libraries - The LU Factorization With Partial Pivoting.,IEEE Access
Radio Channel Characterization of Mid-Band 5G Service Delivery for Ultra-Low Altitude Aerial Base Stations.,IEEE Access
Recommendation System Based on Singular Value Decomposition and Multi-Objective Immune Optimization.,IEEE Access
Modeling Educational Usage of Cloud-Based Tools in Virtual Learning Environments.,IEEE Access
Prune Deep Neural Networks With the Modified L1/2 Penalty.,IEEE Access
Machine-Learning-Based Parallel Genetic Algorithms for Multi-Objective Optimization in Ultra-Reliable Low-Latency WSNs.,IEEE Access
A Session-Based Customer Preference Learning Method by Using the Gated Recurrent Units With Attention Function.,IEEE Access
Hash-Polar Codes With Application to 5G.,IEEE Access
An Effective Approach for Obtaining a Group Trading Strategy Portfolio Using Grouping Genetic Algorithm.,IEEE Access
Optimized Handling Stability Control Strategy for a Four In-Wheel Motor Independent-Drive Electric Vehicle.,IEEE Access
Performance Improvement of Microwave Vector Modulator Through Coupler Characteristic Impedance Optimization and Bond-Wire Inductance Utilization.,IEEE Access
Design of Low-Cost Personal Identification System That Uses Combined Palm Vein and Palmprint Biometric Features.,IEEE Access
Deep Learning Assessment of Myocardial Infarction From MR Image Sequences.,IEEE Access
Bone Suppression of Chest Radiographs With Cascaded Convolutional Networks in Wavelet Domain.,IEEE Access
One Note About the Tu-Deng Conjecture in Case w nolimits(t)=5.,IEEE Access
Optimal Transport for Gaussian Mixture Models.,IEEE Access
Embedding Logic Rules Into Recurrent Neural Networks.,IEEE Access
Selective Range Iterative Adaptive Approach for High-Resolution DOA Estimation.,IEEE Access
XGBoost-Based Algorithm Interpretation and Application on Post-Fault Transient Stability Status Prediction of Power System.,IEEE Access
Study on Planetary Gear Degradation State Recognition Method Based on the Features With Multiple Perspectives and LLTSA.,IEEE Access
Metaphor Detection - Leveraging Culturally Grounded Eventive Information.,IEEE Access
Noncoherent Detection With Polar Codes.,IEEE Access
UAV Hovering Strategy Based on a Wirelessly Powered Communication Network.,IEEE Access
Recurrent Metric Networks and Batch Multiple Hypothesis for Multi-Object Tracking.,IEEE Access
Accurate and Fast Harmonic Detection Based on the Generalized Trigonometric Function Delayed Signal Cancellation.,IEEE Access
Optimizing Multi-Granularity Region Similarity for Person Re-Identification.,IEEE Access
Energy Efficiency Analysis of Bidirectional Wireless Information and Power Transfer for Cooperative Sensor Networks.,IEEE Access
Sparse DOA Estimation Algorithm Based on Fourth-Order Cumulants Vector Exploiting Restricted Non-Uniform Linear Array.,IEEE Access
A Spherical Actuator-Based Hand-Held Haptic Device for Touch Screen Interaction.,IEEE Access
Adaptive Neural-Network-Based Control for a Class of Nonlinear Systems With Unknown Output Disturbance and Time Delays.,IEEE Access
An Easily Fabricated Linear Piezoelectric Actuator Using Sandwich Longitudinal Vibrators With Four Driving Feet.,IEEE Access
Towards a Hybrid Expert System Based on Sleep Event's Threshold Dependencies for Automated Personalized Sleep Staging by Combining Symbolic Fusion and Differential Evolution Algorithm.,IEEE Access
Square-Root Cubature Information Hybrid Consensus Filter With Correlated Noise and Its Applications in Camera Networks.,IEEE Access
Optical Modeling and Physical Experiments on Ocular UV Manikins Exposure.,IEEE Access
Liveness of Disjunctive and Strict Single-Type Automated Manufacturing System - An ROPN Approach.,IEEE Access
Quantum Network Communication With a Novel Discrete-Time Quantum Walk.,IEEE Access
A Secure Authentication Protocol for Internet of Vehicles.,IEEE Access
Light-Weight and Privacy-Preserving Authentication Protocol for Mobile Payments in the Context of IoT.,IEEE Access
Multiview Transfer Learning for Software Defect Prediction.,IEEE Access
A Failure Mechanism Cumulative Model for Reliability Evaluation of a k-Out-of-n System With Load Sharing Effect.,IEEE Access
Automatic Leader-Follower Persistent Formation Control for Autonomous Surface Vehicles.,IEEE Access
Next Generation Technology for Epidemic Prevention and Control - Data-Driven Contact Tracking.,IEEE Access
Universal Design Approach for Multiport Filtering Power Divider.,IEEE Access
Reverse Offload Programming on Heterogeneous Systems.,IEEE Access
Numerical Analysis of Thermo-Electric Field for AC XLPE Cable in DC Operation Based on Conduction Current Measurement.,IEEE Access
High-Gain Circularly Polarized Fabry-Pérot Patch Array Antenna With Wideband Low-Radar-Cross-Section Property.,IEEE Access
An Active Learning Method Based on Uncertainty and Complexity for Gearbox Fault Diagnosis.,IEEE Access
Multi-Resolution Parallel Magnetic Resonance Image Reconstruction in Mobile Computing-Based IoT.,IEEE Access
A Horst-Type Power Divider With Wide Frequency Tuning Range Using Varactors.,IEEE Access
Reinforcement Learning-Based Sensor Access Control for WBANs.,IEEE Access
Planning City-Wide Package Distribution Schemes Using Crowdsourced Public Transportation Systems.,IEEE Access
Research on Travel Time Prediction Model of Freeway Based on Gradient Boosting Decision Tree.,IEEE Access
A Modified GLT Double Faults Isolation Approach Based on MLE and RPV for Six-Gyro Redundant SINS.,IEEE Access
Optimal Planning of Multi-Energy System Considering Thermal Storage Capacity of Heating Network and Heat Load.,IEEE Access
Health Status Prediction Based on Belief Rule Base for High-Speed Train Running Gear System.,IEEE Access
Ego-Lane Position Identification With Event Warning Applications.,IEEE Access
The Installation Performance Control of Three Ducts Separate Exhaust Variable Cycle Engine.,IEEE Access
Lag Exponential Synchronization of Delayed Memristor-Based Neural Networks via Robust Analysis.,IEEE Access
Not in My Neighborhood - A User Equipment Perspective of Cellular Planning Under Restrictive EMF Limits.,IEEE Access
Application of Instance-Based Entropy Fuzzy Support Vector Machine in Peer-To-Peer Lending Investment Decision.,IEEE Access
Multistage Fusion With Dissimilarity Regularization for SAR/IR Target Recognition.,IEEE Access
A Self-Organized Task Distribution Framework for Module-Based Event Stream Processing.,IEEE Access
Analysing the Dynamics of Interbeat Interval Time Series Using Grouped Horizontal Visibility Graph.,IEEE Access
Reference Layer Artefact Subtraction (RLAS) - Electromagnetic Simulations.,IEEE Access
Prior Image Induced Regularization Method for Electrical Capacitance Tomography.,IEEE Access
Generative Adversarial Network-Based Method for Transforming Single RGB Image Into 3D Point Cloud.,IEEE Access
220-320 GHz Hemispherical Lens Antennas Using Digital Light Processed Photopolymers.,IEEE Access
Patient-Provider Interaction System for Efficient Home-Based Cardiac Rehabilitation Exercise.,IEEE Access
Big Data Driven Oriented Graph Theory Aided tagSNPs Selection for Genetic Precision Therapy.,IEEE Access
MA-Shape - Modality Adaptation Shape Regression for Left Ventricle Segmentation on Mixed MR and CT Images.,IEEE Access
Protective Performance of Different Passivators on Oil-Paper Insulation Containing Multiple Corrosive Sulphides.,IEEE Access
A Scalable Approach for 360° Feedback in Cooperative Learning.,IEEE Access
A Study on the Suitability of Visual Languages for Non-Expert Robot Programmers.,IEEE Access
A Review of the Analytics Techniques for an Efficient Management of Online Forums - An Architecture Proposal.,IEEE Access
Empirical Rates Characterization of Wearable Multi-Antenna Terminals for First-Responders.,IEEE Access
Automated Optimization of Intersections Using a Genetic Algorithm.,IEEE Access
Hard Sample Mining and Learning for Skeleton-Based Human Action Recognition and Identification.,IEEE Access
On-Chip Optical Vector Quadrature De-Multiplexer Proposal for QAM De-Aggregation by Single Bi-Directional SOA-Based Phase-Sensitive Amplifier.,IEEE Access
WSN-Based Measurement of Ion-Current Density Under High-Voltage Direct Current Transmission Lines.,IEEE Access
Limited-View Cone-Beam CT Reconstruction Based on an Adversarial Autoencoder Network With Joint Loss.,IEEE Access
Neurosurgical Craniotomy Localization Using Interactive 3D Lesion Mapping for Image-Guided Neurosurgery.,IEEE Access
Joint Model Feature Regression and Topic Learning for Global Citation Recommendation.,IEEE Access
Evaluation of SPN-Based Lightweight Crypto-Ciphers.,IEEE Access
A Simple and Robust Sensorless Control Based on Stator Current Vector for PMSG Wind Power Systems.,IEEE Access
Edge Odd Graceful Labeling of Cylinder and Torus Grid Graphs.,IEEE Access
Zero-/Low-Speed Operation of Multiphase Drive Systems With Modular Multilevel Converters.,IEEE Access
A Robust Calibration Method for Consumer Grade RGB-D Sensors for Precise Indoor Reconstruction.,IEEE Access
All Passive Realization of Lossy Coupling Matrices Using Resistive Decomposition Technique.,IEEE Access
Grid Ancillary Services From Doubly Fed Induction Generator-Based Wind Energy Conversion System - A Review.,IEEE Access
Hierarchical Verification for the BPMN Design Model Using State Space Analysis.,IEEE Access
The Feasibility of Automated Identification of Six Algae Types Using Feed-Forward Neural Networks and Fluorescence-Based Spectral-Morphological Features.,IEEE Access
An End-to-End Multi-Task and Fusion CNN for Inertial-Based Gait Recognition.,IEEE Access
Task Scheduling for Smart City Applications Based on Multi-Server Mobile Edge Computing.,IEEE Access
cGAN Based Facial Expression Recognition for Human-Robot Interaction.,IEEE Access
Time-Varying Social-Aware Resource Allocation for Device-to-Device Communication.,IEEE Access
Performance Investigation of Three-Phase Three-Switch Direct PWM AC/AC Voltage Converters.,IEEE Access
Direct Adaptive Neural Control Design for a Class of Nonlinear Multi Input Multi Output Systems.,IEEE Access
Development of Super-Resolution Sharpness-Based Axial Localization for Ultrasound Imaging.,IEEE Access
Joint Computing Resource, Power, and Channel Allocations for D2D-Assisted and NOMA-Based Mobile Edge Computing.,IEEE Access
The Internet of Things - A Review of Enabled Technologies and Future Challenges.,IEEE Access
IT2-Based Fuzzy Hybrid Decision Making Approach to Soft Computing.,IEEE Access
Combining Adaptive Hierarchical Depth Motion Maps With Skeletal Joints for Human Action Recognition.,IEEE Access
Performance Analysis of Mixed-ADC Massive MIMO Systems Over Spatially Correlated Channels.,IEEE Access
Stability Analysis of Boolean Networks With Stochastic Function Perturbations.,IEEE Access
A Multidimensional Cadastral Topological Data Model - Design and Implementation.,IEEE Access
Design of Reconfigurable Planar Micro-Positioning Stages Based on Function Modules.,IEEE Access
An Energy Efficient Integration Model for Sensor Cloud Systems.,IEEE Access
Adapted K-Nearest Neighbors for Detecting Anomalies on Spatio-Temporal Traffic Flow.,IEEE Access
A Survey on Urban Traffic Anomalies Detection Algorithms.,IEEE Access
Efficient and Accurate Detection and Frequency Estimation of Multiple Sinusoids.,IEEE Access
Visible Light Communication-Based Vehicle-to-Vehicle Tracking Using CMOS Camera.,IEEE Access
Compact UWB Antenna With Integrated Triple Notch Bands for WBAN Applications.,IEEE Access
Heading Control of Unmanned Marine Vehicles Based on an Improved Robust Adaptive Fuzzy Neural Network Control Algorithm.,IEEE Access
An Efficient Deadlock Recovery Policy for Flexible Manufacturing Systems Modeled With Petri Nets.,IEEE Access
Integrating Social Homophily and Network Lasso for Personalized Sentiment Classification.,IEEE Access
Local Descriptor Learning for Change Detection in Synthetic Aperture Radar Images via Convolutional Neural Networks.,IEEE Access
A Compact Single-Layer Ultra-Wideband Phase Shifter Using Weakly Coupled Lines.,IEEE Access
An Improved Hyperspectral Pansharpening Algorithm Based on Optimized Injection Model.,IEEE Access
The Sensitivity Design of Piezoresistive Acceleration Sensor in Industrial IoT.,IEEE Access
Tuning the Aggressive Slow-Start Behavior of MPTCP for Short Flows.,IEEE Access
Understanding Time-Based Trends in Stakeholders' Choice of Learning Activity Type Using Predictive Models.,IEEE Access
Weakly Supervised Deep Depth Prediction Leveraging Ground Control Points for Guidance.,IEEE Access
Adaptive Robust Control of Multi-Axle Vehicle Electro-Hydraulic Power Steering System With Uncertain Tire Steering Resistance Moment.,IEEE Access
Oil-in-Water Two-Phase Flow Pattern Identification From Experimental Snapshots Using Convolutional Neural Network.,IEEE Access
Unified Subspace Fitting Framework and Its Performance Analysis for Direct Position Determination in the Presence of Multipath Propagation.,IEEE Access
Analysis of the Factors Affecting Airborne Digital Sensor Image Quality.,IEEE Access
Reversible Image Steganography Scheme Based on a U-Net Structure.,IEEE Access
Research on the Isolation and Collection Method of Multi-Channel Temperature and Power Supply Voltage Under Strong Marine Controlled Source EMI.,IEEE Access
Terahertz Dielectric Property Characterization of Photopolymers for Additive Manufacturing.,IEEE Access
Algorithms for Automatic Analysis and Classification of Heart Sounds-A Systematic Review.,IEEE Access
Differential Cryptanalysis of Round-Reduced SPECK Suitable for Internet of Things Devices.,IEEE Access
Development of a Mobile Game Application to Boost Students' Motivation in Learning English Vocabulary.,IEEE Access
An Unsupervised Reconstruction-Based Fault Detection Algorithm for Maritime Components.,IEEE Access
Semi-Supervised Learning With Deep Embedded Clustering for Image Classification and Segmentation.,IEEE Access
Comparative Study of Inkjet-Printed Silver Conductive Traces With Thermal and Electrical Sintering.,IEEE Access
Effective Fat Quantification Using Multiple Region Growing Scheme at High-Field MRI.,IEEE Access
A Scalable Indirect Position-Based Causal Diffusion Protocol for Vehicular Networks.,IEEE Access
Rectangular Dielectric Resonator Antenna With Corrugated Walls.,IEEE Access
A Survey of Stereoscopic 3D Just Noticeable Difference Models.,IEEE Access
Kinematic Analysis of Trajectory Dimension-Dependent Sensorimotor Control in Arm Tracking.,IEEE Access
Designing Constant-Envelope Transmissions for Secret Communications in MISO Wiretap Channels.,IEEE Access
Secure Wireless Information and Power Transfer Based on Tilt Adaptation in 3-D Massive MIMO Systems.,IEEE Access
Damping Rotating Grid SINS Based on a Kalman Filter for Shipborne Application.,IEEE Access
AC Flashover Performance of FRP Hot Stick for Live Working in High Altitude Areas.,IEEE Access
FETMS - Fast and Efficient Trust Management Scheme for Information-Centric Networking in Internet of Things.,IEEE Access
Edge Cache-Based ISP-CP Collaboration Scheme for Content Delivery Services.,IEEE Access
Block-Based Optical Color Image Encryption Based on Double Random Phase Encoding.,IEEE Access
Comments on "Stability, l2-Gain, and Robust H∞ Control for Switched Systems via N-Step-Ahead Lyapunov Function Approach".,IEEE Access
SPADE - Activity Prediction in Smart Homes Using Prefix Tree Based Context Generation.,IEEE Access
Composition of Partially-Observable Services.,IEEE Access
Linear-Time Algorithm for Learning Large-Scale Sparse Graphical Models.,IEEE Access
Directional Receivers for Diffusion-Based Molecular Communications.,IEEE Access
A Conformal Magneto-Electric Dipole Antenna With Wide H-Plane and Band-Notch Radiation Characteristics for Sub-6-GHz 5G Base-Station.,IEEE Access
Cryptanalysis and Improvement of the Image Encryption Scheme Based on 2D Logistic-Adjusted-Sine Map.,IEEE Access
Private Data Acquisition Method Based on System-Level Data Migration and Volatile Memory Forensics for Android Applications.,IEEE Access
Power Control in Relay-Assisted Anti-Jamming Systems - A Bayesian Three-Layer Stackelberg Game Approach.,IEEE Access
Novel Broadband Bow-Tie Antenna Based on Complementary Split-Ring Resonators Enhanced Substrate-Integrated Waveguide.,IEEE Access
An Energy-Efficient and Fast Convergent Resource Allocation Algorithm in Distributed Wireless Ad Hoc Networks.,IEEE Access
Two-Timescale Resource Allocation for Wireless Powered D2D Communications With Self-Interested Nodes.,IEEE Access
Drift-Aware Methodology for Anomaly Detection in Smart Grid.,IEEE Access
Profiling Performance of Application Partitioning for Wearable Devices in Mobile Cloud and Fog Computing.,IEEE Access
On the Application of Massive MIMO Systems to Machine Type Communications.,IEEE Access
On Electromagnetic Radiation Control for Wireless Power Transfer in Adhoc Communication Networks - Key Issues and Challenges.,IEEE Access
On Improving Recovery Performance in Multiple Measurement Vector Having Dependency.,IEEE Access
A Review on Blockchain Technologies for an Advanced and Cyber-Resilient Automotive Industry.,IEEE Access
Dynamically Reconstructing Minimum Spanning Trees After Swapping Pairwise Vertices.,IEEE Access
Scene-Awareness Based Single Image Dehazing Technique via Automatic Estimation of Sky Area.,IEEE Access
Adaptive Neural-Based Finite-Time Trajectory Tracking Control for Underactuated Marine Surface Vessels With Position Error Constraint.,IEEE Access
Timing Channel in IaaS - How to Identify and Investigate.,IEEE Access
Big Production Enterprise Supply Chain Endogenous Risk Management Based on Blockchain.,IEEE Access
Depth-Based Human Detection Considering Postural Diversity and Depth Missing in Office Environment.,IEEE Access
When Time Matters - Predictive Mission Planning in Cyber-Physical Scenarios.,IEEE Access
Large-Scale Analysis of User Exposure to Online Advertising on Facebook.,IEEE Access
A Hybrid Model Based on Constraint OSELM, Adaptive Weighted SRC and KNN for Large-Scale Indoor Localization.,IEEE Access
Effect of Boundary Condition and Model Structure Integrity of Tooth-PDL-Bone Complex on Tooth Mode Computation.,IEEE Access
Wavelet Denoising Algorithm Based on NDOA Compressed Sensing for Fluorescence Image of Microarray.,IEEE Access
The Large-Small Group-Based Consensus Decision Method and Its Application to Teaching Management Problems.,IEEE Access
Image Denoising Based on HOSVD With Iterative-Based Adaptive Hard Threshold Coefficient Shrinkage.,IEEE Access
Diagnosis of Diabetic Retinopathy Using Deep Neural Networks.,IEEE Access
Info-Trust - A Multi-Criteria and Adaptive Trustworthiness Calculation Mechanism for Information Sources.,IEEE Access
Fixed-Time Attitude Tracking Control for Rigid Spacecraft With Actuator Misalignments and Faults.,IEEE Access
Fusion Image Based Radar Signal Feature Extraction and Modulation Recognition.,IEEE Access
Secure RFID Authentication Schemes Based on Security Analysis and Improvements of the USI Protocol.,IEEE Access
Single Image Super-Resolution Using Dual-Branch Convolutional Neural Network.,IEEE Access
Collaboration of Smart IoT Devices Exemplified With Smart Cupboards.,IEEE Access
Higher Order Sectorization in FFR-Aided OFDMA Cellular Networks - Spectral- and Energy-Efficiency.,IEEE Access
Stacked Denoising Extreme Learning Machine Autoencoder Based on Graph Embedding for Feature Representation.,IEEE Access
Robust Long-Term Spectrum Prediction With Missing Values and Sparse Anomalies.,IEEE Access
160-GHz Radar Proximity Sensor With Distributed and Flexible Antennas for Collaborative Robots.,IEEE Access
Toward High-Performance Implementation of 5G SCMA Algorithms.,IEEE Access
A Generic Spatiotemporal UAV Scheduling Framework for Multi-Event Applications.,IEEE Access
Towards a Knowledge-Based Recommender System for Linking Electronic Patient Records With Continuing Medical Education Information at the Point of Care.,IEEE Access
Low-Cost and Efficient Hardware Solution for Presentation Attack Detection in Fingerprint Biometrics Using Special Lighting Microscopes.,IEEE Access
High-Order Planar Bandpass Filters With Electronically-Reconfigurable Passband Width and Flatness Based on Adaptive Multi-Resonator Cascades.,IEEE Access
Using Transposition Padding to Get CCA2 Security From Any Deterministic Encryption Schemes.,IEEE Access
Intrinsic Image Sequence Decomposition Using Low-Rank Sparse Model.,IEEE Access
Adaptive Multivariable Control for Multiple Resource Allocation of Service-Based Systems in Cloud Computing.,IEEE Access
A Symbiotic Organisms Search Algorithm for Optimal Allocation of Blood Products.,IEEE Access
Real-Time Interference Identification via Supervised Learning - Embedding Coexistence Awareness in IoT Devices.,IEEE Access
Uncertainty-Aware Computational Tools for Power Distribution Networks Including Electrical Vehicle Charging and Load Profiles.,IEEE Access
Health and Safety Situation Awareness Model and Emergency Management Based on Multi-Sensor Signal Fusion.,IEEE Access
A Cooperation Analysis Method Using Internal and External Features for Mechanical and Electro-Hydraulic System.,IEEE Access
Deterministic Compressed Sensing Matrices From Sequences With Optimal Correlation.,IEEE Access
Achieving Semantic Secure Search in Cloud Supported Information-Centric Internet of Things.,IEEE Access
Deformable Cardiovascular Image Registration via Multi-Channel Convolutional Neural Network.,IEEE Access
Successive Cancellation Priority Decoding of Polar Codes.,IEEE Access
Effective Data Communication Based on Social Community in Social Opportunistic Networks.,IEEE Access
PCI Planning Based on Binary Quadratic Programming in LTE/LTE-A Networks.,IEEE Access
Improving Energy-Efficiency for Resource Allocation by Relay-Aided In-Band D2D Communications in C-RAN-Based Systems.,IEEE Access
3D Neuromorphic Wireless Power Transfer and Energy Transmission Based Synaptic Plasticity.,IEEE Access
Decentralized Trust Evaluation in Vehicular Internet of Things.,IEEE Access
Automatic Determination of Vertical Cup-to-Disc Ratio in Retinal Fundus Images for Glaucoma Screening.,IEEE Access
SDN-Based End-to-End Fragment-Aware Routing for Elastic Data Flows in LEO Satellite-Terrestrial Network.,IEEE Access
Indoor Localization Using Visible Light via Two-Layer Fusion Network.,IEEE Access
Radar HRRP Target Recognition Based on Deep One-Dimensional Residual-Inception Network.,IEEE Access
A Pipeline Neural Network for Low-Light Image Enhancement.,IEEE Access
Nonlinear Dynamic Surface Control for the Underactuated Translational Oscillator With Rotating Actuator System.,IEEE Access
Exploring Risk Factors With Crashes by Collision Type at Freeway Diverge Areas - Accounting for Unobserved Heterogeneity.,IEEE Access
Psychological Gender Express via Mobile Social Network Activities - An Experimental Study on a Gay Network Data.,IEEE Access
A Novel Miniaturized Planar Ultra-Wideband Antenna.,IEEE Access
Frequency Selection Approach for Energy Aware Cloud Database.,IEEE Access
Cold Start Recommendation Based on Attribute-Fused Singular Value Decomposition.,IEEE Access
Energy Optimization Algorithms for MIMO-OFDM Based Downlink C-RAN System.,IEEE Access
Fuzzy TOPSIS Approaches for Assessing the Intelligence Level of IoT-Based Tourist Attractions.,IEEE Access
A Single Attention-Based Combination of CNN and RNN for Relation Classification.,IEEE Access
On-Line Monitoring of Partial Discharge of Less-Oil Immersed Electric Equipment Based on Pressure and UHF.,IEEE Access
Performance of OnPrem Versus Azure SQL Server - A Case Study.,IEEE Access
Machine Learning Model for Adaptive Modulation of Multi-Stream in MIMO-OFDM System.,IEEE Access
An Integrated Methodology for Big Data Classification and Security for Improving Cloud Systems Data Mobility.,IEEE Access
3D Simulation Modeling of UAV-to-Car Communications.,IEEE Access
Fast Generation of Collision-Free Trajectories for Robot Swarms Using GPU Acceleration.,IEEE Access
Enhancement of the Duty Cycle Cooperative Medium Access Control for Wireless Body Area Networks.,IEEE Access
Green Coexistence for 5G Waveform Candidates - A Review.,IEEE Access
Dynamically Tunable Scattering Manipulation of Dielectric and Conducting Cylinders Using Nanostructured Graphene Metasurfaces.,IEEE Access
Multi-Label Learning With Label Specific Features Using Correlation Information.,IEEE Access
Multi-Objective Migrating Birds Optimization Algorithm for Stochastic Lot-Streaming Flow Shop Scheduling With Blocking.,IEEE Access
An Efficient Lucas Sequence-Based Batch Auditing Scheme for the Internet of Medical Things.,IEEE Access
Enhanced Deep Networks for Short-Term and Medium-Term Load Forecasting.,IEEE Access
General Reentry Trajectory Planning Method Based on Improved Maneuver Coefficient.,IEEE Access
Underdetermined Source Separation of Bearing Faults Based on Optimized Intrinsic Characteristic-Scale Decomposition and Local Non-Negative Matrix Factorization.,IEEE Access
DeepStar - Detecting Starring Characters in Movies.,IEEE Access
Asymmetric Loss Functions and Deep Densely-Connected Networks for Highly-Imbalanced Medical Image Segmentation - Application to Multiple Sclerosis Lesion Detection.,IEEE Access
Guaranteed Performance of Nonlinear Attitude Filters on the Special Orthogonal Group SO(3).,IEEE Access
Centroid Vectoring for Attitude Control of Floating Base Robots - From Maritime to Aerial Applications.,IEEE Access
Cache Aware User Association for Wireless Heterogeneous Networks.,IEEE Access
Testbed Evaluation of Real-Time Route Guidance in Inter-Vehicular Communication Urban Networks.,IEEE Access
Recent Advances in 3D Data Acquisition and Processing by Time-of-Flight Camera.,IEEE Access
Self-Organizing Approximation Command Filtered Backstepping Control for Higher Order SISO Systems in Internet of Things.,IEEE Access
Adaptive Covariance Feedback Cubature Kalman Filtering for Continuous-Discrete Bearings-Only Tracking System.,IEEE Access
STANN - A Spatio-Temporal Attentive Neural Network for Traffic Prediction.,IEEE Access
Reinvestigation of Single-Phase FLLs.,IEEE Access
Distributed LT Codes With Improved Error Floor Performance.,IEEE Access
Industries Return and Volatility Spillover in Chinese Stock Market - An Early Warning Signal of Systemic Risk.,IEEE Access
Collaborative Additional Variational Autoencoder for Top-N Recommender Systems.,IEEE Access
A New Algorithm for Blood Flow Measurement Based on the Doppler Flow Spectrogram.,IEEE Access
Measurement Data Fusion Based on Optimized Weighted Least-Squares Algorithm for Multi-Target Tracking.,IEEE Access
Dynamic Evolution Analysis of Metro Network Connectivity and Bottleneck Identification - From the Perspective of Individual Cognition.,IEEE Access
Double Layer Distributed Process Monitoring Based on Hierarchical Multi-Block Decomposition.,IEEE Access
Provable Data Integrity of Cloud Storage Service With Enhanced Security in the Internet of Things.,IEEE Access
Learning to Style-Aware Bayesian Personalized Ranking for Visual Recommendation.,IEEE Access
A Modified Gravitational Search Algorithm for Function Optimization.,IEEE Access
A Modified Deep Convolutional Neural Network for Abnormal Brain Image Classification.,IEEE Access
Review of Applications of Fuzzy Logic in Multi-Agent-Based Control System of AC-DC Hybrid Microgrid.,IEEE Access
Novel Multi-Material 3-Dimensional Low-Temperature Co-Fired Ceramic Base.,IEEE Access
Spectrum Occupancy Reconstruction in Distributed Cognitive Radio Networks Using Deep Learning.,IEEE Access
Collaborative Coexistence Management Scheme for Industrial Wireless Sensor Networks.,IEEE Access
Application of Big Data and Machine Learning in Smart Grid, and Associated Security Concerns - A Review.,IEEE Access
Fuzzy Sliding Mode Control for Systems With Matched and Mismatched Uncertainties/Disturbances Based on ENDOB.,IEEE Access
Stability of Switched Time-Delay Systems via Mode-Dependent Average Dwell Time Switching.,IEEE Access
Deep Hierarchical Network With Line Segment Learning for Quantitative Analysis of Facial Palsy.,IEEE Access
Random Drift Modeling and Compensation for MEMS-Based Gyroscopes and Its Application in Handwriting Trajectory Reconstruction.,IEEE Access
Direction of Arrival Estimation for Uniform Circular Array via "Virtual Two-Dimensional Source Impinging on Virtual Multiple UCAs Equivalently" in the Presence of Gain-Phase Errors.,IEEE Access
Improved Alpha-Guided Grey Wolf Optimizer.,IEEE Access
Periodic Charging for Wireless Sensor Networks With Multiple Portable Chargers.,IEEE Access
Green Energy Powered Cognitive Sensor Network With Cooperative Sensing.,IEEE Access
Minimizing Geo-Distributed Interactive Service Cost With Multiple Cloud Service Providers.,IEEE Access
Multiple Time Scales Analysis for Identifying Congestive Heart Failure Based on Heart Rate Variability.,IEEE Access
Passive Earth Pressures on Retaining Walls for Pit-in-Pit Excavations.,IEEE Access
Decentralized Real-Time Estimation and Tracking for Unknown Ground Moving Target Using UAVs.,IEEE Access
Joint CoMP Transmission for UAV-Aided Cognitive Satellite Terrestrial Networks.,IEEE Access
Image Encryption Using Josephus Problem and Filtering Diffusion.,IEEE Access
KST - Executable Formal Semantics of IEC 61131-3 Structured Text for Verification.,IEEE Access
Incorporating Importance Sampling in EM Learning for Sequence Detection in SPAD Underwater OWC.,IEEE Access
Rolling Bearing Performance Degradation Assessment Based on Convolutional Sparse Combination Learning.,IEEE Access
Root Cause Analysis of Traffic Anomalies Using Uneven Diffusion Model.,IEEE Access
Parameter Estimation of Delay-Doppler Underwater Acoustic Multi-Path Channel Based on Iterative Fractional Fourier Transform.,IEEE Access
Energy-Angle Domain Initial Access and Beam Tracking in Millimeter Wave V2X Communications.,IEEE Access
Innovative Human-Like Dual Robotic Hand Mechatronic Design and its Chess-Playing Experiment.,IEEE Access
On the Capacity of a Two-Hop Half-Duplex Relay Channel With a Markovian Constrained Relay.,IEEE Access
Research on Image Smoothing Diffusion Model With Gradient and Curvature Features.,IEEE Access
Frequency Hopping and Parallel Driving With Random Delay Especially Suitable for the Charger Noise Problem in Mutual-Capacitive Touch Applications.,IEEE Access
Learning Robust Embedding Representation With Hybrid Loss for Classification and Verification.,IEEE Access
Multi-Objective Optimization Control of Distributed Electric Drive Vehicles Based on Optimal Torque Distribution.,IEEE Access
Minimum Neighborhood of Alternating Group Graphs.,IEEE Access
Deep Decoupling Convolutional Neural Network for Intelligent Compound Fault Diagnosis.,IEEE Access
Brain Image Segmentation Based on FCM Clustering Algorithm and Rough Set.,IEEE Access
An Autonomous Developmental Cognitive Architecture Based on Incremental Associative Neural Network With Dynamic Audiovisual Fusion.,IEEE Access
Ground-Based Radar Detection for High-Speed Maneuvering Target via Fast Discrete Chirp-Fourier Transform.,IEEE Access
Stochastic Security Assessment for Power Systems With High Renewable Energy Penetration Considering Frequency Regulation.,IEEE Access
An Adaptive Mechanism for Recommendation Algorithm Ensemble.,IEEE Access
Unsupervised Learning-Based Fast Beamforming Design for Downlink MIMO.,IEEE Access
RBFNN-Based Adaptive Sliding Mode Control Design for Nonlinear Bilateral Teleoperation System Under Time-Varying Delays.,IEEE Access
Texture Feature Extraction Methods - A Survey.,IEEE Access
Analysis of Facebook Interaction as Basis for Synthetic Expanded Social Graph Generation.,IEEE Access
A New Bearing Fault Diagnosis Method Based on Fine-to-Coarse Multiscale Permutation Entropy, Laplacian Score and SVM.,IEEE Access
A New Recommendation Approach Based on Probabilistic Soft Clustering Methods - A Scientific Documentation Case Study.,IEEE Access
Applying Bayesian Network Approach to Determine the Association Between Morphological Features Extracted from Prostate Cancer Images.,IEEE Access
Impact of Uncertainties on Resilient Operation of Microgrids - A Data-Driven Approach.,IEEE Access
Spectral Efficient Spatial Modulation Techniques.,IEEE Access
Locally Statistical Dual-Mode Background Subtraction Approach.,IEEE Access
Ontology-Based Personalized Course Recommendation Framework.,IEEE Access
A Prediction Approach for Stock Market Volatility Based on Time Series Data.,IEEE Access
Geometrical Variation's Influence on the Effects of Stimulation May be Important in the Conventional and Multi-Array tDCS-Comparison of Electrical Fields Computed.,IEEE Access
DQ-Voltage Droop Control and Robust Secondary Restoration With Eligibility to Operate During Communication Failure in Autonomous Microgrid.,IEEE Access
A Hybrid Framework for Sentiment Analysis Using Genetic Algorithm Based Feature Reduction.,IEEE Access
A Pattern-Based Academic Reviewer Recommendation Combining Author-Paper and Diversity Metrics.,IEEE Access
ICT in Higher Education - An Exploration of Practices in Malaysian Universities.,IEEE Access
An Overview on Concept Drift Learning.,IEEE Access
In-Band Full-Duplex Relay-Assisted Millimeter-Wave System Design.,IEEE Access
Evolutionary 4G/5G Network Architecture Assisted Efficient Handover Signaling.,IEEE Access
Evolutionary Optimization Using Equitable Fuzzy Sorting Genetic Algorithm (EFSGA).,IEEE Access
Modulation Options for OFDM-Based Waveforms - Classification, Comparison, and Future Directions.,IEEE Access
Feature Learning and Analysis for Cleanliness Classification in Restrooms.,IEEE Access
Utilizing Multiple-Access Communication to Realize FNN Computation in Wireless Networks.,IEEE Access
Time-Energy Optimal Trajectory Planning for Variable Stiffness Actuated Robot.,IEEE Access
Speech Enhancement Based on Dictionary Learning and Low-Rank Matrix Decomposition.,IEEE Access
Retrieval of Ionospheric Faraday Rotation Angle in Low-Frequency Polarimetric SAR Data.,IEEE Access
EEG Processing in Internet of Medical Things Using Non-Harmonic Analysis - Application and Evolution for SSVEP Responses.,IEEE Access
Cross-Tier Dual-Connectivity Designs of Three-Tier Hetnets With Decoupled Uplink/Downlink and Global Coverage Performance Evaluation.,IEEE Access
Category Theory-Based Mobile User Interface Pattern Recommendation Method.,IEEE Access
A Rotating Machinery Fault Diagnosis Method Based on Feature Learning of Thermal Images.,IEEE Access
High-Gain Fabry-Perot Antennas With Wideband Low Monostatic RCS Using Phase Gradient Metasurface.,IEEE Access
Research on Scene Understanding-Based Encrypted Image Retrieval Algorithm.,IEEE Access
Joint Multiple Sources Localization Using TOA Measurements Based on Lagrange Programming Neural Network.,IEEE Access
Short-Term Demand Prediction Method for Online Car-Hailing Services Based on a Least Squares Support Vector Machine.,IEEE Access
An End-to-End Human Segmentation by Region Proposed Fully Convolutional Network.,IEEE Access
Flexible Filter Bank Multi-Carriers PON Based on Two-Dimensional Multiple Probabilistic Shaping Distribution.,IEEE Access
Parallel Processing of Probabilistic Models-Based Power Supply Unit Mid-Term Load Forecasting With Apache Spark.,IEEE Access
An Efficient Fault Diagnostic Method for Three-Phase Induction Motors Based on Incremental Broad Learning and Non-Negative Matrix Factorization.,IEEE Access
Multi-Label Metric Transfer Learning Jointly Considering Instance Space and Label Space Distribution Divergence.,IEEE Access
A Connecting Timetable Rescheduling Model for Production and Rail Transportation With Unexpected Disruptions.,IEEE Access
Prediction of SNP Sequences via Gini Impurity Based Gradient Boosting Method.,IEEE Access
Projective Latent Dependency Forest Models.,IEEE Access
Cloud Types Identification for Meteorological Satellite Image Using Multiple Sparse Representation Classifiers via Decision Fusion.,IEEE Access
On Modified Multi-Output Chebyshev-Polynomial Feed-Forward Neural Network for Pattern Classification of Wine Regions.,IEEE Access
Process Planning Optimization With Energy Consumption Reduction From a Novel Perspective - Mathematical Modeling and a Dynamic Programming-Like Heuristic Algorithm.,IEEE Access
QFM Signals Parameters Estimation Based on Double Scale Two Dimensional Frequency Distribution.,IEEE Access
Design of an Internet of Brain Things Network Security System Based on ICN.,IEEE Access
Segmentation of the Main Vessel of the Left Anterior Descending Artery Using Selective Feature Mapping in Coronary Angiography.,IEEE Access
Remote Sensing Image Haze Removal Using Gamma-Correction-Based Dehazing Model.,IEEE Access
Diagnosing Metabolic Syndrome Using Genetically Optimised Bayesian ARTMAP.,IEEE Access
Exploring Object-Centric and Scene-Centric CNN Features and Their Complementarity for Human Rights Violations Recognition in Images.,IEEE Access
Power- and Time-Aware Deep Learning Inference for Mobile Embedded Devices.,IEEE Access
Input-to-State Stabilization of Uncertain Parabolic PDEs Using an Observer-Based Fuzzy Control.,IEEE Access
Deep Learning-Based Sustainable Data Center Energy Cost Minimization With Temporal MACRO/MICRO Scale Management.,IEEE Access
CPW Fed Wideband Corner Bent Antenna for 5G Mobile Terminals.,IEEE Access
Non-Orthogonal Multiplexing of Ultra-Reliable and Broadband Services in Fog-Radio Architectures.,IEEE Access
Adaptive Independent Subspace Analysis of Brain Magnetic Resonance Imaging Data.,IEEE Access
Wideband Low-Profile Printed Dipole Antenna Incorporated With Folded Strips and Corner-Cut Parasitic Patches Above the Ground Plane.,IEEE Access
Evolving Rule-Based Explainable Artificial Intelligence for Unmanned Aerial Vehicles.,IEEE Access
Enhanced Virtual Inertia Control Based on Derivative Technique to Emulate Simultaneous Inertia and Damping Properties for Microgrid Frequency Regulation.,IEEE Access
Sound Classification Using Convolutional Neural Network and Tensor Deep Stacking Network.,IEEE Access
Moth Flame Clustering Algorithm for Internet of Vehicle (MFCA-IoV).,IEEE Access
A Novel Cryptographic Substitution Box Design Using Gaussian Distribution.,IEEE Access
Two-Level Cluster Based Routing Scheme for 5G V2X Communication.,IEEE Access
Formal Analysis of Language-Based Android Security Using Theorem Proving Approach.,IEEE Access
One Size Does Not Fit All - Querying Web Polystores.,IEEE Access
Efficient Algorithm for Multi-Bit Montgomery Inverse Using Refined Multiplicative Inverse Modular 2K.,IEEE Access
Cancelable ECG Biometrics Using Compressive Sensing-Generalized Likelihood Ratio Test.,IEEE Access
Improving Spatial Locality in Virtual Machine for Flash Storage.,IEEE Access
Feasibility of Index-Coded Retransmissions for Enhancing Sidelink Channel Efficiency of V2X Communications.,IEEE Access
Fast Pedestrian Detection in Surveillance Video Based on Soft Target Training of Shallow Random Forest.,IEEE Access
Power Factor Control Method Based on Virtual Capacitors for Three-Phase Matrix Rectifiers.,IEEE Access
Markov Chain Hebbian Learning Algorithm With Ternary Synaptic Units.,IEEE Access
Compensation of Parameter Uncertainty Using an Adaptive Sliding Mode Control Strategy for an Interior Permanent Magnet Synchronous Motor Drive.,IEEE Access
Intelligent Health Diagnosis Technique Exploiting Automatic Ontology Generation and Web-Based Personal Health Record Services.,IEEE Access
The Development of an IoT-Based Educational Simulator for Dental Radiography.,IEEE Access
Epsim - A Scalable and Parallel Marssx86 Simulator With Exploiting Epoch-Based Execution.,IEEE Access
The Impact of Math Anxiety on Working Memory - A Cortical Activations and Cortical Functional Connectivity EEG Study.,IEEE Access
Uplink Time Scheduling With Power Level Modulation Scheme in Wireless Powered Communication Networks.,IEEE Access
Buffering Time for Wireless Full-Duplex Systems Under Random Arrival.,IEEE Access
New Normal Parameter Reduction Method in Fuzzy Soft Set Theory.,IEEE Access
Human Interactive Behavior - A Bibliographic Review.,IEEE Access
Raccoon Optimization Algorithm.,IEEE Access
Modeling Opinion of IPTV Viewers Based on Implicit Feedback and Content Metadata.,IEEE Access
FPGA Acceleration for Computationally Efficient Symbol-Level Precoding in Multi-User Multi-Antenna Communication Systems.,IEEE Access
Fast HEVC to SCC Transcoder by Early CU Partitioning Termination and Decision Tree-Based Flexible Mode Decision for Intra-Frame Coding.,IEEE Access
A Technology Mapping of FSMs Based on a Graph of Excitations and Outputs.,IEEE Access
Energy Efficient Scheduling in Wireless Sensor Networks for Periodic Data Gathering.,IEEE Access
Analysis and Optimization of Unmanned Aerial Vehicle Swarms in Logistics - An Intelligent Delivery Platform.,IEEE Access
A Compact Integration of a 77 GHz FMCW Radar System Using CMOS Transmitter and Receiver Adopting On-Chip Monopole Feeder.,IEEE Access
Mandelbrot and Julia Sets via Jungck-CR Iteration With s-Convexity.,IEEE Access
Spatiotemporal Adaptive Nonuniformity Correction Based on BTV Regularization.,IEEE Access
Robust Locally Discriminant Analysis via Capped Norm.,IEEE Access
A Clustering-Based Energy Saving Scheme for Dense Small Cell Networks.,IEEE Access
Adaptive MIMO Detector Using Reduced Search Space and Its Error Rate Estimator in Ultra Dense Network.,IEEE Access
Signal Processing on Static and Dynamic 3D Meshes - Sparse Representations and Applications.,IEEE Access
Latency Analysis of Wireless Networks for Proximity Services in Smart Home and Building Automation - The Case of Thread.,IEEE Access
Scoreboard Architectural Pattern and Integration of Emotion Recognition Results.,IEEE Access
Declarative Specification of Bidirectional Transformations Using Design Patterns.,IEEE Access
Enhanced MR Image Classification Using Hybrid Statistical and Wavelets Features.,IEEE Access
Self-Organizing Recurrent Interval Type-2 Petri Fuzzy Design for Time-Varying Delay Systems.,IEEE Access
Defining a Reliable Network Topology in Software-Defined Power Substations.,IEEE Access
Enhanced Path Detection Based on Interference Cancellation for Range Estimation of Communication-Based Positioning System in Indoor Environment.,IEEE Access
Active Interference Cancellation for Full-Duplex Multiuser Networks With or Without Existence of Self-Interference.,IEEE Access
A Suboptimal Approach to Antenna Design Problems With Kernel Regression.,IEEE Access
Voltage Balancing Control of IPOS Modular Dual Active Bridge DC/DC Converters Based on Hierarchical Sliding Mode Control.,IEEE Access
Multiple Object Tracking via Feature Pyramid Siamese Networks.,IEEE Access
Sampling Operator to Learn the Scalable Correlation Filter for Visual Tracking.,IEEE Access
Time Estimation and Resource Minimization Scheme for Apache Spark and Hadoop Big Data Systems With Failures.,IEEE Access
RLizard - Post-Quantum Key Encapsulation Mechanism for IoT Devices.,IEEE Access
HW-CDI - Hard-Wired Control Data Integrity.,IEEE Access
An Easy Network Onboarding Scheme for Internet of Things Networks.,IEEE Access
A Chopper Stabilized Current-Feedback Instrumentation Amplifier for EEG Acquisition Applications.,IEEE Access
Non-Ionized, High-Resolution Measurement of Internal and Marginal Discrepancies of Dental Prosthesis Using Optical Coherence Tomography.,IEEE Access
A Noise-Acceptable ZNN for Computing Complex-Valued Time-Dependent Matrix Pseudoinverse.,IEEE Access
Adversarial Knowledge Representation Learning Without External Model.,IEEE Access
A Differentiated Reservation MAC Protocol for Achieving Fairness and Efficiency in Multi-Rate IEEE 802.11 WLANs.,IEEE Access
Detection of Sound Field Aberrations Caused by Forward Scattering From Underwater Intruders Using Unsupervised Machine Learning.,IEEE Access
Local Feature Descriptor for Image Matching - A Survey.,IEEE Access
Optimal Power and Performance Management for Heterogeneous and Arbitrary Cloud Servers.,IEEE Access
Supervised Saliency Mapping for First-Person Videos With an Inverse Sparse Coding Framework.,IEEE Access
On the Modeling of Near-Field Scattering of Vehicles in Vehicle-to-X Wireless Channels Based on Scattering Centers.,IEEE Access
Multi-Synchronization of Stochastic Coupled Multi-Stable Neural Networks With Time-Varying Delay by Impulsive Control.,IEEE Access
Single Flip-Chip Packaged Dielectric Resonator Antenna for CMOS Terahertz Antenna Array Gain Enhancement.,IEEE Access
IT Outsourcing Auctions With Bilateral Efforts and Renegotiation.,IEEE Access
A New Lattice-Based Signature Scheme in Post-Quantum Blockchain Network.,IEEE Access
A Method of Emergent Event Evolution Reasoning Based on Ontology Cluster and Bayesian Network.,IEEE Access
Fuzzy Fault Detection Filter Design for Nonlinear Distributed Parameter Systems.,IEEE Access
Sparse Representation Based on the Analysis Model With Optimization on the Stiefel Manifold.,IEEE Access
SLA-Aware and Energy-Efficient VM Consolidation in Cloud Data Centers Using Robust Linear Regression Prediction Model.,IEEE Access
A New RSS Fingerprinting-Based Location Discovery Method Under Sparse Reference Point Conditions.,IEEE Access
Mining Dynamics of Research Topics Based on the Combined LDA and WordNet.,IEEE Access
Do Google App Engine's Runtimes Perform Homogeneously? An Empirical Investigation for Bonus Computing.,IEEE Access
Resource Allocation and Task Offloading for Heterogeneous Real-Time Tasks With Uncertain Duration Time in a Fog Queueing System.,IEEE Access
Sparse Bayesian Learning Based Space-Time Adaptive Processing Against Unknown Mutual Coupling for Airborne Radar Using Middle Subarray.,IEEE Access
EEG-Based Mild Depressive Detection Using Differential Evolution.,IEEE Access
Human Lesion Detection Method Based on Image Information and Brain Signal.,IEEE Access
Deterministic Quantum Secure Direct Communication Protocol Based on Omega State.,IEEE Access
Optimal Dual Frames for Probabilistic Erasures.,IEEE Access
Efficient CCA2 Secure Flexible and Publicly-Verifiable Fine-Grained Access Control in Fog Computing.,IEEE Access
Image Classification Using Low-Rank Regularized Extreme Learning Machine.,IEEE Access
Optimal Node Attack on Causality Analysis in Cyber-Physical Systems - A Data-Driven Approach.,IEEE Access
AC Grids Characteristics Oriented Multi-Point Voltage Coordinated Control Strategy for VSC-MTDC.,IEEE Access
Design and Implementation of Networked Collaborative Service System for Brain Stroke Prevention and First Aid.,IEEE Access
Complex Attack Linkage Decision-Making in Edge Computing Networks.,IEEE Access
Approximate Computing With Stochastic Transistors' Voltage Over-Scaling.,IEEE Access
Optimizing the Coverage via the UAVs With Lower Costs for Information-Centric Internet of Things.,IEEE Access
TT-Miner - Topology-Transaction Miner for Mining Closed Itemset.,IEEE Access
A Novel Approach to Rule Placement in Software-Defined Networks Based on OPTree.,IEEE Access
Brain Computer Interface for Neurodegenerative Person Using Electroencephalogram.,IEEE Access
Service Migration in Fog Computing Enabled Cellular Networks to Support Real-Time Vehicular Communications.,IEEE Access
Robust Hierarchical Learning for Non-Negative Matrix Factorization With Outliers.,IEEE Access
An Indoor Positioning Error Correction Method of Pedestrian Multi-Motions Recognized by Hybrid-Orders Fraction Domain Transformation.,IEEE Access
Fog Radio Access Network - A New Wireless Backhaul Architecture for Small Cell Networks.,IEEE Access
A Concept Map-Based Learning Paths Automatic Generation Algorithm for Adaptive Learning Systems.,IEEE Access
Adaptive Differential Evolution With Evolution Memory for Multiobjective Optimization.,IEEE Access
Energy-Aware Mobile Edge Computation Offloading for IoT Over Heterogenous Networks.,IEEE Access
False Data Injection Attacks With Incomplete Network Topology Information in Smart Grid.,IEEE Access
Similarity Measure Based on Incremental Warping Window for Time Series Data Mining.,IEEE Access
Controlled Islanding for a Hybrid AC/DC Grid With VSC-HVDC Using Semi-Supervised Spectral Clustering.,IEEE Access
RMVP - A Real-Time Method to Monitor Random Processes of Virtual Machine.,IEEE Access
Path Planning Technologies for Autonomous Underwater Vehicles-A Review.,IEEE Access
Multiscale Quantum Harmonic Oscillator Algorithm With Strict Metastability Constraints for Multi-Modal Optimization.,IEEE Access
Enhancing Cloud-Based IoT Security Through Trustworthy Cloud Service - An Integration of Security and Reputation Approach.,IEEE Access
L21-Norm Based Loss Function and Regularization Extreme Learning Machine.,IEEE Access
Collective Efficacy of Support Vector Regression With Smoothness Priority in Marine Sensor Data Prediction.,IEEE Access
Robust Nonlinear Controller Design for Damping of Sub-Synchronous Control Interaction in DFIG-Based Wind Farms.,IEEE Access
RMapTAFA - Radio Map Construction Based on Trajectory Adjustment and Fingerprint Amendment.,IEEE Access
Energy Efficiency Optimization of Distributed Massive MIMO Systems Under Ergodic QoS and Per-RAU Power Constraints.,IEEE Access
Vehicle Stability Control Based on Model Predictive Control Considering the Changing Trend of Tire Force Over the Prediction Horizon.,IEEE Access
Time+User Dual Attention Based Sentiment Prediction for Multiple Social Network Texts With Time Series.,IEEE Access
Surface Charge Transport Characteristics of ZnO/Silicone Rubber Composites Under Impulse Superimposed on DC Voltage.,IEEE Access
Adaptive Prescribed Performance Fault Estimation and Accommodation for a Class of Stochastic Nonlinear Systems.,IEEE Access
Naïve Bayes Classifier-Assisted Least Loaded Routing for Circuit-Switched Networks.,IEEE Access
A Community Merger of Optimization Algorithm to Extract Overlapping Communities in Networks.,IEEE Access
An Effective Algorithm for Delay Fractional Convection-Diffusion Wave Equation Based on Reversible Exponential Recovery Method.,IEEE Access
D2D-Assisted Caching on Truncated Zipf Distribution.,IEEE Access
Efficient Laser-Based 3D SLAM for Coal Mine Rescue Robots.,IEEE Access
Adaptive Sample Weight for Machine Learning Computer Vision Algorithms in V2X Systems.,IEEE Access
Lithium-Ion Battery State of Health Monitoring Based on Ensemble Learning.,IEEE Access
Modified Grasshopper Algorithm-Based Multilevel Thresholding for Color Image Segmentation.,IEEE Access
Online Computing Quantile Summaries Over Uncertain Data Streams.,IEEE Access
Research on Recognition of Nine Kinds of Fine Gestures Based on Adaptive AdaBoost Algorithm and Multi-Feature Combination.,IEEE Access
Fog-Enabled Vehicle as a Service for Computing Geographical Migration in Smart Cities.,IEEE Access
New Stability Criteria of Discrete Systems With Time-Varying Delays.,IEEE Access
Cooperative NOMA System With Virtual Full Duplex User Relaying.,IEEE Access
Latency-Optimal mmWave Radio Access for V2X Supporting Next Generation Driving Use Cases.,IEEE Access
The Structure-Behavior Coalescence Approach for Systems Modeling.,IEEE Access
Efficient Fault-Tolerant Routing in IoT Wireless Sensor Networks Based on Bipartite-Flow Graph Modeling.,IEEE Access
Reducing Signal Overload by Disconnection Tolerant Voice Service in Heterogeneous Networks.,IEEE Access
Fourier Dense Network to Conduct Plant Classification Using UAV-Based Optical Images.,IEEE Access
An Ultra-Wideband Reflective Phase Gradient Metasurface Using Pancharatnam-Berry Phase.,IEEE Access
Binary Data Gathering With a Helper in Internet of Things - Distortion Analysis and Performance Evaluation.,IEEE Access
P4-TPG - Accelerating Deterministic Parallel Test Pattern Generation by Preemptive, Proactive, and Preventive Schedulings.,IEEE Access
Recurrent Models of Visual Co-Attention for Person Re-Identification.,IEEE Access
Echo - An Edge-Centric Code Offloading System With Quality of Service Guarantee.,IEEE Access
A Unified Matrix-Based Convolutional Neural Network for Fine-Grained Image Classification of Wheat Leaf Diseases.,IEEE Access
Social Network Rumor Diffusion Predication Based on Equal Responsibility Game Model.,IEEE Access
The Challenges of Existence, Status, and Value for Improving Blockchain.,IEEE Access
Distributed Multi-Channel MAC Protocol for VANET - An Adaptive Frame Structure Scheme.,IEEE Access
Domain-RIP Analysis - A Technique for Analyzing Mutation Stubbornness.,IEEE Access
Rayleigh Fading Suppression in One-Dimensional Optical Scatters.,IEEE Access
A Precise and Stable Segmentation Algorithm of SAR Images Based on Random Weighting Method and Modified Level Set.,IEEE Access
Vibration Detection of Spanning Subsea Pipelines by Using a Spherical Detector.,IEEE Access
Performance Analysis and Transceiver Design of Few-Bit Quantized MIMO Systems.,IEEE Access
Blockchain Radio Access Network (B-RAN) - Towards Decentralized Secure Radio Access Paradigm.,IEEE Access
Semi-Supervised Automatic Segmentation of Layer and Fluid Region in Retinal Optical Coherence Tomography Images Using Adversarial Learning.,IEEE Access
Big Medical Data Decision-Making Intelligent System Exploiting Fuzzy Inference Logic for Prostate Cancer in Developing Countries.,IEEE Access
Damage Characteristics and Microstructure Response of Steel Alloy Q235B Subjected to Simulated Lightning Currents.,IEEE Access
Quantitative Analysis of Blood Flow in Cerebral Venous Sinus With Stenosis by Patient-Specific CFD Modeling.,IEEE Access
Face Alignment via Multi-Regressors Collaborative Optimization.,IEEE Access
Multiplexed OAM Wave Communication With Two-OAM-Mode Antenna Systems.,IEEE Access
A Meta-Surface Decoupling Method for Two Linear Polarized Antenna Array in Sub-6 GHz Base Station Applications.,IEEE Access
Spatiotemporal Relation Networks for Video Action Recognition.,IEEE Access
A Novel Inertia Identification Method and Its Application in PI Controllers of PMSM Drives.,IEEE Access
Empirical Frequency-Dependent Wall Insertion Loss Model at 3-6 GHz for Future Internet-of-Things Applications.,IEEE Access
An Iterative Reputation Ranking Method via the Beta Probability Distribution.,IEEE Access
Automatic Face Recognition Based on Sparse Representation and Extended Transfer Learning.,IEEE Access
A Cohesion-Based Heuristic Feature Selection for Short-Term Traffic Forecasting.,IEEE Access
Optimization of the Load Balancing Policy for Tiled Many-Core Processors.,IEEE Access
Dynamic Behavior of Droplets and Flashover Characteristics for CFD and Experimental Analysis on SiR Composites.,IEEE Access
Global μ-Stability of Quaternion-Valued Neural Networks With Unbounded and Asynchronous Time-Varying Delays.,IEEE Access
Altitude Control for Variable Load Quadrotor via Learning Rate Based Robust Sliding Mode Controller.,IEEE Access
Information Recommendation Based on Domain Knowledge in App Descriptions for Improving the Quality of Requirements.,IEEE Access
Blind Stereoscopic Image Quality Assessment Based on Hierarchical Learning.,IEEE Access
2D Image Deformation Based on Guaranteed Feature Correspondence and Mesh Mapping.,IEEE Access
An Attribute-Based High-Level Image Representation for Scene Classification.,IEEE Access
A New Learning Approach to Malware Classification Using Discriminative Feature Extraction.,IEEE Access
Fault-Tolerant Adaptive Control for a Class of Nonlinear Systems With Uncertain Parameters and Unknown Control Directions.,IEEE Access
Detection and Pose Estimation for Short-Range Vision-Based Underwater Docking.,IEEE Access
A Fuzzy Reasoning Model for Cervical Intraepithelial Neoplasia Classification Using Temporal Grayscale Change and Textures of Cervical Images During Acetic Acid Tests.,IEEE Access
Recurrent Conditional Generative Adversarial Network for Image Deblurring.,IEEE Access
Toward Device-Free Micro-Gesture Tracking via Accurate Acoustic Doppler-Shift Detection.,IEEE Access
Angular Motion Decoupling and Attitude Determination Based on High Dynamic Gyro.,IEEE Access
Single-Phase Inverter With Wide Input Voltage and Power Decoupling Capability.,IEEE Access
A Unified Variational Model for Single Image Dehazing.,IEEE Access
Analysis and Accurate Prediction of User's Response Behavior in Incentive-Based Demand Response.,IEEE Access
Decentralized Voltage and Power Control of Multi-Machine Power Systems With Global Asymptotic Stability.,IEEE Access
Regulated State Synchronization of Homogeneous Discrete-Time Multi-Agent Systems via Partial State Coupling in Presence of Unknown Communication Delays.,IEEE Access
QoE-Oriented Rate Adaptation for DASH With Enhanced Deep Q-Learning.,IEEE Access
A Numerical-Based Attention Method for Stock Market Prediction With Dual Information.,IEEE Access
A Two-Stage Energy-Efficient Approach for Joint Power Control and Channel Allocation in D2D Communication.,IEEE Access
Proximity Effects of Lateral Conductivity Variations on Geomagnetically Induced Electric Fields.,IEEE Access
Planning of Multi Energy-Type Micro Energy Grid Based on Improved Kriging Model.,IEEE Access
Secure and Efficient Multi-Authority Attribute-Based Encryption Scheme From Lattices.,IEEE Access
Energy Efficient Downlink Resource Allocation for D2D-Assisted Cellular Networks With Mobile Edge Caching.,IEEE Access
Directional Modulation Technique for Linear Sparse Arrays.,IEEE Access
Improved Polar SCL Decoding by Exploiting the Error Correction Capability of CRC.,IEEE Access
Low-Rank Phase Retrieval via Variational Bayesian Learning.,IEEE Access
Effects of Lateral Conductivity Variations on Geomagnetically Induced Currents - H-Polarization.,IEEE Access
Quantum Image Encryption Using Intra and Inter Bit Permutation Based on Logistic Map.,IEEE Access
Jointly Optimized Energy-Minimal Resource Allocation in Cache-Enhanced Mobile Edge Computing Systems.,IEEE Access
Multi-Attribute Group Decision Making Based on Intuitionistic Uncertain Linguistic Hamy Mean Operators With Linguistic Scale Functions and Its Application to Health-Care Waste Treatment Technology Selection.,IEEE Access
Brain Image Segmentation Based on Multi-Weight Probability Map.,IEEE Access
Image Denoising via Nonlocal Low Rank Approximation With Local Structure Preserving.,IEEE Access
Code-Partitioning Offloading Schemes in Mobile Edge Computing for Augmented Reality.,IEEE Access
Unmanned Water-Powered Aerial Vehicles - Theory and Experiments.,IEEE Access
Analysis of a Packable and Tunable Origami Multi-Radii Helical Antenna.,IEEE Access
A Novel Region-Refinement Pulse Width Modulation Method for Torque Ripple Reduction of Brushless DC Motors.,IEEE Access
Modeling of Structure Landmark for Indoor Pedestrian Localization.,IEEE Access
Mass Spectral Substance Detections Using Long Short-Term Memory Networks.,IEEE Access
2-D DOA Robust Estimation of Echo Signals Based on Multiple Satellites Passive Radar in the Presence of Alpha Stable Distribution Noise.,IEEE Access
Tracking Algorithms Aided by the Pose of Target.,IEEE Access
A Power Distribution Control Strategy Between Energy Storage Elements and Capacitors for Cascaded Multilevel Inverter With Hybrid Energy Sources.,IEEE Access
Transcriptome Comparisons of Multi-Species Identify Differential Genome Activation of Mammals Embryogenesis.,IEEE Access
Recurrent Neural Networks With Finite Memory Length.,IEEE Access
Updating Dynamic Noise Models With Moving Magnetoencephalographic (MEG) Systems.,IEEE Access
Multi-Objective Optimization-Based Real-Time Control Strategy for Battery/Ultracapacitor Hybrid Energy Management Systems.,IEEE Access
Improved Hybrid Precoding Scheme for mmWave Large-Scale MIMO Systems.,IEEE Access
Robust H∞ Control of Lurie Nonlinear Stochastic Network Control Systems With Multiple Additive Time-Varying Delay Components.,IEEE Access
Secure Dynamic Big Graph Data - Scalable, Low-Cost Remote Data Integrity Checking.,IEEE Access
Bi-Population Based Discrete Bat Algorithm for the Low-Carbon Job Shop Scheduling Problem.,IEEE Access
Physical Layer Encryption Algorithm Based on Polar Codes and Chaotic Sequences.,IEEE Access
Determining the Required Probe Vehicle Size for Real-Time Travel Time Estimation on Signalized Arterial.,IEEE Access
Collapsed VBI-DP Based Structured Sparse Channel Estimation Algorithm for Massive MIMO-OFDM.,IEEE Access
Mobile Sink-Based Path Optimization Strategy in Wireless Sensor Networks Using Artificial Bee Colony Algorithm.,IEEE Access
A Highly Efficient Multifunctional Power Electronic Interface for PEV Hybrid Energy Management Systems.,IEEE Access
Indoor Collaborative Positioning With Adaptive Particle-Pair Filtering Based on Dynamic User Pairing.,IEEE Access
Harnessing Commodity Wearable Devices to Capture Learner Engagement.,IEEE Access
A Switching Approach to Packet Loss Compensation Strategy.,IEEE Access
Synthesis of a Dynamical Output H∞ Controller for the Fuzzy Input-Output Model.,IEEE Access
A Hardware-Efficient Recognition Accelerator Using Haar-Like Feature and SVM Classifier.,IEEE Access
Trace Ratio Criterion Based Large Margin Subspace Learning for Feature Selection.,IEEE Access
Cone-Beam Computed Tomography Deblurring Using an Overrelaxed Chambolle-Pock Algorithm.,IEEE Access
Dual-Domain Audio Watermarking Algorithm Based on Flexible Segmentation and Adaptive Embedding.,IEEE Access
Joint Optimization of Area Spectral Efficiency and Energy Efficiency for Two-Tier Heterogeneous Ultra-Dense Networks.,IEEE Access
Unsupervised Band Selection Method Based on Importance-Assisted Column Subset Selection.,IEEE Access
A Deep Learning-Based Approach to Power Minimization in Multi-Carrier NOMA With SWIPT.,IEEE Access
A Specification-Based Semi-Formal Functional Verification Method by a Stage Transition Graph Model.,IEEE Access
Channel Prediction for Millimeter Wave MIMO-OFDM Communications in Rapidly Time-Varying Frequency-Selective Fading Channels.,IEEE Access
Interest-Related Item Similarity Model Based on Multimodal Data for Top-N Recommendation.,IEEE Access
Research on Big Data Security Storage Based on Compressed Sensing.,IEEE Access
An Image Processing Approach to Measuring the Sphericity and Roundness of Fracturing Proppants.,IEEE Access
MT-DMA - A DMA Controller Supporting Efficient Matrix Transposition for Digital Signal Processing.,IEEE Access
Discovering Suspicious APT Families Through a Large-Scale Domain Graph in Information-Centric IoT.,IEEE Access
Video Summarization via Nonlinear Sparse Dictionary Selection.,IEEE Access
Fixing and Aligning Methods for Dielectric Resonator Antennas in K Band and Beyond.,IEEE Access
Integrating Economic Model Predictive Control and Event-Triggered Control - Application to Bi-Hormonal Artificial Pancreas System.,IEEE Access
A Comparative Study of Aggressive Driving Behavior Recognition Algorithms Based on Vehicle Motion Data.,IEEE Access
Web News Mining Using New Features - A Comparative Study.,IEEE Access
Machine Learning Approach-Based Gamma Distribution for Brain Tumor Detection and Data Sample Imbalance Analysis.,IEEE Access
A Security-Enhanced Cluster Size Adjustment Scheme for Cognitive Radio Networks.,IEEE Access
Learning to Fuse Multiscale Features for Visual Place Recognition.,IEEE Access
Imbalanced Fault Diagnosis of Rolling Bearing Based on Generative Adversarial Network - A Comparative Study.,IEEE Access
Power Minimization Resource Allocation for Underlay MISO-NOMA SWIPT Systems.,IEEE Access
Synchronization Mechanisms for Multi-User and Multi-Device Hybrid Broadcast and Broadband Distributed Scenarios.,IEEE Access
Understanding Customer Satisfaction With Services by Leveraging Big Data - The Role of Services Attributes and Consumers' Cultural Background.,IEEE Access
Arabic Natural Language Processing and Machine Learning-Based Systems.,IEEE Access
A Review of Sparse Recovery Algorithms.,IEEE Access
Improvement of 60 GHz Transparent Patch Antenna Array Performance Through Specific Double-Sided Micrometric Mesh Metal Technology.,IEEE Access
Frontal-Sagittal Dynamic Coupling in the Optimal Design of a Passive Bipedal Walker.,IEEE Access
Security-Enhanced SC-FDMA Transmissions Using Temporal Artificial-Noise and Secret Key Aided Schemes.,IEEE Access
360° Semantic File System - Augmented Directory Navigation for Nonhierarchical Retrieval of Files.,IEEE Access
Robust Authentication of Consumables With Extrinsic Tags and Chemical Fingerprinting.,IEEE Access
3-D Localization With Multiple LEDs Lamps in OFDM-VLC System.,IEEE Access
Analysis of Coding Strategies Within File Delivery Protocol Framework for HbbTV Based Push-VoD Services Over DVB Networks.,IEEE Access
Sharing of Copper Pairs for Improving DSL Performance in FTTx Access Networks.,IEEE Access
Modulation Analysis in Macro-Molecular Communications.,IEEE Access
Molecular-Based Nano-Communication Network - A Ring Topology Nano-Bots for In-Vivo Drug Delivery Systems.,IEEE Access
A Decision Support System for Managing the Water Space.,IEEE Access
HARD-DE - Hierarchical ARchive Based Mutation Strategy With Depth Information of Evolution for the Enhancement of Differential Evolution on Numerical Optimization.,IEEE Access
Output Voltage Identification Based on Transmitting Side Information for Implantable Wireless Power Transfer System.,IEEE Access
Implementation of Flat Gain Broadband Power Amplifier With Impedance Rotation Compensation.,IEEE Access
Quantum Algorithm for Spectral Regression for Regularized Subspace Learning.,IEEE Access
Indoor Positioning of RBF Neural Network Based on Improved Fast Clustering Algorithm Combined With LM Algorithm.,IEEE Access
Bilinear Adaptive Generalized Vector Approximate Message Passing.,IEEE Access
Efficient Confidence-Based Hierarchical Stereo Disparity Upsampling for Noisy Inputs.,IEEE Access
Experimental Multi-User Visible Light Communication Attocell Using Multiband Carrierless Amplitude and Phase Modulation.,IEEE Access
Searching With Direction Awareness - Multi-Objective Genetic Algorithm Based on Angle Quantization and Crowding Distance MOGA-AQCD.,IEEE Access
Efficient Multiple Concatenated Codes With Turbo-Like Decoding for UEP Wireless Transmission of Scalable JPEG 2000 Images.,IEEE Access
Insulator Detection in Aerial Images for Transmission Line Inspection Using Single Shot Multibox Detector.,IEEE Access
Deployable Linear-to-Circular Polarizer Using PDMS Based on Unloaded and Loaded Circular FSS Arrays for Pico-Satellites.,IEEE Access
Sensing Performance of Modified Single Mode Optical Fiber Coated With Nanomaterials-Based Ammonia Sensors Operated in the C-Band.,IEEE Access
Reliability and Power Density Increase in a Novel Four-Pole System for Line-Commutated Converter HVDC Transmission.,IEEE Access
Digitized Metamaterial Absorber-Based Compressive Reflector Antenna for High Sensing Capacity Imaging.,IEEE Access
The TRAVEE System for a Multimodal Neuromotor Rehabilitation.,IEEE Access
Ensemble Learning of Multiple-View 3D-CNNs Model for Micro-Nodules Identification in CT Images.,IEEE Access
Design of a Ku-Band High-Purity Transducer for the TM01 Circular Waveguide Mode by Means of T-Type Junctions.,IEEE Access
Massive MIMO Systems With Low-Resolution ADCs - Baseband Energy Consumption vs. Symbol Detection Performance.,IEEE Access
Interference Alignment Schemes Using Latin Square for K×3 MIMO X Channel.,IEEE Access
On-Device AI-Based Cognitive Detection of Bio-Modality Spoofing in Medical Cyber Physical System.,IEEE Access
Simultaneous Chaos Time-Delay Signature Cancellation and Bandwidth Enhancement in Cascade-Coupled Semiconductor Ring Lasers.,IEEE Access
Transmission Projective Synchronization of Multiple Non-Identical Coupled Chaotic Systems Using Sliding Mode Control.,IEEE Access
DeepAnT - A Deep Learning Approach for Unsupervised Anomaly Detection in Time Series.,IEEE Access
Augmented Reality Based on SLAM to Assess Spatial Short-Term Memory.,IEEE Access
Developing a Software That Supports the Improvement of the Theory of Mind in Children With Autism Spectrum Disorder.,IEEE Access
Development of a Wall-Climbing Drone Capable of Vertical Soft Landing Using a Tilt-Rotor Mechanism.,IEEE Access
Joint Uplink and Downlink Resource Allocation for the Internet of Things.,IEEE Access
Study on Mutual Coupling Reduction Technique for MIMO Antennas.,IEEE Access
Comparative Review of Energy Storage Systems, Their Roles, and Impacts on Future Power Systems.,IEEE Access
Drift-Diffusion Versus Monte Carlo Simulated ON-Current Variability in Nanowire FETs.,IEEE Access
Exploiting Low Complexity Beam Allocation in Multi-User Switched Beam Millimeter Wave Systems.,IEEE Access
Efficient Object-Oriented Semantic Mapping With Object Detector.,IEEE Access
SER Analysis of Adaptive Threshold-Based Relay Selection With Limited Feedback for Type II Relay.,IEEE Access
CNVPS - Cooperative Neighboring Vehicle Positioning System Based on Vehicle-to-Vehicle Communication.,IEEE Access
Energy Internet via Packetized Management - Enabling Technologies and Deployment Challenges.,IEEE Access
Indoor Scene Understanding in 2.5/3D for Autonomous Agents - A Survey.,IEEE Access
Expert Control Systems Implemented in a Pitch Control of Wind Turbine - A Review.,IEEE Access
Branch Point Selection in RNA Splicing Using Deep Learning.,IEEE Access
Process Yield Index and Variable Sampling Plans for Autocorrelation Between Nonlinear Profiles.,IEEE Access
A Single-Channel SSVEP-Based BCI Speller Using Deep Learning.,IEEE Access
Improved Model Predictive Control by Robust Prediction and Stability-Constrained Finite States for Three-Phase Inverters With an Output LC Filter.,IEEE Access
Selective Timewarp Based on Embedded Motion Vectors for Interactive Cloud Virtual Reality.,IEEE Access
Reliability and Availability Evaluation for Cloud Data Center Networks Using Hierarchical Models.,IEEE Access
A Decentralized Reciprocity Calibration Approach for Cooperative MIMO.,IEEE Access
Deep Feature Ranking for Person Re-Identification.,IEEE Access
Fast, Area & Energy Efficient Supergate Design With Multi-Output & Multi-Functional CDM Cells.,IEEE Access
Topological Analysis on the Belief Rule Base Space.,IEEE Access
Stabilization of a Relative Equilibrium for an Underactuated AUV With Disturbances Rejection.,IEEE Access
Target Detection Algorithm for Hypersonic Vehicle Based on Wideband Radar Echo Model.,IEEE Access
2D and 3D Image Quality Assessment - A Survey of Metrics and Challenges.,IEEE Access
Performances Enhancement of Fingerprint Recognition System Using Classifiers.,IEEE Access
Carrier Aggregated Radio-Over-Fiber Downlink for Achieving 2Gbps for 5G Applications.,IEEE Access
Power and Speed Evaluation of Hyper-FET Circuits.,IEEE Access
A New Chaotic Oscillator - Properties, Analog Implementation, and Secure Communication Application.,IEEE Access
Packet Level Performance Assessment of mmWave Backhauling Technology for 3GPP NR Systems.,IEEE Access
Sliding Time Window Electricity Consumption Optimization Algorithm for Communities in the Context of Big Data Processing.,IEEE Access
Robust Gossiping for Distributed Average Consensus in IoT Environments.,IEEE Access
Deep Learning Class Discrimination Based on Prior Probability for Human Activity Recognition.,IEEE Access
New Approach for Automated Epileptic Disease Diagnosis Using an Integrated Self-Organization Map and Radial Basis Function Neural Network Algorithm.,IEEE Access
Sliding-Mode-Based Trajectory Tracking and Load Sway Suppression Control for Double-Pendulum Overhead Cranes.,IEEE Access
Novel Adaptive Hierarchical Sliding Mode Control for Trajectory Tracking and Load Sway Rejection in Double-Pendulum Overhead Cranes.,IEEE Access
Design and Analysis of Triplen Controlled Resonant Converter for Renewable Sources to Interface DC Micro Grid.,IEEE Access
A Novel Modified Sine-Cosine Optimized MPPT Algorithm for Grid Integrated PV System under Real Operating Conditions.,IEEE Access
Internet of Perishable Logistics - Building Smart Fresh Food Supply Chain Networks.,IEEE Access
Motion Recommender for Preventing Injuries During Motion Gaming.,IEEE Access
Approximate Similarity Measurements on Multi-Attributes Trajectories Data.,IEEE Access
Impact Analysis and Optimization of Material Parameters of Insulator on Brake Squeal.,IEEE Access
Clone Detection Based on Physical Layer Reputation for Proximity Service.,IEEE Access
Application of Internet of Things Technology in 3D Medical Image Model.,IEEE Access
Design of H∞ Output Feedback Controller for Gas Turbine Engine Distributed Control With Random Packet Dropouts.,IEEE Access
Deploying Public Charging Stations for Electric Taxis - A Charging Demand Simulation Embedded Approach.,IEEE Access
An Incentive Mechanism Based on a Bayesian Game for Spatial Crowdsourcing.,IEEE Access
Introducing Deep Learning Self-Adaptive Misuse Network Intrusion Detection Systems.,IEEE Access
Cross-Correlation Aided Ensemble of Classifiers for BCI Oriented EEG Study.,IEEE Access
A Programmable Multi-Biomarker Neural Sensor for Closed-Loop DBS.,IEEE Access
Eight-Element Dual-Polarized MIMO Slot Antenna System for 5G Smartphone Applications.,IEEE Access
Electromagnetic Scattering of Periodic Cabinets in Nuclear Power Plants - Parallel Polarization.,IEEE Access
Can Machines Learn to Comprehend Scientific Literature?,IEEE Access
Natural Language Generation Using Dependency Tree Decoding for Spoken Dialog Systems.,IEEE Access
Frame-Type-Aware Static Time Slotted Channel Hopping Scheduling Scheme for Large-Scale Smart Metering Networks.,IEEE Access
Quantitative Identification of Technological Discontinuities.,IEEE Access
Power Control for Sum Spectral Efficiency Optimization in MIMO-NOMA Systems With Linear Beamforming.,IEEE Access
Hybrid Load Forecasting for Mixed-Use Complex Based on the Characteristic Load Decomposition by Pilot Signals.,IEEE Access
Application of Tiling Theory for Path Planning Strategy in a Polyiamond Inspired Reconfigurable Robot.,IEEE Access
Gene Expression Analysis for Early Lung Cancer Prediction Using Machine Learning Techniques - An Eco-Genomics Approach.,IEEE Access
Novel Two-Fold Data Aggregation and MAC Scheduling to Support Energy Efficient Routing in Wireless Sensor Network.,IEEE Access
Challenging the Boundaries of Unsupervised Learning for Semantic Similarity.,IEEE Access
Distributed Channel Allocation for D2D-Enabled 5G Networks Using Potential Games.,IEEE Access
Digital Image Inpainting by Estimating Wavelet Coefficient Decays From Regularity Property and Besov Spaces.,IEEE Access
Full State Tracking and Formation Control for Under-Actuated VTOL UAVs.,IEEE Access
AP Selection Scheme Based on Achievable Throughputs in SDN-Enabled WLANs.,IEEE Access
Algorithms for Interval-Valued Pythagorean Fuzzy Sets in Emergency Decision Making Based on Multiparametric Similarity Measures and WDBA.,IEEE Access
Wide-Area Vehicle-Drone Cooperative Sensing - Opportunities and Approaches.,IEEE Access
A Novel Deeper One-Dimensional CNN With Residual Learning for Fault Diagnosis of Wheelset Bearings in High-Speed Trains.,IEEE Access
A New Hierarchical Framework for Detection and Isolation of Multiple Faults in Complex Industrial Processes.,IEEE Access
Analysis of Morphing Modes of Hypersonic Morphing Aircraft and Multiobjective Trajectory Optimization.,IEEE Access
HARSAM - A Hybrid Model for Recommendation Supported by Self-Attention Mechanism.,IEEE Access
Social Media Based Topic Modeling for Smart Campus - A Deep Topical Correlation Analysis Method.,IEEE Access
Usability Study of a Web-Based Platform for Home Motor Rehabilitation.,IEEE Access
Metabolic Syndrome and Development of Diabetes Mellitus - Predictive Modeling Based on Machine Learning Techniques.,IEEE Access
Minimal Realizations of Autonomous Chaotic Oscillators Based on Trans-Immittance Filters.,IEEE Access
Artificial-Noise-Aided Precoding Design for Multi-User Visible Light Communication Channels.,IEEE Access
Facial Action Units-Based Image Retrieval for Facial Expression Recognition.,IEEE Access
Mobile Edge Computing With Wireless Backhaul - Joint Task Offloading and Resource Allocation.,IEEE Access
A Review of Mobile Crowdsourcing Architectures and Challenges - Toward Crowd-Empowered Internet-of-Things.,IEEE Access
Analysis of Smart Loads in Nanogrids.,IEEE Access
Joint Positioning of Flying Base Stations and Association of Users - Evolutionary-Based Approach.,IEEE Access
Displacement-Tolerant Printed Spiral Resonator With Capacitive Compensated-Plates for Non-Radiative Wireless Energy Transfer.,IEEE Access
A Survey on Energy Efficient Narrowband Internet of Things (NBIoT) - Architecture, Application and Challenges.,IEEE Access
A Sensor Based on a Spherical Parallel Mechanism for the Measurement of Fluid Velocity - Experimental Development.,IEEE Access
An Indoor Position-Estimation Algorithm Using Smartphone IMU Sensor Data.,IEEE Access
Modeling Metropolitan-Area Ambulance Mobility Under Blue Light Conditions.,IEEE Access
Dynamic Wireless Power Transfer for Cost-Effective Wireless Sensor Networks Using Frequency-Scanned Beaming.,IEEE Access
A Hierarchical Adaptation Method for Administrative Workflows.,IEEE Access
Low-Light Image Enhancement by Principal Component Analysis.,IEEE Access
Personalized Sketch-Based Image Retrieval by Convolutional Neural Network and Deep Transfer Learning.,IEEE Access
A Novel Ideal Point Method for Uncertain Random Multi-Objective Programming Problem Under PE Criterion.,IEEE Access
Development of Modular Cable-Driven Parallel Robotic Systems.,IEEE Access
Adaptive Downlink OFDMA System With Low-Overhead and Limited Feedback in Time-Varying Underwater Acoustic Channel.,IEEE Access
A New Evaluation Method of Aging Properties for Silicon Rubber Material Based on Microscopic Images.,IEEE Access
A Novel Steganography for Spatial Color Images Based on Pixel Vector Cost.,IEEE Access
Data Analysis Approaches of Interval-Valued Fuzzy Soft Sets Under Incomplete Information.,IEEE Access
Terminal Guidance Based on Bézier Curve for Climb-and-Dive Maneuvering Trajectory With Impact Angle Constraint.,IEEE Access
Online User Distribution-Aware Virtual Machine Re-Deployment and Live Migration in SDN-Based Data Centers.,IEEE Access
Model-Predictive-Control-Based Flexible Arc-Suppression Method for Earth Fault in Distribution Networks.,IEEE Access
Ensemble Learning for Power Systems TTC Prediction With Wind Farms.,IEEE Access
Robust Adaptive Trajectory Linearization Control for Tracking Control of Surface Vessels With Modeling Uncertainties Under Input Saturation.,IEEE Access
A High-Efficiency Fully Convolutional Networks for Pixel-Wise Surface Defect Detection.,IEEE Access
Design of a Frequency-Selective Rasorber Based on Notch Structure.,IEEE Access
Sparse Data Acquisition on Emerging Memory Architectures.,IEEE Access
EMI-Free Bidirectional Real-Time Indoor Environment Monitoring System.,IEEE Access
Evolution of Physical-Layer Communications Research in the Post-5G Era.,IEEE Access
Label-Free Detection of Dissolved Carbon Dioxide Utilizing Multimode Tapered Optical Fiber Coated Zinc Oxide Nanorice.,IEEE Access
Performance Analysis of a Three-to-Five Phase Dual Matrix Converter Based on Space Vector Pulse Width Modulation.,IEEE Access
Receiver Design to Employ Simultaneous Wireless Information and Power Transmission with Joint CFO and Channel Estimation.,IEEE Access
Proportional Retarded Control of Robot Manipulators.,IEEE Access
A Posteriori Multiobjective Self-Adaptive Multipopulation Jaya Algorithm for Optimization of Thermal Devices and Cycles.,IEEE Access
A Roadmap Toward the Resilient Internet of Things for Cyber-Physical Systems.,IEEE Access
An Optimal Low Complexity PAPR Reduction Technique for Next Generation OFDM Systems.,IEEE Access
Gate Switch Selection for In-Band Controlling in Software Defined Networking.,IEEE Access
A Taxonomy and Survey of Semantic Approaches for Query Expansion.,IEEE Access
Automatic Visual Features for Writer Identification - A Deep Learning Approach.,IEEE Access
Finite-Time Non-Fragile Control of a Class of Uncertain Linear Positive Systems.,IEEE Access
An Executable Specification of Map-Join-Reduce Using Haskell.,IEEE Access
A Broadband Magnetic Coupling Microstrip to Waveguide Transition Using Complementary Split Ring Resonators.,IEEE Access
Cognitive Radio Made Practical - Forward-Lookingness and Calculated Competition.,IEEE Access
Greedy Code Search Based Memetic Algorithm for the Design of Orthogonal Polyphase Code Sets.,IEEE Access
When Less Is More ... Few Bit ADCs in RF Systems.,IEEE Access
New Approach for Conversational Agent Definition by Non-Programmers - A Visual Domain-Specific Language.,IEEE Access
Weld Bead Detection Based on 3D Geometric Features and Machine Learning Approaches.,IEEE Access
Scalable Hardware-Based On-Board Processing for Run-Time Adaptive Lossless Hyperspectral Compression.,IEEE Access
Clasp-Knife Model of Muscle Spasticity for Simulation of Robot-Human Interaction.,IEEE Access
Design, Implementation and Control of an Improved Hybrid Pneumatic-Electric Actuator for Robot Arms.,IEEE Access
Adaptive Interaction Controller for Compliant Robot Base Applications.,IEEE Access
A PARAFAC Decomposition Algorithm for DOA Estimation in Colocated MIMO Radar With Imperfect Waveforms.,IEEE Access
A Survey on Biometric Authentication - Toward Secure and Privacy-Preserving Identification.,IEEE Access
Beamforming and Resource Allocation for a Multi-Pair Wireless Powered Two-Way Relay Network With Fairness.,IEEE Access
Towards Optimizing WLANs Power Saving - Novel Context-Aware Network Traffic Classification Based on a Machine Learning Approach.,IEEE Access
Low Cross-Polarization, High-Isolation Microstrip Patch Antenna Array for Multi-Mission Applications.,IEEE Access
Efficient Calculation of Minimum Distance Between Capsules and Its Use in Robotics.,IEEE Access
A Comprehensive Review of Enhancements and Prospects of Fast Handovers for Mobile IPv6 Protocol.,IEEE Access
Illumination-Aware Multi-Task GANs for Foreground Segmentation.,IEEE Access
Blockchain for AI - Review and Open Research Challenges.,IEEE Access
IPSO Task Scheduling Algorithm for Large Scale Data in Cloud Computing Environment.,IEEE Access
AMOGA - A Static-Dynamic Model Generation Strategy for Mobile Apps Testing.,IEEE Access
An Asymptotic Ensemble Learning Framework for Big Data Analysis.,IEEE Access
Intelligent EMG Pattern Recognition Control Method for Upper-Limb Multifunctional Prostheses - Advances, Current Challenges, and Future Prospects.,IEEE Access
Design and Application of Project-Based Learning Methodologies for Small Groups Within Computer Fundamentals Subjects.,IEEE Access
Aligning Business Processes With the Services Layer Using a Semantic Approach.,IEEE Access
Multi-Scale Context Attention Network for Stereo Matching.,IEEE Access
GrEDeL - A Knowledge Graph Embedding Based Method for Drug Discovery From Biomedical Literatures.,IEEE Access
Using Deep Convolutional Neural Network for Emotion Detection on a Physiological Signals Dataset (AMIGOS).,IEEE Access
A Graph-Theory-Based Method for Topological and Dimensional Representation of Planar Mechanisms as a Computational Tool for Engineering Design.,IEEE Access
Generating Synthetic Missing Data - A Review by Missing Mechanism.,IEEE Access
Sensing Platform for Two-Phase Flow Studies.,IEEE Access
An Efficient Neighbor Discovery Scheme for Mobile WSN.,IEEE Access
dSPACE Controller-Based Enhanced Piezoelectric Energy Harvesting System Using PI-Lightning Search Algorithm.,IEEE Access
Error Analysis of a Near-Field Reconstruction Technique Based on Plane Wave Spectrum Expansion for Power Density Assessment Above 6 GHz.,IEEE Access
Riemannian Optimal Model Reduction of Stable Linear Systems.,IEEE Access
Credibility Evaluation of Twitter-Based Event Detection by a Mixing Analysis of Heterogeneous Data.,IEEE Access
Prediction of Electroencephalogram Time Series With Electro-Search Optimization Algorithm Trained Adaptive Neuro-Fuzzy Inference System.,IEEE Access
Hierarchical Facial Age Estimation Using Gaussian Process Regression.,IEEE Access
Multipath and Doppler Characterization of an Electromagnetic Environment by Massive MDT Measurements From 3G and 4G Mobile Terminals.,IEEE Access
A Distributed Power System Control Architecture for Improved Distribution System Resiliency.,IEEE Access
Determination of Radiation Pressure in Acoustic Levitation by Optical Acoustic-Field Measurement.,IEEE Access
The Minimization of Public Facilities With Enhanced Genetic Algorithms Using War Elimination.,IEEE Access
A Novel Wide, Dual-and Triple-Band Frequency Reconfigurable Butler Matrix Based on Transmission Line Resonators.,IEEE Access
On the Outage Probability and Power Control of D2D Underlaying NOMA UAV-Assisted Networks.,IEEE Access
Exploring Social Media Network Landscape of Post-Soviet Space.,IEEE Access
Security of Functionally Obfuscated DSP Core Against Removal Attack Using SHA-512 Based Key Encryption Hardware.,IEEE Access
Vocal Effort Based Speaking Style Conversion Using Vocoder Features and Parallel Learning.,IEEE Access
Measuring Performance Through Enterprise Resource Planning System Implementation.,IEEE Access
Student Outcomes Assessment Methodology for ABET Accreditation - A Case Study of Computer Science and Computer Information Systems Programs.,IEEE Access
Wiretap TDMA Networks With Energy-Harvesting Rechargeable-Battery Buffered Sources.,IEEE Access
Analysis and Evaluation of Random Access Transmission for UAV-Assisted Vehicular-to-Infrastructure Communications.,IEEE Access
The Role of Big Data Predictive Analytics and Radio Frequency Identification in the Pharmaceutical Industry.,IEEE Access
Channel Constrained Multiple Selective Retransmissions for OFDM System - BER and Throughput Analysis.,IEEE Access
Time Barrier-Based Emergency Message Dissemination in Vehicular Ad-hoc Networks.,IEEE Access
Chip Power Scaling in Recent CMOS Technology Nodes.,IEEE Access
Quantification of Productivity of the Brands on Social Media With Respect to Their Responsiveness.,IEEE Access
Radio Source Localization in Multipath Channels Using EM Lens Assisted Massive Antennas Arrays.,IEEE Access
Neural Network Based Brain Tumor Detection Using Wireless Infrared Imaging Sensor.,IEEE Access
Robust Median Filtering Forensics Using Image Deblocking and Filtered Residual Fusion.,IEEE Access
A Review of Ant Colony Optimization Based Methods for Detecting Epistatic Interactions.,IEEE Access
Collaborative Learning for Answer Selection in Question Answering.,IEEE Access
Domain-Specific Chinese Word Segmentation Based on Bi-Directional Long-Short Term Memory Model.,IEEE Access
A Low Power Cryptography Solution Based on Chaos Theory in Wireless Sensor Nodes.,IEEE Access
Secure and Reliable Resource Allocation and Caching in Aerial-Terrestrial Cloud Networks (ATCNs).,IEEE Access
FPGA-Based Accelerators of Deep Learning Networks for Learning and Classification - A Review.,IEEE Access
Nearest Centroid Neighbor Based Sparse Representation Classification for Finger Vein Recognition.,IEEE Access
Extracting Centerlines From Dual-Line Roads Using Superpixel Segmentation.,IEEE Access
LPI-KTASLP - Prediction of LncRNA-Protein Interaction by Semi-Supervised Link Learning With Multivariate Information.,IEEE Access
The NMHSS Iterative Method for the Standard Lyapunov Equation.,IEEE Access
Golay Code Based Bit Mismatch Mitigation for Wireless Channel Impulse Response Based Secrecy Generation.,IEEE Access
Suppressing Sidelobe Level of the Planar Antenna Array in Wireless Power Transmission.,IEEE Access
Modeling Stochastic Overload Delay in a Reliability-Based Transit Assignment Model.,IEEE Access
Tree-Search-Based Any-Time Time-Optimal Path-Constrained Trajectory Planning With Inadmissible Island Constraints.,IEEE Access
Enhanced Association With Supervoxels in Multiple Hypothesis Tracking.,IEEE Access
Learning Robust Auto-Encoders With Regularizer for Linearity and Sparsity.,IEEE Access
Controllable Sparse Antenna Array for Adaptive Beamforming.,IEEE Access
Performance Analysis for User-Centric Dense Networks With mmWave.,IEEE Access
An Enabling Multi-Operation Branch-Line Coupler.,IEEE Access
Sparse Recovery With Block Multiple Measurement Vectors Algorithm.,IEEE Access
A 1-D Tightly Coupled Dipole Array for Broadband mmWave Communication.,IEEE Access
Revenue Model of Supply Chain by Internet of Things Technology.,IEEE Access
Design and Hardware Implementation Considerations of Modified Multilevel Cascaded H-Bridge Inverter for Photovoltaic System.,IEEE Access
Three-Parallel Co-Prime Polarization Sensitive Array for 2-D DOA and Polarization Estimation via Sparse Representation.,IEEE Access
Interference Mitigation for 5G Millimeter-Wave Communications.,IEEE Access
Ultralightweight Mutual Authentication RFID Protocol for Blockchain Enabled Supply Chains.,IEEE Access
On the Inter-Departure Times in M/D̃/1/Bon Queue With Queue-Length Dependent Service and Deterministic/Exponential Vacations.,IEEE Access
Categorical Variable Segmentation Model for Software Development Effort Estimation.,IEEE Access
Parallel Implementation of Reinforcement Learning Q-Learning Technique for FPGA.,IEEE Access
Decision Provenance - Harnessing Data Flow for Accountable Systems.,IEEE Access
Neo-Bedside Monitoring Device for Integrated Neonatal Intensive Care Unit (iNICU).,IEEE Access
Moment-Based Approach for Statistical and Simulative Analysis of Turbulent Atmospheric Channels in FSO Communication.,IEEE Access
OFDM Modulated PNC in V2X Communications - An ICI-Aware Approach Against CFOs and Time-Frequency-Selective Channels.,IEEE Access
Internet of Smart City Objects - A Distributed Framework for Service Discovery and Composition.,IEEE Access
A Noninvasive System for the Automatic Detection of Gliomas Based on Hybrid Features and PSO-KSVM.,IEEE Access
CarvingNet - Content-Guided Seam Carving Using Deep Convolution Neural Network.,IEEE Access
Common Criterion of Privacy Metrics and Parameters Analysis Based on Error Probability for Randomized Response.,IEEE Access