Search results for: high surface area
Commenced in January 2007
Frequency: Monthly
Edition: International
Paper Count: 29377

Search results for: high surface area

23437 Seismic Inversion for Geothermal Exploration

Authors: E. N. Masri, E. Takács

Abstract:

Amplitude Versus Offset (AVO) and simultaneous model-based impedance inversion techniques have not been utilized for geothermal exploration commonly; however, some recent publications called the attention that they can be very useful in the geothermal investigations. In this study, we present rock physical attributes obtained from 3D pre-stack seismic data and well logs collected in a study area of the NW part of Pannonian Basin where the geothermal reservoir is located in the fractured zones of Triassic basement and it was hit by three productive-injection well pairs. The holes were planned very successfully based on the conventional 3D migrated stack volume prior to this study. Subsequently, the available geophysical-geological datasets provided a great opportunity to test modern inversion procedures in the same area. In this presentation, we provide a summary of the theory and application of the most promising seismic inversion techniques from the viewpoint of geothermal exploration. We demonstrate P- and S-wave impedance, as well as the velocity (Vp and Vs), the density, and the Vp/Vs ratio attribute volumes calculated from the seismic and well-logging data sets. After a detailed discussion, we conclude that P-wave impedance and Vp/Vp ratio are the most helpful parameters for lithology discrimination in the study area. They detect the hot water saturated fracture zone very well thus they can be very useful in mapping the investigated reservoir. Integrated interpretation of all the obtained rock-physical parameters is essential. We are extending the above discussed pre-stack seismic tools by studying the possibilities of Elastic Impedance Inversion (EII) for geothermal exploration. That procedure provides two other useful rock-physical properties, the compressibility and the rigidity (Lamé parameters). Results of those newly created elastic parameters will also be demonstrated in the presentation. Geothermal extraction is of great interest nowadays; and we can adopt several methods have been successfully applied in the hydrocarbon exploration for decades to discover new reservoirs and reduce drilling risk and cost.

Keywords: fractured zone, seismic, well-logging, inversion

Procedia PDF Downloads 120
23436 Parasitic Infection among Farmers Dealing with Treated Wastewater in Al-Zaitoun Area, Gaza City

Authors: Haneen Nabil Al-Sbaihi, Adnan Al-Hindi, Khalid Qahman

Abstract:

Treated wastewater irrigation is associated with several benefits but can also lead to significant health risks. The main objective of this study is to investigate the parasitic infection (PI) among farmers dealing with treated wastewater (TWW) in Al-Zaitoun area- Gaza City. This study included two farmer groups: farmers who dealing with TWW (Mixed water users (MWUs)), and farmers who irrigate by using groundwater (GW) (Ground water users (GWUs)). Each participant was asked to provide stool samples on two phases. The two farmer groups were use GW in the 1st phase while the MWUs were use TWW in the 2nd phase which was after using TWW in irrigation for three months. Prevalence of PI was 30.9% and increased to be 47.3% in the 2nd phase. Negative association not statistically significant (OR= 0.659, CI 0.202-2.153)) was found in the 1st phase, while a positive association not statically significant was found between PI and TWWR in the 2nd phase (OR=1.37, CI 0.448-4.21). In this study six parasites species were identified among participants: Entamoeba ''histolytica/dispar and coil'', Cryptosporidium, Microsporidia, Giardia lamblia, Strongyloides stercoralis, and Ascaris lumbricoides.

Keywords: wastewater, groundwater, treated wastewater, parasitic infection, parasites

Procedia PDF Downloads 86
23435 Quantifying Parallelism of Vectors Is the Quantification of Distributed N-Party Entanglement

Authors: Shreya Banerjee, Prasanta K. Panigrahi

Abstract:

The three-way distributive entanglement is shown to be related to the parallelism of vectors. Using a measurement-based approach a set of 2−dimensional vectors is formed, representing the post-measurement states of one of the parties. These vectors originate at the same point and have an angular distance between them. The area spanned by a pair of such vectors is a measure of the entanglement of formation. This leads to a geometrical manifestation of the 3−tangle in 2−dimensions, from inequality in the area which generalizes for n− qubits to reveal that the n− tangle also has a planar structure. Quantifying the genuine n−party entanglement in every 1|(n − 1) bi-partition it is shown that the genuine n−way entanglement does not manifest in n− tangle. A new quantity geometrically similar to 3−tangle is then introduced that represents the genuine n− way entanglement. Extending the formalism to 3− qutrits, the nonlocality without entanglement can be seen to arise from a condition under which the post-measurement state vectors of a separable state show parallelism. A connection to nontrivial sum uncertainty relation analogous to Maccone and Pati uncertainty relation is then presented using decomposition of post-measurement state vectors along parallel and perpendicular direction of the pre-measurement state vectors. This study opens a novel way to understand multiparty entanglement in qubit and qudit systems.

Keywords: Geometry of quantum entanglement, Multipartite and distributive entanglement, Parallelism of vectors , Tangle

Procedia PDF Downloads 146
23434 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 82
23433 Nurses' and Patients’ Perception about Care: A Comparative Study

Authors: Evangelia Kotrotsiou, Mairy Gouva, Theodosios Paralikas, Maria Fiaka, Styliani Kotrotsiou, Maria Malliarou

Abstract:

The purpose of this research is to investigate the way nurses perceive the care provided in comparison to the way patients perceive it, taking into account existing literature. As far as the sample of research is concerned, it has come from the population of nurses working in the General Hospital of Thessaloniki, St. Paul and the patients of its surgical clinic. In the present study, the sample consists of 100 nurses and 88 patients. The questionnaire used was the Caring Nurse-Patient Interactions Scale: 23-Item Version, created by Cossette et al. (2006). In the case of both patients and nurses, a high score was observed in relational care in the case of the frequency of nursing care in daily practice, as well as the satisfaction of providing nursing care. Overall, patients rated higher clinical care in the case of the frequency of nursing care in daily practice, as well as the satisfaction of the clinical care they were given. On the other hand, nurses rated higher comfort care in the case of the frequency of nursing care in everyday practice, as well as relational care in the area of the importance of nursing care in everyday practice.

Keywords: nursing care, patient needs, patient satisfaction, care giving

Procedia PDF Downloads 389
23432 Slugging Frequency Correlation for High Viscosity Oil-Gas Flow in Horizontal Pipeline

