Search results for: variable range hopping
Commenced in January 2007
Frequency: Monthly
Edition: International
Paper Count: 8478

Search results for: variable range hopping

3558 Graph Neural Networks and Rotary Position Embedding for Voice Activity Detection

Authors: YingWei Tan, XueFeng Ding

Abstract:

Attention-based voice activity detection models have gained significant attention in recent years due to their fast training speed and ability to capture a wide contextual range. The inclusion of multi-head style and position embedding in the attention architecture are crucial. Having multiple attention heads allows for differential focus on different parts of the sequence, while position embedding provides guidance for modeling dependencies between elements at various positions in the input sequence. In this work, we propose an approach by considering each head as a node, enabling the application of graph neural networks (GNN) to identify correlations among the different nodes. In addition, we adopt an implementation named rotary position embedding (RoPE), which encodes absolute positional information into the input sequence by a rotation matrix, and naturally incorporates explicit relative position information into a self-attention module. We evaluate the effectiveness of our method on a synthetic dataset, and the results demonstrate its superiority over the baseline CRNN in scenarios with low signal-to-noise ratio and noise, while also exhibiting robustness across different noise types. In summary, our proposed framework effectively combines the strengths of CNN and RNN (LSTM), and further enhances detection performance through the integration of graph neural networks and rotary position embedding.

Keywords: voice activity detection, CRNN, graph neural networks, rotary position embedding

Procedia PDF Downloads 58
3557 A Kernel-Based Method for MicroRNA Precursor Identification

Authors: Bin Liu

Abstract:

MicroRNAs (miRNAs) are small non-coding RNA molecules, functioning in transcriptional and post-transcriptional regulation of gene expression. The discrimination of the real pre-miRNAs from the false ones (such as hairpin sequences with similar stem-loops) is necessary for the understanding of miRNAs’ role in the control of cell life and death. Since both their small size and sequence specificity, it cannot be based on sequence information alone but requires structure information about the miRNA precursor to get satisfactory performance. Kmers are convenient and widely used features for modeling the properties of miRNAs and other biological sequences. However, Kmers suffer from the inherent limitation that if the parameter K is increased to incorporate long range effects, some certain Kmer will appear rarely or even not appear, as a consequence, most Kmers absent and a few present once. Thus, the statistical learning approaches using Kmers as features become susceptible to noisy data once K becomes large. In this study, we proposed a Gapped k-mer approach to overcome the disadvantages of Kmers, and applied this method to the field of miRNA prediction. Combined with the structure status composition, a classifier called imiRNA-GSSC was proposed. We show that compared to the original imiRNA-kmer and alternative approaches. Trained on human miRNA precursors, this predictor can achieve an accuracy of 82.34 for predicting 4022 pre-miRNA precursors from eleven species.

Keywords: gapped k-mer, imiRNA-GSSC, microRNA precursor, support vector machine

Procedia PDF Downloads 154
3556 Illegitimate Pain and Ideology: Building a Theoretical Model for Future Analyses

Authors: J. Scott Kenney

Abstract:

Not all pain is created equal. In recent decades, the concept of Illegitimate pain has begun to shed light on the phenomena of emotional and physical pain that is misunderstood, neglected, or stigmatized, broadly conceptualized along dimensions of relative legitimation and physicality. Yet, beyond a pioneering study of the suffering of closeted LGBTQ + individuals, along with an analysis of the pains experienced by students at a religious boarding school, there has been insufficient attention to what lies behind such marginalized suffering beyond the original claim that it relates to broad interpretive standards and structured power relations, mediated through interaction in various groups/settings. This paper seeks to delve theoretically into this underdeveloped terrain. Building on earlier work, it takes direct aim at the definitional aspect that lies analytically prior to such matters, theoretically unpacking the role of ideology. Following a general introduction focused on theoretical relationships between social structure, power, and ideas, the paper reviews a range of sociological literature on relevant matters. After condensing the insights from these various literatures into a series of theoretical statements, the paper analytically engages with these to articulate a series of theoretical and methodological elaborations intended to practically assist researchers in empirically examining such matters in today's complex social environment.

Keywords: deviance, ideology, illegitimate pain, social theory, victimization

Procedia PDF Downloads 44
3555 Thermal Performance of Fully Immersed Server into Saturated Fluid Porous Medium

Authors: Yaser Al-Anii, Abdulmajeed Almaneea, Jonathan L. Summers, Harvey M. Thompson, Nikil Kapur

Abstract:

The natural convection cooling system of a fully immersed server in dielectric liquid is studied numerically. In present case study, the dielectric liquid represents working fluid and it is in contact with server inside capsule. The capsule includes electronic component and fluid, which can be modelled as saturated porous media. This medium follow Darcy flow regime and assumed to be in balance between its components. The study focus is on role of spatial parameters on thermal behavior of convective heat transfer. Based on server known unit, which is 1U, two parameters Ly and S are changed to test their effect. Meanwhile, wide range of modified Rayleigh number, which is 0.5 to 300, are covered to better understand thermal performance. Navier-Stokes equations are used to model physical domain. Furthermore, successive over relaxation and time marching techniques are used to solve momentum and energy equation. From obtained correlation, the in-between distance S is more effective on Nusselt number than distance to edge Ly by approximately 14%. In addition, as S increase, the average Nusselt number of the upper unit is increased sharply, whereas the lower one keeps on same level.

Keywords: convective cooling of server, darcy flow, liquid-immersed server, porous media

Procedia PDF Downloads 393
3554 A User-Directed Approach to Optimization via Metaprogramming

Authors: Eashan Hatti

Abstract:

