-
Notifications
You must be signed in to change notification settings - Fork 0
/
train_for_student.json
4064 lines (4064 loc) · 647 KB
/
train_for_student.json
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
{
"001": {
"Title": "Activated carbon derived from bacterial cellulose and its use as catalyst support for ethanol conversion to ethylene",
"Abstract": "\u00a9 2019 Elsevier B.V.Activated carbon derived from bacterial cellulose (BC-AC) was modified with various amounts of H3PO4(x wt% P/BC-AC) and used as a catalyst for the selective dehydration of ethanol to ethylene. The BC-AC obtained at a carbonization temperature of 500 \u00b0C had a mesoporous structure with surface area and total pore volume of ~1730 m2/g and 1.0 cm3/g, respectively. An increase in the H3PO4 loading from 5% to 40% increased the number of weak acid sites on the catalyst surface, which consequently enhanced ethanol conversion. At the reaction temperature of 400 \u00b0C, the modified BC-AC with 30-40 wt% H3PO4 loading (P/BC-AC) gave an ethanol conversion at 100% and an ethylene selectivity of 100%. A high selectivity for diethyl ether (DEE) at ~ 67% at ethanol conversion of ~ 50% was obtained at 200 \u00b0C. Stability tests with a time-on-stream of 12 h, at reaction temperatures of 200 and 400 \u00b0C, showed that the P/BC-AC catalyst had high thermal stability and stable catalytic activity. Therefore, P/BC-AC was found to be very effective as an inexpensive and environmentally friendly catalyst for ethylene production via ethanol dehydration.",
"Classes": [
"CHE",
"MATENG"
]
},
"002": {
"Title": "The algorithm of static hand gesture recognition using rule-based classification",
"Abstract": "\u00a9 Springer International Publishing AG 2018.Technology becomes a part of human lives for decades, especially in human\u2014computer interaction (HCI) that considered as the important research area involving with an assistive technology and a medical system. Hand gesture is classified as an intuitive method for human to interact with the computer. It is useful for elderly people who cannot express their feelings by words. This paper proposed the hand gesture recognition technique for the elderly by using contour detection with convex hull feature extraction and rule-based classification. Vision-based hand gesture recognition is considered in classifying six hand gestures as lingual description. From the experimental results, the hand gesture system provides good detection and classification results for all the six static hand gestures.",
"Classes": [
"CPE"
]
},
"003": {
"Title": "Alternative Redundant Residue Number System Construction with Redundant Residue Representations",
"Abstract": "\u00a9 2018 IEEE.Residue number system (RNS) is a number representation system that represents a large integer with several smaller integers. Due to its ability to perform addition and multiplication in parallel, RNS is widely used in signal processing, communication, and cryptography. To extend the ability of RNS, redundant residue number system (RRNS), which has abilities to detect and correct errors, is proposed to be used in fault tolerant applications. Currently, there are two major ways to construct RRNS from RNS. This paper proposes an alternative way to do the construction by using redundant residue representations. Our proposed RRNS can perform certain operations more efficiently, for example, backward conversion and error detection, and can also perform a complex RNS operation, namely, comparing the values between two RRNS representations. However, it would have more costs to perform addition and multiplication on our RRNS. We also compare our work to the two previous works, and discuss their advantages and drawbacks. Further investigations are required to improve the performance of the proposed RRNS.",
"Classes": [
"EE"
]
},
"004": {
"Title": "Comparative study of wax inhibitor performance for pour-point reduction of oil from Sirikit Oilfield in Thailand",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.In petroleum industries, waxy crude oil is normally found in petroleum production. Wax formation and precipitation during pipeline transport of waxy crude oils can cause several challenges, including wax deposition and flow reduction which adversely impacts pipeline performance in oil and gas production. To overcome the wax deposition problem, the small amount of chemicals like wax inhibitors can provide an effective preventative measure. One of this mechanism is to reduce the pour point temperature. In this work, oil from Sirikit Oilfield in Thailand is selected for this study. The wax inhibitors are selected and studied the performance for pour-point reduction. These chemicals are Polyalkyl methacrylate (PAMA), Poly(maleic anhydride-alt-1-octadecane) (PMAO), Polyalkyl methacrylate-co-ethylene glycol (PAMAEG) and Copolymers of maleic anhydride (CPMA) with the concentration ranging from 100 to 1000 ppm. Also, n-pentane with the concentration of 5-20 % by weight is used as a solvent for wax inhibitors. The results from this study show that n-pentane can reduce the pour point to 39.41 % compared to the original oil. Furthermore, among the polymer group, PMAO can reduce the lowest pour point to 52.82 %. In addition, the mixed solvents of polymer with n-pentane can provide relatively less effect on pour-point reduction. The mixture of n-pentane with PMAO can lower the pour point to a certain level of 54.96 % compared to the original oil. This study can be applied to use in the real field to prevent wax deposition in the pipeline transportation for oil production.",
"Classes": [
"PE",
"ME",
"CHE"
]
},
"005": {
"Title": "Undrained lower bound solutions for end bearing capacity of shallow circular piles in non-homogeneous and anisotropic clays",
"Abstract": "\u00a9 2019 John Wiley & Sons, Ltd.The undrained bearing capacity of shallow circular piles in non-homogeneous and anisotropic clay is investigated by the lower bound (LB) finite element limit analysis (FELA) under two-dimensional (2D) axisymmetric condition using second-order cone programming, and the new solution of the problem is presented. Modified from the isotropic von Mises yield criterion, a cross-anisotropic undrained strength criterion of clays under the axisymmetric state of stress requiring three input shear strengths in triaxial compression, direct simple shear, and triaxial extension is employed in the 2D axisymmetric LB FELA. Parametric studies on the effects of pile embedment ratio, dimensionless strength gradient, anisotropic strength ratio, and pile roughness are investigated extensively, while the predicted failure mechanisms associated with these parameters are discussed and compared. Numerical results of undrained end bearing capacity of shallow circular piles are summarized in the form of design tables that are useful for design practice and represent a new contribution to the field of pile capacity considering the combined effects of undrained strength non-homogeneity and anisotropy.",
"Classes": [
"CE",
"MATSCI"
]
},
"006": {
"Title": "Words Diffusion an Analysis of across Facebook Pages in Thailand",
"Abstract": "\u00a9 2018 IEEE.Facebook Pages in Thailand have become prominent and very well-known in online media, business, and news broadcasting. Facebook pages seem to have become importantly technological tools which can provide methods and frameworks for identifying trending words and analyzing their trends and flows. The results demonstrated that incorporating reaction factor when weighting importance of words found in messages posted in different period of time and domains can help identify flows of trendy words.",
"Classes": [
"CPE"
]
},
"007": {
"Title": "Transformation of time Petri net into Promela",
"Abstract": "\u00a9 2017 IEEE.This paper proposes a method of transformation of time Petri net into Promela in order to verify their behavioral properties of the timed systems. The concurrent systems, with time attributes on transactions, are typically written in time Petri net. For quantitative and qualitative analysis of their properties, these time Petri net would be transformed into Promela beforehand. We also propose the linear temporal formula to specify the correctness properties. The proposed transforming method copes with the representation of both Petri net structure and its dynamic behavior. The token flows in time Petri net are modelled into Promela code, hence the implicit dynamic behavior would be practically described in the model. The resulting Promela code is simulated and verified by SPIN tool and reveals that not only the time related behaviors would be evaluated, but also the qualitative properties, such as safety and liveness.",
"Classes": [
"CPE",
"MATH"
]
},
"008": {
"Title": "Annual Degradation Rate Analysis of Mono-Si Photovoltaics Systems in Thailand Using the Mixed Effects Method",
"Abstract": "\u00a9 2013 IEEE.The annual degradation rate (DR) of photovoltaics (PV) system is a critical factor to evaluate the energy performance and the levelized cost of electricity (LCOE) during its operation lifetime. However, the DR of a particular system strongly depends on the technical configuration such as PV module and array, inverter configuration, and also the climatic conditions. Therefore, a real operation dataset of DR is necessary to PV engineer in order to estimate energy performance and the LCOE for a particular system. This article presents the annual DR for a group of PV systems in Bangkok, Thailand which share the same monocrystalline silicon (Mono-Si) solar cell and inverter brand, over a four-year period. Instead of using simple linear regression, we apply the linear mixed effects method to estimate the DR value, which is suitable to formula a time-series data. The annual DR was found about 2.7% per year, with the 95% confidence interval from 0.7% to 4.6% per year. Hence, the operation lifetime of PV system until it reaches 80% of their initial energy conversion performance is about 7 years, with the 95% confidence interval from 4 years to 28 years. The resulting DR is informative and useful for further study on PV system performance and cost of investment in tropical region. Furthermore, we are the first group in Thailand to estimate the DR of PV station at system scale based on the mixed effects method. Finally, our study has enriched the knowledge about the operation of Mono-Si PV station in real operation condition.",
"Classes": [
"PE",
"EE",
"CHE"
]
},
"009": {
"Title": "Development of Low-Cost in-the-Ear EEG Prototype",
"Abstract": "\u00a9 2018 IEEE.This study focused on building a low-cost wearable EEG device multiple hour usage. The device suitable for long period monitoring is in-the-ear EEG, which has desirable wearable characteristics. With electrode in an earbud, it is relatively simple to install and wear. The in-the-ear prototype in this study was built from earphone rubber as an earpiece and silver-adhesive fabric as electrodes. Raw materials cost 3 dollar per piece. The impedance measurement from in-the-ear EEG is comparable to those of commercial electrodes. Signal verifications were conducted by teeth clenching, ASSR, MMN, and correlation. The signal verification results show that there is a strong correlation between in-the-ear EEG and T7/T8 signals. (\u03b3-coefficient = 0.912)",
"Classes": [
"BME",
"CPE",
"IE"
]
},
"010": {
"Title": "Model-based analysis of an integrated zinc-air flow Battery/Zinc Electrolyzer System",
"Abstract": "\u00a9 2019 Lao-atiman, Bumroongsil, Arpornwichanop, Bumroongsakulsawat, Olaru and Kheawhom.This work aims at analyzing an integrated system of a zinc-air flow battery with a zinc electrolyzer for energy storage application. For efficient utilization of inherently intermittent renewable energy sources, safe and cost-effective energy storage systems are required. A zinc-air flow battery integrated with a zinc electrolyzer shows great promise as an electricity storage system due to its high specific energy density at low cost. A mathematical model of the system was developed. The model was implemented in MATLAB and validated against experimental results. The validation of the model was verified by the agreement between the simulation and experimental polarization characteristic. The behavior and performance of the system were then examined as a function of different operating parameters: the flow rate of the electrolyte, the initial concentration of potassium hydroxide (KOH) and the initial concentration of zincate ion. These parameters significantly affected the performance of the system. The influence of the hydrogen evolution reaction (HER) on the performance of the system was investigated and discussed as it significantly affected the coulombic efficiencies of both the zinc-air flow battery and the zinc electrolyzer. Optimal KOH concentration was found to be about 6-7 M. Whilst increased KOH concentration enhanced the discharge energy of the battery, it also increased HER of both the battery and the electrolyzer. However, higher initial concentration of zincate ion reduced HER and improved the coulombic efficiency of the system. Besides, a higher flow rate of electrolyte enhanced the performance of the system especially at a high charge/discharge current by maintaining the concentration of active species in the cell. Nevertheless, the battery suffered from a higher rate of HER at a high flow rate. It was noted that the model-based analysis provided better insight into the behavioral characteristics of the system leading to an improved design and operation of the integrated system of zinc-air flow battery with the zinc electrolyzer.",
"Classes": [
"PE",
"METAL",
"EE",
"CPE",
"CHE",
"IE",
"MATH"
]
},
"011": {
"Title": "Investigation of infrastructure maintenance cost of intercity railway in Thailand",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.Infrastructure in the rail system requires considerable investment in construction and maintenance. In many countries, railway operators have been able to share the capacity of the railroad to achieve efficient infrastructure usage. For the development of Thailand's railway network system in the future, it is possible for separating management between infrastructure and the rolling stock operations. Therefore, it is necessary to know the costs and factors that affects the cost of infrastructure, including government budget subsidies, to be the basis for track utilization charges. In this study, the costs of infrastructure construction and maintenance on 5 route sections representing different traffic characteristics were studied by using records from 5 years. It was found that the maintenance cost of the telecommunication and signalling system ranges from 1.3 to 1.7 million baht per year per station. The average annual maintenance cost of the railway track was 280,000 to 310,000 baht per track per kilometre. The traffic density was found to be the main factor that influenced the maintenance cost.",
"Classes": [
"IE"
]
},
"012": {
"Title": "Unknown Input Nonlinear Observer for a Soft Pneumatic Robotic Gripper Application",
"Abstract": "\u00a9 2023 IEEE.Due to the complex dynamics of soft pneumatic robotic gripper system, it is difficult to accurately control its behavior and ensure stable grasping of objects. The unknown input nonlinear observer can be used to estimate the unknown input of the system, the gripper's deformation or position, and state parameters. The dynamic model of the soft pneumatic robotic gripper system has been developed. Then, the unknown inputs nonlinear observer has been defined and applied for the system. The demonstration of applying the technique is presented. Next, the simulation of the system and observer are implemented in MATLAB. The simulation results show that the unknown inputs nonlinear observer can be used to accurately estimate the unknown input of the system and state parameters. This estimated information can then be used to control the gripper's behavior and ensure stable grasping of objects.",
"Classes": [
"ME",
"CPE",
"MATH"
]
},
"013": {
"Title": "Spark Framework for Real-Time Analytic of Multiple Heterogeneous Data Streams",
"Abstract": "\u00a9 2019 IEEE.Real-time streaming applications with multiple heterogeneous data streams have become increasingly popular especially in IoT applications; however, many issues still exist, especially in deploying and maintaining these large amounts of data streams. Using Spark Structured Streaming, this paper introduces a Spark Streaming framework for multiple heterogeneous data streams which allows the deployment of multiple heterogeneous data stream processing in a single Spark application; reducing deployment difficulty, coding redundancy, monitoring difficulties, and solving the problem of inefficient job queueing in multi-stream applications.",
"Classes": [
"CPE"
]
},
"014": {
"Title": "Experiment and Simulation on Heavy Oil Production with Steam Flooding in Heterogeneous Reservoir",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.Heavy oil has long been known as one of the main energy sources due to the huge amount of reserves. Heavy oil production depends on reservoir characteristics like permeability, reservoir pressure as well as oil viscosity. The difficulty to produce this oil is its high viscosity. The practical technology to produce this heavy oil is to use steam as steam-flooding method to reduce oil viscosity. However, the huge energy consumption in steam-flooding operation can impact the operating cost as well as a project life. Therefore, the objectives of this study are to measure the viscosity and correlate the results with temperature and to simulate the oil production by using STARS, a CMG program. Moreover, the effects of parameters like well distance, injection rate and permeability on the oil production are also investigated. The simulation results show that oil viscosity and permeability play significant roles in heavy oil production. Also, the higher oil recovery can be obtained by increasing the steam injection rate and shorten the well spacing. These conditions can be applied to use in the real field for heavy oil production. The major benefit of this practice is to reduce the steam consumption and fuel costs and increase more oil production thus extending the economic project life.",
"Classes": [
"ENV",
"PE",
"METAL",
"ME"
]
},
"015": {
"Title": "Rechargeable zinc-ion battery based on choline chloride-urea deep eutectic solvent",
"Abstract": "\u00a9 The Author(s) 2019.Recently, because of their cost effectiveness, high safety and environmental friendliness, zinc-ion batteries (ZIBs) are receiving enormous attention. Until now, aqueous-based ZIBs have been the focus of attention. However, the issues regarding hydrogen evolution, and zinc electrode passivation as well as dendrite formation limit their practical application. In this work, a biocompatible, stable and low-cost choline chloride/ urea (ChCl/urea) deep eutectic solvent is reported as an alternative electrolyte for rechargeable ZIBs based on delta-type manganese oxide (\u03b4-MnO2) intercalation electrode. The behavior of the zinc electrode on stripping and deposition in ChCl/urea electrolyte was examined. Besides, the charge storage and charge-transfer characteristics of the battery was studied. The results showed that there was no sign of dendrite formation on the zinc electrode during long-term cycling. Consequently, the fabricated battery exhibited good electrochemical performance with the maximum specific capacity of 170 mAh/g and good cyclability. In addition, the system showed reversible plating/stripping of zinc (Zn) without dendrite formation and no passivation layer on the zinc electrode. Hence, the results confirmed the reversible intercalation of Zn from the deep eutectic solvent ChCl/urea into the \u03b4-MnO2 electrode. Overall, the proposed electrolyte shows good promise for Zn/\u03b4-MnO2 battery system.",
"Classes": [
"BME",
"METAL",
"EE",
"CHE",
"IE"
]
},
"016": {
"Title": "Gelation Process and Physicochemical Properties of Thai Silk Fibroin Hydrogels Induced by Various Anionic Surfactants for Controlled Release of Curcumin",
"Abstract": "\u00a9 2019 AOCSHydrogels based on Thai silk fibroin (SF) were prepared by the induction of various anionic surfactants including sodium octyl sulfate (SOS), sodium dodecyl sulfate (SDS), and sodium tetradecyl sulfate (STS), which have a similar chemical structure but different alkyl chain lengths and charges. The effects of anionic surfactant types and their concentrations on the gelation mechanism and time of SF were systematically investigated. We found that SDS and STS that have long alkyl chain lengths and high negative charges could accelerate the gelation of SF to occur within 14\u201342 min in a concentration-dependent manner. SOS that has a short alkyl chain length and low negative charge slowly induced SF to gel at around 113\u2013144 h. The mechanisms of SF gelation induced by these three anionic surfactants were supposed to be combination of hydrophobic and electrostatic interactions, as well as the self-transition of beta sheets. The SF + STS hydrogels were further employed to encapsulate curcumin for the controlled release application. The SF + 0.09% wt. STS hydrogel encapsulating curcumin showed a slow rate of degradation while sustained the release of curcumin. This hydrogel can be applied as a minimal invasive injectable hydrogel or as a hydrogel for topical treatment of diseases.",
"Classes": [
"BME",
"CHE"
]
},
"017": {
"Title": "Web-Based Teleoperation System for Enhanced Precision and Efficiency in Food Industry Applications",
"Abstract": "\u00a9 2023 IEEE.This paper presents the development of a web application for teleoperation in the context of the food industry, leveraging a Flask python web framework for server, Socket.IO for real-time communication, MQTT for efficient data exchange, and Dropbox for secure data storage. The web application provides remote operation, real-time monitoring capabilities for a plant and data storing. The system consists of three main components: the main server, acting as a bridge between the web client and the plant's controller; the web client, offering a user-friendly interface and communicate with the main server; and the plant's controller, responsible for controlling the plant's operations and communication with main server. The system was successfully integrated with cutting of food items application featuring a Cartesian robot and a depth camera controlled by a Raspberry Pi 4. The web application enables users to initiate plant operations, visualize generated images, stream camera frames, and monitor the robot's position in real-time. Moreover, the system stores essential data such as point cloud arrays, 3D point cloud images, and object volumes in Dropbox. The system's advantages include Python implementation, web-based accessibility, seamless integration with the IoT ecosystem, adaptability to digital twin concepts, and efficient data storage. Overall, the teleoperating system significant benefits to the food industry, including enhanced precision, improved efficiency, seamless integration with the IoT ecosystem, and reliable data storage and analysis. By leveraging these advantages, food processing operations can achieve higher quality standards, increased productivity, and more informed decision-making, ultimately leading to improved customer satisfaction and business success.",
"Classes": [
"ENV",
"CPE",
"OPTIC",
"AGRI",
"IE"
]
},
"018": {
"Title": "Inventive problem solving for automotive part defective reduction",
"Abstract": "\u00a9 2018 Association for Computing Machinery.This paper aims for innovative solutions by using TRIZ to reduce four highest defective parts of a new automotive model which yields 85% of the supplier part's defective rates. DMAIC methodology of six sigma was applied to solve the problems. The team was established to reduce the defective rate to achieve production performance KPI. Define- the objective and scope were set through the 80:20 of Pareto chart which identified the main focused problem. Measure- the related precision and accuracy of component parts compare with specification, process capability of each component part of manufacturer which were lower than target were selected. Analysis- cause-and-effect diagram was conducted at each component to show possible causes of the problem, specify the factors that effected to process mean or process variation and summarized its root causes. FMEA was performed to confirm current process control of each factor and statistical hypothesis testing was used to prove the main factors that affect process inconsistency of each part. Improve- TRIZ was applied as the quick and accurate idea generating and excellence decision making from various alternative solutions to resolve technical contradiction. Pugh's matrix was adopted to improve the solutions and logically establish criteria to select the best efficient idea. Control- according to the above performed, the overall defectives was reduced from 387 PPM to 198 PPM or approximately 51.2% compared to the average of defectives in seven month ago.",
"Classes": [
"CPE",
"IE",
"MATSCI"
]
},
"019": {
"Title": "Enhance Accuracy of Hierarchical Text Categorization Based on Deep Learning Network Using Embedding Strategies",
"Abstract": "\u00a9 2018 IEEE.Hierarchical text categorization is a task that aims to assign predefined categories to text documents with hierarchical constraint. Recently, deep learning techniques has shown many success results in various fields, especially, in text categorization. In our previous work called Shared Hidden Layer Neural Network (SHL-NN), it has shown that sharing information between levels can improve a performance of the model. However, this work is based on a sequence of unsupervised word embedding vectors, so the performance should be limited. In this paper, we propose a supervised document embedding specifically designed for hierarchical text categorization based on Autoencoder, which is trained from both words and labels. To enhance the embedding vectors, the document embedding strategies are invented to utilize the class hierarchy information in the training process. To transfer the prediction result from the parent classes, the shared information technique has been improved to be more flexible and efficient. The experiment was conducted on three standard benchmarks: WIPO-C, WIPO-D and Wiki comparing to two baselines: SHL-NN and a top-down based SVM framework with TF-IDF inputs called 'HR-SVM.' The results show that the proposed model outperforms all baselines in terms of F1 macro.",
"Classes": [
"EE",
"CPE",
"EDU"
]
},
"020": {
"Title": "Recommendation system for Thai household remedies using ontology",
"Abstract": "\u00a9 2019 Turkiye Klinikleri Journal of Medical Sciences. All rights reserved.Selecting proper household remedies for such symptoms are an essential challenge for Thai citizens who may confront this situation in everyday life. Besides the diversity of available medicines in the retail market, a lack of reliable documentations in the Thai healthcare system also causes an inconvenience to Thai citizens. Most healthcare information was limited its accessibility to Thai citizens in the effortless way. The dispersion of data and services leads to the cost raising and the increased medical errors. This paper presents a skillful medicine recommendation system initiate from Thai Household Remedy (THR) and Monthly Index of Medical Specialties (MIMS) information. We devise a Household Remedies Ontology, a model which illustrates relationships between personal information, indications of illness (symptom), its related household remedies for medication. The model allows ontology inferences and knowledge discovery to aid in selecting the proper medications for the diagnosed symptoms. We correlate THR, MIMS, and patient's personal information with the purpose to determine the semantical relationships among symptoms, medicines, its dose, drug interaction, and taken indication. Generally, the medicine selected by symptoms and the dose personalized by each patient. As a result of the development, we evaluated the satisfactory performance of the presented system through the review of Thai citizens. The result shows that the Thai household remedy recommendation system is a useful approach to help Thai citizens reaching out the proper household remedies or medicines.",
"Classes": [
"BME",
"CPE",
"EDU"
]
},
"021": {
"Title": "Performance analysis of machine learning techniques in intrusion detection",
"Abstract": "\u00a9 2018 Association for Computing Machinery.This paper presents the performance analysis of machine learning techniques in intrusion detection. We analyze time to build (and to retrain) the models used by Intrusion Detection System. Machine Learning is a branch of computer science that allows computer to learn by themselves without programming sequence. These techniques can be applied to detect new threat that has never seen before. Due to the large volumes of security audit data as well as complex and dynamic properties of intrusion behaviors, optimizing the accuracy of IDS becomes an important open problem that is receiving attentions from the research community. However, the performance (time and space required) is usually ignored. Our study allows administrators work to make better decisions about how to select the proper hardware for intrusion detection in various environments. We proposed the models for estimating the time to build each model and the vector equation of the cut-off point is provided for determining the minimum number of CPU required for building Decision tree model and support vector machine model.",
"Classes": [
"CPE"
]
},
"022": {
"Title": "Deep learning using risk-reward function for stock market prediction",
"Abstract": "\u00a9 2018 Association for Computing Machinery.Many recent studies have attempted to apply a deep learning approach to build a model for stock market prediction. Most of these studies have concentrated on using prediction accuracy as a performance metric. Some of them have also performed trading simulations to evaluate financial performance. However, financial performance was not improved significantly because the loss function used in the training process focused primarily on prediction accuracy. In this paper, we propose a new framework to train a deep neural network for stock market prediction. A new loss function was developed by adding a risk-reward function, which is derived by the trading simulation results. A new scoring metric called Sharpe-F1 score, which is a combination of Sharpe ratio and F1 score is used for model selection. We employ the best prediction model from our previous work, which consists of Convolutional Neural Network (CNN) and Long Short-Term Memory Network (LSTM) architectures and takes event embedding vectors, historical prices and a set of technical indicators as inputs. The robustness of our framework is evaluated on two datasets by varying the key parameters used in the proposed framework. The results show that financial performance can be improved by adding a risk-reward function into the loss function used in the training process.",
"Classes": [
"BME",
"EE",
"CPE"
]
},
"023": {
"Title": "Three-dimensional lower bound finite element limit analysis of an anisotropic undrained strength criterion using second-order cone programming",
"Abstract": "\u00a9 2018 Elsevier LtdThis paper describes a formulation of second-order cone programming for three-dimensional lower bound finite element limit analysis considering a cross-anisotropic undrained strength criterion. A three-dimensional generalized yield criterion accounting for the cross-anisotropic undrained strength of clay is proposed and requires four input shear strengths in triaxial compression and extension, direct simple shear, and pressuremeter tests. The proposed formulation is verified through the predictions of various compressions of anisotropic soil blocks while the importance of undrained strength anisotropy is demonstrated by analyses of undrained bearing capacity of strip, circular and square footings on anisotropic clays.",
"Classes": [
"MATH",
"MATSCI"
]
},
"024": {
"Title": "Techno-economic analysis of hydrogen production from dehydrogenation and steam reforming of ethanol for carbon dioxide conversion to methanol",
"Abstract": "\u00a9 2021 Hydrogen Energy Publications LLCDecreasing carbon dioxide (CO2) emission by converting to higher-valued product has become of interest. Hydrogen (H2) is an important feedstock required in thermochemical conversion of CO2 to chemicals such as methanol. The cost and availability of H2 affect the cost of CO2 conversion. This study is focused on the process simulation of H2 production from ethanol feedstock. Steam reforming of ethanol is compared with dehydrogenation of ethanol to H2 with valued products including ethyl acetate and acetaldehyde. Form this study, steam reforming of ethanol presents the lowest cost of H2 production at 1.58 USD/kg H2 while dehydrogenation of ethanol presents the cost at 3.24 and 1.97 USD/kg H2, respectively. Although presenting the lowest cost, steam reforming of ethanol provides a net positive CO2 emission in the overall CO2 conversion to methanol process. In contrast, ethanol dehydrogenation to H2 and byproducts, ethyl acetate and acetaldehyde, promotes a net negative CO2 emission of \u2212819.20 kg/ton methanol and \u22125.42 kg/ton methanol, respectively. The results present a decreasing CO2 emission with an increasing cost of H2 production.",
"Classes": [
"PE",
"CHE",
"IE"
]
},
"025": {
"Title": "Scenarios of municipal solid waste management for mitigating greenhouse gas emission: A case study of supermarket in Bangkok, Thailand",
"Abstract": "\u00a9 2018 Association for Computing Machinery.As a consequence of rapid urbanization and population growth, many cities have faces issues of waste management. Landfill approach is generally decided for handling most of municipal solid waste, resulting the impacts of environment especially land occupation and global warming. As commercial building plays an importance role not only for economic value but also for environmental aspects, a supermarket located in community mall was selected as a case study towards sustainable cities. This study was aimed to investigate the current MSW management system of supermarket in order to quantify its environmental performance and to propose suitable options for improving municipal solid waste management. The findings revealed that at the business-Asusual, 397 tCO2e was emitted annually from landfilling waste of a supermarket in Thailand. However, if waste management has improved by recycling plus bio-gasification approach, not only 374 tCO2e/year will not be emitted from landfilling, but 243 tCO2e/year also be reduced due to the activities in relevant to recycling and bio-gasification process. Moreover, applying such approach provides benefit in economic term about 18,321 USD a year. The results of this study could inspire another commercial buildings or others sector to adopting waste management practices together for creating a network of sustainable cities through suitable waste management system.",
"Classes": [
"CE",
"ENV",
"CHE"
]
},
"026": {
"Title": "Integration of the biorefinery concept for the development of sustainable processes for pulp and paper industry",
"Abstract": "\u00a9 2018This work aims at developing sustainable processes for pulp and paper industry by integration of the biorefinery concept to an existing pulp and paper process. A systematic methodology employing a superstructure-based process synthesis approach is employed with support from computer-aided tools to determine potential pathways for a long-term sustainable growth objective. A superstructure of the multi-product biorefinery process network for the pulp and paper industry is developed. It is divided into three sub-networks, a chemical pulping section, a biochemical production section and a black liquor utilization section. Superstructure optimization is performed with the objective to maximize profit to determine optimal integrated networks for three scenarios. The obtained results provide useful insights for further development of the optimal networks as sustainable integrated biorefinery combined with pulp and paper mills.",
"Classes": [
"CHE",
"MATENG"
]
},
"027": {
"Title": "Improvement of Relative Permeability and Wetting Condition of Sandstone by Low Salinity Waterflooding",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.Waterflooding is generally performed to maintain reservoir pressure and as a consequence, production period is extended. However, conventional waterflooding may be not suitable for every reservoir. Low Salinity Waterflooding (LSW) which is recently the most mentioned technique is therefore, considered. Although clear explanation of oil recovery mechanism is not available, it is believed that the key mechanism is Multi-component Ion Exchange (MIE). This study aims to assess improvement of relative permeability and wetting condition of sandstone formation from oilfield in Thailand, through the MIE mechanism. The study is divided into two major parts. The first part is laboratory study including core and fluid preparations, imbibition test, coreflooding test and ion-exchange detection. After laboratory data including fluid production rate and pressure difference versus time are obtained, core simulation using reservoir simulation program called STAR\u00ae commercialized by Computer Modelling Group (CMG) is performed to study the change of wetting condition through the shifting of relative permeability. Obtaining results would help verifying suitability of the implementation of this technique in oilfield. Results from imbibition test showed that LSW yields higher oil recovery factor compared to formation water. Diluted formation water at 5,000 ppm which is approximately one-third of formation water, is the best water formulation, yielding the fastest rate of imbibition in this study. From ion-exchange detection test, results showed the variation of divalent ion concentrations compared to injected water and moreover, presence of calcium and magnesium ions in oil phase supports the occurrence of MIE during the displacement mechanism. The theoretical model matching with physical data using reservoir simulation program indicates that LSW slightly affects the original wetting condition. Water wetness is lessened as can be observed from the increment of relative permeability to water at the end point saturation. Moreover, LSW reduces residual oil saturation and at the same time, increases relative permeability to oil. From the detection of MIE together with the observation of wetting condition through core simulation, it can be concluded that LSW is a promising technique for oilfield in Thailand. As produced water must be reinjected back into reservoir based on zero discharge regulation of Thai government, this low-cost technique of diluting water salinity prior to reinjection would fulfil the requirement of government and at the same time helps increasing oil recovery of the total field.",
"Classes": [
"PE",
"METAL",
"CHE"
]
},
"028": {
"Title": "Classification of advertisement text on Facebook using synthetic minority over-sampling technique",
"Abstract": "\u00a9 2018 Association for Computing Machinery.Understanding in consumer behavior is an important task in the field of marketing. Dentsu's AISAS model is a model that has been proposed to describe consumer behavior. The model defines reaction when the consumer has seen advertising into five stages: attention, interest, search, action, and share. In this paper, advertisement text datasets from Facebook were labelled as the stages of AISAS model and learned to be classified by machine learning algorithms. Nevertheless, like many other real-world data, our dataset had imbalanced class distribution. The classifier algorithms tend to predict mostly the majority class. To overcome this problem, synthetic minority over-sampling technique (SMOTE) was adopted and also combined with chi-square based feature selection technique. Varieties of feature sizes based on various classifier algorithms were compared. In the appropriate feature size, SMOTE could improve the classification performance in terms of recall and F1 score.",
"Classes": [
"CPE",
"EDU",
"MATSCI"
]
},
"029": {
"Title": "Exploring Network Vulnerabilities for Corporate Security Operations",
"Abstract": "\u00a9 Springer Nature Singapore Pte Ltd 2020.User credentials often serve as an entry point into an organization\u2019s network and its information assets. Well-managed identities mean greater control of user access, that would lead to a reduced risk of internal and external breaches. This paper has studied how to apply the Elastic stack for security monitoring and analytics. The Elastic stack, formerly known as ELK, is an open-source product well known as a powerful platform of log management and analytics solutions. Several preliminary experiments were carried out by means of log analysis procedure and malicious traffics monitoring to explore the vulnerabilities or weakness that will cause network failures or illegitimate access to information assets. The experimental results and findings would be beneficial as feedbacks for further establishing corporate policies and regulations, as well as implementing in-house preventive security operations.",
"Classes": [
"CPE"
]
},
"030": {
"Title": "Effects of the cell and triangular microwell size on the cell-trapping efficacy and specificity",
"Abstract": "\u00a9 2019, KSME & Springer.The single-, double- or multiple-cell entrapment efficacy is crucial in various aspects of biological studies. In this study, both computational and experimental approaches were conducted to explore the effect of the cell and microwell sizes on the ability of cell-trapping in a triangular microwell. From computational studies, it was found that the interaction between a spanwise vortex on the upper part and counter-rotating streamwise vortices at the leading edge helped to form a pair of secondary streamwise vortices deeper inside the microwell. The strength and size of these secondary streamwise vortices, which depended on the size of the microwell, played an important role in the arrangement of entrapped cells. The experimental results, with both microbeads and white blood cells (WBCs), were in good agreement with the simulated ones, and suggested that the ratio between the cell and microwell sizes was an important factor in the efficacy of single-, double- and multiple-cell cell-trapping. Entrapment of canine WBCs (size distribution between 7\u201315 \u00b5m) attained a highest single-cell trapping efficiency of 20.4 % in the array of 40-\u00b5m triangular microwells of 30 \u00b5m depth at a flow rate of 0.1 mL/h, but this was reduced to 16.5 and 10.6 % in the 60- and 80-\u00b5m microwells, respectively, under the same conditions.",
"Classes": [
"BME",
"ME"
]
},
"031": {
"Title": "Determination of appropriate size of battery as backup system in generation system",
"Abstract": "\u00a9 2018 IEEENowadays, power systems of many countries have high renewable energy penetration because the renewable energy has less impact on environment issues. However, because of its unpredictability and uncontrollability, it may cause the power system less reliable and need more backup power. Using only responsive conventional power plants is difficult to manage this problem. Thus, the battery energy storage that has quick response receives high interest, recently. This paper proposes a methodology to determine an appropriate size of battery as a backup system in generation system. The appropriate size of battery is determined using generation system reliability concept. Reliability indices such as API and AEI are considered. They are calculated using Monte-Carlo simulation. Finally, the Thailand Regional power system is used as a test system. Obtained results show that each region required a different size of batteries depending on an amount of renewable energy generation and load in its region.",
"Classes": [
"PE",
"EE",
"CPE",
"MATH"
]
},
"032": {
"Title": "Comparative study of local gas-liquid hydrodynamics and mass transfer between conventional and modified airlift reactors",
"Abstract": "\u00a9 2019 Elsevier Ltd. All rights reserved.Modified airlift reactor (MALR) was developed for improving the oxygen transfer coefficient (KLa) by installing the slanted baffles in the riser compartment. MALR can enhance KLa value up to 97% compared to a regular reactor. However, insufficient analysis of the hydrodynamics and other oxygen transfer parameters of this new reactor has been performed to date. Therefore, this paper aims to analyse local gas-liquid dynamics and evaluate the oxygen transfer performance in MALR compared to regular reactors using clean water as a liquid phase. Air bubble distribution was employed in terms of bubble diameter, rising velocity, and interfacial area. Slanted baffles maintained the bubble size between 3.88 and 4.63 mm for the studied superficial gas velocity (Ug), which is smaller than that in airlift reactor (ALR) by approximately 0.2 mm. Bubble rising velocity (UB) is relatively increased with Ug, regardless of reactor classes. New reactor could extend the bubble residence in the water by lengthening the bubble stream path of the slanted baffles leading to decrease UB values about 39% and 52% compared to bubble column reactor (BCR) and ALR, respectively. These performances consequently resulted in an interfacial area almost two times higher than in regular reactors. Oxygen transfer improved in MALR with an extra amount of oxygen transfer efficiency of 1.57% and 0.63% over BCR and ALR, respectively. This resulted in the highest aeration efficiency (AE) compared to other examined reactors, following a trendline expression of AE 0.046 Ug-0.6. Insertion of slanted baffles produced 5% and 12.8% more dead zone volume than ALR and BCR, respectively. In conclusion, MALR can significantly enhance oxygen transfer performance due to the ability to maintain bubble size and extend the gas-liquid transfer period.",
"Classes": [
"METAL",
"ME",
"CHE",
"IE"
]
},
"033": {
"Title": "Image Enhancement and Quality Assessment Methods in Turbid Water: A Review Article",
"Abstract": "\u00a9 2019 IEEE.The underwater imaging systems are drawing attention during the past few decades as more and more applications such as ocean exploration, underwater vehicles, intelligent fishing are becoming popular. As a result, newer and superior techniques are in need to fulfill the demands of receiving clearer, finer and better-quality underwater images with improved information within it. In this paper, recent underwater image enhancement systems which are capable of improving quality of images that suffers from low light and unbalanced colors are revised. Moreover, a variety of objective assessment methods regarding to desired category of information evaluation are highlighted.",
"Classes": [
"OPTIC"
]
},
"034": {
"Title": "Study on Raman spectroscopy of InSb nano-stripes grown on GaSb substrate by molecular beam epitaxy and their Raman peak shift with magnetic field",
"Abstract": "\u00a9 2019 We report on the Raman spectroscopy of self-assembled InSb nano-stripes grown on (0 0 1) GaSb substrate by molecular beam epitaxy. The nano-stripes have a truncated pyramidal shape with the typical dimension of \u223c150 \u00d7 200 \u00d7 25 nm 3 . Raman spectroscopy is applied to probe the phonon-related properties of the InSb nano-stripes. Raman spectroscopy shows slight redshifts of the InSb-related phonon peaks when the excitation wavelength is increased. When a magnetic field is applied, blueshifts of these peaks are observed. Transmission electron microscopy is utilized to relate the structural information of the InSb nano-stripes and their Raman properties.",
"Classes": [
"EE",
"OPTIC",
"CHE",
"MATSCI"
]
},
"035": {
"Title": "Growth-related photoluminescence properties of InSb/GaAs self-assembled quantum dots grown on (001) Ge substrates",
"Abstract": "\u00a9 2021 Elsevier B.V.Various photoluminescence (PL) spectroscopies are applied to reveal the growth-related properties of self-assembled InSb/GaAs quantum dots (QDs) grown on (001) Ge substrate. Obtained QDs have rectangular-based shape and mainly locate near GaAs antiphase domain boundaries (APBs), which are formed during the growth of GaAs on (001) Ge substrate. The morphology and structural properties of InSb QDs can be varied by the change of controlled growth conditions. Optical phonons scatterings of the embedded InSb QDs are revealed by Raman spectroscopy. The low-temperature PL emission energy of InSb/GaAs QDs is in the range of 1.18\u20131.29 eV. The power-dependent PL spectroscopy confirms the type-II band alignment in this system. The thermal activation energies (22.7 meV and 146.5 meV) are extracted from the temperature-dependent PL spectroscopy (10\u2013140 K). The polarization-dependent PL spectroscopy is performed and exhibits the polarization degree of ~ 18%, which is attributed to the shape anisotropy of buried InSb QDs.",
"Classes": [
"METAL",
"ME",
"EE",
"OPTIC",
"NANO",
"CHE",
"MATSCI"
]
},
"036": {
"Title": "Implementation of microservice-based network traffic logger",
"Abstract": "\u00a9 Proceedings of 2018 the 8th International Workshop on Computer Science and Engineering, WCSE 2018. All rights reserved.For the benefits of information security, data storage management is often performed under supervision of official regulations, such as ISO/IEC 27001. One of the topics addressing operations security specifies the requirements of logging and monitoring to record events and generate evidence. As the vast amount of traffic flowing over the internet continues to grow, this paper presents the implementation of network traffic logger using Microservices to promote scalability. It also enables isolated upgrades and new features without necessarily disrupting other services and the teams developing other services. With the assistance of the microservice architecture, the log management system would be more easily managed and scaled.",
"Classes": [
"CPE"
]
},
"037": {
"Title": "Dynamic programming approach to optimal maintenance scheduling of substation equipment considering life cycle cost and reliability",
"Abstract": "\u00a9 2018 IEEEAsset management of transmission system is an essential issue for smart grid and condition monitoring system, especially maintenance planning. Maintenance scheduling is the most important part of asset management. The scheduling affects the reliability of equipment, the reliability of substation system and life cycle cost (LCC). Since the equipment in substation hardly fails to operate, the information about failure is not yet systematically recorded. This paper focuses on long term maintenance based on available data of historical planning and operation data. In particular, the Weibull distribution model is used to estimate reliability function of equipment. A maintenance planning may lead to different final condition of effective age of equipment. We propose the optimal maintenance planning in conjunction with the specified final condition of equipment and compare the LCC and reliability. By using dynamic programming (DP), the algorithm gives the minimum LCC while satisfying reliability and final condition. Numerical results demonstrate the effectiveness of the DP approach. Comparing with the results using the genetic algorithm, the DP method provides the maintenance planning with less LCC.",
"Classes": [
"IE",
"MATH"
]
},
"038": {
"Title": "The efficient conversion of D-Fructose to 5-Hydroxymethylfurfural using organic acids as catalytic promoters",
"Abstract": "\u00a9 2021, The Author(s), under exclusive licence to Springer-Verlag GmbH Germany, part of Springer Nature.5-Hydroxymethylfurfural (HMF) is one of the main chemical building blocks to generate other high value-added biofuels and biochemicals. This study aimed to produce HMF from fructose dehydration under a biphasic system using various organic acids as catalytic promoters, such as formic acid, acetic acid, lactic acid, succinic acid, and levulinic acid. Among these organic acids, the acetic acid was found to be the best promoter in this system. The experimental results showed a prominent correlation between the HMF formation and the pKa \u2013 the higher pKa gave rise to greater HMF yield and lower activity toward side reactions. Response surface methodology was performed to identify the optimum reaction temperature, time, and promoter concentration for fructose dehydration. Among the three variables, the reaction temperature played the most significant role in fructose conversion and HMF yield. The optimum condition to achieve the highest HMF yield at 72.5% from fructose dehydration was found at 195.8 \u00b0C under a mild concentration of acetic acid at 0.075 M for 3.2 min. Graphical abstract: [Figure not available: see fulltext.]",
"Classes": [
"CHE",
"MATSCI"
]
},
"039": {
"Title": "Biomass gasification integrated with CO2 capture processes for high-purity hydrogen production: Process performance and energy analysis",
"Abstract": "\u00a9 2018 Elsevier LtdThe performance of an integrated biomass gasification and CO2 capture process to produce H2-rich gas satisfying a PEMFC specification is investigated. Wood residue and CaO are used as a biomass feedstock and a CO2 sorbent, respectively. Modeling of such an integrated process is performed by using ASPEN Plus. The effect of change in major parameters, i.e., gasifying temperature, carbonation temperature and CaO/C ratio, on the product gas composition is investigated. The H2 concentration of the product gas leaving the gasifier is found to increase as the gasifying temperature increases and reaches its maximum value when the gasifying temperature is higher than 700 \u00b0C. For the integrated process, the H2 concentration significantly decreases as the carbonation temperature increases to higher than 500 \u00b0C. Moreover, the result indicates that the CaO/C ratio should be maintained at a value higher than 3.17 to ensure that the generated CO2 is completely captured. The energetic and exergetic performances, as well as the environmental impact of the integrated process at various amounts of recycled CO2, are also investigated. The energy conversion efficiency and the exergy efficiency based on H2 production increase as the CO2/C ratio increases, whereas the CO2 emission shows the opposite trend. The maximum exergy efficiency of 69.65%, based on the hydrogen production and the heat generation, is achieved at CO2/C and CaO/C ratios of 0.6 and 4.48, respectively. At this condition, a specific emission of CO2 of 4.4 g CO2 - eqMJ- 1 and an energy conversion efficiency of 88.09% are achieved.",
"Classes": [
"ENV",
"PE",
"ME",
"CHE"
]
},
"040": {
"Title": "Preferential nucleation, guiding, and blocking of self-propelled droplets by dislocations",
"Abstract": "\u00a9 2018 Author(s).Lattice-mismatched layers of GaAs/InGaAs are grown on GaAs(001) using molecular beam epitaxy and subsequently heated in vacuum while the surface is imaged in situ using low-energy electron microscopy, in order to study (i) the nucleation of group-III droplets formed as a result of noncongruent sublimation and (ii) the dynamics of these self-propelled droplets as they navigate the surface. It is found that the interfacial misfit dislocation network not only influences the nucleation sites of droplets, but also exerts unusual steering power over their subsequent motion. Atypical droplet flow patterns including 90\u00b0 and 180\u00b0 turns are found. The directions of these dislocations-guided droplets are qualitatively explained in terms of in-plane and out-of-plane stress fields associated with the buried dislocations and the driving forces due to chemical potential and stress gradients typical of Marangoni flow. The findings would benefit processes and devices that employ droplets as catalysts or active structures such as droplet epitaxy of quantum nanostructures, vapor-liquid-solid growth of nanowires, or the fabrication of self-integrated circuits.",
"Classes": [
"ME",
"EE",
"CHE",
"MATSCI"
]
},
"041": {
"Title": "Reliability analysis of unsaturated soil slope stability under infiltration considering hydraulic and shear strength parameters",
"Abstract": "\u00a9 2019, Springer-Verlag GmbH Germany, part of Springer Nature.In general, soil properties, including shear strength and hydraulic parameters, are characterised as a spatial variability. This paper aims to investigate the effect of spatial variability of the soil properties on slope stability during rainfall infiltration. The effective friction angle, saturated hydraulic conductivity, and soil water characteristic curve parameters of sand are simulated using random field theory. A seepage analysis is conducted using the random finite element method to obtain pore water pressure distribution. A stability analysis is performed to show the variation of safety factors and failure probability. The results show that the random field of the soil-water characteristic curve produces a significant variation of pore water pressure, while the random field of the effective friction angle is the most important parameter for probabilistic stability analysis.",
"Classes": [
"CE",
"ENV",
"PE",
"ME",
"SAFETY",
"MATSCI"
]
},
"042": {
"Title": "Evaluation of Polymer Alternating Waterflooding in Multilayered Heterogeneous Waterflooded Reservoir",
"Abstract": "\u00a9 The Authors, published by EDP Sciences, 2018.Polymer flooding is widely implemented to improve oil recovery since polymer can increase sweep efficiency and smoothen heterogeneous reservoir profile. However, polymer solution is somewhat difficult to be injected due to high viscosity and thus, water slug is recommended to be injected before and during polymer injection in order to increase an ease of injecting this viscous fluid into the wellbore. In this study, numerical simulation is performed to determine the most appropriate operating parameters to maximize oil recovery. The results show that pre-flushed water should be injected until water breakthrough while alternating water slug size should be as low as 5% of polymer slug size. Concentration for each polymer slugs should be kept constant and recommended number of alternative cycles is 2. Combining these operating parameters altogether contributes to oil recovery of 53.69% whereas single-slug polymer flooding provides only 53.04% which is equivalent to 8,000 STB of oil gain.",
"Classes": [
"ENV",
"PE",
"ME"
]
},
"043": {
"Title": "Real-Time Rollover Warning in Tripped and Un-tripped Rollovers with A Neural Network",
"Abstract": "\u00a9 2018 IEEE.Nearly 35% of passenger vehicle accident deaths are from rollover crashes. In vehicle stability control system, the active rollover prevention is presented to prevent rollovers. An imminent rollover should be detected immediately through accurate and reliable detection for active vehicle rollover prevention. A traditional rollover index is able to detect un-tripped rollovers. However, it fails to detect tripped rollovers from external inputs such as tripping by the force of a vehicle striking a curb or a road bump. Thus, a new neural network algorithm to detect both tripped and un-tripped rollovers is needed so any estimation algorithms to determine unknown parameters will no longer be used. The neural network algorithm uses multi-variables from available sensors on the vehicle to calculate and categorize the rollover warning into 3 levels: 'Safe', 'Low Risk', and 'High Risk'. Moreover, the algorithm can detect both tripped and un-tripped rollover by testing with a 1/5th scaled vehicle. In order to show dynamic similarity between the 1/5th scale vehicle and a full-sized vehicle, the Buckingham \u03c0 theorem is used. From experiment results, it is clear that the neural network algorithm can be used to accurately enable the rollover warning for the tripped and un-tripped rollover.",
"Classes": [
"SAFETY"
]
},
"044": {
"Title": "Design of Robust Hierarchical Control for Homogeneous Multi-Agent Systems with Parametric Uncertainty and Exogenous Disturbance",
"Abstract": "\u00a9 2019 JSME.This paper proposes robust control synthesis for homogeneous leaderless multi-agent systems (MASs) subjected to parametric uncertainty and exogenous disturbance. We employ an approach of robust H2 hierarchical decentralized control. This approach utilizes a linear quadratic performance criterion which composes of local and global terms. Local term represents local control action of agents whereas the global term deals with cooperation among agents. We formulate design of the local and global feedback control laws as optimization over linear matrix inequality (LMI). Furthermore, the LMI formulation can incorporate a specified constraint on disturbance attenuation. Finally, a design procedure and numerical examples are provided to illustrate the effectiveness of the proposed robust H2 design approach.",
"Classes": [
"CPE",
"MATH"
]
},
"045": {
"Title": "Development and characterization of bacterial cellulose reinforced with natural rubber",
"Abstract": "\u00a9 2019 by the authors.Films of bacterial cellulose (BC) reinforced by natural rubber (NR) with remarkably high mechanical strength were developed by combining the prominent mechanical properties of multilayer BC nanofibrous structural networks and the high elastic hydrocarbon polymer of NR. BC pellicle was immersed in a diluted NR latex (NRL) suspension in the presence of ethanol aqueous solution. Effects of NRL concentrations (0.5%-10% dry rubber content, DRC) and immersion temperatures (30-70 \u00b0C) on the film characteristics were studied. It was revealed that the combination of nanocellulose fibrous networks and NR polymer provided a synergistic effect on the mechanical properties of NR-BC films. In comparison with BC films, the tensile strength and elongation at break of the NR-BC films were considerably improved ~4-fold. The NR-BC films also exhibited improved water resistance over that of BC films and possessed a high resistance to non-polar solvents such as toluene. NR-BC films were biodegradable and could be degraded completely within 5-6 weeks in soil.",
"Classes": [
"CHE",
"MATENG",
"MATSCI"
]
},
"046": {
"Title": "Enhanced Levulinic Acid Production from Cellulose by Combined Br\u00f8nsted Hydrothermal Carbon and Lewis Acid Catalysts",
"Abstract": "\u00a9 2019 American Chemical Society. This study presents a synergistic catalytic system using the combination of Br\u00f8nsted hydrothermal carbon-based acid (HTCG-SO 3 H) and Lewis acid catalysts for one-pot conversion of cellulose to levulinic acid (LA). Chromium chloride (CrCl 3 ), among a number of other Lewis acidic metal chlorides, was found to give the highest LA yields, and was therefore used in combination with the HTCG-SO 3 H, for cellulose conversion to LA. With the appropriate amount of HTCG-SO 3 H, the formation of side products could be reduced, resulting in improved selectivity of LA. Compared with that obtained by CrCl 3 alone, at 5 wt % HTCG-SO 3 H, 0.015 M CrCl 3 , 200 \u00b0C and 5 min reaction time, the LA yield was considerably enhanced from 30 wt % to 40 wt %. Since HTCG-SO 3 H is a heterogeneous catalyst that can be easily prepared from biomass at moderate temperature, its use in such combined catalyst system offers economic and environmental benefits, thus making large-scale implementation of such process potentially feasible.",
"Classes": [
"CHE",
"MATENG"
]
},
"047": {
"Title": "The production of volatile fatty acids from Napier grass via an anaerobic leach bed process: The influence of leachate dilution, inoculum, recirculation, and buffering agent addition",
"Abstract": "\u00a9 2019 The Authors.The production of volatile fatty acid (VFA)-rich leachate as feedstock for methane production is an essential and rate-limiting step in two-stage grass biogasification. Batch experiments were conducted to investigate the influence of leachate dilution, inoculum, recirculation, and buffering agent addition on the acidification of Napier grass in anaerobic leach bed reactors (AnLBRs). Four AnLBRs with 14.17 L effective volume were operated at ambient temperature for 28 days in each experiment. The results clearly demonstrate the significance of the control parameters, particularly leachate dilution and inoculum, in the regulation of grass solubilization. Different dilutions of leachate produced different grass degradation rates. These different dilutions generated 95.62-112.63 g of soluble chemical oxygen demand (SCOD) or 0.52-0.62 g SCOD/g VSadded for those diluted at 1.0-7.0-day intervals compared to 51.50 g SCOD or 0.28 g SCOD/g VSadded for those without dilution. Adding inoculums of 10-30% increased the SCOD to 67.01-115.65 g SCOD or 0.40-0.59 g SCOD/g VSadded. While leachate recirculation and the addition of a buffering agent had less influence on solubilization, which increased by only 6.80-16.41% of SCOD produced. These produced leachates contained orderly acetic, propionic, and butyric acids. The proposed conditions (20% of added inoculum and leachate dilution at a 3.0-day interval), yielded practical degrees of solubilization and acidification of 46.61% and 62.21%, respectively, or 0.56 g SCOD/g VSadded and 0.26 g VFA/g VSadded. These results demonstrate that beneficial control conditions can promote the rapid and practical production of VFAs from grass biomass via an AnLBR.",
"Classes": [
"CHE",
"AGRI"
]
},
"048": {
"Title": "Visible Light communication - The Journey so Far",
"Abstract": "\u00a9 2019 Walter de Gruyter GmbH, Berlin/Boston 2019.An unprecedented demand for connecting physical objects with the internet expedites the realization of internet of things, thus creating new challenges to explore new spectrums which are suitable for communication. Visible light communication (VLc) is one promising candidate not only to remove the spectrum crunch issues but also to offer virtually unlimited, unregulated spectrum. This paper discusses how VLc can help solving spectrum crunch, non-availability issues of radio frequency spectrum and how readily available spectrum of VLc can be utilized to cope up with the bandwidth requirements of next-generation networks. Furthermore, this paper also lists the technological innovations in the area of VLc from early days till present and its possible applications in various domains.",
"Classes": [
"EE",
"CPE",
"OPTIC"
]
},
"049": {
"Title": "Mechanisms of chloride and sulfate removal from municipal-solid-waste-incineration fly ash (MSWI FA): Effect of acid-base solutions",
"Abstract": "\u00a9 2019A general approach to managing municipal solid waste is by incineration. Unfortunately, large amounts of municipal-solid-waste-incineration fly ash (MSWI FA) is produced in the process, with their heavy metals content posing further problems to the environment. One fundamental treatment of MSWI FA heavy metals is called solidification-stabilization, where MSWI FA is solidified in cement-based materials to cap hazardous elements from being released into the environment. Mortar formed from this cement mixed with MSWI FA suffer from decreased compressive strength due to their chloride and sulfate contents. Thus, pre-treatment of MSWI FA to remove these salts before producing mortar is desirable. This study investigated treating MSWI FA with deionized water, 0.01 M and 0.1 M nitric acid, and 0.1 M and 0.25 M sodium carbonate to remove chloride and sulfate. Physical and chemical structures of treated and untreated MSWI FA was studied to understand the chloride and sulfate removal mechanisms. Treated MSWI FA was used as cement replacement in mortar, and the compressive strength was tested. Results suggest that all of the treatment solutions tested in this study can equally remove chloride (around 250,000 mg/kg), but sodium carbonate can remove sulfate at the highest extent (15,821 mg/kg). In addition, mortar with deionized-water-treated MSWI FA gave the highest compressive strength. Heavy metals leaching was tested by the Toxicity Characterization Leaching Procedure (TCLP) method, with results passing the standard.",
"Classes": [
"CE",
"ENV",
"METAL",
"CHE"
]
},
"050": {
"Title": "Impact of Oxygen Vacancy on the Photocatalytic Selective Hydrogenation of 3-Nitrostyrene via Calcination of TiO2",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.In this work, P25-TiO2 was treated by calcination in air at difference temperature (600-900\u00b0C) for 5h. Treated catalysts were tested in photocatalytic selective hydrogenation of 3-nitrostyrene (3-NS) to 3-vinylaniline (3-VA). The properties of treated catalysts were characterized by using XRD, XPS, and UV-Vis spectroscopy. 3-vinylaniline and acetone were produced from photocatalytic (\u03bb > 300nm) selective hydrogenation reaction of 3-nitrostyrene in 2-propanol and suspension with P25-TiO2. The Ti3+ at locate with oxygen defect, which at below conduction band were acted as active site for trapped electron to conduction band. These effects leading to excess oxygen defect caused low activity due to recombination center. An optimal calcination temperature was 700\u00b0C ascribed to the enhancement of high conversion (71%) with 100% 3-VA selectivity due to optimal oxygen vacancies.",
"Classes": [
"CHE",
"MATSCI"
]
},
"051": {
"Title": "Disaster-Resilient Communication Framework for Heterogeneous Vehicular Networks",
"Abstract": "\u00a9 2019 IEEE.Most of natural disaster events have caused damage to the basic infrastructure. This leads to impossibility for victims and rescuers to communicate through the Internet. Wireless Mesh Networks (WMNs) and Moveable and Deployable Resource Unit (MDRU) are two popular solutions for recovery of the communication system. Based on the concept of wireless mesh network, the NerveNet is a disaster-resilient mesh-topology network which is strong against failures in disaster. Moreover, vehicles are considered as a key component in which MDRU can be deployed. In this paper, we propose a disaster-resilient communication framework for heterogeneous vehicular network (HetVNet). The proposed framework integrates NerveNet with the traditional network. We also show our implementation of the network switching algorithm for selecting either NerveNet or LTE for the HetVNet. The real experiments were conducted using the campus shuttle buses in Chulalongkorn University. The results show that the proposed framework can operate well in normal scenario, HetVNet scenario, and disaster scenario. Specifically, in the disaster situation where LTE network is not available, all of the data traffic is transferred via NerveNet. In the normal situation where NerveNet and LTE networks are available, the data traffic can be transferred over both of them.",
"Classes": [
"EE",
"CPE"
]
},
"052": {
"Title": "The experimental investigations on viscosity, surface tension, interfacial tension and solubility of the binary and ternary systems for tributyl phosphate (TBP) extractant in various organic solvents with water: Thermodynamic NRTL model and molecular interaction approach",
"Abstract": "\u00a9 2017 Elsevier B.V.In order to provide a database for supporting stability in the separation processes, the physical properties of the mixing solutions between extractant and organic solvents, with/without water, were investigated at temperature 303.2 K and pressure 0.1 MPa. The extractant of tributyl phosphate (TBP) as well as the following organic solvents i.e. cyclohexane, n-heptane, kerosene and toluene were selected for use in this work. Further, the physical properties of the mixing solutions such as viscosity, surface tension, interfacial tension and solubility with water were observed when the percent weights of the extractant increased. The principle of intermolecular attraction between the molecules in the mixing solutions was considered in order to explain the tendencies of results. Tie-line data were determined for ascertaining the solubility of extractant in the organic and aqueous phases. A thermodynamic NRTL model was also evaluated and its data compared with the experimental results. Consequently, good correlations were displayed by the root-mean square deviation (rmsd) at values about 2%. Finally, for understanding the solvation of solute and solvent, the molecular interaction behaviors of the molecules in the mixing solutions were examined by spectroscopic analyses.",
"Classes": [
"CHE",
"MATSCI"
]
},
"053": {
"Title": "Strength and stiffness parameters of Bangkok clays for finite element analysis",
"Abstract": "\u00a9 2018 Southeast Asian Geotechnical Society. All Rights Reserved.Constitutive soil model and its parameters are the important issue in finite element analysis. Hardening soil model and Mohr-Coulomb model parameters of Bangkok clays for finite element analysis were evaluated in this study. To achieve this purpose, a case study of Sukhumvit MRT Station was selected to model in three dimensions with hardening soil and Mohr-Coulomb models. The instrumented data during construction was used to compare with the results from finite element analysis. PLAXIS 3D software was adopted as solving tool in this study. Lateral wall movement and ground surface settlement predictions were used to compare with the data. The outcomes were concluded that the hardening soil model characterised the Bangkok clay better than Mohr-Coulomb model in 3D finite element analysis for excavation.",
"Classes": [
"PE",
"METAL",
"MATH"
]
},
"054": {
"Title": "Thai defamatory text classification on social media",
"Abstract": "\u00a9 2018 IEEE.Development of social media has brought a huge change to social communities in several aspects. They offer a place where social media users can post information, express opinions, and share interests. However, some information and opinions may cause a negative impact on the person mentioned in the post and that person can become a target of defamation. In Thailand, although defaming someone on social media is illegal, most social media users are not aware of it. To raise awareness of this issue, this paper proposes the classification of defamatory text in Thai language. Several approaches to text classification are used to analyze textual comments to political news and articles on Facebook, including word n-grams, character ngrams, specific terms, grammatical dependency structure, and sentiment polarity. The experiment is conducted using two machine learning methods with several combination of the approaches. The result shows that SVM performed better than Na\u00efve Bayes, and word n-grams and character n-grams are more efficient than other approaches with F score of 0.64 and accuracy of 0.74. In addition, dependency structure, specific terms, and sentiment polarity perform quite well with precision of 0.65 and accuracy of 0.66, but with lower recall rate of 0.35. We discuss linguistic variations in Thai language which affect the performance of the methods.",
"Classes": [
"EE",
"CPE",
"EDU"
]
},
"055": {
"Title": "Multi-objective optimization of sorption enhanced steam biomass gasification with solid oxide fuel cell",
"Abstract": "\u00a9 2018 Elsevier LtdBiomass is one of the encouraging renewable energy sources to mitigate uncertainties in the future energy supply and to address the climate change caused by the increased CO2 emissions. Conventionally, thermal energy is produced from biomass via combustion process with low thermodynamic efficiency. Conversely, gasification of biomass integrated with innovative power generation technologies, such as Solid Oxide Fuel Cell (SOFC), offers much higher conversion efficiency. Typically, energy conversion process has multiple conflicting performance criteria, such as capital and operating costs, annual profit, thermodynamic performance and environment impact. Multi-objective Optimization (MOO) methods are used to found the optimal compromise in the objective function space, and also to acquire the corresponding optimal values of decision variables. This work investigates integration and optimization of a Sorption Enhanced Steam Biomass Gasification (SEG) with a SOFC and Gas Turbine (GT) system for the production of power and heat from Eucalyptus wood chips. The energy system model is firstly developed in Aspen Plus simulator, which has five main units: (1) SEG coupled with calcium looping for hydrogen-rich gas production, (2) hot gas cleaning and steam reforming, (3) SOFC-GT for converting hydrogen into electricity, (4) catalytic burning and CO2 compression, and (5) cement production from the purge CaO stream of SEG unit. Then, the design and operating variables of the conversion system are optimized for annual profit, annualized total capital cost, operating cost and exergy efficiency, using MOO. Finally, for the implementation purpose, two selection methods and parametric uncertainty analysis are performed to identify good solutions from the Pareto-optimal front.",
"Classes": [
"CE",
"ENV",
"PE",
"ME",
"EE",
"CPE",
"CHE",
"MATENG",
"IE",
"MATH"
]
},
"056": {
"Title": "Application of minimum quantity lubrication for drum high clutch in turning process",
"Abstract": "\u00a9 2019 Trans Tech Publications, Switzerland.The turning Process is the main processes used in automotive parts from more productivity, it requires the cutting velocity and feed rate high. And from those cutting, it causes high temperatures on cutting and a tool life of cutting tools decreased. Therefore using of cutting fluid (Coolant) is one of the commonly used methods to reduce temperatures that occur while cutting, reducing the wear of cutting tool and helps extend the tool life of the cutting tool. However, cutting fluid it's not always a good way, from the high cost and environmental problems issues. Using the MQL technique is one of the alternatives that using more nowadays to solve the above mentioned problems. This research proposed a MQL technique substitution of cutting fluid that using in the current process by applying in order to obtain the proper cutting condition for carbon steel material grade SAPH370 with the carbide cutting tool. The cutting conditions will acceptable from the minimum quantity of lubricant and the maximum of tool life of cutting tool under surface roughness (Ra) is less than 1.2 \u00b5m. The proper cutting condition determined at a feed rate of 0.10 mm/rev, a cutting speed of 300 m/min and a flow rate of 5ml/hr.",
"Classes": [
"ME",
"CHE",
"MATSCI"
]
},
"057": {
"Title": "Twin InSb/GaAs quantum nano-stripes: Growth optimization and related properties",
"Abstract": "\u00a9 2018 Elsevier B.V.Growth of InSb/GaAs quantum nanostructures on GaAs substrate by using molecular beam epitaxy with low growth temperature and slow growth rate typically results in a mixture of isolated and paired nano-stripe structures, which are termed as single and twin nano-stripes, respectively. In this work, we investigate the growth conditions to maximize the number ratio between twin and single nano-stripes. The highest percentage of the twin nano-stripes of up to 59% was achieved by optimizing the substrate temperature and the nano-stripe growth rate. Transmission electron microscopy reveals the substantial size and height reduction of the buried nano-stripes. We also observed the Raman shift and photon emission from our twin nano-stripes. These twin nano-stripes are promising for spintronics and quantum computing devices.",
"Classes": [
"CPE",
"OPTIC",
"CHE",
"MATSCI"
]
},
"058": {
"Title": "Probabilistic regular grammar inference algorithm using incremental technique",
"Abstract": "\u00a9 Proceedings of 2018 the 8th International Workshop on Computer Science and Engineering, WCSE 2018. All rights reserved.Grammatical inference has been studied for a long time where grammar is illustrated by a collection of re-writing rules, together with their probabilities. We are interested in regular language model which can be recognized by a finite state machine. The most popular technique is an Alergia algorithm. The objective is to construct a probabilistic finite state machine using only positive examples together with their probabilities (or frequency). In this work, we introduce a probabilistic grammatical inference algorithm in order to construct a prefix tree. The algorithm starts by considering the shortest positive example. Two types of regular grammar rules (productions) are introduced. Our experimental results show that the probabilities obtained from our probabilistic finite state machine can be more accurate than the one obtained from the previous algorithm. We hope that our algorithm will be an alternative way for constructing a probabilistic finite state machine.",
"Classes": [
"CPE",
"MATH"
]
},
"059": {
"Title": "Nonlinear Analysis for Bending, Buckling and Post-buckling of Nano-Beams with Nonlocal and Surface Energy Effects",
"Abstract": "\u00a9 2019 World Scientific Publishing Company.The modeling and analysis for mechanical response of nano-scale beams undergoing large displacements and rotations are presented. The beam element is modeled as a composite consisting of the bulk material and the surface material layer. Both Eringen nonlocal elasticity theory and Gurtin-Murdoch surface elasticity theory are adopted to formulate the moment-curvature relationship of the beam. In the formulation, the pre-existing residual stress within the bulk material, induced by the residual surface tension in the material layer, is also taken into account. The resulting moment-curvature relationship is then utilized together with Euler-Bernoulli beam theory and the elliptic integral technique to establish a set of exact algebraic equations governing the displacements and rotations at the ends of the beam. The linearized version of those equations is also established and used in the derivation of a closed-form solution of the buckling load of nano-beams under various end conditions. A discretization-free solution procedure based mainly upon Newton iterative scheme and a selected numerical quadrature is developed to solve a system of fully coupled nonlinear equations. It is demonstrated that the proposed technique yields highly accurate results comparable to the benchmark analytical solutions. In addition, the nonlocal and surface energy effects play a significant role on the predicted buckling load, post-buckling and bending responses of the nano-beam. In particular, the presence of those effects remarkably alters the overall stiffness of the beam and predicted solutions exhibit strong size-dependence when the characteristic length of the beam is comparable to the intrinsic length scale of the material surface.",
"Classes": [
"NANO",
"MATH",
"MATSCI"
]
},
"060": {
"Title": "Evaluation of stability and viscosity measurement of emulsion from oil from production in northern oilfield in Thailand",
"Abstract": "\u00a9 2018 Published under licence by IOP Publishing Ltd.Emulsion is normally present in oil due to the mixing occurring during oil recovery. The formation of emulsion can cause some problems in production and transportation. Viscosity and stability of emulsion play a key roles in oil transportation and separation to meet sales specification. Therefore, the aims of this research are to measure the viscosity of oil an emulsion and to evaluate the stability of emulsion of light oil from Fang oilfield in Thailand. The parameters of this study are temperature, shear rate and water cut ranging from 50 to 80 \u00b0C, 3.75 to 70 s-1 and 0 to 60%, respectively. These effects of parameters on viscosity and stability of emulsion are required for the design of the process and to increase oil production with various conditions. The results shows that viscosity decreases as temperature and shear rate increase. In contrast, viscosity becomes higher when water cut is lower. Furthermore, droplet sizes of water-in-oil emulsion at different conditions are investigated the stability of emulsion. The droplet sizes become smaller when high shear rate is applied and emulsion becomes more stable. Furthermore, correlations are developed to predict the viscosity and stability of the oil and emulsion from Thailand.",
"Classes": [
"PE",
"ME",
"CHE"
]
},
"061": {
"Title": "Design of a CMOS Low-Power Limiting Amplifier with RSSI Integrated Circuit for Low-Frequency Wake-Up Receivers",
"Abstract": "\u00a9 2018 IEEE.This paper presents the circuit level design of a CMOS low power limiting amplifier with received signal strength indicator (RSSI) for low frequency application. The design utilizes a five-stage cascade amplifier with PMOS double diode-connected load for the limiting amplifier and a successive detection log amp for the RSSI structure. DC feedback technique is employed to suppress the DC offset at the output. The proposed circuit is laid out in \\pmb{0.13 \\ \\mu}\\mathbf{m} CMOS technology, then extracted and simulated. It occupies a minimal active area of 0.0084 mm2and is able to operate within a frequency range of 17 kHz to 166 kHz with an RSSI error less than 2dB, while consumes only \\pmb{1.96\\mu}\\mathbf{A} current. It also achieves the -3dB input sensitivity of less than \\pmb{12\\mu}\\mathbf{V}-{\\mathbf{rms}} for a typical dynamic range of 81.7 dB, and a maximum settling time of \\pmb{236}\\ \\pmb{\\mu}\\mathbf{s}. Compared with best performer circuits, our design has the lowest power consumption while other performance aspects are comparable or better.",
"Classes": [
"ME",
"EE"
]
},
"062": {
"Title": "Effect of Silica and Alumina Ratio on Bed Agglomeration during Fluidized Bed Gasification of Rice Straw",
"Abstract": "\u00a9 2018 IEEE.Bed agglomeration is one operational challenge during fluidized bed gasification when rice straw is used as raw materials. Rice straw contains high potassium and other components which may lower ash melting point causing bed agglomeration. This study focused on the effect of alumina and silica ratio of bed materials in fluidized bed gasifier. The ratio of alumina bed was 0, 0.25, 0.50, 0.75 and 1.0. The experiments were performed at 700, 800 and 900\u00b0C with equivalence ratio (ER) of 0.2. Rice straw size 425-850 \u03bcm was used as raw materials. The result showed that the high ratio of alumina deceased bed agglomeration at 700\u00b0C. However, similar alumina ratio increased bed agglomeration at 800 and 900\u00b0C. In addition, the effect of temperature on defluidization time was significant. As the operating temperature increased, the defluidization time decreased. Although the ratio of the bed material was different but the result of defluidization time show a similar trend. As a result, high operating temperature may not suitable for fluidized bed gasification with this particular biomass. The SEM/EDS analyzed showed that potassium, calcium and silicate are major element in a linkage between bed particles. As a result, 75% of alumina bed ratio at 700\u00b0C was sufficient to avoid bed agglomeration during fluidized bed gasification of rice straw. In conclusion, specific ratio of alumina and silica can prevent agglomeration in fluidized bed gasification of rice straw when operating temperature lower than apparent eutectic melting point of involved alkalis from rice straw. The result from this investigation may lead to options on mitigating the problem of bed agglomeration in fluidized bed gasifier of rice straw.",
"Classes": [
"CHE",
"MATSCI"
]
},
"063": {
"Title": "Electrochemical investigation of amino acids Parkia seeds using the composite electrode based on copper/carbon nanotube/nanodiamond",
"Abstract": "\u00a9 2019 The Authors. Published by Elsevier Ltd.An electrochemical biosensor comprising copper, nano-diamond (ND) and carbon nanotube (CNT) has been fabricated to detect the amino acids of Parkia speciosa (PS) seeds. Parkia speciosa (stink bean), a Southeast Asian legume, is composed of medicinal chemicals which exhibit biological activities. The electro-catalytic activity of three electrodes Cu/CNT/ND, Zn/CNT/ND and NiO/CNT/ND was studied using 5 mM potassium ferrocyanide in 0.1 MKCl. The Zn/CNT/ND electrode exhibited irreversible reaction free oxidation with reduction peaks at -1 V, whereas, a pair redox peaks was observed for Cu/CNT/ND electrode. The immobilization of l-amino acid oxidase on the Cu/CNT/ND electrode was carried out to catalyze the amino acids detection. It was observed that the anodic and cathodic peak currents increased linearly with both the square root of the scan rate (\u03bd1/2) and scan rate (\u03bd) over the studied scan range of 0.01-0.1 V/s with high correlation coefficients and following both the adsorption and the diffusion-controlled mechanisms. The developed biosensor displayed a very good electro-catalytic activity toward the oxidation of the amino acid to release H2O2 and NH3 as a result of the reaction between the active sites and the Parkia speciosa component. This was also confirmed by a drop in the pH value from 6.8 to 6.5 and a change in the color of the solution from green to yellow (releasing H2S). The impedance results indicated an inductance behavior due to the co-formation of the hydrogen peroxide (H2O2) and the water via the adsorption on the electrode surface.",
"Classes": [
"BME",
"METAL",
"NANO",
"CHE",
"MATENG"
]
},
"064": {
"Title": "Factors affecting the mechanical properties variation after annealing of cold rolled steel sheet",
"Abstract": "\u00a9 The Authors, published by EDP Sciences, 2019.Cold rolled steel industry in type of batch annealing furnace, the mechanical properties of steel sheet have variation by each position. The parameters of annealing temperature and time were analysed to work out the source of mechanical properties variation. This experiment is using low-carbon steel sheet that were cold rolled at the same reduction ratio. Then annealed applying by different annealing temperature and soaking time in laboratory furnace. The mechanical properties which were examined. Yield strength, Tensile strength, %Elongation and Hardness. The result showed that (1) Increasing the annealing temperature could remarkably decrease the yield strength, tensile strength and hardness, whereas the %Elongation could be increased. (2) Increasing the soaking time could slightly effect on mechanical properties. (3) The annealing temperature of 650\u00b0C with soaking time of 2 hr should be applied to provide the mechanical properties close to target value (4) Grain size of the workpieces trended to be grown from the annealing temperature of 610\u00b0C.The experiment it can be concluded that annealing temperature and soaking time have significant effect on the mechanical properties variation in batch annealing.",
"Classes": [
"METAL",
"MATSCI"
]
},
"065": {
"Title": "Oxidative and non-oxidative dehydrogenation of ethanol to acetaldehyde over different VOx/SBA-15 catalysts",
"Abstract": "\u00a9 2018 Elsevier Ltd. All rights reserved.In this present study, characteristics and catalytic properties of different VOx/SBA-15 catalysts for oxidative and non-oxidative dehydrogenation of ethanol to acetaldehyde were determined and well related. First, the SBA-15 supports were synthesized using the sol-gel (SG) and hydrothermal (HT) methods with Zr and La modification. Then, VOx species (2 wt% of V) were deposited on different SBA-15 supports. Among all catalysts, the V-Zr-La/SBA-15-HT showed the highest catalytic activity having 80% conversion of ethanol and acetaldehyde yield of ca. 38% at 400 \u00b0C in non-oxidative dehydrogenation, while 98% conversion of ethanol and acetaldehyde yield of ca. 40% were obtained for this catalyst at lower temperature (300 \u00b0C) in oxidative dehydrogenation. In fact, two of the most powerful techniques used to elucidate the nature of VOx species dispersed on Zr-La/SBA -15 supports were X-ray photoelectron spectroscopy (XPS), and CO2 temperature-programmed desorption. It is worth noting that isolated monomeric VOx species, particularly the V4+ species, as well as the amounts of weak basic sites essentially played important role in non-oxidative dehydrogenation and oxidative dehydrogenation of ethanol to acetaldehyde.",
"Classes": [
"CHE",
"MATENG"
]
},
"066": {
"Title": "Extractive text summarization using ontology and graph-based method",
"Abstract": "\u00a9 2019 IEEE.In recent years, many people started to take care of the physical health. The biomedical article is the trendy issue at the moment leading to the huge amount of knowledge created rapidly. In this paper, we propose a new automatic extractive text summarization technique based on graph representation that makes use of the Unified Medical Language System (UMLS), an ontology knowledge from the National Library of Medicine (NLM). We combined the graph building rules with a distance function between text documents, called Word Mover\u2019s Distance. To prioritize the core sentences, we extracted the summary by using a popular graph-based method from Google, PageRank. We compared our results with other text summarization software using 400 biological review papers as a corpus randomly sampled from PubMed Central. Our approach outperformed the baseline comparators in terms of Recall-Oriented Understudy for Gisting Evaluation (ROUGE) scores.",
"Classes": [
"BME",
"EDU"
]
},
"067": {
"Title": "A concept of demand charge subsidy due to wheeling charge in distribution system",
"Abstract": "\u00a9 2019 IEEE.Industrial estates in Thailand, which typically receive electricity supply from distribution systems, can directly get supplied from private power producers in the local area. With this, private power producers and transaction customers need to pay wheeling charge to the main electric utility. Therefore, the demand charge of the entire customers should be decreased due to an increase of sharing customers. This paper proposes a concept of demand charge subsidy calculation for existing distribution customers due to wheeling charge. Because of the simplicity of postage stamp method and the reflection of extent of use of power flow based MW-Mile method, these methods are focused in this paper. The results show that the proposed concept computes the different demand charge subsidy depending on wheeling charge calculation methodologies.",
"Classes": [
"EE"
]
},
"068": {
"Title": "Predicting judicial decisions of criminal cases from Thai supreme court using bi-directional gru with attention mechanism",
"Abstract": "\u00a9 2018 IEEE.Predicting court judgement has gained growing attention over the past years. Prior attempts used traditional prediction techniques based on Bag of words (BoW), where the order of words is discarded, resulting in low accuracy. In this paper, we propose a prediction model of criminal cases from Thai Supreme Court using End-To-End Deep Learning Neural Networks. Our model imitates a process of legal interpretation, whereby recurrent neural networks read the fact from an input case and compare them against relevant legal provisions with the attention mechanism. The model's output shows if a person is guilty of a crime according to the fact and laws. After the performance test, we find that our model could yield the higher F1 than traditional text classification techniques including Naive Bayes and SVM. In addition, we innovate the open dataset called 'Thai Supreme Court Cases (TSCC)' that was compiled from many decades of Thai Supreme Court criminal judgements. It features the text of fact expertly extracted from each judgement, textual provisions from Thai Criminal Code, and binary-format labels following the theoretical criminal law structure. This dataset is useful for achieving judgement predicting task together with emulating actual criminal case trial.",
"Classes": [
"EE",
"EDU"
]
},
"069": {
"Title": "The Feasibility Study on the Infrastructure of Swapping Battery Station for Electric Motorcycles in Thailand",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.Thailand is a country where people rely on personal vehicles, especially conventional motorcycles which are the main source of the air pollution crisis in the country due to their emissions are containing tons of toxic gas. Hence, the Thai government announces the national strategic plan to switch from conventional fuel vehicles to electric ones by 2035. Currently, The EVs main strategic encouragements focus on electric cars charging stations which pervasive distributed in Bangkok and vicinity provinces. Since electric motorcycles(EMs)require different battery charging methods. Therefore, to be the guideline the potential solutions of these issues, the objective of this study introduces the feasibility of the occurrence of swapping battery Infrastructure for EMs based on previously successful implementation cases from several countries and the conclusion of EMs activities' s movement from the EMs working group of Thai automotive industries association. This study proposes the entire ecosystem of electric motorcycles along with the main resources of swapping battery infrastructure for EMs. It is concluded that to accelerate the EMs adoption in Thailand, the government is the main trigger to stimuli the related affiliations.",
"Classes": [
"EE"
]
},
"070": {
"Title": "Deep percolation characteristics via field soil moisture sensors - Case study in Phitsanulok, Thailand",
"Abstract": "\u00a9 2019, Taiwan Water Conservancy.This study developed the field measurement of soil moisture via sensor system to investigate deep percolation characteristics in the Rice Water Use Experimental Lab of Royal Irrigation Department in Phitsanulok Province, Thailand. From soil moisture field monitored at four depths, Hydrus-1D was applied to simulate water movement with soil hydraulic parameter estimates using field data for calibration. To understand deep percolation characteristics, rainfall, irrigation water and evaporation (called effective infiltration) inputs were monitored and used to simulate the effect of the pronounced climatic gradient (precipitation) and soil depths variability on percolation fluxes and applied the calibrated model. The effective infiltration and percolation at 2m depth is applied to detect the deep percolation changes and are described in the wetting and drying stages of soil. The study found that the effect of evaporation makes different percolation characteristics at shallower (1 m) and deeper (2 m) of soil layers. The daily maximum deep percolation (at 2 m) is 4.43 cm/ day when the soil moisture is saturated at 39%. The average rate of percolation (at 2 m) in the study period is 0.52 cm/day from the total input of effective infiltration. The percolation rate increased in soil with higher effective infiltration rate, deeper water table, soil moisture value in the subsoil (between saturation and field capacity). The ratio of total deep percolation and effective infiltration is 0.19 and the total deep percolation is 0.42 of rainfall plus irrigation in the rainy season. This study provided the understandings of deep percolation characteristics, its percolation rate and overall water balance of deep percolation system by using Hydrus-1D model with calibrated data from soil moisture sensors in the field.",
"Classes": [
"ENV",
"PE",
"CHE",
"AGRI"
]
},
"071": {
"Title": "The nanoporous carbon derived from melamine based polybenzoxazine and NaCl templating",
"Abstract": "\u00a9 2018 Trans Tech Publications, SwitzerlandNanoporous carbon was successfully prepared by using polybenzoxazine synthesized from bisphenol-A, melamine and formaldehyde as a precursor. The varied HCl amounts have been added into the pre-polymer solution as a catalyst for the ring-opening polymerization. The reaction was traced by FTIR and DSC. In addition, the degradation behavior was studied by TGA and the textural properties were characterized by SEM and surface area analysis (AS1-MP). The nanoporous carbon obtained showed the highest char yield up to 48%. The interconnected structure from the SEM images of the nanoporous carbon exhibited significantly high surface area of 632 m2/g, high total pore volume up to 1.78 cm2/g, small average pore diameter and narrow pore size distribution detected by AS1-MP. After the activation process, the surface area has been drastically improved leading to the increasing of surface area and total pore volume up to 1119 m2/g and 1.93 cm2/g, respectively. In order to further study on the enhancement of surface area, NaCl, a water soluble compound, has been used as a template. As a result, the surface area has been improved up to 1516 m2/g.",
"Classes": [
"CE",
"CHE",
"MATENG",
"MATSCI"
]
},
"072": {
"Title": "Environmental impact of irrigation to groundwater contamination and aquifer vulnerability from intensive agricultural practices in Thailand",
"Abstract": "\u00a9 2020 22nd Congress of the International Association for Hydro-Environment Engineering and Research-Asia Pacific Division, IAHR-APD 2020: \"Creating Resilience to Water-Related Challenges\". All rights reserved.Irrigation has contributed significantly to poverty alleviation, food security, and improving the quality of life for rural populations. However, infiltration of irrigation water in excess of available root zone storage from agricultural lands with poorer water quality may carry both agricultural chemicals and naturally recharge to groundwater, rivers, and lakes. In recent years water security concerns have centered on groundwater depletion by withdrawals for irrigated agriculture and groundwater quality degradation both from natural and anthropogenic origin, and only limited attention has been paid to the more insidious (and more chronic) problems of progressive aquifer contamination of groundwater recharge by irrigation return flows, which is occurring in major intensive agricultural practices. Environmental vulnerability and risk assessment is a step towards identification, analysis, and classification of vulnerable and risk factors as well as its long-term implications, and thus reduction of the possibility of adverse consequences from irrigation, are the primary objective of this present study. A novel approach for environmental impact of irrigation to groundwater contamination and aquifer vulnerability assessment is initiated and applied by combining a novel aquifer vulnerability DRASTIC map with pollution severity and prioritization based in probability of occurrence of pollution using TOPSIS ranking method. 9% of the total study area is categorized as high risk level which needs intensive groundwater samples from domestic and monitoring wells at various depths (100 samples from <30 m deep, and 60 samples from >60 m deep) are collected and analyzed for nitrate (as NO3-), K. sulphate (as SO42-) and other water quality parameters. NO3- level in groundwater ranged from 0.18 to 151 mg/L. Consistent K and NO3- trends from municipal wells in the study area indicate that nitrate source is likely agricultural origin. Detection of high nitrate concentration in shallow groundwater suggests the direct association of major nitrate concentration in groundwater aquifer with potential surficial source on the ground.",
"Classes": [
"ENV",
"CHE",
"AGRI",
"EDU",
"SAFETY"
]
},
"073": {
"Title": "Similar Cluster recommendation of Product Purchases by Pages liked Analysis",
"Abstract": "\u00a9 2018 IEEE.In recent years, social network become more popular and influential on the online commerce. Many customers can find the detail of products and trends on the social network using it to make the decision whether to purchase the product or not. In addition, it is also commonly used to collect users' related data to predict their future actions. In this paper, we study the correlation of purchasing histories and the customer's interests on social network (Facebook) to predict the future interests of customers that would show through social network. In addition, we use the data to find more similar target group of customers who are also interested in the same category of product by text analysis with Facebook Pages Liked. We focus on the product categories aligned by the shopping online websites and find the customer cluster which is similar with the customer who purchased. The study results are beneficial to focus groups of customers for communication or suggestion about the products matching with the groups of customers who are interested in the same group of products and have high potential to buy them. This model can adept with many real-world businesses to identify the user's characteristics and find more similar group of customers who interest in the products by changing the user attribute to find the user's interest. In our study, we adapt this model with the prototype system to recommend the similar group of customers.",
"Classes": [
"EE",
"CPE",
"EDU"
]
},
"074": {
"Title": "Porous ZnV2O4 Nanowire for Stable and High-Rate Lithium-Ion Battery Anodes",
"Abstract": "\u00a9 2019 American Chemical Society.Porous ZnV2O4 nanowires (NWs) were successfully prepared by hydrothermal reaction followed by calcination. Despite the porous structure, these porous ZnV2O4 NWs are single crystal with {220} facets and a wire direction along the c-axis. On the basis of an electrochemical test, these porous ZnV2O4 NWs have better cycling stability and higher specific capacity (i.e., 460 mA h g-1 after 100 cycles and 149 mA h g-1 after 1000 cycles using 1 and 5 A g-1 current densities, respectively) compared to other morphologies (i.e., spherical and coral-like morphologies). As a ternary transition metal oxide, the produced porous ZnV2O4 NWs undergo phase transformation without compromising the resulting capacity. On the other hand, the CV curves at different scan rates indicate a pseudocapacitive electrochemical behavior of the porous ZnV2O4.",
"Classes": [
"METAL",
"NANO",
"MATSCI"
]
},
"075": {
"Title": "Starbursts in and out of the star-formation main sequence",
"Abstract": "\u00a9 ESO 2018.Aims. We use high-resolution continuum images obtained with the Atacama Large Millimeter Array (ALMA) to probe the surface density of star formation in z \u223c 2 galaxies and study the different physical properties between galaxies within and above the star-formation main sequence of galaxies. Methods. We use ALMA images at 870 \u00b5m with 0.2 arcsec resolution in order to resolve star formation in a sample of eight star-forming galaxies at z \u223c 2 selected among the most massive Herschel galaxies in the GOODS-South field. This sample is supplemented with eleven galaxies from the public data of the 1.3 mm survey of the Hubble Ultra-Deep Field, HUDF. We derive dust and gas masses for the galaxies, compute their depletion times and gas fractions, and study the relative distributions of rest-frame ultraviolet (UV) and far-infrared (FIR) light. Results. ALMA reveals systematically dense concentrations of dusty star formation close to the center of the stellar component of the galaxies. We identify two different starburst regimes: (i) the classical population of starbursts located above the SFR-M main sequence, with enhanced gas fractions and short depletion times and (ii) a sub-population of galaxies located within the scatter of the main sequence that experience compact star formation with depletion timescales typical of starbursts of \u223c150 Myr. In both starburst populations, the FIR and UV are distributed in distinct regions and dust-corrected star formation rates (SFRs) estimated using UV-optical-near-infrared data alone underestimate the total SFR. Starbursts hidden in the main sequence show instead the lowest gas fractions of our sample and could represent the last stage of star formation prior to passivization. Being Herschel-selected, these main sequence galaxies are located in the high-mass end of the main sequence, hence we do not know whether these \u201cstarbursts hidden in the main sequence\u201d also exist below 1011 M. Active galactic nuclei (AGNs) are found to be ubiquitous in these compact starbursts, suggesting that the triggering mechanism also feeds the central black hole or that the active nucleus triggers star formation.",
"Classes": [
"ENV",
"EE"
]
},
"076": {
"Title": "Reactive Magnetron Sputter Deposition of Copper on TiO2 Support for Photoreduction of CO2 to CH4",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.In this work, nanocrystalline Cu/TiO2 catalysts have been synthesized by using pulsed direct current (DC) reactive magnetron sputtering of Cu targets in an Ar atmosphere onto P25-TiO2 support. The oscillating bowl was used to make the uniform coating on the substrate. The Cu doping content was varied by adjusting the coating time. The thus-obtained catalysts were characterized by using the X-ray diffraction (XRD), UV-Vis spectroscopy, scanning electron microscopy (SEM), and energy dispersive X-ray spectroscopy (EDX). The photocatalytic activities of all catalysts were studied via the photocatalytic reduction of CO2 and H2O to CH4 under UV irradiation, and compared with the pure TiO2 support and conventional-impregnation-made Cu/TiO2. The results showed that the photocatalytic performance of sputtering-made Cu/TiO2 catalyst was much better than the pure TiO2 support. Therefore, reactive magnetron sputtering was a promising technique for deposition of metal onto the support and use as the catalytic process.",
"Classes": [
"NANO",
"CHE",
"MATENG"
]
},
"077": {
"Title": "Influence of spatial variability of ground on seismic response analysis: a case study of Bangkok subsoils",
"Abstract": "\u00a9 2019, Springer-Verlag GmbH Germany, part of Springer Nature.The objective of this study was to observe the spatial variation in the geological subsoil condition on the seismic ground response of Bangkok subsoils during the remote 6.8 Mw Tarlay earthquake in 2011 in Northern Thailand. A simulation of random locations was initially performed to define the studied locations. The dynamic parameters, such as the soil index properties, shear modulus, and shear wave velocity, were determined from the subsurface modeling of Bangkok subsoils. Next-generation attenuation analysis was performed to define the input ground motion at each investigated site. Non-linear one-dimensional site response analysis was performed to investigate the surface ground motion, amplification factor, and spectral acceleration during short (0.2 s) and long (1 s) time periods. In general, it is important to consider the ground spatial variation in any seismic ground response analysis. The results show that Bangkok subsoils could magnify the seismic wave during an earthquake. For example, in the 2011 Tarlay earthquake, the magnification varied from two- to four-fold. The results from this study can be used to define the microzonation of the ground motion characteristic of Bangkok subsoils, such as the peak ground acceleration and the spectral acceleration, at short and long periods.",
"Classes": [
"PE",
"ME",
"MATSCI"
]
},
"078": {
"Title": "Synergistic effect of Thiourea and HCl on Palladium (II) recovery: An investigation on Chemical structures and thermodynamic stability via DFT",
"Abstract": "\u00a9 2021 The Author(s)This work duly investigates the recovery of Pd (II) chlorocomplexes from industrial wastewater. Chemical structures and thermodynamic stabilities of the complex formed are evaluated via density functional theory (DFT). By applying synergistic solutions of thiourea mixed with hydrochloric acid (HCl), the stripping reaction of Pd (II) in the loaded Aliquat 336 occurs and Pd (II) chlorocomplexes coordinated thiourea ligands are formed, thus 80.19% of Pd (II) chlorocomplexes can be recovered. The aim of this study is to gain a better understanding of the stripping mechanisms and the structure of the complexes formed via the synergistic system. Such an understanding is still limited since little research has been conducted in this field. Owing to their molecular geometry, ligand coordination and donor groups play a vital role in the reactivity of palladium (II) complex. Quantum models have been developed to evaluate the chemical structure and thermodynamics stability of ((NH2)2CS\u00b7PdCl2) namely: (i) DFT with B3LYP/6-31g(d,p) and MP2/6-31g(d,p) basis set, (ii) MP2 with cc-pVTZ basis set and (iii) CCSD(T)/cc-pVTZ. Results demonstrate that the highest geometric stability exhibited is the structure of Pd-S bonding with 180\u00b0 Cl-Pd-Cl. The distance (r) and angle (a) of the selected geometrical parameters for (NH2)2CS\u00b7PdCl2 complex are reported. Additionally, FTIR and UV\u2013vis spectroscopies have been conducted to analyze the sampling solutions. Further, the calculated vibrational frequencies and experimental spectroscopic results show good agreement with the optimized geometry.",
"Classes": [
"ME",
"CHE",
"MATH",
"MATSCI"
]
},
"079": {
"Title": "Utilization of bottom ash for degraded soil improvement for sustainable technology",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.Bottom ash is one of the main products from coal combustion in coal-fired power plants. It has been applied in many applications such as landfill, cement industry or raw feed for clinker, concrete, etc. Furthermore, it can be used in agriculture to improve soil quality. However, the utilization rate of bottom ash in agriculture is still very low only 0.1% of bottom ash. The properties of bottom ash can adjust the pH in soil and provide some nutrients to improve soil quality. Moreover, the soil degradation is a major problem in agricultural countries. The soil degradation is the decline in soil quality due to the improper land use, agriculture with misuse or excess use of fertilizers and so on. In Thailand, the soil degradation is a serious problem in agriculture in the northern mountainous areas. The mainly causes of soil degradation are from human activities such as overuse of pesticide, herbicide, and fertilizer, deforestation, expansion of cultivated areas. Therefore, the objective of this research is to apply the bottom ash from Mae-Moh power plant to improve soil quality of degraded soil in Nan province, Thailand and to investigate the effects of amount of bottom ash from 0-30% by weight on some parameters such as pH, electrical conductivity (EC), bulk density and soil texture. From the result, it is clear that with higher amount of bottom ash, the quality of degraded soil has been improved especially pH and soil texture. The pH can increase from 5.664 up to 7.408. Soil texture can change from clay to loam or sandy loam. The bulk density of soil decreases at all rates of bottom ash which is favorable for plant growth. This research can be applied for soil amendment and is expected to improve the yield for plant growing. Furthermore, the practical combinations of 10% and 20% of bottom ash are considered to apply in the real field to evaluate the improvement on soil properties in the future.",
"Classes": [
"CE",
"ENV",
"PE",
"CHE",
"AGRI"
]
},
"080": {
"Title": "Analysis of the equivalent dipole moment of red blood cell by using the boundary element method",
"Abstract": "\u00a9 2019 Elsevier LtdEquivalent dipole moment of biological cells under electric field is an important parameter for various applications such as analysis and manipulation of cells in biomedical samples. The dipole moment depends on cell geometries as well as electrical parameters of media involved. Unfortunately, the analytical expression of equivalent dipole is available only for simple geometries. This work numerically studies the variation of the dipole moment of a red blood cell with cell geometries and electrical parameters. The cell is modelled as a sphere, an oblate spheroid or a biconcave disc. The authors apply the boundary element method to electric field calculation and use re-expansion formulae to compute the equivalent dipole moment of the cell. The numerical results agree well with the analytical one for the spherical model. The effects of cell geometries are clarified for two directions of the electric field, which are parallel or normal to the axis of symmetry of the cell. Using the biconcave disc model, we perform iterative calculation to estimate the intracellular conductivity and specific membrane capacitance of red blood cells from experimental results.",
"Classes": [
"BME",
"EE",
"CHE",
"MATH"
]
},
"081": {
"Title": "A fast tag identification anti-collision algorithm for RFID systems",
"Abstract": "\u00a9 2019 John Wiley & Sons, Ltd.In this work, we propose a highly efficient binary tree-based anti-collision algorithm for radio frequency identification (RFID) tag identification. The proposed binary splitting modified dynamic tree (BS-MDT) algorithm employs a binary splitting tree to achieve accurate tag estimation and a modified dynamic tree algorithm for rapid tag identification. We mathematically evaluate the performance of the BS-MDT algorithm in terms of the system efficiency and the time system efficiency based on the ISO/IEC 18000-6 Type B standard. The derived mathematical model is validated using computer simulations. Numerical results show that the proposed BS-MDT algorithm can provide the system efficiency of 46% and time system efficiency of 74%, outperforming all other well-performed algorithms.",
"Classes": [
"EE",
"IE",
"SAFETY",
"MATH"
]
},
"082": {
"Title": "Effect of Water Content in Waste Cooking Oil on Biodiesel Production via Ester-transesterification in a Single Reactive Distillation",
"Abstract": "\u00a9 Published under licence by IOP Publishing Ltd.A single-column reactive distillation is employed to convert waste cooking oil to biodiesel via simultaneous esterification and transesterification reactions. The waste cooking oil contained 10 wt% of free fatty acid (FFA) and the contaminated water (2-8 wt%) was used as feedstocks for biodiesel production. Esterification was occurred in the upper of column to reduce FFA content to less than 1 wt% and to prevent the simultaneous saponification by base catalyst. Moreover, the contaminated water and by-product water (from esterification) together was removed in-situ as the distillate product. The reactive distillation has been optimally designed to have 16 stages consisting of 5 esterification, 9 transesterification stages and each stage for reboiler and condenser. The feed locations of oil and methanol were at the top of the column and at stage 6, respectively. The optimum methanol to oil ratio was 6:1 with reflux ratio 0.1 while the reboiler duty was in the range of 100-150 kW depended on the water content. This condition successfully converts 97 wt% of waste cooking oil to biodiesel with 96.5% purity.",
"Classes": [
"ENV",
"PE",
"CHE"
]
},
"083": {
"Title": "Numerical investigation of Au-silane functionalised optical fibre sensor for volatile organic compounds biomarker (VOCs) detection",
"Abstract": "\u00a9 2021 SPIE.A numerical modelling to theoretically investigate and analyse the characteristic of the surface functionalised optical fibre based sensor to detect volatile organic compounds (VOCs) biomarker is introduced in this paper. A 125-micron diameter of coreless silica fibre (CSF) connected to single-mode fibre (SMF) at both ends to achieve a structure of SMF-CSF-SMG is proposed to detect VOCs biomarkers for diabetes such as acetone and isopropanol. The coreless fibre region is considered to be a sensing region where the multimode interference (MMI) occurs having a higher light interaction at the interface between the fibre and sensing medium which leads to the enhancement of sensitivity. The sensing region undergoes surface functionalisation with Au-silane for the sensor to be selectively detect VOCs biomarker with electrostatic absorption. The length of the sensing region is numerically optimised to achieve a reimaging distance where the highest possible of coupling efficiency occurs and the maximum output signal can be obtained. Coupling efficiency spectra at different volume fractions of gold nanoparticles with various acetone and isopropanol concentrations are also presented. A sensitivity of the Au-silane functionalised optical fibre sensor is achieved by using the analysis of wavelength shift interrogation. The results show the spectra undergoes red-shift phenomenon in the near-infrared region (NIR) when concentrations of acetone and isopropanol are increased. The functionalisation of Au-silane on the optical fibre sensor provides a higher sensitivity compared to the unfunctionalised sensor as it shows more dramatic shifts of absorption spectra when there is a change in VOCs biomarker concentration.",
"Classes": [
"BME",
"OPTIC",
"CHE",
"IE"
]
},
"084": {
"Title": "Local Site Investigation of Liquefied Soils Caused by Earthquake in Northern Thailand",
"Abstract": "\u00a9 2018, \u00a9 2018 Taylor & Francis Group, LLC.Ambient noise measurements and spectral analysis of surface waves were performed in Mae Lao to investigate the local site effects of the May 5, 2014 Mae Lao earthquake in Northern Thailand. Site investigations were conducted to determine horizontal to vertical spectral ratio, predominant frequency, and shear wave velocity profile. The results showed that the liquefied locations were classified as Site Class D. The low Vs profile at the shallow depth confirmed evidences of liquefaction in this area. The results could bring an understanding of site response and dynamic behavior of soils during earthquake in the Northern Thailand.",
"Classes": [
"PE",
"ME",
"CHE",
"MATSCI"
]
},
"085": {
"Title": "A wearable in-ear EEG device for emotion monitoring",
"Abstract": "\u00a9 2019 by the authors. Licensee MDPI, Basel, Switzerland.For future healthcare applications, which are increasingly moving towards out-of-hospital or home-based caring models, the ability to remotely and continuously monitor patients\u2019 conditions effectively are imperative. Among others, emotional state is one of the conditions that could be of interest to doctors or caregivers. This paper discusses a preliminary study to develop a wearable device that is a low cost, single channel, dry contact, in-ear EEG suitable for non-intrusive monitoring. All aspects of the designs, engineering, and experimenting by applying machine learning for emotion classification, are covered. Based on the valence and arousal emotion model, the device is able to classify basic emotion with 71.07% accuracy (valence), 72.89% accuracy (arousal), and 53.72% (all four emotions). The results are comparable to those measured from the more conventional EEG headsets at T7 and T8 scalp positions. These results, together with its earphone-like wearability, suggest its potential usage especially for future healthcare applications, such as home-based or tele-monitoring systems as intended.",
"Classes": [
"BME",
"EE"
]
},
"086": {
"Title": "Drift-flux correlation for gas-liquid two-phase flow in a horizontal pipe",
"Abstract": "\u00a9 2017 Elsevier Inc.A drift-flux correlation has been often used to predict void fraction of gas-liquid two-phase flow in a horizontal channel due to its simplicity and practicality. The drift-flux correlation includes two important drift-flux parameters, namely, the distribution parameter and void-fraction-weighted-mean drift velocity. In this study, an extensive literature survey for horizontal two-phase flow is conducted to establish void fraction database and to acquire existing drift-flux correlations. A total of 566 data is collected from 12 data sources and 4 flow-regime-dependent and 1 flow-regime-independent drift-flux correlations are identified. The predictive capability of the existing drift-flux correlations is assessed using the collected data. It is pointed out that the drift velocity determined by a regression analysis may include a significant error due to a compensation error between distribution parameter and drift velocity. In this study, a simple flow-regime-independent drift-flux correlation is developed. In the modeling approach, the void-fraction-weighted mean drift velocity is approximated to be 0 m/s, whereas the distribution parameter is given as a simple function of the ratio of non-dimensional superficial gas velocity to non-dimensional mixture volumetric flux. The newly developed correlation shows an excellent predictive capability of void fraction for horizontal two-phase flow. Mean absolute error (or bias), standard deviation (random error), mean relative deviation and mean absolute relative deviation of the correlation are 0.0487, 0.0985, 0.0758 and 0.206, respectively. The prediction accuracy of the correlation is similar to the correlation of Chexal et al. (1991), which was formulated based on the drift-flux parameters by means of many cascading constitutive relationships with numerous empirical parameters.",
"Classes": [
"ME",
"MATH",
"MATSCI"
]
},
"087": {
"Title": "Usability Evaluation of Nutrition Fact Label",
"Abstract": "\u00a9 2018 IEEE.The nutritional fact label (NFL) is the medium used to communicate nutritional information that help people having a balance-dietary, while there were evidences claimed that current format of NFL had an interface issues. Thus, the purpose of this study was to evaluate usability of nutrition fact label concerning people's health literacy. This study conducted a quantitative usability testing together with an in-depth interview in order to understand how people accessed the nutrition information in current design. Forty participants with 10 people that are high health literacy and 30 people that are low health literacy participated in the usability testing. The individual differences of health literacy were found and the major interface issues were illustrated and discussed.",
"Classes": [
"BME",
"EDU"
]
},
"088": {
"Title": "Deep Learning for Stock Market Prediction Using Event Embedding and Technical Indicators",
"Abstract": "\u00a9 2018 IEEE.Recently, ability to handle tremendous amounts of information using increased computational capabilities has improved prediction of stock market behavior. Complex machine learning algorithms such as deep learning methods can analyze and detect complex data patterns. The recent prediction models use two types of inputs as (i) numerical information such as historical prices and technical indicators, and (ii) textual information including news contents or headlines. However, the use of textual data involves text representation construction. Traditional methods like word embedding may not be suitable for representing the semantics of financial news due to problems of word sparsity in datasets. In this paper, we aim to improve stock market predictions using a deep learning approach with event embedding vectors extracted from news headlines, historical price data, and a set of technical indicators as input. Our prediction model consists of Convolutional Neural Network (CNN) and Long Short-term Memory (LSTM) architectures. We use accuracy and annualized return based on trading simulation as performance metrics, and then perform experiments on three datasets obtained from different news sources namely Reuters, Reddit, and Intrinio. Results show that enhancing text representation vectors and considering both numerical and textual information as input to a deep neural network can improve prediction performance.",
"Classes": [
"BME",
"EE",
"CPE"
]
},
"089": {
"Title": "Impact analysis of renewable energy generation system onspinning reserveand operating cost",
"Abstract": "\u00a9 2018 IEEEThispaper presents impact analysis of renewable energy generationsystem impact on the spinning reserve and operating cost. The analysis is carried out byusing economic dispatchin the situation thatrenewable energy generation system hasthemost drastic fluctuations in the output. In addition, the proposed analysis model is illustrated using Thailand's power generation system. In the experimental results,impacts of renewable energy generation system on spinning reserve and operating costis analyzed by varying installed capacity of wind and solar power generation systemsThe results showthat drastic fluctuations in the output of wind and solar power generation systemsas well asan increase of wind and solar installed capacity cancause arise inthe spinning reserveand operating costof the system.",
"Classes": [
"ME",
"IE"
]
},
"090": {
"Title": "Joint timing offset and delay spread estimation for OFDM symbol synchronization over multipath fading channels",
"Abstract": "\u00a9 2019 IEEE.In this paper, we present a blind symbol timing offset estimation utilizing cyclic prefix for OFDM systems over multipath fading channels without a priori knowledge of the channel power-delay profile being required. The proposed technique is based on maximum likelihood (ML) principle which is capable of estimating jointly symbol timing offset and channel power-delay spread. Numerical results obtained through computer simulations show that our proposed technique can be effective in comparison to other techniques for additive white Gaussian noise (AWGN) and multipath fading channels.",
"Classes": [
"EE",
"MATH"
]
},
"091": {
"Title": "Development of a restraining wall and screw-extractor discharge system for continuous jig separation of mixed plastics",
"Abstract": "\u00a9 2021 Elsevier LtdBatch and continuous jig experiments were compared using plastic mixtures with different light and heavy particle ratios. The purity of bottom layer products of continuous jig was lower than those of batch jig because of light particle entrainment induced by the screw-type extractor. To minimize entrainment, a new discharge system consisting of a vertical restraining wall and a screw-type extractor was developed. The restraining wall was installed close to the \u201cproduct-end\u201d to separate the jig chamber into two and allow particles to transfer from one part to the other via the gap under the wall. The experimental results showed that this proposed discharge system could improve the purity of heavy particles in bottom layer products because of two reasons: (1) higher material mass ratio of heavy plastic close to product-end, and (2) changes in the flow of water and particles. Moreover, the purity of bottom layer products during continuous jig separation was influenced by the difference of material mass ratio in feed; that is, purity was higher when the ratio of heavy plastic was high. In addition, an estimation procedure based on multi-step treatment using separation curves is proposed to achieve the target purity of bottom layer products.",
"Classes": [
"ENV",
"ME"
]
},
"092": {
"Title": "MHCSeqNet: A deep neural network model for universal MHC binding prediction",
"Abstract": "\u00a9 2019 The Author(s).Background: Immunotherapy is an emerging approach in cancer treatment that activates the host immune system to destroy cancer cells expressing unique peptide signatures (neoepitopes). Administrations of cancer-specific neoepitopes in the form of synthetic peptide vaccine have been proven effective in both mouse models and human patients. Because only a tiny fraction of cancer-specific neoepitopes actually elicits immune response, selection of potent, immunogenic neoepitopes remains a challenging step in cancer vaccine development. A basic approach for immunogenicity prediction is based on the premise that effective neoepitope should bind with the Major Histocompatibility Complex (MHC) with high affinity. Results: In this study, we developed MHCSeqNet, an open-source deep learning model, which not only outperforms state-of-the-art predictors on both MHC binding affinity and MHC ligand peptidome datasets but also exhibits promising generalization to unseen MHC class I alleles. MHCSeqNet employed neural network architectures developed for natural language processing to model amino acid sequence representations of MHC allele and epitope peptide as sentences with amino acids as individual words. This consideration allows MHCSeqNet to accept new MHC alleles as well as peptides of any length. Conclusions: The improved performance and the flexibility offered by MHCSeqNet should make it a valuable tool for screening effective neoepitopes in cancer vaccine development.",
"Classes": [
"BME",
"CPE",
"CHE"
]
},
"093": {
"Title": "Impact of AlCl3 and FeCl2 Addition on Catalytic Behaviors of TiCl4/MgCl2/THF Catalysts for Ethylene Polymerization and Ethylene/1-Hexene Copolymerization",
"Abstract": "Copyright \u00a9 2018 BCREC Group. All rights reserved.The present research focuses on elucidating of the impact of Lewis acids including AlCl3 and FeCl2 addition on catalytic behaviors during ethylene polymerization and ethylene/1-hexene copolymerization over the TiCl4/MgCl2/THF catalyst (Cat. A). In this study, the Cat. A with the absence and presence of Lewis acids was synthesized via the chemical route. Then, all catalyst samples were characterized and tested in the slurry polymerization. For ethylene polymerization, using the Cat. A with the presence of AlCl3 apparently gave the highest activity among other catalysts. In addition, the activity of catalysts tended to increase with the presence of the Lewis acids. This can be attributed to an enhancement of active center distribution by the addition of Lewis acids leading to larger amounts of the isolated Ti species. Moreover, with the presence of Lewis acids, the effect of hydrogen on the decreased activity was also less pronounced. Considering ethylene/1-hexene copolymerization, it revealed that the catalyst with the presence of mixed Lewis acids (AlCl3 + FeCl2) exhibited the highest activity. It is suggested that the presence of mixed Lewis acids possibly caused a change in acidity of active sites, which is suitable for copolymerization. However, activities of all catalysts in ethylene/1-hexene copolymerization were lower than those in ethylene polymerization. The effect of hydrogen on the decreased activity for both polymerization and copolymerization system was found to be similar with the presence of Lewis acids. Based on this study, it is quite promising to enhance the catalytic activity by addition of proper Lewis acids, especially when the pressure of hydrogen increases. The characteristics of polymers obtained upon the presence of Lewis acids will be discussed further in more detail.",
"Classes": [
"CHE",
"MATENG"
]
},
"094": {
"Title": "Modular transformation of embedded systems from firm-cores to soft-cores",
"Abstract": "Copyright \u00a9 2021 Inderscience Enterprises Ltd.Although there are many 8-bit IP processor cores available, only a few, such as Xilinx PicoBlaze and Lattice Mico8 firm-cores are reliable enough to be used in commercial products. One of the drawbacks is that their codes are confined to vendor-specific primitives. It is inefficient to implement a PicoBlaze processor on non-Xilinx FPGA devices. In this paper we propose a systematic approach that transforms primitive-level designs (firm-cores) to vendor independent designs (soft-cores), while modularising them during the process. This makes modification and implementation of designs on any FPGA devices possible. To demonstrate the idea, our soft-core version of PicoBlaze is implemented on a Lattice iCE40LP1k FPGA device and is shown to be fully compatible with the original PicoBlaze macro. Rigorous verification mechanisms have been employed to ensure the validity of the porting process; therefore, the quality of transformation matches the industry expectation.",
"Classes": [
"CPE"
]
},
"095": {
"Title": "Thermodynamic analysis of the novel chemical looping process for two-grade hydrogen production with CO2 capture",
"Abstract": "\u00a9 2018 Elsevier LtdThe integrated sorption-enhanced chemical looping reforming and water splitting (SECLR-WS) process was proposed for hydrogen (H2) production from biogas using iron oxide as an oxygen carrier and calcium oxide (CaO) as a carbon dioxide (CO2) adsorbent. In the SECLR-WS process, the biogas feed is partially oxidized using iron oxide and CO2 is captured by CaO in the fuel reactor (FR) to produce H2-rich syngas. The iron oxide is re-oxidized in the steam reactor (SR) to generate a high-purity H2 stream and CaO is regenerated in the calcinator. The simulation of the SECLR-WS process was based on a thermodynamic approach and was performed using an Aspen Plus simulator. The effects of key parameters such as the steam feed to the FR to methane (SFR/CH4) and iron (II, III) oxide (Fe3O4) to CH4 (Fe3O4/CH4) molar ratios on the process performance in terms of H2 yield and purity, and CH4 conversion were investigated. The results showed that the H2 yield, H2 purity in the FR, and CH4 conversion could be improved by increasing the SFR/CH4 and CaO/CH4 molar ratios. A total H2 yield of 3.8 and a H2 purity in the FR of 97.01 mol% can be obtained at the FR and SR temperatures of 610 and 500 \u00b0C, and SFR/CH4, CaO/CH4, Fe3O4/CH4, and SSR/CH4 molar ratios of 2.2, 1.66, 1, and 2.87, respectively. The molar concentration of carbon monoxide (CO) in the high-purity H2 stream could be reduced by increasing the pressure in the SR and the amount of CO2 in the biogas feed stream negatively affected the performance of the system. In addition, increasing the Fe3O4/CH4 molar ratio can improve the heat demand in the FR.",
"Classes": [
"PE",
"CPE",
"CHE"
]
},
"096": {
"Title": "Optimal hybrid renewable energy system considering renewable energy potential in the area",
"Abstract": "\u00a9 2018 IEEEThis paper proposes a method to determine the size and operation of hybrid renewable energy system. The obtained size and operation are aimed to be most appropriate by using optimization technique to maximize benefits from the electrical energy sale. The analysis is based on renewable energy potential in a selected area of Thailand, Thailand's SPP Hybrid Firm policy, investment cost and fuel cost of each renewable energy system. In addition, the renewable energy sources that are considered in this paper consist of solar, wind, biomass, biogas and waste. In the numerical simulation, the result of the proposed method shows that PV-biomass is the most appropriate hybrid renewable energy system for the area.",
"Classes": [
"PE",
"IE",
"MATH"
]
},
"097": {
"Title": "Baseline Calculation of Industrial Factories for Demand Response Application",
"Abstract": "\u00a9 2018 IEEE.Baseline calculation is one of the most important issues in demand response program. Accurate baseline calculation means fair payment to the customers. This paper proposes a method that is based on the Levenberg-Marquardt algorithm of neural networks for such calculations. Its performance is compared with two well-known methods: (1) Linear Regression Analysis, and (2) Polynomial Regression Analysis. We have shown that the most accurate result of the baseline in the sampled industrial factory is neural networks using the Levenberg-Marquardt algorithm.",
"Classes": [
"MATH"
]
},
"098": {
"Title": "Formal modeling for consistency checking of signal transition graph",
"Abstract": "\u00a9 2017 IEEE.The behavior of asynchronous hardware system is crucial and practically assured using the formal verification techniques. A signal transition graph is one of the effective alternatives to represent the behavioral design of a huge asynchronous system. The design could be verified beforehand to assure several essential properties including its consistency property. In this paper, the formal modeling scheme of a signal transition graph is proposed along with the consistency property in term of the linear temporal formula. The target signal transition graph is written in Promela code and verified using SPIN model checker. The result shows that the method can verify consistency property automatically.",
"Classes": [
"CPE"
]
},
"099": {
"Title": "Correlated optical and structural analyses of individual GaAsP/GaP core-shell nanowires",
"Abstract": "\u00a9 2019 IOP Publishing Ltd.We report on the structural and optical properties of GaAs0.7P0.3/GaP core-shell nanowires (NWs) for future photovoltaic applications. The NWs are grown by self-catalyzed molecular beam epitaxy. Scanning transmission electron microscopy (STEM) analyses demonstrate that the GaAsP NW core develops an inverse-tapered shape with a formation of an unintentional GaAsP shell having a lower P content. Without surface passivation, this unintentional shell produces no luminescence because of strong surface recombination. However, passivation of the surface with a GaP shell leads to the appearance of a secondary peak in the luminescence spectrum arising from this unintentional shell. The attribution of the luminescence peaks is confirmed by correlated cathodoluminescence and STEM analyses of the same NW.",
"Classes": [
"CE",
"METAL",
"OPTIC",
"NANO",
"CHE",
"MATSCI"
]
},
"100": {
"Title": "Maximizing double-link failure recovery of over-dimensioned optical mesh networks",
"Abstract": "\u00a9 2019Double-link failure models, in which any two links in the network fail in an arbitrary order, are becoming critical in survivable optical network designs. Optical networks that are over-dimensioned and purposely preplanned for full protection against any single-link failure may not survive well in an event of a double-link failure. It is therefore important to understand how much impact a subsequent second link failure may have upon traffic recovery of both failed links. This paper primarily aims to investigate traffic recoverability when a double-link failure occurs. We propose several methods for improving traffic recovery without using additional backup capacities other than the existing backup resources available for single-link failure recovery. In each proposed method, integer linear programming formulation is derived to optimize the backup resource allocation. Numerical results on various network configurations have shed some light on how network operators can choose one of five alternative methods to better handle a double-link failure. From numerical results, Method 1 offers some improvement on the traffic recoverability of the second failed link without disturbing the recovered traffic of the first failed link. Method 2 reveals that the traffic recoverability of the first failed link can be improved if the backup routes of the unrecovered traffic of the first failed link can be reassigned. Method 3 is useful for maximizing the traffic recoverability of the first failed link. Method 4 further increases the recoverability of the second failed link while maintaining the same recoverability of the first failed link as Method 3. Finally, Method 5 accomplishes the maximum overall traffic recoverability.",
"Classes": [
"CPE",
"OPTIC",
"MATH"
]
},
"101": {
"Title": "Facile fabrication of WO3/MWCNT hybrid materials for gas sensing application",
"Abstract": "\u00a9 2019 Elsevier B.V.Hybrid materials of tungsten oxide (WO3) and multi-walled carbon nanotubes (MWCNTs) were fabricated by a facile method using acid precipitation route. Ammonium tungstate para-pentahydrate was supplied to a designated amount of MWCNTs to prepare a precipitate of tungsten compound hybridizing with MWCNT surface in prior to calcination with air in a temperature range of 300\u2013600 \u00b0C. Morphology, crystalline, functional groups on surface, porosity and thermal stability of synthesized hybrid material were characterized by SEM, XRD, Fourier transform Raman spectroscopy, TGA and BET analyses. It could be confirmed that the prepared WO3/MWCNT hybrid materials possessed very high BET surface area and mesoporous characteristics with good thermal stability which would be beneficial to their application as thick-film sensors.",
"Classes": [
"ENV",
"ME",
"NANO",
"CHE",
"MATENG",
"MATSCI"
]
},
"102": {
"Title": "Performance comparison among different multifunctional reactors operated under energy self-sufficiency for sustainable hydrogen production from ethanol",
"Abstract": "\u00a9 2019 Hydrogen Energy Publications LLCFour ethanol-derived hydrogen production processes including conventional ethanol steam reforming (ESR), sorption enhanced steam reforming (SESR), chemical looping reforming (CLR) and sorption enhanced chemical looping reforming (SECLR) were simulated on the basis of energy self-sufficiency, i.e. process energy requirement supplied by burning some of the produced hydrogen. The process performances in terms of hydrogen productivity, hydrogen purity, ethanol conversion, CO2 capture ability and thermal efficiency were compared at their maximized net hydrogen. The simulation results showed that the sorption enhanced processes yield better performances than the conventional ESR and CLR because their in situ CO2 sorption increases hydrogen production and provides heat from the sorption reaction. SECLR is the most promising process as it offers the highest net hydrogen with high-purity hydrogen at low energy requirement. Only 12.5% of the produced hydrogen was diverted into combustion to fulfill the process's energy requirement. The thermal efficiency of SECLR was evaluated at 86% at its optimal condition.",
"Classes": [
"PE",
"CHE"
]
},
"103": {
"Title": "Structure and mechanical properties of ADC 12 Al foam-polymer interpenetrating phase composites with epoxy resin or silicone",
"Abstract": "\u00a9 Carl Hanser Verlag, M\u00fcnchenMetal foam is a high-porosity engineering material which has many outstanding properties such as light weight, high specific strength and stiffness, large energy absorption during impact and good thermal transportation. The impregnation of metal foams with polymers produces a new types of composites such as interpenetrating phase composites (IPCs) or co-continuous composites due to the interconnection on a macroscopic level of individual phases as a co-continuous 3-D network. The coexistence of the metal and polymer phases allows each to contribute its prominent properties to the composite. This innovative composite material is a potential candidate for applications in the automotive and aerospace industries. The present study aims to develop two IPCs from open-cell Al foams of 20 ppi impregnated with silicone or epoxy resin. The compressive behavior and energy absorption characteristics of IPCs are also examined and compared. The results show that although both IPCs have a similar foam structure with similar density, the disparities in the properties of impregnated polymers lead to distinct mechanical properties. The combination of Al foam and polymers, both silicone and epoxyresin, results in IPCs stiffer than either of the two individual materials bythemselves. Higher stiffness was found in IPCs with epoxy resin, owing to brittle nature of the resin. Energy absorption capacity was also increased when compared with the original Al foam.",
"Classes": [
"METAL",
"MATENG",
"MATSCI"
]
},
"104": {
"Title": "Dynamic symmetry breaking in sat using augmented clauses with a polynomial-time lexicographic pruning",
"Abstract": "\u00a9 2018 IEEE.Dynamic symmetry breaking in Boolean satisfiability problems (SAT) is often performed by adding symmetric versions of the learned clauses into the clause database. Using a notion of augmented clause every symmetric version can be learned. The task of unit propagation is then transformed into a search problem under a permutation group. Our work focuses on a special kind of symmetry called row symmetry. We present the optimization to the search problem under a group containing row symmetry subgroups mainly relies on lexicographic pruning and the fact that some instances can be reduced to minimal assignment problems. We also introduce a construction of subgroups of row symmetry groups to ensure that every sub-task could be performed in polynomial time. Lastly, we discuss the implementation of our technique and some of the technical issue that needed to be address.",
"Classes": [
"MATH",
"MATSCI"
]
},
"105": {
"Title": "A durable rechargeable zinc-air battery via self-supported MnOx-S air electrode",
"Abstract": "\u00a9 2021 The Author(s)The durability and performance of an air electrode can have a crucial impact on rechargeable zinc-air batteries (ZABs). A typical air electrode fabricated using conductive carbon and a polymeric binder suffers rapid degradation during charging, stemming from oxygen bubbles erosion and carbon corrosion. This work presents a durable air electrode having a self-supported sulfur-doped manganese oxides (MnOx-S) electrocatalyst prepared through hydrothermal process followed by ambient temperature sulfurization. Upon sulfurization, MnO2 nanoflakes are transformed into MnOx-S having a heterostructure of Mn3O4, MnO2 and MnSx. MnOx-S provided superior electrochemical properties for both oxygen reduction reaction (Tafel slope of 68 mV/dec) and oxygen evolution reaction (Tafel slope of 80 mV/dec). Self-supported electrodes using MnOx-S and MnO2 electrocatalysts were scrutinized in a bi-electrode rechargeable ZAB having a stagnant electrolyte. In the ZAB using the self-supported MnOx-S electrode, both significant discharge peak power density (74 mW/cm2 at 135 mA/cm2) as well as low voltage difference between charge and discharge processes (0.75 V) were observed. In addition, for charge-discharge cycling at 20 mA/cm2, the ZAB using the self-supported MnOx-S electrode achieved stable cycling through 2000 cycles without apparent degradation. The air electrode having the self-supported MnOx-S paves the way for a more durable and higher performance favoring practical application for rechargeable ZABs.",
"Classes": [
"METAL",
"EE",
"CHE",
"MATH"
]
},
"106": {
"Title": "Anisotropic robustness of talc particles after surface modifications probed by atomic force microscopy force spectroscopy",
"Abstract": "\u00a9 2021 Chinese Society of Particuology and Institute of Process Engineering, Chinese Academy of SciencesAs a versatile mineral, the crystalline hydrated magnesium silicate talcum, or talc, has been widely used in numerous industries from pharmaceutical formulations to composite material designs. Its efficient application as filler/additives incorporates the improvement in concomitant properties within materials, e.g., strength, which involves interactions between talc particles and aqueous/nonaqueous matrices. Successful property enhancement imposes ideal mixing and homogenous adhesion within a talc particle, but they are limited by the coexistence of face and edge surfaces of talc, which exhibit different level of hydrophobicity. Here, using atomic force microscopy force spectroscopy, we showed that although hydrophilic talc particles obtained from acid treatment or aminosilanization better adhered with materials representing a matrix, the anisotropic characters of the two surface types persisted. Conversely, the degree of talc's surface anisotropy reduced with the surface hydrophobization by aliphatic methylsilanization, but followed by the decrease in adhesion. With ten-fold difference in Hamaker constants of the probe/talc surface interacting pairs, we showed that the adhesions resulted from van der Waals interactions that suggested the influence of surface polarity. The insight from this work would provide grounds for strategies to modulate talc's adhesion, hydrophobicity and surface uniformity.",
"Classes": [
"PE",
"OPTIC",
"NANO",
"MATSCI"
]
},
"107": {
"Title": "Movie Revenue Prediction Using Regression and Clustering",
"Abstract": "\u00a9 2018 IEEE.Among many movies that have been released, some generate high profit while the others do not. This paper studies the relationship between movie factors and its revenue and build prediction models. Besides analysis on aggregate data, we also divide data into groups using different methods and compare accuracy across these techniques as well as explore whether clustering techniques could help improve accuracy. Specifically, two major steps were employed. Initially, linear regression, polynomial regression and support vector regression (SVR) were applied on the entire movie data to predict the movie revenue. Then, clustering techniques, such as by genre, using Expectation Maximization (EM) and using K-means were applied to divide data into groups before regression analyses are executed. To compare accuracy among different techniques, R-square and the root-mean-square error (RMSE) were used as a performance indicator. Our study shows that generally linear regression without clustering offers the model with the highest R-square, while linear regression with EM clustering yields the lowest RMSE.",
"Classes": [
"CPE",
"EDU",
"MATH"
]
},
"108": {
"Title": "Effect of different phase composition in titania on catalytic behaviors of AgLi/TiO2 catalysts via ethanol dehydrogenation",
"Abstract": "\u00a9 2019 Elsevier Ltd.This research was to investigate the production of acetaldehyde from ethanol by non-oxidative and oxidative dehydrogenation reaction over AgLi/TiO2 catalysts containing different phases of TiO2 supports. The catalysts were prepared via impregnation of Ag and Li onto TiO2 having different phases [anatase (A), rutile (R) and mixed phases (AR)]. The structure of different AgLi/TiO2 catalysts was confirmed using various techniques including XRD, N2 physisorption, SEM-EDX, ICP, FTIR, UV-vis spectroscopy, H2-TPR, and CO2-TPD. The results from non-oxidative dehydrogenation indicated that AgLi/TiO2-A catalyst exhibited the highest acetaldehyde yield of ca. 40 % at 300\u00e2\u00b0C, while acetaldehyde yield of ca. 66 % was obtained for AgLi/TiO2-AR catalyst at 300\u00e2\u00b0C in oxidative dehydrogenation. On the basis of experimental results, we conclude that the phases transition of TiO2 strongly affects the physicochemical properties of AgLi/TiO2 catalysts. The influence of catalyst properties such as the strength of basic sites and reduction behaviors have been a positive synergetic effect for enhancing the catalytic performance of both reactions. Reasons for these were discussed.",
"Classes": [
"PE",
"CHE"
]
},
"109": {
"Title": "Demonstration of Photovoltaic Effects in Hybrid Type-I InAs/GaAs Quantum Dots and Type-II GaSb/GaAs Quantum Dots",
"Abstract": "\u00a9 2018 IEEE.We fabricate hybrid quantum dot (QD) solar cells by combining type-I InAs/GaAs QDs and type-II GaSb/ GaAs QDs, where the benefits of strong light absorption of type-I QDs and long carrier lifetime of type-II QDs are combined in a single device by using molecular beam epitaxy. We confirm the processes of photon absorption and emission by type-I QDs and reabsorption by type-II QDs by investigating their photoluminescence properties. The photovoltaic effects in such hybrid QD solar cells are also demonstrated. Our hybrid QD nanostructures would find potential applications in high efficiency QD-based solar cells operating under concentrated sunlight.",
"Classes": [
"PE",
"ME",
"EE",
"OPTIC",
"NANO",
"CHE",
"MATSCI"
]
},
"110": {
"Title": "Effect of sustained service loading on post-fire flexural response of reinforced concrete T-beams",
"Abstract": "Copyright \u00a9 2019, American Concrete Institute. All rights reservedThis paper presents the effect of sustained service loading at elevated temperatures on the residual flexural response of reinforced concrete (RC) T-beams after exposed to elevated temperatures of 700 and 900\u00b0C (1292 and 1652\u00b0F) for 3 hours and then cooled in air. Two beams were subjected to a constant simulated service loading equal to 22.6% of undamaged (unheated) flexural strength, while the counterpart beams were exposed to fire without any applied sustained load. The test results showed that the bottom (tension) steel reinforcements in all fire-exposed beams had experienced the peak temperatures that were higher than a critical value (593\u00b0C [1099\u00b0F]) before the post-fire static test. The post-fire static test results showed that the sustained loading has a detrimental effect on the post-fire flexural response of RC beams. The effect was more pronounced on the post-fire stiffness and ductility than on strength. In the paper, simplified finite element models for predicting the temperature response and post-fire load-deflection relationships of fire-exposed RC beams are also described.",
"Classes": [
"CE",
"SAFETY",
"MATH"
]
},
"111": {
"Title": "Effect of acrylonitrile content of acrylonitrile butadiene rubber on mechanical and thermal properties of dynamically vulcanized poly(lactic acid) blends",
"Abstract": "\u00a9 2019 Society of Chemical IndustryWe report here the morphology, thermal and tensile properties of poly(lactic acid) (PLA) blends composed of acrylonitrile butadiene rubber (NBR) with different acrylonitrile contents with/without dynamic vulcanization by dicumyl peroxide (DCP). The interfacial tension of PLA and NBR measured by contact angle measurement decreased as the acrylonitrile content of NBR decreased. Likewise, SEM images showed that the rubber particle size reduced with decreasing acrylonitrile content owing to the stronger interfacial adhesion between the PLA matrix and NBR domains. Incorporation of DCP at 1.0 phr for dynamic vulcanization led to higher crosslink density and, in turn, optimal tensile strength and tensile toughness as a result of the action of PLA-NBR copolymer as a reactive compatibilizer. The dynamic vulcanization of the blends containing low acrylonitrile NBR gave the most improved tensile properties because the free radicals from DCP decomposition preferentially attacked the allylic hydrogen atoms or double bonds of the butadiene backbone. Accordingly, more NBR macroradicals were generated and probably more PLA-NBR copolymers were produced. Moreover, further addition of DCP at 2.0 phr provided a large amount of crosslinked NBR gel, which significantly degraded the tensile properties. From the DSC results, dynamic vulcanization lowered the cold crystallization temperature, implying an improvement of cold crystallization. Finally, TGA results showed a higher degradation temperature as a function of DCP content, which suggested that thermal stability increased due to stronger interfacial adhesion as well as higher gel content. \u00a9 2019 Society of Chemical Industry.",
"Classes": [
"CHE",
"MATENG",
"MATSCI"
]
},
"112": {
"Title": "Carbon Dioxide Adsorption on Grafted Nanofibrous Adsorbents Functionalized Using Different Amines",
"Abstract": "\u00a9 Copyright \u00a9 2019 Abbasi, Nasef, Babadi, Faridi-Majidi, Takeshi, Abouzari-Lotf, Choong, Somwangthanaroj and Kheawhom.Of late, the demand for new CO2 adsorbents with high adsorption capacity and stability is growing very fast. Nanofibrous adsorbents are potential materials for such application with most attempts made on carbon nanofibers. In this study, a series of electrospun nanofibrous adsorbents containing amines were prepared using a 3-stage promising approach and tested comparatively for CO2 capture. The preparation of adsorbents involved electrospinning of syndiotactic polypropylene (s-PP) solution, radiation-induced grafting (RIG) of glycidyl methacrylate (GMA) onto electrospun nanofibers, and functionalization of poly-GMA grafted s-PP nanofibrous mats with different amines, including ethanolamine (EA) diethylamine (DEA) and triethylamine (TEA). The effect of different amination parameters: namely, amine concentration, reaction time, temperature, and degree of grafting (DG) on the degree of amination (DA), was evaluated. The nanofibrous mats containing amine were tested for CO2 adsorption in a fixed bed column operated under various parameters such as amine density, amine type, initial CO2 concentration and temperature. The adsorbents recorded CO2 adsorption capacities of 2.87, 2.06, and 0.94 mmol/g for EA-, DEA- and TEA-containing adsorbents, respectively, at 30\u00b0C using initial CO2 concentration of 15%. This was coupled with the same order of high amine efficiency of 75, 57, and 31%. Results demonstrated that the nanofibrous adsorbent containing amine had strong potential for CO2 capture application.",
"Classes": [
"NANO",
"CHE",
"MATENG",