Authors: B. Y. Danjuma, A. Archibong-Eso, Aliyu M. Aliyu, H. Yeung

Abstract:

In this experimental investigation, a new data for slugging frequency for high viscosity oil-gas flow are reported. Scale experiments were carried out using a mixture of air and mineral oil as the liquid phase in a 17 m long horizontal pipe with 0.0762 ID. The data set was acquired using two high-speed Gamma Densitometers at a data acquisition frequency of 250 Hz over a time interval of 30 seconds. For the range of flow conditions investigated, increase in liquid oil viscosity was observed to strongly influence the slug frequency. A comparison of the present data with prediction models available in the literature revealed huge discrepancies. A new correlation incorporating the effect of viscosity on slug frequency has been proposed for the horizontal flow, which represents the main contribution of this work.

Keywords: gamma densitometer, flow pattern, pressure gradient, slug frequency

Procedia PDF Downloads 403
23431 Effects of Sexual Activities in Male Athletes Performance

Authors: Andreas Aceranti, Simonetta Vernocchi, Marco Colorato, Massimo Briamo, Giovanni Abalsamo

Abstract:

Most of the benefits of sport come from related physical activity, however, there are secondary psychological positive effects. There are also obvious disadvantages, high tensions related to failure, injuries, eating disorders and burnout. Depressive symptoms and illnesses related to anxiety or stress can be preventable or even simply alleviated through regular activity and exercise. It has been shown that the practice of a sport brings physical benefits, but can also have psychological and spiritual benefits. Reduced performance in male individuals has been linked to sexual activity before competitions in the past. The long-standing debate about the impact of sexual activity on sports performance has been controversial in the mainstream media in recent decades. This salacious topic has generated extensive discussion, although its high-quality data has been limited. Literature has, so far, mainly included subjective assessments from surveys. However, such surveys can be skewed as these assessments are based on individual beliefs, perceptions, and memory. There has been a long discussion over the years but even there objective data has been lacking. One reason behind coaches' bans on sexual activity before sporting events may be the belief that abstinence increases frustration, which in turn is shifted into aggressive behavior toward competitors. However, this assumption is not always valid. In fact, depriving an athlete of a normal activity can cause feelings of guilt and loss of concentration. Sexual activity during training can promote relaxation and positively influence performance. The author concludes that, although there is a need for scientific research in this area, it seems that sexual intercourse does not decrease performance unless it is accompanied by late night socialization, loss of sleep or drinking. Although the effects of sexual engagement on aerobic and strength athletic performance have not been definitively established, most research seems to rule out a direct impact. In order to analyze, as much as possible without bias, whether sexual activity significantly affects an athletic performance or not, we sampled 5 amateur athletes, between 22 and 25 years old and all male. The study was based on the timing of 4 running races of 5 champions. We asked participants to respect guidelines to avoid sexual activity (sex or masturbation) 12 hours before 2 of the 4 competitions, and to practice before the remaining 2 races.In doing so, we were able to compare and analyze the impact of activity and abstinence on performance results. We have come to the conclusion that sexual behavior on athletic performance needs to be better understood, more randomized trials and high-quality controls are strongly needed but available information suggests that sexual activity the day before a race has no negative effects on performance.

Keywords: sex, masturbation, male performance, soccer

Procedia PDF Downloads 69
23430 A Survey on Data-Centric and Data-Aware Techniques for Large Scale Infrastructures

Authors: Silvina Caíno-Lores, Jesús Carretero

Abstract:

Large scale computing infrastructures have been widely developed with the core objective of providing a suitable platform for high-performance and high-throughput computing. These systems are designed to support resource-intensive and complex applications, which can be found in many scientific and industrial areas. Currently, large scale data-intensive applications are hindered by the high latencies that result from the access to vastly distributed data. Recent works have suggested that improving data locality is key to move towards exascale infrastructures efficiently, as solutions to this problem aim to reduce the bandwidth consumed in data transfers, and the overheads that arise from them. There are several techniques that attempt to move computations closer to the data. In this survey we analyse the different mechanisms that have been proposed to provide data locality for large scale high-performance and high-throughput systems. This survey intends to assist scientific computing community in understanding the various technical aspects and strategies that have been reported in recent literature regarding data locality. As a result, we present an overview of locality-oriented techniques, which are grouped in four main categories: application development, task scheduling, in-memory computing and storage platforms. Finally, the authors include a discussion on future research lines and synergies among the former techniques.

Keywords: data locality, data-centric computing, large scale infrastructures, cloud computing

Procedia PDF Downloads 255
23429 Sedimentary Response to Coastal Defense Works in São Vicente Bay, São Paulo

Authors: L. C. Ansanelli, P. Alfredini

Abstract:

The article presents the evaluation of the effectiveness of two groins located at Gonzaguinha and Milionários Beaches, situated on the southeast coast of Brazil. The effectiveness of these coastal defense structures is evaluated in terms of sedimentary dynamics, which is one of the most important environmental processes to be assessed in coastal engineering studies. The applied method is based on the implementation of the Delft3D numerical model system tools. Delft3D-WAVE module was used for waves modelling, Delft3D-FLOW for hydrodynamic modelling and Delft3D-SED for sediment transport modelling. The calibration of the models was carried out in a way that the simulations adequately represent the region studied, evaluating improvements in the model elements with the use of statistical comparisons of similarity between the results and waves, currents and tides data recorded in the study area. Analysis of the maximum wave heights was carried to select the months with higher accumulated energy to implement these conditions in the engineering scenarios. The engineering studies were performed for two scenarios: 1) numerical simulation of the area considering only the two existing groins; 2) conception of breakwaters coupled at the ends of the existing groins, resulting in two “T” shaped structures. The sediment model showed that, for the simulated period, the area is affected by erosive processes and that the existing groins have little effectiveness in defending the coast in question. The implemented T structures showed some effectiveness in protecting the beaches against erosion and provided the recovery of the portion directly covered by it on the Milionários Beach. In order to complement this study, it is suggested the conception of further engineering scenarios that might recover other areas of the studied region.

Keywords: coastal engineering, coastal erosion, Sao Vicente bay, Delft3D, coastal engineering works

Procedia PDF Downloads 123
23428 High Speed Rail vs. Other Factors Affecting the Tourism Market in Italy