In software development, programmers often must make a choice between high-level programming and high-performance programs. High-level programming encourages the use of complex, pervasive abstractions. However, the use of these abstractions degrades performance-high performance demands that programs be low-level. In a compiler, the optimizer attempts to let the user have both. The optimizer takes high-level, abstract code as an input and produces low-level, performant code as an output. However, there is a problem with having the optimizer be a built-in part of the compiler. Domain-specific abstractions implemented as libraries are common in high-level languages. As a language’s library ecosystem grows, so does the number of abstractions that programmers will use. If these abstractions are to be performant, the optimizer must be extended with new optimizations to target them, or these abstractions must rely on existing general-purpose optimizations. The latter is often not as effective as needed. The former presents too significant of an effort for the compiler developers, as they are the only ones who can extend the language with new optimizations. Thus, the language becomes more high-level, yet the optimizer – and, in turn, program performance – falls behind. Programmers are again confronted with a choice between high-level programming and high-performance programs. To investigate a potential solution to this problem, we developed Peridot, a prototype programming language. Peridot’s main contribution is that it enables library developers to easily extend the language with new optimizations themselves. This allows the optimization workload to be taken off the compiler developers’ hands and given to a much larger set of people who can specialize in each problem domain. Because of this, optimizations can be much more effective while also being much more numerous. To enable this, Peridot supports metaprogramming designed for implementing program transformations. The language is split into two fragments or “levels”, one for metaprogramming, the other for high-level general-purpose programming. The metaprogramming level supports logic programming. Peridot’s key idea is that optimizations are simply implemented as metaprograms. The meta level supports several specific features which make it particularly suited to implementing optimizers. For instance, metaprograms can automatically deduce equalities between the programs they are optimizing via unification, deal with variable binding declaratively via higher-order abstract syntax, and avoid the phase-ordering problem via non-determinism. We have found that this design centered around logic programming makes optimizers concise and easy to write compared to their equivalents in functional or imperative languages. Overall, implementing Peridot has shown that its design is a viable solution to the problem of writing code which is both high-level and performant.

Keywords: optimization, metaprogramming, logic programming, abstraction

Procedia PDF Downloads 76
3553 Numerical Study of Wettability on the Triangular Micro-pillared Surfaces Using Lattice Boltzmann Method

Authors: Ganesh Meshram, Gloria Biswal

Abstract:

In this study, we present the numerical investigation of surface wettability on triangular micropillar surfaces by using a two-dimensional (2D) pseudo-potential multiphase lattice Boltzmann method with a D2Q9 model for various interaction parameters of the range varies from -1.40 to -2.50. Initially, simulation of the equilibrium state of a water droplet on a flat surface is considered for various interaction parameters to examine the accuracy of the present numerical model. We then imposed the microscale pillars on the bottom wall of the surface with different heights of the pillars to form the hydrophobic and superhydrophobic surfaces which enable the higher contact angle. The wettability of surfaces is simulated with water droplets of radius 100 lattice units in the domain of 800x800 lattice units. The present study shows that increasing the interaction parameter of the pillared hydrophobic surfaces dramatically reduces the contact area between water droplets and solid walls due to the momentum redirection phenomenon. Contact angles for different values of interaction strength have been validated qualitatively with the analytical results.

Keywords: contact angle, lattice boltzmann method, d2q9 model, pseudo-potential multiphase method, hydrophobic surfaces, wenzel state, cassie-baxter state, wettability

Procedia PDF Downloads 63
3552 Human Resource Management Functions; Employee Performance; Professional Health Workers In Public District Hospitals

Authors: Benjamin Mugisha Bugingo

Abstract:

Healthcare staffhas been considered as asignificant pillar to the health care system. However, the contest of human resources for health in terms of the turnover of health workers in Uganda has been more distinct in the latest years. The objective of the paper, therefore, were to investigate the influence Role Human resource management functions in on employeeperformance of professional health workers in public district hospitals in Kampala. The study objectives were: to establish the effect of performance management function, financialincentives, non-financial incentives, participation, and involvement in the decision-making on the employee performance of professional health workers in public district hospitals in Kampala. The study was devised in the social exchange theory and the equity theory. This study adopted a descriptive research design using quantitative approaches. The study used a cross-sectional research design with a mixed-methods approach. With a population of 402 individuals, the study considered a sample of 252 respondents, including doctors, nurses, midwives, pharmacists, and dentists from 3 district hospitals. The study instruments entailed a questionnaire as a quantitative data collection tool and interviews and focus group discussions as qualitative data gathering tools. To analyze quantitative data, descriptive statistics were used to assess the perceived status of Human resource management functions and the magnitude of intentions to stay, and inferential statistics were used to show the effect of predictors on the outcome variable by plotting a multiple linear regression. Qualitative data were analyzed in themes and reported in narrative and verbatim quotes and were used to complement descriptive findings for a better understanding of the magnitude of the study variables. The findings of this study showed a significant and positive effect of performance management function, financialincentives, non-financial incentives, and participation and involvement in decision-making on employee performance of professional health workers in public district hospitals in Kampala. This study is expected to be a major contributor for the improvement of the health system in the country and other similar settings as it has provided the insights for strategic orientation in the area of human resources for health, especially for enhanced employee performance in relation with the integrated human resource management approach

Keywords: human resource functions, employee performance, employee wellness, profecial workers

Procedia PDF Downloads 85
3551 Study on an Integrated Real-Time Sensor in Droplet-Based Microfluidics

Authors: Tien-Li Chang, Huang-Chi Huang, Zhao-Chi Chen, Wun-Yi Chen

Abstract:

The droplet-based microfluidic are used as micro-reactors for chemical and biological assays. Hence, the precise addition of reagents into the droplets is essential for this function in the scope of lab-on-a-chip applications. To obtain the characteristics (size, velocity, pressure, and frequency of production) of droplets, this study describes an integrated on-chip method of real-time signal detection. By controlling and manipulating the fluids, the flow behavior can be obtained in the droplet-based microfluidics. The detection method is used a type of infrared sensor. Through the varieties of droplets in the microfluidic devices, the real-time conditions of velocity and pressure are gained from the sensors. Here the microfluidic devices are fabricated by polydimethylsiloxane (PDMS). To measure the droplets, the signal acquisition of sensor and LabVIEW program control must be established in the microchannel devices. The devices can generate the different size droplets where the flow rate of oil phase is fixed 30 μl/hr and the flow rates of water phase range are from 20 μl/hr to 80 μl/hr. The experimental results demonstrate that the sensors are able to measure the time difference of droplets under the different velocity at the voltage from 0 V to 2 V. Consequently, the droplets are measured the fastest speed of 1.6 mm/s and related flow behaviors that can be helpful to develop and integrate the practical microfluidic applications.

Keywords: microfluidic, droplets, sensors, single detection

Procedia PDF Downloads 481
3550 Seismic Fragility Assessment of Continuous Integral Bridge Frames with Variable Expansion Joint Clearances

Authors: P. Mounnarath, U. Schmitz, Ch. Zhang

Abstract:

Fragility analysis is an effective tool for the seismic vulnerability assessment of civil structures in the last several years. The design of the expansion joints according to various bridge design codes is almost inconsistent, and only a few studies have focused on this problem so far. In this study, the influence of the expansion joint clearances between the girder ends and the abutment backwalls on the seismic fragility assessment of continuous integral bridge frames is investigated. The gaps (ranging from 60 mm, 150 mm, 250 mm and 350 mm) are designed by following two different bridge design code specifications, namely, Caltrans and Eurocode 8-2. Five bridge models are analyzed and compared. The first bridge model serves as a reference. This model uses three-dimensional reinforced concrete fiber beam-column elements with simplified supports at both ends of the girder. The other four models also employ reinforced concrete fiber beam-column elements but include the abutment backfill stiffness and four different gap values. The nonlinear time history analysis is performed. The artificial ground motion sets, which have the peak ground accelerations (PGAs) ranging from 0.1 g to 1.0 g with an increment of 0.05 g, are taken as input. The soil-structure interaction and the P-Δ effects are also included in the analysis. The component fragility curves in terms of the curvature ductility demand to the capacity ratio of the piers and the displacement demand to the capacity ratio of the abutment sliding bearings are established and compared. The system fragility curves are then obtained by combining the component fragility curves. Our results show that in the component fragility analysis, the reference bridge model exhibits a severe vulnerability compared to that of other sophisticated bridge models for all damage states. In the system fragility analysis, the reference curves illustrate a smaller damage probability in the earlier PGA ranges for the first three damage states, they then show a higher fragility compared to other curves in the larger PGA levels. In the fourth damage state, the reference curve has the smallest vulnerability. In both the component and the system fragility analysis, the same trend is found that the bridge models with smaller clearances exhibit a smaller fragility compared to that with larger openings. However, the bridge model with a maximum clearance still induces a minimum pounding force effect.

Keywords: expansion joint clearance, fiber beam-column element, fragility assessment, time history analysis

Procedia PDF Downloads 430
3549 Evaluation and Assessment of Bioinformatics Methods and Their Applications

Authors: Fatemeh Nokhodchi Bonab

Abstract:

Bioinformatics, in its broad sense, involves application of computer processes to solve biological problems. A wide range of computational tools are needed to effectively and efficiently process large amounts of data being generated as a result of recent technological innovations in biology and medicine. A number of computational tools have been developed or adapted to deal with the experimental riches of complex and multivariate data and transition from data collection to information or knowledge. These bioinformatics tools are being evaluated and applied in various medical areas including early detection, risk assessment, classification, and prognosis of cancer. The goal of these efforts is to develop and identify bioinformatics methods with optimal sensitivity, specificity, and predictive capabilities. The recent flood of data from genome sequences and functional genomics has given rise to new field, bioinformatics, which combines elements of biology and computer science. Bioinformatics is conceptualizing biology in terms of macromolecules (in the sense of physical-chemistry) and then applying "informatics" techniques (derived from disciplines such as applied maths, computer science, and statistics) to understand and organize the information associated with these molecules, on a large-scale. Here we propose a definition for this new field and review some of the research that is being pursued, particularly in relation to transcriptional regulatory systems.

Keywords: methods, applications, transcriptional regulatory systems, techniques

Procedia PDF Downloads 118
3548 Decay Analysis of 118Xe* Nucleus Formed in 28Si Induced Reaction

Authors: Manoj K. Sharma, Neha Grover

Abstract:

Dynamical cluster decay model (DCM) is applied to study the decay mechanism of 118Xe* nucleus in reference to recent data on 28Si + 90Zr → 118Xe* reaction, as an extension of our previous work on the dynamics of 112Xe* nucleus. It is relevant to mention here that DCM is based on collective clusterization approach, where emission probability of different decay paths such as evaporation residue (ER), intermediate mass fragments (IMF) and fission etc. is worked out on parallel scale. Calculations have been done over a wide range of center of mass energies with Ec.m. = 65 - 92 MeV. The evaporation residue (ER) cross-sections of 118Xe* compound nucleus are fitted in reference to available data, using spherical and quadrupole (β2) deformed choice of decaying fragments within the optimum orientations approach. It may be noted that our calculated cross-sections find decent agreement with experimental data and hence provide an opportunity to analyze the exclusive role of deformations in view of fragmentation behavior of 118Xe* nucleus. The possible contribution of IMF fragments is worked out and an extensive effort is being made to analyze the role of excitation energy, angular momentum, diffuseness parameter and level density parameter to have better understanding of the decay patterns governed in the dynamics of 28Si + 90Zr → 118Xe* reaction.

Keywords: cross-sections, deformations, fragmentation, angular momentum

Procedia PDF Downloads 307
3547 Camel Mortalities Due to Accidental Intoxcation with Ionophore

Authors: M. A. Abdelfattah, F. K. Waleed

Abstract:

Anticoccidials were utilized widely in veterinary practice for the avoidance of coccidiosis in poultry and assume a huge job as development promotants in ruminants. Ionophore harming is every now and again happens because of accidental access to medicated feed, errors in feed mixing, incorrect dosage calculation or misuse in non-recommended species. Camels on several farms in Eastern area of Saudi Arabia were accidently fed with a feed pellet containing 13 ppm salinomycin. One hundred and sixty-three camels died with mortality rate of 100%. The poisoning was clinically characterized by restlessness with tail lift to the top, jerk in the muscles of legs and thighs, excessive sweating, frequent setting and standing with body imbalance, lateral and sternal recumbences with the legs stretched back, eye tears with dilated pupil, vomiting of the stomach content, loss of consciousness and death of some of them. Feed analysis indicated the presence of salinomycin in pelleted feed in a range of 13 mg/kg-47 mg/kg. Necropsy findings and histopathological examinations were presented. Regulations and legal implications concerning with sale of contaminated feed in Saudi market are discussed in the light of feed law and by-law. The necessity for an effective implication of regulation concerning application of quality assurance systems based on the principles of Good Manufacturing Practice (GMP) and the application of Hazard Analysis of Critical Control Point (HACCP) during feed production is necessary to avoid feed accident.

Keywords: medicated feed, salinomycin, anticoccidial, camel, toxicity

Procedia PDF Downloads 105
3546 Horse Race Model of Communication

Authors: Ariyaratna Athugala

Abstract:

Mass media play a significant role in democratic societies. The Political Economy of the Mass Media postulates that elite media interlock with other institutional sectors in ownership, and editorial management effectively circumscribing their ability to remain analytically detached from other dominant institutional sectors. The production of meaning in news discourse is not valued neutral, but part of a larger process of presenting a hegemonic understanding of the world to audiences as the “production of consent.” The horse race model argues that “the raw material of news” pressures six bands that ultimately shape the news audiences receive. The six bands are as follows: Crown piece (raw material), brow band (professionalism), throat latch (gatekeeper), a bit (construction), nose band (perception), and reins (ownership). dThe horse race model suggests that media ultimately serve to “manufacture consent” for a range of self-serving elite opinion options. These bands determine what events are deemed newsworthy, how they are covered, where they are placed within the media and how much coverage they receive. Highly descriptive in nature, the horse race model of communication is concerned with the question of whether media can be seen to play a hegemonic role in the society oriented towards legitimization, hegemonic pressures and ideological construction.

Keywords: hegemonic pressures, horse race, ideological construction, six bands

Procedia PDF Downloads 242
3545 Thermodynamics during the Deconfining Phase Transition

Authors: Amal Ait El Djoudi

Abstract:

A thermodynamical model of coexisting hadronic and quark–gluon plasma (QGP) phases is used to study the thermally driven deconfining phase transition occurring between the two phases. A color singlet partition function is calculated for the QGP phase with two massless quarks, as in our previous work, but now the finite extensions of the hadrons are taken into account in the equation of state of the hadronic phase. In the present work, the finite-size effects on the system are examined by probing the behavior of some thermodynamic quantities, called response functions, as order parameter, energy density and their derivatives, on a range of temperature around the transition at different volumes. It turns out that the finiteness of the system size has as effects the rounding of the transition and the smearing of all the singularities occurring in the thermodynamic limit, and the additional finite-size effect introduced by the requirement of exact color-singletness involves a shift of the transition point. This shift as well as the smearing of the transition region and the maxima of both susceptibility and specific heat show a scaling behavior with the volume characterized by scaling exponents. Another striking result is the large similarity noted between the behavior of these response functions and that of the cumulants of the probability density. This similarity is worked to try to extract information concerning the occurring phase transition.

Keywords: equation of state, thermodynamics, deconfining phase transition, quark–gluon plasma (QGP)

Procedia PDF Downloads 421
3544 Development of Risk Index and Corporate Governance Index: An Application on Indian PSUs

Authors: M. V. Shivaani, P. K. Jain, Surendra S. Yadav

Abstract:

Public Sector Undertakings (PSUs), being government-owned organizations have commitments for the economic and social wellbeing of the society; this commitment needs to be reflected in their risk-taking, decision-making and governance structures. Therefore, the primary objective of the study is to suggest measures that may lead to improvement in performance of PSUs. To achieve this objective two normative frameworks (one relating to risk levels and other relating to governance structure) are being put forth. The risk index is based on nine risks, such as, solvency risk, liquidity risk, accounting risk, etc. and each of the risks have been scored on a scale of 1 to 5. The governance index is based on eleven variables, such as, board independence, diversity, risk management committee, etc. Each of them are scored on a scale of 1 to five. The sample consists of 39 PSUs that featured in Nifty 500 index and, the study covers a 10 year period from April 1, 2005 to March, 31, 2015. Return on assets (ROA) and return on equity (ROE) have been used as proxies of firm performance. The control variables used in the model include, age of firm, growth rate of firm and size of firm. A dummy variable has also been used to factor in the effects of recession. Given the panel nature of data and possibility of endogeneity, dynamic panel data- generalized method of moments (Diff-GMM) regression has been used. It is worth noting that the corporate governance index is positively related to both ROA and ROE, indicating that with the improvement in governance structure, PSUs tend to perform better. Considering the components of CGI, it may be suggested that (i). PSUs ensure adequate representation of women on Board, (ii). appoint a Chief Risk Officer, and (iii). constitute a risk management committee. The results also indicate that there is a negative association between risk index and returns. These results not only validate the framework used to develop the risk index but also provide a yardstick to PSUs benchmark their risk-taking if they want to maximize their ROA and ROE. While constructing the CGI, certain non-compliances were observed, even in terms of mandatory requirements, such as, proportion of independent directors. Such infringements call for stringent penal provisions and better monitoring of PSUs. Further, if the Securities and Exchange Board of India (SEBI) and Ministry of Corporate Affairs (MCA) bring about such reforms in the PSUs and make mandatory the adherence to the normative frameworks put forth in the study, PSUs may have more effective and efficient decision-making, lower risks and hassle free management; all these ultimately leading to better ROA and ROE.

Keywords: PSU, risk governance, diff-GMM, firm performance, the risk index

Procedia PDF Downloads 153
3543 Estimation of Pressure Profile and Boundary Layer Characteristics over NACA 4412 Airfoil

Authors: Anwar Ul Haque, Waqar Asrar, Erwin Sulaeman, Jaffar S. M. Ali

Abstract:

Pressure distribution data of the standard airfoils is usually used for the calibration purposes in subsonic wind tunnels. Results of such experiments are quite old and obtained by using the model in the spanwise direction. In this manuscript, pressure distribution over NACA 4412 airfoil model was presented by placing the 3D model in the lateral direction. The model is made of metal with pressure ports distributed longitudinally as well as in the lateral direction. The pressure model was attached to the floor of the tunnel with the help of the base plate to give the specified angle of attack to the model. Before the start of the experiments, the pressure tubes of the respective ports of the 128 ports pressure scanner are checked for leakage, and the losses due to the length of the pipes were also incorporated in the results for the specified pressure range. Growth rate maps of the boundary layer thickness were also plotted. It was found that with the increase in the velocity, the dynamic pressure distribution was also increased for the alpha seep. Plots of pressure distribution so obtained were overlapped with those obtained by using XFLR software, a low fidelity tool. It was found that at moderate and high angles of attack, the distribution of the pressure coefficients obtained from the experiments is high when compared with the XFLR ® results obtained along with the span of the wing. This under-prediction by XFLR ® is more obvious on the windward than on the leeward side.

Keywords: subsonic flow, boundary layer, wind tunnel, pressure testing

Procedia PDF Downloads 314
3542 Quantitative Determination of Heavy Metals in Some Commonly Consumed Herbal Medicines in Kano State, Nigeria

Authors: Aliyu Umar, Mohammed Yau, Faruruwa M. Dahiru, Saed Garba

Abstract:

Evaluation of heavy metals in twelve commonly consumed herbal medicines/preparations in Kano State, Nigeria, was carried out. The samples comprised of five unregistered powdered medicines, namely, Zuwo, (ZW); Rai Dorai, (RD); Miyar Tsanya, (MTS); Bagaruwar Makka, (BM); and Madobiya, (M); five unregistered liquid herbal medicinal concussions for pile (MB), yellow fever (MS), typhoid (MT), stomach pain (MC), sexually transmitted diseases (STDs); and two registered herbal medicines; Alif Powder (AP) and Champion Leaf (CL). The heavy metals evaluation was carried out using Atomic Absorption Spectroscopy (AAS) and the result revealed the concentrations (ppm) ranges of the heavy metals as follows: Cadmium (0.0045 – 0.1601), Chromium (0.0418 – 0.2092), Cobalt (0.0038 – 0.0760), Copper (0.0547 – 0.2465), Iron (0.1197 – 0.3592), Manganese (0.0123 – 1.4462), Nickel (0.0073 – 0.0960), Lead (0.185 – 0.0927) and Zinc (0.0244 – 0.2444). Comparing the results obtained in this work with the standards of the World Health Organization (WHO), the Food and Agricultural Organization (FAO) and permissible limits of other countries, the concentrations of heavy metals in the herbal medicine/preparations are within the allowed permissible limits range in herbal medicines and their use could be safe.

Keywords: Kano state, herbal medicines, registered, unregistered

Procedia PDF Downloads 231
3541 Historical Development of Negative Emotive Intensifiers in Hungarian

Authors: Martina Katalin Szabó, Bernadett Lipóczi, Csenge Guba, István Uveges

Abstract:

In this study, an exhaustive analysis was carried out about the historical development of negative emotive intensifiers in the Hungarian language via NLP methods. Intensifiers are linguistic elements which modify or reinforce a variable character in the lexical unit they apply to. Therefore, intensifiers appear with other lexical items, such as adverbs, adjectives, verbs, infrequently with nouns. Due to the complexity of this phenomenon (set of sociolinguistic, semantic, and historical aspects), there are many lexical items which can operate as intensifiers. The group of intensifiers are admittedly one of the most rapidly changing elements in the language. From a linguistic point of view, particularly interesting are a special group of intensifiers, the so-called negative emotive intensifiers, that, on their own, without context, have semantic content that can be associated with negative emotion, but in particular cases, they may function as intensifiers (e.g.borzasztóanjó ’awfully good’, which means ’excellent’). Despite their special semantic features, negative emotive intensifiers are scarcely examined in literature based on large Historical corpora via NLP methods. In order to become better acquainted with trends over time concerning the intensifiers, The exhaustively analysed a specific historical corpus, namely the Magyar TörténetiSzövegtár (Hungarian Historical Corpus). This corpus (containing 3 millions text words) is a collection of texts of various genres and styles, produced between 1772 and 2010. Since the corpus consists of raw texts and does not contain any additional information about the language features of the data (such as stemming or morphological analysis), a large amount of manual work was required to process the data. Thus, based on a lexicon of negative emotive intensifiers compiled in a previous phase of the research, every occurrence of each intensifier was queried, and the results were stored in a separate data frame. Then, basic linguistic processing (POS-tagging, lemmatization etc.) was carried out automatically with the ‘magyarlanc’ NLP-toolkit. Finally, the frequency and collocation features of all the negative emotive words were automatically analyzed in the corpus. Outcomes of the research revealed in detail how these words have proceeded through grammaticalization over time, i.e., they change from lexical elements to grammatical ones, and they slowly go through a delexicalization process (their negative content diminishes over time). What is more, it was also pointed out which negative emotive intensifiers are at the same stage in this process in the same time period. Giving a closer look to the different domains of the analysed corpus, it also became certain that during this process, the pragmatic role’s importance increases: the newer use expresses the speaker's subjective, evaluative opinion at a certain level.

Keywords: historical corpus analysis, historical linguistics, negative emotive intensifiers, semantic changes over time

Procedia PDF Downloads 224
3540 Method for Controlling the Groundwater Polluted by the Surface Waters through Injection Wells

Authors: Victorita Radulescu

Abstract:

Introduction: The optimum exploitation of agricultural land in the presence of an aquifer polluted by the surface sources requires close monitoring of groundwater level in both periods of intense irrigation and in absence of the irrigations, in times of drought. Currently in Romania, in the south part of the country, the Baragan area, many agricultural lands are confronted with the risk of groundwater pollution in the absence of systematic irrigation, correlated with the climate changes. Basic Methods: The non-steady flow of the groundwater from an aquifer can be described by the Bousinesq’s partial differential equation. The finite element method was used, applied to the porous media needed for the water mass balance equation. By the proper structure of the initial and boundary conditions may be modeled the flow in drainage or injection systems of wells, according to the period of irrigation or prolonged drought. The boundary conditions consist of the groundwater levels required at margins of the analyzed area, in conformity to the reality of the pollutant emissaries, following the method of the double steps. Major Findings/Results: The drainage condition is equivalent to operating regimes on the two or three rows of wells, negative, as to assure the pollutant transport, modeled with the variable flow in groups of two adjacent nodes. In order to obtain the level of the water table, in accordance with the real constraints, are needed, for example, to be restricted its top level below of an imposed value, required in each node. The objective function consists of a sum of the absolute values of differences of the infiltration flow rates, increased by a large penalty factor when there are positive values of pollutant. In these conditions, a balanced structure of the pollutant concentration is maintained in the groundwater. The spatial coordinates represent the modified parameters during the process of optimization and the drainage flows through wells. Conclusions: The presented calculation scheme was applied to an area having a cross-section of 50 km between two emissaries with various levels of altitude and different values of pollution. The input data were correlated with the measurements made in-situ, such as the level of the bedrock, the grain size of the field, the slope, etc. This method of calculation can also be extended to determine the variation of the groundwater in the aquifer following the flood wave propagation in envoys.

Keywords: environmental protection, infiltrations, numerical modeling, pollutant transport through soils

Procedia PDF Downloads 154
3539 A Study of the Depression Status of Asian American Adolescents

Authors: Selina Lin, Justin M Fan, Vincent Zhang, Cindy Chen, Daniel Lam, Jason Yan, Ning Zhang

Abstract:

Depression is one of the most common mental disorders in the United States, and past studies have shown a concerning increase in the rates of depression in youth populations over time. Furthermore, depression is an especially important issue for Asian Americans because of the anti-Asian violence taking place during the COVID-19 pandemic. While Asian American adolescents are reluctant to seek help for mental health issues, past research has found a prevalence of depressive symptoms in them that have yet to be fully investigated. There have been studies conducted to understand and observe the impacts of multifarious factors influencing the mental well-being of Asian American adolescents; however, they have been generally limited to qualitative investigation, and very few have attempted to quantitatively evaluate the relationship between depression levels and a comprehensive list of factors for those levels at the same time. To better quantify these relationships, this project investigated the prevalence of depression in Asian American teenagers mainly from the Greater Philadelphia Region, aged 12 to 19, and, with an anonymous survey, asked participants 48 multiple-choice questions pertaining to demographic information, daily behaviors, school life, family life, depression levels (quantified by the PHQ-9 assessment), school and family support against depression. Each multiple-choice question was assigned as a factor and variable for statistical and dominance analysis to determine the most influential factors on depression levels of Asian American adolescents. The results were validated via Bootstrap analysis and t-tests. While certain influential factors identified in this survey are consistent with the literature, such as parent-child relationship and peer pressure, several dominant factors were relatively overlooked in the past. These factors include the parents’ relationship with each other, the satisfaction with body image, sex identity, support from the family and support from the school. More than 25% of participants desired more support from their families and schools in handling depression issues. This study implied that it is beneficial for Asian American parents and adolescents to take programs on parents’ relationships with each other, parent-child communication, mental health, and sexual identity. A culturally inclusive school environment and more accessible mental health services would be helpful for Asian American adolescents to combat depression. This survey-based study paved the way for further investigation of effective approaches for helping Asian American adolescents against depression.

Keywords: Asian American adolescents, depression, dominance analysis, t-test, bootstrap analysis

Procedia PDF Downloads 132
3538 Modified Single-Folded Potentials for the Alpha-²⁴Mg and Alpha-²⁸Si Elastic Scattering

Authors: M. N. A. Abdullah, Pritha Roy, R. R. Shil, D. R. Sarker

Abstract:

Alpha-nucleus interaction is obscured because it produces enhanced cross-sections at large scattering angles known as anomaly in large angle scattering (ALAS). ALAS is prominent in the elastic scattering of α-particles as well as in non-elastic processes involving α-particles for incident energies up to 50 MeV and for targets of mass A ≤ 50. The Woods-Saxon type of optical model potential fails to describe the processes in a consistent manner. Folded potential is a good candidate and often used to construct the potential which is derived from the microscopic as well as semi-microscopic folding calculations. The present work reports the analyses of the elastic scattering of α-particles from ²⁴Mg and ²⁸Si at Eα=22-100 MeV and 14.4-120 MeV incident energies respectively in terms of the modified single-folded (MSF) potential. To derive the MSF potential, we take the view that the nucleons in the target nuclei ²⁴Mg and ²⁸Si are primarily in α-like clusters and the rest of the time in unclustered nucleonic configuration. The MSF potential, found in this study, does not need any renormalization over the whole range of incident α energies, and the renormalization factor has been found to be exactly 1 for both the targets. The best-fit parameters yield 4Aα = 21 and AN = 3 for α-²⁴Mg potential, and 4Aα = 26 and AN = 2 for α-²⁸Si potential in time-average pictures. The root-mean-square radii of both ²⁴Mg and ²⁸Si are also deduced, and the results obtained from this work agree well with the outcomes of other studies.

Keywords: elastic scattering, optical model, folded potential, renormalization

Procedia PDF Downloads 219
3537 Notched Bands in Ultra-Wideband UWB Filter Design for Advanced Wireless Applications

Authors: Abdul Basit, Amil Daraz, Guoqiang Zhang

Abstract:

With the increasing demand for wireless communication systems for unlicensed indoor applications, the FCC, in February 2002, allocated unlicensed bands ranging from 3.1 GHZ to 10.6 GHz with fractional bandwidth of about 109 %, because it plays a key role in the radiofrequency (RF) front ends devices and has been widely applied in many other microwave circuits. Targeting the proposed band defined by the FCC for the UWB system, this article presents a UWB bandpass filter with three stop bands for the mitigation of wireless bands that may interfere with the UWB range. For this purpose, two resonators are utilized for the implementation of triple-notched bands. The C-shaped resonator is used for the first notch band creation at 3.4 GHz to suppress the WiMAX signal, while the H-shaped resonator is employed in the initial UWB design to introduce the dual notched characteristic at 4.5 GHz and 8.1 GHz to reject the WLAN and Satellite Communication signals. The overall circuit area covered by the proposed design is 30.6 mm × 20 mm, or in terms of guided wavelength at the first stopband, its size is 0.06 λg × 0.02 λg. The presented structure shows a good return loss under -10 dB over most of the passband and greater than -15 dB for the notched frequency bands. Finally, the filter is simulated and analyzed in HFSS 15.0. All the bands for the rejection of wireless signals are independently controlled, which makes this work superior to the rest of the UWB filters presented in the literature.

Keywords: a bandpass filter (BPF), ultra-wideband (UWB), wireless communication, C-shaped resonator, triple notch

Procedia PDF Downloads 71
3536 Numerical Modeling and Experimental Analysis of a Pallet Isolation Device to Protect Selective Type Industrial Storage Racks

Authors: Marcelo Sanhueza Cartes, Nelson Maureira Carsalade

Abstract:

This research evaluates the effectiveness of a pallet isolation device for the protection of selective-type industrial storage racks. The device works only in the longitudinal direction of the aisle, and it is made up of a platform installed on the rack beams. At both ends, the platform is connected to the rack structure by means of a spring-damper system working in parallel. A system of wheels is arranged between the isolation platform and the rack beams in order to reduce friction, decoupling of the movement and improve the effectiveness of the device. The latter is evaluated by the reduction of the maximum dynamic responses of basal shear load and story drift in relation to those corresponding to the same rack with the traditional construction system. In the first stage, numerical simulations of industrial storage racks were carried out with and without the pallet isolation device. The numerical results allowed us to identify the archetypes in which it would be more appropriate to carry out experimental tests, thus limiting the number of trials. In the second stage, experimental tests were carried out on a shaking table to a select group of full-scale racks with and without the proposed device. The movement simulated by the shaking table was based on the Mw 8.8 magnitude earthquake of February 27, 2010, in Chile, registered at the San Pedro de la Paz station. The peak ground acceleration (PGA) was scaled in the frequency domain to fit its response spectrum with the design spectrum of NCh433. The experimental setup contemplates the installation of sensors to measure relative displacement and absolute acceleration. The movement of the shaking table with respect to the ground, the inter-story drift of the rack and the pallets with respect to the rack structure were recorded. Accelerometers redundantly measured all of the above in order to corroborate measurements and adequately capture low and high-frequency vibrations, whereas displacement and acceleration sensors are respectively more reliable. The numerical and experimental results allowed us to identify that the pallet isolation period is the variable with the greatest influence on the dynamic responses considered. It was also possible to identify that the proposed device significantly reduces both the basal cut and the maximum inter-story drift by up to one order of magnitude.