Authors: F. Pagliara, F. Mauriello

Abstract:

The objective of this paper is to investigate the relationship between the increase of accessibility brought by high speed rail (HSR) systems and the tourism market in Italy. The impacts of HSR projects on tourism can be quantified in different ways. In this manuscript, an empirical analysis has been carried out with the aid of a dataset containing information both on tourism and transport for 99 Italian provinces during the 2006-2016 period. Panel data regression models have been considered, since they allow modelling a wide variety of correlation patterns. Results show that HSR has an impact on the choice of a given destination for Italian tourists while the presence of a second level hub mainly affects foreign tourists. Attraction variables are also significant for both categories and the variables concerning security, such as number of crimes registered in a given destination, have a negative impact on the choice of a destination.

Keywords: tourists, overnights, high speed rail, attractions, security

Procedia PDF Downloads 151
23427 Jeddah’s Hydraulic Protection Systems and the Management of Flood: An Assessment

Authors: Faouzi Ameur, Atef Belhaj Ali

Abstract:

Located in the South-west of Saudi Arabia, Jeddah is more than a harbor. It is a big city of the Red Sea and the second town of Saudi Arabia, after Riyadh the capital. Jeddah profits from several economic assets due especially to its transit position towards the high sacred places of Islam like Mecca and Medina. During summer, this metropolis is transformed into a political capital and a tourist resort for foreigners and Saudis alike. The city of Jeddah was affected by serious sudden floods; two great ones took place in 2009, and in 2011. The human and material tools were considerable, since these events caused the death to hundreds of people, damaged thousands of buildings built on basins slopes, which, however had the authorizations necessary. To cope with these natural disasters, several urban hydraulic measures were undertaken like building dams and canals to collect surface waters. These urban measures aimed at the protection of inhabitants and belongings against the risks of floods as well as the interception and the drainage of streams. Although these protection measures are important, expensive, and effective, they are no longer enough or effective to cope with the evolution of the natural disasters that the city of Jeddah is constantly exposed to. These protective hydraulic measures did not make it possible to reach risk zero situations. They transferred the damages towards other zones. This paper purports to study the protection network systems in Jeddah and to understand their various impacts during floods on the city and on its inhabitants.

Keywords: Jeddah, Saudi Arabia, urbanization, hydraulic protection

Procedia PDF Downloads 247
23426 A Mixture Vine Copula Structures Model for Dependence Wind Speed among Wind Farms and Its Application in Reactive Power Optimization

Authors: Yibin Qiu, Yubo Ouyang, Shihan Li, Guorui Zhang, Qi Li, Weirong Chen

Abstract:

This paper aims at exploring the impacts of high dimensional dependencies of wind speed among wind farms on probabilistic optimal power flow. To obtain the reactive power optimization faster and more accurately, a mixture vine Copula structure model combining the K-means clustering, C vine copula and D vine copula is proposed in this paper, through which a more accurate correlation model can be obtained. Moreover, a Modified Backtracking Search Algorithm (MBSA), the three-point estimate method is applied to probabilistic optimal power flow. The validity of the mixture vine copula structure model and the MBSA are respectively tested in IEEE30 node system with measured data of 3 adjacent wind farms in a certain area, and the results indicate effectiveness of these methods.

Keywords: mixture vine copula structure model, three-point estimate method, the probability integral transform, modified backtracking search algorithm, reactive power optimization

Procedia PDF Downloads 246
23425 Design of an Artificial Oil Body-Cyanogen Bromide Technology Platform for the Expression of Small Bioactive Peptide, Mastoparan B

Authors: Tzyy-Rong Jinn, Sheng-Kuo Hsieh, Yi-Ching Chung, Feng-Chia Hsieh

Abstract:

In this study, we attempted to develop a recombinant oleosin-based fusion expression strategy in Escherichia coli (E. coli) and coupled with the artificial oil bodies (AOB)-cyanogen bromide technology platform to produce bioactive mastoparan B (MP-B). As reported, the oleosin in AOB system plays a carrier (fusion with target protein), since oleosin possess two amphipathic regions (at the N-terminus and C-terminus), which result in the N-terminus and C-terminus of oleosin could be arranged on the surface of AOB. Thus, the target protein fused to the N-terminus or C-terminus of oleosin which also is exposed on the surface of AOB, and this process will greatly facilitate the subsequent separation and purification of target protein from AOB. In addition, oleosin, a unique structural protein of seed oil bodies, has the added advantage of helping the fused MP-B expressed in inclusion bodies, which can protect from proteolytic degradation. In this work, MP-B was fused to the C-terminus of oleosin and then was expressed in E. coli as an insoluble recombinant protein. As a consequence, we successfully developed a reliable recombinant oleosin-based fusion expression strategy in Escherichia coli and coupled with the artificial oil bodies (AOB)-cyanogen bromide technology platform to produce the small peptide, MP-B. Take together, this platform provides an insight into the production of active MP-B, which will facilitate studies and applications of this peptide in the future.

Keywords: artificial oil bodies, Escherichia coli, Oleosin-fusion protein, Mastoparan-B

Procedia PDF Downloads 448
23424 Assessment the Infiltration of the Wastewater Ponds and Its Impact on the Water Quality of Pleistocene Aquifer at El Sadat City Using 2-D Electrical Resistivity Tomography and Water Chemistry

Authors: Abeer A. Kenawy, Usama Massoud, El-Said A. Ragab, Heba M. El-Kosery

Abstract:

2-D Electrical Resistivity Tomography (ERT) and hydrochemical study have been conducted at El Sadat industrial city. The study aims to investigate the area around the wastewater ponds to determine the possibility of water percolation from the wastewater ponds to the Pleistocene aquifer and to inspect the effect of this seepage on the groundwater chemistry. Pleistocene aquifer is the main groundwater reservoir in this area, where El Sadat city and its vicinities depend totally on this aquifer for water supplies needed for drinking, agricultural, and industrial activities. In this concern, seven ERT profiles were measured around the wastewater ponds. Besides, 10 water samples were collected from the ponds and the nearby groundwater wells. The water samples have been chemically analyzed for major cations, anions, nutrients, and heavy elements. Also, the physical parameters (pH, Alkalinity, EC, TDS) of the water samples were measured. Inspection of the ERT sections shows that they exhibit lower resistivity values towards the water ponds and higher values in opposite sides. In addition, the water table was detected at shallower depths at the same sides of lower resistivity. This could indicate a wastewater infiltration to the groundwater aquifer near the oxidation ponds. Correlation of the physical parameters and ionic concentrations of the wastewater samples with those of the groundwater samples indicates that; the ionic levels are randomly varying and no specific trend could be obtained. In addition, the wastewater samples shows some ionic levels lower than those detected in other groundwater samples. Besides, the nitrate level is higher in samples taken from the cultivated land than the wastewater samples due to the over using of nitrogen fertilizers. Then, we can say that the infiltrated water from wastewater ponds are not the main controller of the groundwater chemistry in this area, but rather the variable ionic concentrations could be attributed to local, natural, and anthropogenic processes.