Keywords: pallet isolation system, industrial storage racks, basal shear load, interstory drift.

Procedia PDF Downloads 71
3535 Examining Individual and Organisational Legal Accountability for Sexual Exploitation Perpetrated by International Humanitarian Workers in Haiti

Authors: Elizabeth Carthy

Abstract:

There is growing recognition that sexual exploitation and abuse (SEA) perpetrated by humanitarian workers is widespread, most recently affirmed by allegations of high-ranking Oxfam officials paying women for sex in post-earthquake Haiti. SEA covers a range of gendered abuses, including rape, sexual assault, and ‘transactional’ or ‘survival’ sex. Holding individuals legally accountable for such behaviors is difficult in all contexts even more so in fragile and conflict-affected settings. Transactional sex, for the purposes of this paper, refers to situations where humanitarian workers exchange aid or assistance for sexual services. This paper explores existing organizational accountability measures relating to transactional sex engaged in by international humanitarian workers through a descriptive and interpretive case study approach-examining the situation in Haiti. It comparatively analyses steps the United Nations has taken to combat this problem. Then it examines the possibility of domestic legal accountability for such conduct in Haiti. Finally, the paper argues that international human rights law can fill in potential gaps in domestic legal frameworks to ensure states hold humanitarian workers and potentially organizations accountable for engaging in and/or perpetuating this gendered abuse of power.

Keywords: gender-based violence, humanitarian action, international human rights law, sexual exploitation

Procedia PDF Downloads 157
3534 Effect of Different Levels of Vitamin E and L-Carnitine on Performance of Broiler Chickens Under Heat Stress

Authors: S. Salari, M. A. Shirali, S. Tabatabaei, M. Sari, R. Jahanian

Abstract:

This study was conducted to investigate the effect of different levels of vitamin E and L-carnitine on performance, blood parameters and immune responses of broilers under heat stress. For this purpose 396 one- day- old Ross 308 broiler chicks were randomly distributed between 9 treatments with 4 replicates (11 birds in each replicate). Dietary treatments consisted of three levels of vitamin E (0, 100 and 200 mg/ kg) and three levels of L-carnitine (0, 50 and 100 mg/ kg) that was done in completely randomized design with 3X3 factorial arrangement for 42 days. During the first three weeks, chickens were reared at normal temperature. From the beginning of the fourth week, all chickens were maintenance in a temperature range from 24-38 ° C for heat stress. Performance parameters including average feed intake, weight gain and feed conversion ratio were recorded weekly. The results showed that the levels of vitamin E had no significant effect on feed intake, weight gain and feed conversion ratio during the experiment. The use of L-carnitine decreased feed intake during the experiment (P < 0/05). But did not affect average daily gain and feed conversion ratio. Also, there was not significant interaction between vitamin E and L-carnitine for performance parameters except average daily gain during the starter period. The results of this study indicate that the use of different levels of vitamin E and L-carnitine under heat stress did not affected performance parameters of broiler chickens.

Keywords: broiler, heat stress, l-carnitine, performance

Procedia PDF Downloads 474
3533 Assessment of Water Quality Used for Irrigation: Case Study of Josepdam Irrigation Scheme

Authors: M. A. Adejumobi, J. O. Ojediran

Abstract:

The aim of irrigation is to recharge the available water in the soil. Quality of irrigation water is essential for the yield and quality of crops produced, maintenance of soil productivity and protection of the environment. The analysis of irrigation water arises as a need to know the impact of irrigation water on the yield of crops, the effect, and the necessary control measures to rectify the effect of this for optimum production and yield of crops. This study was conducted to assess the quality of irrigation water with its performance on crop planted, in Josepdam irrigation scheme Bacita, Nigeria. Field visits were undertaken to identify and locate water supply sources and collect water samples from these sources; X1 Drain, Oshin, River Niger loop and Ndafa. Laboratory experiments were then undertaken to determine the quality of raw water from these sources. The analysis was carried for various parameters namely; physical and chemical analyses after water samples have been taken from four sources. The samples were tested in laboratory. Results showed that the raw water sources shows no salinity tendencies with SAR values less than 1me/l and Ecvaules at Zero while the pH were within the recommended range by FAO, there are increase in potassium and sulphate content contamination in three of the location. From this, it is recommended that there should be proper monitoring of the scheme by conducting analysis of water and soil in the environment, preferable test should be carried out at least one year to cover the impact of seasonal variations and to determine the physical and chemical analysis of the water used for irrigation at the scheme.

Keywords: irrigation, salinity, raw water quality, scheme

Procedia PDF Downloads 424
3532 Cationic Surfactants Influence on the Fouling Phenomenon Control in Ultrafiltration of Latex Contaminated Water and Wastewater

Authors: Amira Abdelrasoul, Huu Doan, Ali Lohi

Abstract:

The goal of the present study was to minimize the ultrafiltration fouling of latex effluent using Cetyltrimethyl ammonium bromide (CTAB) as a cationic surfactant. Hydrophilic Polysulfone and Ultrafilic flat heterogeneous membranes, with MWCO of 60,000 and 100,000, respectively, as well as hydrophobic Polyvinylidene Difluoride with MWCO of 100,000, were used under a constant flow rate and cross-flow mode in ultrafiltration of latex solution. In addition, a Polycarbonate flat membrane with uniform pore size of 0.05 µm was also used. The effect of CTAB on the latex particle size distribution was investigated at different concentrations, various treatment times, and diverse agitation duration. The effects of CTAB on the zeta potential of latex particles and membrane surfaces were also investigated. The results obtained indicated that the particle size distribution of treated latex effluent showed noticeable shifts in the peaks toward a larger size range due to the aggregation of particles. As a consequence, the mass of fouling contributing to pore blocking and the irreversible fouling were significantly reduced. The optimum results occurred with the addition of CTAB at the critical micelle concentration of 0.36 g/L for 10 minutes with minimal agitation. Higher stirring rate had a negative effect on membrane fouling minimization.