Keywords: El Sadat city, ERT, hydrochemistry, percolation, wastewater ponds

Procedia PDF Downloads 344
23423 Stochastic Frontier Application for Evaluating Cost Inefficiencies in Organic Saffron

Authors: Pawan Kumar Sharma, Sudhakar Dwivedi, R. K. Arora

Abstract:

Saffron is one of the most precious spices grown on the earth and is cultivated in a very limited area in few countries of the world. It has also been grown as a niche crop in Kishtwar district of Jammu region of Jammu and Kashmir State of India. This paper attempts to examine the presence of cost inefficiencies in saffron production and the associated socio-economic characteristics of saffron growers in the mentioned area. Although the numbers of inputs used in cultivation of saffron were limited, still cost inefficiencies were present in its production. The net present value (NPV), internal rate of return (IRR) and profitability index (PI) of investment in five years of saffron production were INR 1120803, 95.67 % and 3.52 respectively. The estimated coefficients of saffron stochastic cost function for saffron bulbs, human labour, animal labour, manure and saffron output were positive. The saffron growers having non-farm income were more cost inefficient as compared to farmers who did not have sources of income other than farming by 0.04 %. The maximum value of cost efficiency for saffron grower was 1.69 with mean value of 1.12. The majority of farmers have low cost inefficiencies, as the highest frequency of occurrence of the predicted cost efficiency was below 1.06.

Keywords: saffron, internal rate of return, cost efficiency, stochastic frontier model

Procedia PDF Downloads 146
23422 Where Is the Sultan of Aceh? Reconsidering the Return of the Aceh Sultanate

Authors: Muhammad Harya Ramdhoni, Nidzam Sulaiman, Muhammad Ridwan

Abstract:

The Helsinki Agreement between the Indonesian Government (RI) and the Aceh Liberation Movement (GAM) on 15th Aug. 2005 fails to reconcile social and political turmoil in Aceh Darussalam (NAD). The political powers that were once unified in their struggle against Indonesian Government prior to this agreement have now become divided due to differences in political and economic interests. Using descriptive analysis and intellectual discourse, this paper proposes that the Aceh Sultanate be revived as an attempt to unite these divided political powers and to curtail potential conflicts in the area. This proposal is based on three assumptions. First, the Aceh Sultanate is the only Sultanate in Sumatera that did not fall victim to the social revolution post 1945 proclamation of independence. Second, the Acehnese still acknowledge the Sultanate as a sovereign political power even though it was defeated by the Dutch in 1904. Third, there are emotional, historical and cultural ties between the Acehnese and the Sultanate as they still perceived them to be their patron. Consequently, the Sultanate is the unifying element of all political powers in the area. This, however, is not an attempt to reinstate feudalism in Aceh. It only seeks to facilitate the political reconciliation process in Aceh Darussalam founded on sociological and historical background of locals.

Keywords: Sultanate Aceh, political reconciliation, political power, patron-client

Procedia PDF Downloads 260
23421 Towards Intercultural Competence in EFL Textbook: the Case of ‘New Prospects’

Authors: Kamilia Mebarki

Abstract:

The promotion of intercultural competence plays an important role in foreign language education. The outcome of intercultural educationalists‟ studies was the adoption of intercultural language learning and a modified version of the Communicative Competence that encompasses an intercultural component enabling language learners to communicate successfully interculturally. Intercultural Competencehas an even more central role in teaching English as a foreign language (EFL) since efforts are critical to preparing learners for intercultural communisation in our global world. In these efforts, EFL learning materials are a crucial stimulus for developing learners’ intercultural competence. There has been a continuous interest in the analysis of EFL textbooks by researcher all over the world. One specific area that has received prominent attention in recent years is a focus on how the cultural content of EFL materials promote intercultural competence. In the Algerian context, research on the locally produced EFL textbooks tend to focus on investigating the linguistic and communicative competence. The cultural content of the materials has not yet been systematically researched. Therefore, this study contributes to filling this gap by evaluating the locally published EFL textbook ‘New Prospects’ used at the high school level as well as investigating teachers’ views and attitudes on the cultural content of ‘New Prospects’ alongside two others locally produced EFL textbooks ‘Getting Through’ and ‘At the Crossroad’ used at high school level. To estimate the textbook’s potential of developing intercultural competence, mixed methods, a combination of quantitative and qualitative data collection, was used in the material evaluation analysed via content analysis and in the survey questionnaire and interview with teachers.Data collection and analysis were supported by the frameworks developed by the researcher for analysing the textbook, questionnaire, and interview. Indeed, based on the literature, three frameworks/ models are developed in this study to analyse, on one hand, the cultural contexts and themes discussed in the material that play an important role in fostering learners’ intercultural awareness. On the other hand, to evaluate the promotion of developing intercultural competence.

Keywords: intercultural communication, intercultural communicative competence, intercultural competence, EFL materials

Procedia PDF Downloads 90
23420 Nanoparticles Modification by Grafting Strategies for the Development of Hybrid Nanocomposites

Authors: Irati Barandiaran, Xabier Velasco-Iza, Galder Kortaberria

Abstract:

Hybrid inorganic/organic nanostructured materials based on block copolymers are of considerable interest in the field of Nanotechnology, taking into account that these nanocomposites combine the properties of polymer matrix and the unique properties of the added nanoparticles. The use of block copolymers as templates offers the opportunity to control the size and the distribution of inorganic nanoparticles. This research is focused on the surface modification of inorganic nanoparticles to reach a good interface between nanoparticles and polymer matrices which hinders the nanoparticle aggregation. The aim of this work is to obtain a good and selective dispersion of Fe3O4 magnetic nanoparticles into different types of block copolymers such us, poly(styrene-b-methyl methacrylate) (PS-b-PMMA), poly(styrene-b-ε-caprolactone) (PS-b-PCL) poly(isoprene-b-methyl methacrylate) (PI-b-PMMA) or poly(styrene-b-butadiene-b-methyl methacrylate) (SBM) by using different grafting strategies. Fe3O4 magnetic nanoparticles have been surface-modified with polymer or block copolymer brushes following different grafting methods (grafting to, grafting from and grafting through) to achieve a selective location of nanoparticles into desired domains of the block copolymers. Morphology of fabricated hybrid nanocomposites was studied by means of atomic force microscopy (AFM) and with the aim to reach well-ordered nanostructured composites different annealing methods were used. Additionally, nanoparticle amount has been also varied in order to investigate the effect of the nanoparticle content in the morphology of the block copolymer. Nowadays different characterization methods were using in order to investigate magnetic properties of nanometer-scale electronic devices. Particularly, two different techniques have been used with the aim of characterizing synthesized nanocomposites. First, magnetic force microscopy (MFM) was used to investigate qualitatively the magnetic properties taking into account that this technique allows distinguishing magnetic domains on the sample surface. On the other hand, magnetic characterization by vibrating sample magnetometer and superconducting quantum interference device. This technique demonstrated that magnetic properties of nanoparticles have been transferred to the nanocomposites, exhibiting superparamagnetic behavior similar to that of the maghemite nanoparticles at room temperature. Obtained advanced nanostructured materials could found possible applications in the field of dye-sensitized solar cells and electronic nanodevices.

Keywords: atomic force microscopy, block copolymers, grafting techniques, iron oxide nanoparticles

Procedia PDF Downloads 258
23419 Estimating Affected Croplands and Potential Crop Yield Loss of an Individual Farmer Due to Floods

Authors: Shima Nabinejad, Holger Schüttrumpf

Abstract:

Farmers who are living in flood-prone areas such as coasts are exposed to storm surges increased due to climate change. Crop cultivation is the most important economic activity of farmers, and in the time of flooding, agricultural lands are subject to inundation. Additionally, overflow saline water causes more severe damage outcomes than riverine flooding. Agricultural crops are more vulnerable to salinity than other land uses for which the economic damages may continue for a number of years even after flooding and affect farmers’ decision-making for the following year. Therefore, it is essential to assess what extent the agricultural areas are flooded and how much the associated flood damage to each individual farmer is. To address these questions, we integrated farmers’ decision-making at farm-scale with flood risk management. The integrated model includes identification of hazard scenarios, failure analysis of structural measures, derivation of hydraulic parameters for the inundated areas and analysis of the economic damages experienced by each farmer. The present study has two aims; firstly, it attempts to investigate the flooded cropland and potential crop damages for the whole area. Secondly, it compares them among farmers’ field for three flood scenarios, which differ in breach locations of the flood protection structure. To achieve its goal, the spatial distribution of fields and cultivated crops of farmers were fed into the flood risk model, and a 100-year storm surge hydrograph was selected as the flood event. The study area was Pellworm Island that is located in the German Wadden Sea National Park and surrounded by North Sea. Due to high salt content in seawater of North Sea, crops cultivated in the agricultural areas of Pellworm Island are 100% destroyed by storm surges which were taken into account in developing of depth-damage curve for analysis of consequences. As a result, inundated croplands and economic damages to crops were estimated in the whole Island which was further compared for six selected farmers under three flood scenarios. The results demonstrate the significance and the flexibility of the proposed model in flood risk assessment of flood-prone areas by integrating flood risk management and decision-making.

Keywords: crop damages, flood risk analysis, individual farmer, inundated cropland, Pellworm Island, storm surges

Procedia PDF Downloads 255
23418 Community Based Landslide Investigation and Treatment in the Earthquake Affected Areas, Nepal

Authors: Basanta Raj Adhikari

Abstract:

Large and small scale earthquakes are frequent in the Nepal, Himalaya, and many co-seismic landslides are resulted out of it. Recently, Gorkha earthquake-2015 has triggered many co-seismic landslides destroying many lives and properties. People have displaced their original places due to having many cracks and unstable ground. Therefore, Nepal has been adopting a pronged development strategy to address the earthquake issues through reconstruction and rehabilitation policy, plans and budgets. Landslides are major threat for the mountain livelihood, and it is very important to investigate and mitigate to improve human wellbeing factoring in considerations of economic growth, environmental safety, and sustainable development. Community based landslide investigation was carried with the involvement of the local community in the Sindhupalchowk District of Central Nepal. Landslide training and field orientation were the major methodological approach of this study. Combination of indigenous and modern scientific knowledge has created unique working environment which enhanced the local capacity and trained people for replication. Local topography of the landslide was created with the help of Total Station and bill of quantity was derived based on it. River training works, plantation of trees and grasses, support structures, surface and sub-surface drainage management are the recommended mitigative measures. This is a very unique example of how academia and local community can work together for sustainable development by reducing disaster risk at the local level with very low-cost technology.

Keywords: community, earthquake, landslides, Nepal

Procedia PDF Downloads 153
23417 Assessment of Environmental Impact for Rice Mills in Burdwan District: Special Emphasis on Groundwater, Surface Water, Soil, Vegetation and Human Health

Authors: Rajkumar Ghosh, Bhabani Prasad Mukhopadhay

Abstract:

Rice milling is an important activity in agricultural economy of India, particularly the Burdwan district. However, the environmental impact of rice mills is frequently underestimated. The environmental impact of rice mills in the Burdwan district is a major source of concern, given the importance of rice milling in the local economy and food supply. In the Burdwan district, more than fifty (50) rice mills are in operation. The goal of this study is to investigate the effects of rice mills on several environmental components, with a particular emphasis on groundwater, surface water, soil, and vegetation. The research comprises a thorough review of numerous rice mills located around the district, utilising both qualitative and quantitative approaches. Water samples taken from wells near rice mills will be tested for groundwater quality, with an emphasis on factors such as heavy metal pollution and pollutant concentrations. Monitoring rice mill discharge into neighbouring bodies of water and studying the potential impact on aquatic ecosystems will be part of surface water evaluations. Furthermore, soil samples from the surrounding areas will be taken to examine changes in soil characteristics, nutrient content, and potential contamination from milling waste disposal. Vegetation studies will be conducted to investigate the effects of emissions and effluents on plant health and biodiversity in the region. The findings will provide light on the extent of environmental degradation caused by rice mills in the Burdwan district, as well as valuable insight into the effects of such operations on water, soil, and vegetation. The findings will aid in the development of appropriate legislation and regulations to reduce negative environmental repercussions and promote sustainable practises in the rice milling business. In some cases, heavy metals have been related to health problems. Heavy metals (As, Cd, Cu, Pb, Cr, Hg) are linked to skin, lung, brain, kidney, liver, metabolic, spleen, cardiovascular, haematological, immunological, gastrointestinal, testes, pancreatic, metabolic, and bone problems. As a result, this study contributes to a better knowledge of industrial environmental impacts and establishes the framework for future studies aimed at developing a more ecologically balanced and resilient Burdwan district. The following recommendations are offered for reducing the rice mill's environmental impact: To keep untreated effluents out of bodies of water, adequate waste management systems must be established. Use environmentally friendly rice milling processes to reduce pollution. To avoid soil pollution, rice mill by-products should be used as fertiliser in a controlled and appropriate manner. Groundwater, surface water, soil, and vegetation are all regularly monitored in order to study and adapt to environmental changes. By adhering to these principles, the rice milling industry of Burdwan district may achieve long-term growth while lowering its environmental effect and safeguarding the environment for future generations.

Keywords: groundwater, environmental analysis, biodiversity, rice mill, waste management, diseases, industrial impact

Procedia PDF Downloads 86
23416 Quantification of River Ravi Pollution and Oxidation Pond Treatment to Improve the Drain Water Quality

Authors: Yusra Mahfooz, Saleha Mehmood

Abstract:

With increase in industrialization and urbanization, water contaminating rivers through effluents laden with diverse chemicals in developing countries. The study was based on the waste water quality of the four drains (Outfall, Gulshan -e- Ravi, Hudiara, and Babu Sabu) which enter into river Ravi in Lahore, Pakistan. Different pollution parameters were analyzed including pH, DO, BOD, COD, turbidity, EC, TSS, nitrates, phosphates, sulfates and fecal coliform. Approximately all the water parameters of drains were exceeded the permissible level of wastewater standards. In calculation of pollution load, Hudiara drains showed highest pollution load in terms of COD i.e. 429.86 tons/day while in Babu Sabu drain highest pollution load was calculated in terms of BOD i.e. 162.82 tons/day (due to industrial and sewage discharge in it). Lab scale treatment (oxidation ponds) was designed in order to treat the waste water of Babu Sabu drain, through combination of different algae species i.e. chaetomorphasutoria, sirogoniumsticticum and zygnema sp. Two different sizes of ponds (horizontal and vertical), and three different concentration of algal samples (25g/3L, 50g/3L, and 75g/3L) were selected. After 6 days of treatment, 80 to 97% removal efficiency was found in the pollution parameters. It was observed that in the vertical pond, maximum reduction achieved i.e. turbidity 62.12%, EC 79.3%, BOD 86.6%, COD 79.72%, FC 100%, nitrates 89.6%, sulphates 96.9% and phosphates 85.3%. While in the horizontal pond, the maximum reduction in pollutant parameters, turbidity 69.79%, EC 83%, BOD 88.5%, COD 83.01%, FC 100%, nitrates 89.8%, sulphates 97% and phosphates 86.3% was observed. Overall treatment showed that maximum reduction was carried out in 50g algae setup in the horizontal pond due to large surface area, after 6 days of treatment. Results concluded that algae-based treatment are most energy efficient, which can improve drains water quality in cost effective manners.

Keywords: oxidation pond, ravi pollution, river water quality, wastewater treatment

Procedia PDF Downloads 292
23415 Multiaxial Stress Based High Cycle Fatigue Model for Adhesive Joint Interfaces

Authors: Martin Alexander Eder, Sergei Semenov

Abstract:

Many glass-epoxy composite structures, such as large utility wind turbine rotor blades (WTBs), comprise of adhesive joints with typically thick bond lines used to connect the different components during assembly. Performance optimization of rotor blades to increase power output by simultaneously maintaining high stiffness-to-low-mass ratios entails intricate geometries in conjunction with complex anisotropic material behavior. Consequently, adhesive joints in WTBs are subject to multiaxial stress states with significant stress gradients depending on the local joint geometry. Moreover, the dynamic aero-elastic interaction of the WTB with the airflow generates non-proportional, variable amplitude stress histories in the material. Empiricism shows that a prominent failure type in WTBs is high cycle fatigue failure of adhesive bond line interfaces, which in fact over time developed into a design driver as WTB sizes increase rapidly. Structural optimization employed at an early design stage, therefore, sets high demands on computationally efficient interface fatigue models capable of predicting the critical locations prone for interface failure. The numerical stress-based interface fatigue model presented in this work uses the Drucker-Prager criterion to compute three different damage indices corresponding to the two interface shear tractions and the outward normal traction. The two-parameter Drucker-Prager model was chosen because of its ability to consider shear strength enhancement under compression and shear strength reduction under tension. The governing interface damage index is taken as the maximum of the triple. The damage indices are computed through the well-known linear Palmgren-Miner rule after separate rain flow-counting of the equivalent shear stress history and the equivalent pure normal stress history. The equivalent stress signals are obtained by self-similar scaling of the Drucker-Prager surface whose shape is defined by the uniaxial tensile strength and the shear strength such that it intersects with the stress point at every time step. This approach implicitly assumes that the damage caused by the prevailing multiaxial stress state is the same as the damage caused by an amplified equivalent uniaxial stress state in the three interface directions. The model was implemented as Python plug-in for the commercially available finite element code Abaqus for its use with solid elements. The model was used to predict the interface damage of an adhesively bonded, tapered glass-epoxy composite cantilever I-beam tested by LM Wind Power under constant amplitude compression-compression tip load in the high cycle fatigue regime. Results show that the model was able to predict the location of debonding in the adhesive interface between the webfoot and the cap. Moreover, with a set of two different constant life diagrams namely in shear and tension, it was possible to predict both the fatigue lifetime and the failure mode of the sub-component with reasonable accuracy. It can be concluded that the fidelity, robustness and computational efficiency of the proposed model make it especially suitable for rapid fatigue damage screening of large 3D finite element models subject to complex dynamic load histories.