Keywords: cationic surfactant, latex particles, membrane fouling, ultrafiltration, zeta potential

Procedia PDF Downloads 525
3531 The Quantitative Analysis of Tourism Carrying Capacity with the Approach of Sustainable Development Case Study: Siahsard Fountain

Authors: Masoumeh Tadayoni, Saeed Kamyabi, Alireza Entezari

Abstract:

Background and goal of the research: In planning and management system, the tourism carrying capacity is used as a holistic approach and supportive instrument. Evaluating the carrying capacity is used in quantitative the resource exploitation in line with sustainable development and as a foundation for identifying the changes in natural ecosystem and for the final evaluation and monitoring the tensions and decays in regressed ecosystem. Therefore, the present research tries to determine the carrying capacity of effective, physical and real range of Siahsard tourism region. Method: In the present research, the quantitative analysis of tourism carrying capacity is studied by used of effective or permissible carrying capacity (EPCC), real carrying capacity (PCC) and physical carrying capacity (RCC) in Siahsard fountain. It is analyzed based on the field survey and various resources were used for collecting information. Findings: The results of the analysis shows that, 3700 people use the Siahsard tourism region every day and 1350500 people use it annually. However, the evaluation of carrying capacity can be annually 1390650 people in this place. It can be an important tourism place along with other places in the region. Results: Siahsard’s tourism region has a little way to reach to its carrying capacity that needs to be analyzed. However, based on the results, some suggestions were offered for sustainable development of this region and as the most logical alternations for tourism management.

Keywords: carrying capacity, evaluation, Siahsard, tourism

Procedia PDF Downloads 263
3530 Revitalization of Pancasila as an Alternative Solution to the Conflict in Indonesia Is Based on a Case Study of Separatist Movements in Papua

Authors: Teten Masduki

Abstract:

Indonesia is a unitary state which has a wide range of cultures, local languages, religions, ethnicity, race, traditions, and beliefs held by people who are scattered in several islands Indonesia. But with such diversity has the potential to cause various problems in society. Because one of the characteristics of diversity is the difference. Unresolved differences could develop into conflicts or contradictions in society. Pancasila as the philosophy and ideology of the nation was stated in the opening of the 1945 Constitution as an alternative solution to the conflict that occurred in Indonesia. Because the ideology of Pancasila role as a nation and also as an integral tool that upholds humanity, justice, unity, harmony, and balance on the belt by the five precepts. If the values contained in Pancasila can be applied and lived by the public of Indonesia, it will be the creation of a just, peaceful and peace. However, the lack of public awareness in implementing pancsila can lead to conflict within the community itself, such as the existence of separatist movements in Papua who gathered in the Organisasi Papua Merdeka (OPM) with the active movement that has a lot of casualties. This paper raised the topic of which offer solutions revitalization (reviving) the values of Pancasila as an alternative solution to the conflict in Indonesia is based on a case study of separatist movements in Papua. This paper will also discuss the implementation of strategic steps in the implementation of solutions which are summarized in the conclusions of this paper.

Keywords: Pancasila, separatism, revitalization, democracy

Procedia PDF Downloads 269
3529 Time-Interval between Rectal Cancer Surgery and Reintervention for Anastomotic Leakage and the Effects of a Defunctioning Stoma: A Dutch Population-Based Study

Authors: Anne-Loes K. Warps, Rob A. E. M. Tollenaar, Pieter J. Tanis, Jan Willem T. Dekker

Abstract:

Anastomotic leakage after colorectal cancer surgery remains a severe complication. Early diagnosis and treatment are essential to prevent further adverse outcomes. In the literature, it has been suggested that earlier reintervention is associated with better survival, but anastomotic leakage can occur with a highly variable time interval to index surgery. This study aims to evaluate the time-interval between rectal cancer resection with primary anastomosis creation and reoperation, in relation to short-term outcomes, stratified for the use of a defunctioning stoma. Methods: Data of all primary rectal cancer patients that underwent elective resection with primary anastomosis during 2013-2019 were extracted from the Dutch ColoRectal Audit. Analyses were stratified for defunctioning stoma. Anastomotic leakage was defined as a defect of the intestinal wall or abscess at the site of the colorectal anastomosis for which a reintervention was required within 30 days. Primary outcomes were new stoma construction, mortality, ICU admission, prolonged hospital stay and readmission. The association between time to reoperation and outcome was evaluated in three ways: Per 2 days, before versus on or after postoperative day 5 and during primary versus readmission. Results: In total 10,772 rectal cancer patients underwent resection with primary anastomosis. A defunctioning stoma was made in 46.6% of patients. These patients had a lower anastomotic leakage rate (8.2% vs. 11.6%, p < 0.001) and less often underwent a reoperation (45.3% vs. 88.7%, p < 0.001). Early reoperations (< 5 days) had the highest complication and mortality rate. Thereafter the distribution of adverse outcomes was more spread over the 30-day postoperative period for patients with a defunctioning stoma. Median time-interval from primary resection to reoperation for defunctioning stoma patients was 7 days (IQR 4-14) versus 5 days (IQR 3-13 days) for no-defunctioning stoma patients. The mortality rate after primary resection and reoperation were comparable (resp. for defunctioning vs. no-defunctioning stoma 1.0% vs. 0.7%, P=0.106 and 5.0% vs. 2.3%, P=0.107). Conclusion: This study demonstrated that early reinterventions after anastomotic leakage are associated with worse outcomes (i.e. mortality). Maybe the combination of a physiological dip in the cellular immune response and release of cytokines following surgery, as well as a release of endotoxins caused by the bacteremia originating from the leakage, leads to a more profound sepsis. Another explanation might be that early leaks are not contained to the pelvis, leading to a more profound sepsis requiring early reoperations. Leakage with or without defunctioning stoma resulted in a different type of reinterventions and time-interval between surgery and reoperation.

Keywords: rectal cancer surgery, defunctioning stoma, anastomotic leakage, time-interval to reoperation

Procedia PDF Downloads 128