Keywords: adhesive, fatigue, interface, multiaxial stress

Procedia PDF Downloads 165
23414 Synthesis of Mesoporous In₂O₃-TiO₂ Nanocomposites as Efficient Photocatalyst for Treatment Industrial Wastewater under Visible Light and UV Illumination

Authors: Ibrahim Abdelfattah, Adel Ismail, Ahmed Helal, Mohamed Faisal

Abstract:

Advanced oxidation technologies are an environment friendly approach for the remediation of industrial wastewaters. Here, one pot synthesis of mesoporous In₂O₃-TiO₂ nanocomposites at different In₂O₃ contents (0-3 wt%) have been synthesized through a facile sol-gel method to evaluate their photocatalytic performance for the degradation of the imazapyr herbicide and phenol under visible light and UV illumination compared with commercially available either Degussa P-25 or UV-100 Hombikat. The prepared mesoporous In₂O₃-TiO₂ nanocomposites were characterized by TEM, STEM, XRD, Raman FT-IR, Raman spectra and diffuse reflectance UV-visible. The bandgap energy of the prepared photocatalysts was derived from the diffuse reflectance spectra. XRD Raman's spectra confirmed that highly crystalline anatase TiO₂ phase was formed. TEM images show TiO₂ particles are quite uniform with 10±2 nm sizes with mesoporous structure. The mesoporous TiO₂ exhibits large pore volumes of 0.267 cm³g⁻¹ and high surface areas of 178 m²g⁻¹, but they become reduced to 0.211 cm³g⁻¹ and 112 m²g⁻¹, respectively upon In₂O₃ incorporation, with tunable mesopore diameter in the range of 5 - 7 nm. The 0.5% In₂O₃-TiO₂ nanocomposite is considered to be the optimum photocatalyst which is able to degrade 90% of imazapyr herbicide and phenol along 180 min and 60 min respectively. The proposed mechanism of this system and the role of In₂O₃ are explained by details.

Keywords: In₂O₃-TiO₂ nanocomposites, sol-gel method, visible light illumination, UV illumination, herbicide and phenol wastewater, removal

Procedia PDF Downloads 290
23413 Use of Structural Family Therapy and Dialectical Behavior Therapy with High-Conflict Couples

Authors: Eman Tadros, Natasha Finney

Abstract:

The following case study involving a high-conflict, Children’s Services Bureau (CSB) referred couple is analyzed and reviewed through an integrated lens of structural family therapy and dialectical behavior therapy. In structural family therapy, normal family development is not characterized by a lack of problems, but instead by families’ having developed a functional structure for dealing with their problems. Whereas, in dialectical behavioral therapy normal family development can be characterized by having a supportive and validating environment, where all family members feel a sense of acceptance and validation for who they are and where they are in life. The clinical case conceptualization highlights the importance of conceptualizing how change occurs within a therapeutic setting. In the current case study, the couple did not only experience high-conflict, but there were also issues of substance use, health issues, and other complicating factors. Clinicians should view their clients holistically and tailor their treatment to fit their unique needs. In this framework, change occurs within the family unit, by accepting each member as they are, while at the same time working together to change maladaptive familial structures.

Keywords: couples, dialectical behavior therapy, high-conflict, structural family therapy

Procedia PDF Downloads 339
23412 Assessment of Rural Youth Adoption of Cassava Production Technologies in Southwestern Nigeria

Authors: J. O. Ayinde, S. O. Olatunji

Abstract:

This study assessed rural youth adoption of cassava production technologies in Southwestern, Nigeria. Specifically, it examine the level of awareness and adoption of cassava production technologies by rural youth, determined the extent of usage of cassava production technologies available to the rural youth, examined constrains to the adoption of cassava production technologies by youth and suggested possible solutions. Multistage sampling procedure was adopted for the study. In the first stage, two states were purposively selected in southwest, Nigeria which are Osun and Oyo states due to high level of cassava production and access to cassava production technology in the areas. In the second stage, purposive sampling technique was used to select two local governments each from the states selected which are Ibarapa central (Igbo-Ora) and Ibarapa East (Eruwa) Local Government Areas (LGAs) in Oyo state; and Ife North (Ipetumodu) and Ede South (Oke Ireesi) LGAs in Osun State. In the third stage, proportionate sampling technique was used to randomly select five, four, six and four communities from the selected LGAs respectively representing 20 percent of the rural communities in them, in all 19 communities were selected. In the fourth stage, Snow ball sampling technique was used to select about 7 rural youths in each community selected to make a total of 133 respondents. Validated structured interview schedule was used to elicit information from the respondents. The data collected were analyzed using both descriptive and inferential statistics to summarize and test the hypotheses of the study. The results show that the average age of rural youths participating in cassava production in the study area is 29 ± 2.6 years and 60 percent aged between 30 and 35 years. Also, more male (67.4 %) were involved in cassava production than females (32.6 %). The result also reveals that the average size of farm land of the respondents is 2.5 ± 0.3 hectares. Also, more male (67.4 %) were involved in cassava production than females (32.6 %). Also, extent of usage of the technologies (r = 0.363, p ≤ 0.01) shows significant relationship with level of adoption of the technologies. Household size (b = 0.183; P ≤ 0.01) and membership of social organizations were significant at 0.01 (b = 0.331; P ≤ 0.01) while age was significant at 0.10 (b = 0.097; P ≤ 0.05). On the other hand 0.01, years of residence (b = - 0.063; P ≤ 0.01) and income (b = - 0.204; P ≤ 0.01) had negative values and implies that a unit increase in each of these variables would decrease extent of usage of the Cassava production technologies. It was concluded that the extent of usage of the technologies in the communities will affect the rate of adoption positively and this will change the negative perception of youths on cassava production thereby ensure food security in the study area.

Keywords: assessment, rural youths’, Cassava production technologies, agricultural production, food security

Procedia PDF Downloads 205
23411 Event Data Representation Based on Time Stamp for Pedestrian Detection

Authors: Yuta Nakano, Kozo Kajiwara, Atsushi Hori, Takeshi Fujita

Abstract:

In association with the wave of electric vehicles (EV), low energy consumption systems have become more and more important. One of the key technologies to realize low energy consumption is a dynamic vision sensor (DVS), or we can call it an event sensor, neuromorphic vision sensor and so on. This sensor has several features, such as high temporal resolution, which can achieve 1 Mframe/s, and a high dynamic range (120 DB). However, the point that can contribute to low energy consumption the most is its sparsity; to be more specific, this sensor only captures the pixels that have intensity change. In other words, there is no signal in the area that does not have any intensity change. That is to say, this sensor is more energy efficient than conventional sensors such as RGB cameras because we can remove redundant data. On the other side of the advantages, it is difficult to handle the data because the data format is completely different from RGB image; for example, acquired signals are asynchronous and sparse, and each signal is composed of x-y coordinate, polarity (two values: +1 or -1) and time stamp, it does not include intensity such as RGB values. Therefore, as we cannot use existing algorithms straightforwardly, we have to design a new processing algorithm to cope with DVS data. In order to solve difficulties caused by data format differences, most of the prior arts make a frame data and feed it to deep learning such as Convolutional Neural Networks (CNN) for object detection and recognition purposes. However, even though we can feed the data, it is still difficult to achieve good performance due to a lack of intensity information. Although polarity is often used as intensity instead of RGB pixel value, it is apparent that polarity information is not rich enough. Considering this context, we proposed to use the timestamp information as a data representation that is fed to deep learning. Concretely, at first, we also make frame data divided by a certain time period, then give intensity value in response to the timestamp in each frame; for example, a high value is given on a recent signal. We expected that this data representation could capture the features, especially of moving objects, because timestamp represents the movement direction and speed. By using this proposal method, we made our own dataset by DVS fixed on a parked car to develop an application for a surveillance system that can detect persons around the car. We think DVS is one of the ideal sensors for surveillance purposes because this sensor can run for a long time with low energy consumption in a NOT dynamic situation. For comparison purposes, we reproduced state of the art method as a benchmark, which makes frames the same as us and feeds polarity information to CNN. Then, we measured the object detection performances of the benchmark and ours on the same dataset. As a result, our method achieved a maximum of 7 points greater than the benchmark in the F1 score.

Keywords: event camera, dynamic vision sensor, deep learning, data representation, object recognition, low energy consumption

Procedia PDF Downloads 90
23410 Development of 111In-DOTMP as a New Bone Imaging Agent

Authors: H. Yousefnia, S. Zolghadri, AR. Jalilian, A. Mirzaei, A. Bahrami-Samani, M. Erfani

Abstract:

The objective of this study is the preparation of 111In-DOTMP as a new bone imaging agent. 111In was produced at the Agricultural, Medical and Industrial Research School (AMIRS) by means of 30 MeV cyclotron via natCd(p,x)111In reaction. Complexion of In‐111 with DOTMP was carried out by adding 0.1 ml of the stock solution (50 mg/ml in 2 N NaoH) to the vial containing 1 mCi of 111In. pH of the mixture was adjusted to 7-8 by means of phosphate buffer. The radiochemical purity of the complex at the optimized condition was higher than 98% (by using whatman No.1 paper in NH4OH:MeOH: H2O (0.2:2:4)). Both the biodistribution studies and SPECT imaging indicated high bone uptake. The ratio of bone to other soft tissue accumulation was significantly high which permit to observe high quality images. The results show that 111In-DOTMP can be used as a suitable tracer for diagnosis of bone metastases by SPECT imaging.

Keywords: biodistribution, DOTMP, 111In, SPECT

Procedia PDF Downloads 523
23409 The Role of Non-Governmental Organizations in Combating Human Trafficking in South India: An Overview

Authors: Kumudini Achchi

Abstract:

India, being known for its rich cultural values has given a special place to women who are also been victims of humiliation, torture, and exploitation. The major share of Human Trafficking goes to sex trafficking which is recognised as world’s second most huge social evil. The original form of sex trafficking in India is prostitution with and without religious sanction. Today the situation of such women reached as an issue of human rights where they rights are denied severely. This situation demanded intervention to protect them from the exploitative situation. NGO are the proactive initiatives which offer support to the exploited women in sex trade. To understand the intervention programs of NGOs in South India, a study was conducted covering four states and a union territory considering 32 NGOs based on their preparedness to participate in the research study. Descriptive and diagnostic research design was adopted along with interview schedule as a tool for collecting data. The study reveals that these NGOs believes in the possibility of mainstreaming commercially sexually exploited women and found adopted seven different programs in the process such as rescue, rehabilitation, reintegration, prevention, developmental, advocacy and research. Each area involves different programs to reach and prepare the exploited women towards mainstreamed society which has been discussed in the paper. Implementation of these programs is not an easy task for the organizations rather they are facing hardships in the areas such as social, legal, financial, political which are hindering the successful operations. Rescue, advocacy, and research are the least adopted areas by the NGOs because of lack of support as well as knowledge in the area. Rehabilitation stands as the most adopted area in implementation. The paper further deals with the challenges in the implementation of the programs as well as the remedial measures in social work point of view having Indian cultural background.

Keywords: NGOs, commercially sexually exploited women, programmes, South India

Procedia PDF Downloads 246
23408 High-Performance Non-aqueous Organic Redox Flow Battery in Ambient Condition

Authors: S. K. Mohapatra, K. Ramanujam, S. Sankararaman

Abstract:

Redox flow battery (RFB) is a preferred energy storage option for grid stabilisation and energy arbitrage as it offers energy and power decoupling. In contrast to aqueous RFBs (ARFBs), nonaqueous RFBs (NARFBs) could offer high energy densities due to the wider electrochemical window of the solvents used, which could handle high and low voltage organic redox couples without undergoing electrolysis. In this study, a RFB based on benzyl viologen hexafluorophosphate [BV(PF6)2] as anolyte and N-hexyl phenothiazine [HPT] as catholyte demonstrated. A cell operated with mixed electrolyte (1:1) containing 0.2 M [BV(PF₆)₂] and 0.2 M [HPT] delivered a coulombic efficiency (CE) of 95.3 % and energy efficiency (EE) 53%, with nearly 68.9% material utilisation at 40 mA cm-2 current density.

Keywords: non-aqueous redox flow battery, benzyl viologen, N-hexyl phenothiazine, mixed electrolyte

Procedia PDF Downloads 72