Description and validation of the rotordisksource class for propeller performance estimation

Size: px
Start display at page:

Download "Description and validation of the rotordisksource class for propeller performance estimation"

Transcription

1 Description and validation of the rotordisksource class for propeller performance estimation Alexandre Capitao Patrao Department of Mechanics and Maritime Sciences Division of Fluid Dynamics Chalmers University of Technology Gothenburg, Sweden Alexandre Capitao Patrao / 48

2 Contents Contents Introduction Theory Implementation Modifications Case setup Results Epilogue Alexandre Capitao Patrao / 48

3 Background Background Propeller performance prediction methods range in order of complexity and fidelity from analytical 1D momentum theory, BEM, to 3D CFD. The actuator disk methodology lies between the BEM and 3D CFD in terms of complexity, fidelity, and computational cost. The low computational cost of the actuator disk methodology makes is suitable for studying rotor-airframe interaction. Alexandre Capitao Patrao / 48

4 Background Alexandre Capitao Patrao / 48

5 Objectives Objectives How to use it: How to setup a simplified simulation of the flow around a propeller using the rotordisksource class and the simplefoam solver. How to define the propeller geometry in the correct way. How to setup a mesh in the correct way for best results. The theory of it: A brief description of the theory behind the actuator disk will be provided. The Blade element theory will be reviewed. How it is implemented: Description of how the rotordisksource class is implemented in OpenFOAM. How to modify it: It will be shown how to fix a critical bug in the rotordisksource class. It will be shown how to implement an improved tip correction factor and various propeller performance parameters. Alexandre Capitao Patrao / 48

6 Actuator disk Theory Alexandre Capitao Patrao / 48

7 Actuator disk Actuator disk fundamentals u i x i = 0 (1) u j u i x j R ij x j = p x i + S i (2) Alexandre Capitao Patrao / 48

8 Blade Element Theory Blade Element Theory Alexandre Capitao Patrao / 48

9 Blade Element Theory Blade Element Theory Alexandre Capitao Patrao / 48

10 Blade Element Theory Blade Element Theory Alexandre Capitao Patrao / 48

11 Blade Element Theory Blade Element Theory Alexandre Capitao Patrao / 48

12 rotordisksource class Implementation Alexandre Capitao Patrao / 48

13 rotordisksource class rotordisksource class implementation Originally developed by Stefano Wahono (Development of Virtual Blade Model for Modelling Helicopter Rotor Downwash in OpenFOAM) The rotordisksource class is activated at runtime if the solver finds a fvoptions file containing a rotordisk type entry. The rotordisksouce class source code can be found by typing: OF1706 cd $FOAM_SRC/fvOptions/sources/derived/rotorDiskSource tree../rotordisksource Alexandre Capitao Patrao / 48

14 rotordisksource class rotordisksource class files Alexandre Capitao Patrao / 48

15 rotordisksource class rotordisksource class files Alexandre Capitao Patrao / 48

16 rotordisksourcetemplates.c Modifications Alexandre Capitao Patrao / 48

17 rotordisksourcetemplates.c rotordisksourcetemplates.c Three main modifications are going to be made in the code: 1 Fixing an error in the calculation of the local forces. 2 Implementing a more general blade tip correction. 3 Implementing propeller performance parameters. Start by copying the entire fvoptions folder and make sure that the future compiled binary files end up in the user directory: foam cp -r --parents src/fvoptions $WM_PROJECT_USER_DIR cd $WM_PROJECT_USER_DIR/src/fvOptions sed -i s/foam_libbin/foam_user_libbin/g Make/files cd sources/derived/rotordisksource/ Alexandre Capitao Patrao / 48

18 rotordisksourcetemplates.c rotordisksourcetemplates.c Modify the code in rotordisksourcetemplates.c as shown below: // Logging info scalar drageff = 0.0; scalar lifteff = 0.0; scalar thrusteff = 0.0; //NEW LINE scalar torqueeff = 0.0; //NEW LINE scalar powereff = 0.0; //NEW LINE scalar AOAmin = GREAT; scalar AOAmax = -GREAT; scalar epsmin = GREAT; //NEW LINE scalar epsmax = -GREAT; //NEW LINE Mark and comment the lines shown below: // NEW LINE - HERE WE COMMENT THE TWO LINES BELOW: // Apply tip effect for blade lift //scalar tipfactor = neg(radius/rmax_ - tipeffect_); Alexandre Capitao Patrao / 48

19 rotordisksourcetemplates.c rotordisksourcetemplates.c scalar f = pdyn*chord*nblades_*area_[i]/radius/mathematical::twopi; /*=======================NEW LINES========================================*/ // Flow angle scalar eps = atan2(-uc.z(), Uc.y()); if (eps < -mathematical::pi) { eps = (2.0*mathematical::pi + eps); } if (eps > mathematical::pi) { eps = (eps - 2.0*mathematical::pi); } epsmin = min(epsmin, eps); epsmax = max(epsmax, eps); //Drela tip factor: scalar lambdaval = radius/(0.5*diameterref_)*tan(eps); scalar tipfactor_f = (nblades_/2)*(1-radius/(0.5*diameterref_))*(1/lambdaval); scalar tipfactor = 2/mathematical::pi*acos(exp(-tipFactor_f)); // Tangential and axial forces scalar ftang = (f*cd*cos(eps) + tipfactor*f*cl*sin(eps)); scalar faxial = (-f*cd*sin(eps) + tipfactor*f*cl*cos(eps)); vector localforce = vector(0.0,-ftang,faxial); /*========================================================================*/ // NEW LINE - HERE WE COMMENT THE LINE BELOW: // vector localforce = vector(0.0, -f*cd, tipfactor*f*cl); Alexandre Capitao Patrao / 48

20 rotordisksourcetemplates.c rotordisksourcetemplates.c Now we add expressions for calculating the overall rotor thrust, torque and power (NEW LINE): // Accumulate forces drageff += rhoref_*localforce.y(); lifteff += rhoref_*localforce.z(); thrusteff += rhoref_*faxial; //NEW LINE torqueeff += rhoref_*ftang*radius; //NEW LINE powereff += rhoref_*ftang*radius*omega_;//new LINE // Transform force from local coning system into rotor cylindrical localforce = invr_[i] & localforce; The propeller efficiency can now be calculated outside the loop, just before the code that outputs data to the terminal: scalar etaprop = thrusteff*refveleta_/powereff; //NEW LINE if (output) { reduce(aoamin, minop<scalar>()); Alexandre Capitao Patrao / 48

21 rotordisksourcetemplates.c rotordisksourcetemplates.c The rotor thrust, torque, power, and efficiency should be output into the terminal windows, and this is done by inserting the lines with //NEW LINE below: Info<< type() << " output:" << nl << " min/max(aoa) = " << radtodeg(aoamin) << ", " << radtodeg(aoamax) << nl << " min/max(eps) = " << radtodeg(epsmin) << ", " //NEW LINE << radtodeg(epsmax) << nl //NEW LINE << " Rotor thrust = " << thrusteff << nl //NEW LINE << " Rotor torque = " << torqueeff << nl //NEW LINE << " Rotor power = " << powereff << nl //NEW LINE << " Rotor propeller efficiency = " << etaprop << nl //NEW LINE << " Effective drag = " << drageff << nl << " Effective lift = " << lifteff << endl; Alexandre Capitao Patrao / 48

22 rotordisksource.h rotordisksource.h The changes that have been made utilize some new variables (diameterref_ and refveleta_) that have not yet been defined in the rest of the code. The next step is to declare and define these variables, starting in the file rotordisksource.h: //- Reference density for incompressible case scalar rhoref_; //- Reference diameter for calculating prandtl tip loss factor scalar diameterref_; //NEW LINE //- Reference velocity for calculating propeller efficiency scalar refveleta_; //NEW LINE //- Rotational speed [rad/s] // Positive anti-clockwise when looking along -ve lift direction scalar omega_; Alexandre Capitao Patrao / 48

23 rotordisksource.c rotordisksource.c Now modify the constructor functions in the file rotordisksource.c: Foam::fv::rotorDiskSource::rotorDiskSource ( const word& name, const word& modeltype, const dictionary& dict, const fvmesh& mesh ) : cellsetoption(name, modeltype, dict, mesh), rhoref_(1.0), diameterref_(1.0), //NEW LINE refveleta_(0.0),//new LINE omega_(0.0), Alexandre Capitao Patrao / 48

24 rotordisksource.c rotordisksource.c And one last change so that the propeller diameter and flight velocity can be read from the fvoptions dictionary: coeffs_.lookup("tipeffect") >> tipeffect_; // Reference diameter for calculating prandtl tip loss factor coeffs_.lookup("diameterref") >> diameterref_; //NEW LINE // Reference velocity for calculating propeller efficiency coeffs_.lookup("refveleta") >> refveleta_; //NEW LINE const dictionary& flapcoeffs(coeffs_.subdict("flapcoeffs")); All that remains now is to compile the code: cd $WM_PROJECT_USER_DIR/src/fvOptions wmake Alexandre Capitao Patrao / 48

25 Mesh requirements Case setup Alexandre Capitao Patrao / 48

26 Mesh requirements Surface patches Alexandre Capitao Patrao / 48

27 Mesh requirements Mesh Alexandre Capitao Patrao / 48

28 Mesh requirements ROTORDISK mesh Alexandre Capitao Patrao / 48

29 Propeller specification Propeller specification Alexandre Capitao Patrao / 48

30 simplefoam setup simplefoam setup The case setup is started in the easiest way by copying the tutorial case from the OpenFOAM installation directory. OF1706+ cp -r $FOAM_TUTORIALS/incompressible/simpleFoam/rotorDisk $FOAM_RUN/ cd $FOAM_RUN/rotorDisk Alexandre Capitao Patrao / 48

31 simplefoam setup Initial and boundary conditions The patch names of the 0/k, 0/nut, and 0/omega files need to be changed as is shown below. Change the names of the patches for all three files. INLET { type value } fixedvalue; uniform $kinlet; OUTLET { type inletvalue value } DISK_MANTLE { type } inletoutlet; uniform $kinlet; uniform $kinlet; slip; Alexandre Capitao Patrao / 48

32 simplefoam setup Initial and boundary conditions The patch names of the 0/p file also needs changing. Additionally, the DISK_MANTLE boundary condition should be changed to zerogradient. internalfield uniform 0; boundaryfield { INLET { type } zerogradient; OUTLET { type fixedvalue; value uniform 0; } DISK_MANTLE { type } zerogradient; Alexandre Capitao Patrao / 48

33 simplefoam setup Initial and boundary conditions Finally, the patch names of the 0/U file also needs changing. The OUTLET and DISK_MANTLE patches should be changed to zerogradient and the INLET patch boundary condition should have a velocity of m/s. Uinlet ( ); dimensions [ ]; internalfield boundaryfield { INLET { type value } OUTLET { type } DISK_MANTLE { type } uniform $Uinlet; fixedvalue; uniform $Uinlet; zerogradient; zerogradient; Alexandre Capitao Patrao / 48

34 simplefoam setup Import mesh The existing mesh needs to be deleted and the new one extracted from the accompanying files. The mesh is in ANSYS Fluent format, and needs to be converted using the fluent3dmeshtofoam utility: cd $FOAM_RUN/rotorDisk rm -r constant/trisurface/ tar -xvzf prop_incomp_refcase.tar.gz cp prop_incomp_refcase/fluent1.msh. fluent3dmeshtofoam fluent1.msh Alexandre Capitao Patrao / 48

35 simplefoam setup Setting up the fvoptions file (1/4) The properties needed for the rotordisksource class need to be included in the fvoptions file (it will be split into several slides): disk { type rotordisk; // Specifying that the rotordisksource class // is to be used for sources in the domain selectionmode cellzone cellzone; ROTORDISK; // how to choose which cellzone to use as the // cylindrical actuator disk volume fields (U); // Names of fields on which to apply source nblades 6; // Number of blades tipeffect 1.00; // Normalised radius above which lift = 0, // should be set to 1 if using a Prandtl tip corr. diameterref 1.0; // Propeller reference diameter (used to calculate // prandtl tip loss) refveleta ;// Reference velocity for calculating // propeller efficiency inletflowtype local; // Inlet flow type specification inletvelocity (0 1 0); Alexandre Capitao Patrao / 48

36 simplefoam setup Setting up the fvoptions file (2/4) geometrymode origin axis refdirection rpm specified; (0 0 0); //used for constructing the rotor coordinate system (0-1 0);//used for constructing the rotor coordinate system (0 0 1);// Reference direction // Used as reference for psi angle (ie radial dir) ;//rotational velocity of the rotor trimmodel fixedtrim; // fixed targetforce // fixedtrim if the rotor blade angle is fixed rhoref 1.225; // reference density rhoinf 1.225; Alexandre Capitao Patrao / 48

37 simplefoam setup Setting up the fvoptions file (3/4) // BLADE SPECIFICATION blade // This entry lists a number of sections which together define a // piece-wise linear propeller. { data ( (sect0 ( )) // radius [m], blade angle [deg], chord [m] (sect1 ( )) (sect2 ( )) (sect3 ( )) (sect4 ( )) (sect5 ( )) (sect6 ( )) (sect7 ( )) (sect8 ( )) (sect9 ( )) (sect10 ( )) (sect11 ( )) (sect12 ( )) (sect13 ( )) (sect14 ( )) (sect15 ( )) (sect16 ( )) (sect17 ( )) (sect18 ( )) (sect19 ( )) ); } Alexandre Capitao Patrao / 48

38 simplefoam setup Setting up the fvoptions file (4/4) profiles { sect0 // This entry gives cl and cd as function of angle-of-attack { type lookup; data ( ( ) //angle-of-attack [deg], cd, cl ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ( ) ); } Alexandre Capitao // HERE Patrao ARE SECTIONS 1-18, SEE APPENDIX / 48

39 simplefoam setup fvoptions and fvsolution files The complete fvoptions is very long (in this case), and is easily copied from the accompanying files: cp prop_incomp_refcase/system/fvoptions system/ The relaxation factors in the fvsolution file should be changed to 0.5: relaxationfactors { equations { U 0.5; "(k omega epsilon)" 0.5; } } The case can then be run with the command: simplefoam &> log & Alexandre Capitao Patrao / 48

40 Propeller performance Results Alexandre Capitao Patrao / 48

41 Propeller performance Performance results Performance values for the reference propeller design from design program, OpenFOAM simulation, and CFX full blade simulations: T [N] P [kw ] η Design target: % OpenFOAM: % CFX: % Alexandre Capitao Patrao / 48

42 Wake velocities Wake velocities - axial velocity Axial velocity contours for the reference propeller simulated with ANSYS CFX (left) and OpenFOAM (right). Plane located one D downstream of propeller. Alexandre Capitao Patrao / 48

43 Wake velocities Wake velocities - swirl velocity Swirl velocity contours for the reference propeller simulated with ANSYS CFX (left) and OpenFOAM (right). Plane located one D downstream of propeller. Alexandre Capitao Patrao / 48

44 Wake velocities Before and after bug fix Swirl velocity contours for the reference propeller simulated with the original (left) and modified (right) rotordisksource class. Alexandre Capitao Patrao / 48

45 Advance ratio sweep Performance for different advance ratios Performance values from OpenFoam (OF) and ANSYS CFX simulations for different advance ratios J = V 0 /nd. Alexandre Capitao Patrao / 48

46 Conclusions Epilogue Alexandre Capitao Patrao / 48

47 Conclusions Conclusions The rotordisksource class provides a very fast way of simulating the time-averaged performance of a propeller (3.5 minutes per case in this report). The rotordisksource class has a critical bug which results in greatly under-predicted rotor torque and downstream swirl velocities, but this bug can be fixed relatively easy. A more general tip correction factor than the existing one has been implemented, and results in a decrease in axial and swirl velocities at the rotor tip which are similar to what is found in CFD simulations of the entire blade geometry. The values of thrust and torque are under-predicted for the OpenFOAM simulations relative to the CFX full blade simulations, and future work should investigate the effect of different boundary conditions and turbulence models on the results. The variation in thrust and efficiency with respect to advance ratio is relatively similar for the OpenFOAM and CFX simulations, but the OpenFOAM values start to differ when the propeller starts stalling at lower advance ratios. Alexandre Capitao Patrao / 48

48 Study questions Study questions How to use it: 1 What is the rotordisksource class useful for? 2 What kind cells are best suited for meshing the actuator disk volume? 3 What OpenFOAM utility can be used to convert fluent meshes so that they can be used by OpenFOAM? 4 Why does the propeller efficiency differ significantly between the OpenFOAM and CFX simulations for lower advance ratios? The theory of it: 5 What is the main benefit of using an actuator disk over a full 3D blade simulation? 6 Does the Blade Element Theory account for 3D flow effects? Name some of these 3D flow phenomena. 7 Which flow velocities does the BET take into consideration when calculating a blade section angle-of-attack? How it is implemented: 8 How did the main error in the rotordisksource class manifest itself in the flow? How to modify it: 9 In which file is the main calculation for calculating the rotor forces located? Provide a full path using OpenFOAM environment variables. 10 How was the main error in the rotordisksource class fixed? Alexandre Capitao Patrao / 48

Simplified flow around a propeller for the course CFD with OpenSource Software

Simplified flow around a propeller for the course CFD with OpenSource Software Simplified flow around a propeller for the course CFD with OpenSource Software Gonzalo Montero Applied Mechanics/Fluid Dynamics, Chalmers University of Technology, Gothenburg, Sweden 2015-12-08 Gonzalo

More information

Implementing Vortex Lattice Representation of Propeller Sections

Implementing Vortex Lattice Representation of Propeller Sections CFD with OpenSource Software 2014 Implementing Vortex Lattice Representation of Propeller Sections Developed for OpenFOAM-2.3.x Surya Kiran Peravali Chalmers University of Technology, Gothenburg, Sweden.

More information

CHAPTER 4 OPTIMIZATION OF COEFFICIENT OF LIFT, DRAG AND POWER - AN ITERATIVE APPROACH

CHAPTER 4 OPTIMIZATION OF COEFFICIENT OF LIFT, DRAG AND POWER - AN ITERATIVE APPROACH 82 CHAPTER 4 OPTIMIZATION OF COEFFICIENT OF LIFT, DRAG AND POWER - AN ITERATIVE APPROACH The coefficient of lift, drag and power for wind turbine rotor is optimized using an iterative approach. The coefficient

More information

viscousheatingsolver Martin Becker

viscousheatingsolver Martin Becker viscousheatingsolver Adding temperature transport and viscous heating to simplefoam Solver and Test Case Martin Becker martin_becker@dhcae-tools.de 11/09/2012 Abstract The modifications of the simplefoam

More information

Blade Element Momentum Theory

Blade Element Momentum Theory Blade Element Theory has a number of assumptions. The biggest (and worst) assumption is that the inflow is uniform. In reality, the inflow is non-uniform. It may be shown that uniform inflow yields the

More information

Porous Media in OpenFOAM

Porous Media in OpenFOAM Chalmers Spring 2009 Porous Media in OpenFOAM Haukur Elvar Hafsteinsson Introduction This tutorial gives a detailed description of how to do simulations with porous media in OpenFOAM-1.5. The porous media

More information

Introduction. Haukur Elvar Hafsteinsson. OpenFOAM - Porous Media 1. The Governing Equations. The Class. The solver. Porous media as a flow control

Introduction. Haukur Elvar Hafsteinsson. OpenFOAM - Porous Media 1. The Governing Equations. The Class. The solver. Porous media as a flow control Introduction The Governing Equations The Class The solver Porous media as a flow control Porous media in cylindrical coordinates Available at the course home page: http://www.tfd.chalmers.se/ hani/kurser/os_cfd_2008/

More information

How to implement your own turbulence model(1/3)

How to implement your own turbulence model(1/3) How to implement your own turbulence model(1/3) The implementations of the turbulence models are located in $FOAM_SRC/turbulenceModels Copythesourceoftheturbulencemodelthatismostsimilartowhatyouwanttodo.Inthis

More information

CFD with OpenSource software A course at Chalmers University of Technology Taught by HÅKAN NILSSON. Project work: intersettlingfoam

CFD with OpenSource software A course at Chalmers University of Technology Taught by HÅKAN NILSSON. Project work: intersettlingfoam Taught by HÅKAN NILSSON Project work: intersettlingfoa Developed for OpenFOAM-2.2.0 Author: Pedra Rain Deceber, 2013 2/21/2014 1 Presentation Outline: The objective of this presentation Introduction to

More information

Actuator disk modeling of the Mexico rotor with OpenFOAM

Actuator disk modeling of the Mexico rotor with OpenFOAM ITM Web of Conferences 2, 06001 (2014) DOI: 10.1051/itmconf/20140206001 C Owned by the authors, published by EDP Sciences, 2014 Actuator disk modeling of the Mexico rotor with OpenFOAM A. Jeromin 3, A.

More information

Implementation of Turbulent Viscosity from EARSM for Two Equation Turbulence Model

Implementation of Turbulent Viscosity from EARSM for Two Equation Turbulence Model CFD with OpenSource software A course at Chalmers University of Technology Taught by Håkan Nilsson Project work: Implementation of Turbulent Viscosity from EARSM for Two Equation Turbulence Model Developed

More information

NUMERICAL INVESTIGATION OF VERTICAL AXIS WIND TURBINE WITH TWIST ANGLE IN BLADES

NUMERICAL INVESTIGATION OF VERTICAL AXIS WIND TURBINE WITH TWIST ANGLE IN BLADES Eleventh International Conference on CFD in the Minerals and Process Industries CSIRO, Melbourne, Australia 7-9 December 05 NUMERICAL INVESTIGATION OF VERTICAL AXIS WIND TURBINE WITH TWIST ANGLE IN BLADES

More information

How to implement your own turbulence model (1/3)

How to implement your own turbulence model (1/3) How to implement your own turbulence model 1/3) The implementations of the turbulence models are located in $FOAM_SRC/turbulenceModels Copy the source of the turbulence model that is most similar to what

More information

Implementation of HLLC-AUSM low-mach scheme in a density-based compressible solver in FOAM-extend

Implementation of HLLC-AUSM low-mach scheme in a density-based compressible solver in FOAM-extend Implementation of HLLC-AUSM low-mach scheme in a density-based compressible solver in FOAM-extend Mohammad Hossein Arabnejad Mechanics and Maritime Sciences/Marine Technology, Chalmers University of Technology,

More information

Aerodynamic Performance 1. Figure 1: Flowfield of a Wind Turbine and Actuator disc. Table 1: Properties of the actuator disk.

Aerodynamic Performance 1. Figure 1: Flowfield of a Wind Turbine and Actuator disc. Table 1: Properties of the actuator disk. Aerodynamic Performance 1 1 Momentum Theory Figure 1: Flowfield of a Wind Turbine and Actuator disc. Table 1: Properties of the actuator disk. 1. The flow is perfect fluid, steady, and incompressible.

More information

Manhar Dhanak Florida Atlantic University Graduate Student: Zaqie Reza

Manhar Dhanak Florida Atlantic University Graduate Student: Zaqie Reza REPRESENTING PRESENCE OF SUBSURFACE CURRENT TURBINES IN OCEAN MODELS Manhar Dhanak Florida Atlantic University Graduate Student: Zaqie Reza 1 Momentum Equations 2 Effect of inclusion of Coriolis force

More information

Project #1 Internal flow with thermal convection

Project #1 Internal flow with thermal convection Project #1 Internal flow with thermal convection MAE 494/598, Fall 2017, Project 1 (20 points) Hard copy of report is due at the start of class on the due date. The rules on collaboration will be released

More information

Actuator Surface Model for Wind Turbine Flow Computations

Actuator Surface Model for Wind Turbine Flow Computations Actuator Surface Model for Wind Turbine Flow Computations Wen Zhong Shen* 1, Jens Nørkær Sørensen 1 and Jian Hui Zhang 1 Department of Mechanical Engineering, Technical University of Denmark, Building

More information

The implementation of Two-equation SGS turbulence model and Wall damping function

The implementation of Two-equation SGS turbulence model and Wall damping function The implementation of Two-equation SGS turbulence model and Wall damping function Yeru Shang Thermo-fluid Mechanics Research Centre, The University of Sussex, Brighton, UK 2017-11-21 Yeru Shang The implementation

More information

High-level programming in OpenFOAM and a first glance at C++

High-level programming in OpenFOAM and a first glance at C++ High-level programming in OpenFOAM and a first glance at C++ Håkan Nilsson, Chalmers / Mechanics and Maritime Sciences / Fluid Dynamics 1 Solving PDEs with OpenFOAM The PDEs we wish to solve involve derivatives

More information

Validation of Chaviaro Poulos and Hansen Stall Delay Model in the Case of Horizontal Axis Wind Turbine Operating in Yaw Conditions

Validation of Chaviaro Poulos and Hansen Stall Delay Model in the Case of Horizontal Axis Wind Turbine Operating in Yaw Conditions Energy and Power Engineering, 013, 5, 18-5 http://dx.doi.org/10.436/epe.013.51003 Published Online January 013 (http://www.scirp.org/journal/epe) Validation of Chaviaro Poulos and Hansen Stall Delay Model

More information

Propellers and Ducted Fans

Propellers and Ducted Fans Propellers and Ducted Fans Session delivered by: Prof. Q. H. Nagpurwala 1 To help protect your privacy, PowerPoint prevented this external picture from being automatically downloaded. To download and display

More information

Thermal protection: Non-homogeneous heat transfer through an axial fan

Thermal protection: Non-homogeneous heat transfer through an axial fan Thermal protection: Non-homogeneous heat transfer through an axial fan Dipl.-Ing Markus Riesterer, Prof. Dr.-Ing Bettina Frohnapfel, Institut of Fluid Mechanics Dr.-Ing. Heinrich Reister, Dr.-Ing. Thomas

More information

GyroRotor program : user manual

GyroRotor program : user manual GyroRotor program : user manual Jean Fourcade January 18, 2016 1 1 Introduction This document is the user manual of the GyroRotor program and will provide you with description of

More information

DESIGN AND ANALYSIS METHODS FOR UAV ROTOR BLADES

DESIGN AND ANALYSIS METHODS FOR UAV ROTOR BLADES SCIENTIFIC RESEARCH AND EDUCATION IN THE AIR FORCE AFASES2017 DESIGN AND ANALYSIS METHODS FOR UAV ROTOR BLADES Alexandru DUMITRACHE*, Mihai-Victor PRICOP **, Mihai-Leonida NICULESCU **, Marius-Gabriel

More information

Determining Diffuser Augmented Wind Turbine performance using a combined CFD/BEM method

Determining Diffuser Augmented Wind Turbine performance using a combined CFD/BEM method Journal of Physics: Conference Series PAPER OPEN ACCESS Determining Diffuser Augmented Wind Turbine performance using a combined CFD/BEM method To cite this article: JE Kesby et al 2016 J. Phys.: Conf.

More information

ENGR 4011 Resistance & Propulsion of Ships Assignment 4: 2017

ENGR 4011 Resistance & Propulsion of Ships Assignment 4: 2017 Question 1a. Values of forward speed, propeller thrust and torque measured during a propeller open water performance test are presented in the table below. The model propeller was 0.21 meters in diameter

More information

Numerical Investigation of Aerodynamic Performance and Loads of a Novel Dual Rotor Wind Turbine

Numerical Investigation of Aerodynamic Performance and Loads of a Novel Dual Rotor Wind Turbine energies Article Numerical Investigation of Aerodynamic Performance and Loads of a Novel Dual Rotor Wind Turbine Behnam Moghadassian, Aaron Rosenberg and Anupam Sharma * Department of Aerospace Engineering,

More information

Description of reactingtwophaseeulerfoam solver with a focus on mass transfer modeling terms

Description of reactingtwophaseeulerfoam solver with a focus on mass transfer modeling terms Description of reactingtwophaseeulerfoam solver with a focus on mass transfer modeling terms Submitted by: Thummala Phanindra Prasad, Environmental Engineering Department, Anadolu University of Technology,

More information

VORTEX METHOD APPLICATION FOR AERODYNAMIC LOADS ON ROTOR BLADES

VORTEX METHOD APPLICATION FOR AERODYNAMIC LOADS ON ROTOR BLADES EWEA 2013: Europe s Premier Wind Energy Event, Vienna, 4-7 February 2013 Figures 9, 10, 11, 12 and Table 1 corrected VORTEX METHOD APPLICATION FOR AERODYNAMIC LOADS ON ROTOR BLADES Hamidreza Abedi *, Lars

More information

Tutorial: Premixed Flow in a Conical Chamber using the Finite-Rate Chemistry Model

Tutorial: Premixed Flow in a Conical Chamber using the Finite-Rate Chemistry Model Tutorial: Premixed Flow in a Conical Chamber using the Finite-Rate Chemistry Model Introduction The purpose of this tutorial is to provide guidelines and recommendations for setting up and solving the

More information

Mechanical Engineering for Renewable Energy Systems. Dr. Digby Symons. Wind Turbine Blade Design

Mechanical Engineering for Renewable Energy Systems. Dr. Digby Symons. Wind Turbine Blade Design ENGINEERING TRIPOS PART IB PAPER 8 ELECTIVE () Mechanical Engineering for Renewable Energy Systems Dr. Digby Symons Wind Turbine Blade Design Student Handout CONTENTS 1 Introduction... 3 Wind Turbine Blade

More information

Mathematical Modeling of the Flow behind Propeller

Mathematical Modeling of the Flow behind Propeller Studies in Engineering and Technology Vol. 2, No. 1; August 2015 ISSN 2330-2038 E-ISSN 2330-2046 Published by Redfame Publishing URL: http://set.redfame.com Mathematical Modeling of the Flow behind Propeller

More information

Assessment of low-order theories for analysis and design of shrouded wind turbines using CFD

Assessment of low-order theories for analysis and design of shrouded wind turbines using CFD Journal of Physics: Conference Series OPEN ACCESS Assessment of low-order theories for analysis and design of shrouded wind turbines using CFD To cite this article: Aniket C Aranake et al 4 J. Phys.: Conf.

More information

Rotor reference axis

Rotor reference axis Rotor reference axis So far we have used the same reference axis: Z aligned with the rotor shaft Y perpendicular to Z and along the blade (in the rotor plane). X in the rotor plane and perpendicular do

More information

Description of poroussimplefoam and adding the Brinkmann model to the porous models Developed for OpenFOAM-2.2.x

Description of poroussimplefoam and adding the Brinkmann model to the porous models Developed for OpenFOAM-2.2.x CFD with OpenSource Software A course at Chalmers University of Technology Taught by Hakan Nilsson Project work: Description of poroussimplefoam and adding the Brinkmann model to the porous models Developed

More information

Draft Tube calculations using OpenFOAM-1.5dev and validation with FLINDT data

Draft Tube calculations using OpenFOAM-1.5dev and validation with FLINDT data 6th OpenFOAM Workshop, June 13-16 2011, PennState University, USA Draft Tube calculations using OpenFOAM-1.5dev and validation with FLINDT data C. Devals, Y. Zhang and F.Guibault École Polytechnique de

More information

Lecture 2: Fundamentals 2/3: Navier-Stokes Equation + Basics of Discretization

Lecture 2: Fundamentals 2/3: Navier-Stokes Equation + Basics of Discretization Lecture 2: Fundamentals 2/3: Navier-Stokes Equation Basics of Discretization V.Vuorinen Aalto University School of Engineering CFD Course, Spring 2018 January 15th 2018, Otaniemi ville.vuorinen@aalto.fi

More information

studies Maryse Page Hydro-Québec, Research Institute Håkan Nilsson Chalmers University of Technology Omar Bounous Chalmers University of Technology

studies Maryse Page Hydro-Québec, Research Institute Håkan Nilsson Chalmers University of Technology Omar Bounous Chalmers University of Technology OpenFOAM Turbomachinery Working Group: ERCOFTAC conical diffuser case-studies studies Maryse Page Hydro-Québec, Research Institute Olivier Petit Chalmers University of Technology Håkan Nilsson Chalmers

More information

High-level programming in OpenFOAM and a first glance at C++

High-level programming in OpenFOAM and a first glance at C++ High-level programming in OpenFOAM and a first glance at C++ Håkan Nilsson, Chalmers / Applied Mechanics / Fluid Dynamics 1 Solving PDEs with OpenFOAM The PDEs we wish to solve involve derivatives of tensor

More information

Solving PDEs with OpenFOAM

Solving PDEs with OpenFOAM Solving PDEs with OpenFOAM ThePDEswewishtosolveinvolvederivativesoftensorfieldswith respect to time and space The PDEs must be discretized in time and space before we solve them We will start by having

More information

ITTC Propeller Benchmark

ITTC Propeller Benchmark ITTC Propeller Benchmark Tip Rake PPTC, Propeller P1727 - P1727 Report 4487 Potsdam, March April 2016 2016 Schiffbau-Versuchsanstalt Potsdam GmbH, Marquardter Chaussee 100, 14469 Potsdam Tel. +49 331 56712-0,

More information

Numerical Modeling and Optimization of Power Generation from Shrouded Wind Turbines

Numerical Modeling and Optimization of Power Generation from Shrouded Wind Turbines Washington University in St. Louis Washington University Open Scholarship All Theses and Dissertations (ETDs) 1-1-2011 Numerical Modeling and Optimization of Power Generation from Shrouded Wind Turbines

More information

Turbine Blade Design of a Micro Gas Turbine

Turbine Blade Design of a Micro Gas Turbine Turbine Blade Design of a Micro Gas Turbine Bhagawat Yedla Vellore Institute of Technlogy, Vellore 632014, India Sanchit Nawal Vellore Institute of Technlogy, Vellore 632014, India Shreehari Murali Vellore

More information

Performance characteristics of turbo blower in a refuse collecting system according to operation conditions

Performance characteristics of turbo blower in a refuse collecting system according to operation conditions Journal of Mechanical Science and Technology 22 (2008) 1896~1901 Journal of Mechanical Science and Technology www.springerlink.com/content/1738-494x DOI 10.1007/s12206-008-0729-6 Performance characteristics

More information

Magnetic induction and electric potential solvers for incompressible MHD flows

Magnetic induction and electric potential solvers for incompressible MHD flows Magnetic induction and electric potential solvers for incompressible MHD flows Alessandro Tassone DIAEE - Nuclear Section, Sapienza Università di Roma, Rome, Italy 05/12/2016 Alessandro Tassone CMHD Solvers

More information

Fluid Mechanics Prof. T. I. Eldho Department of Civil Engineering Indian Institute of Technology, Bombay

Fluid Mechanics Prof. T. I. Eldho Department of Civil Engineering Indian Institute of Technology, Bombay Fluid Mechanics Prof. T. I. Eldho Department of Civil Engineering Indian Institute of Technology, Bombay Lecture No. # 35 Boundary Layer Theory and Applications Welcome back to the video course on fluid

More information

Solving PDEs with OpenFOAM

Solving PDEs with OpenFOAM Solving PDEs with OpenFOAM ThePDEswewishtosolveinvolvederivativesoftensorfieldswith respect to time and space ThePDEsmustbediscretizedintimeandspacebeforewesolve them WewillstartbyhavingalookatalgebraoftensorsinOpenFOAM

More information

Performance and wake development behind two in-line and offset model wind turbines "Blind test" experiments and calculations

Performance and wake development behind two in-line and offset model wind turbines Blind test experiments and calculations Journal of Physics: Conference Series OPEN ACCESS Performance and wake development behind two in-line and offset model wind turbines "Blind test" experiments and calculations To cite this article: Lars

More information

Design of Multistage Turbine

Design of Multistage Turbine Turbomachinery Lecture Notes 7-9-4 Design of Multistage Turbine Damian Vogt Course MJ49 Nomenclature Subscripts Symbol Denotation Unit c Absolute velocity m/s c p Specific heat J/kgK h Enthalpy J/kg m&

More information

Analysis of Counter-Rotating Wind Turbines

Analysis of Counter-Rotating Wind Turbines Journal of Physics: Conference Series Analysis of Counter-Rotating Wind Turbines To cite this article: W Z Shen et al 7 J. Phys.: Conf. Ser. 75 3 View the article online for updates and enhancements. Related

More information

Research on Propeller Characteristics of Tip Induced Loss

Research on Propeller Characteristics of Tip Induced Loss 4th International Conference on Machinery, Materials and Information Technology Applications (ICMMITA 2016) Research on Propeller Characteristics of Tip Induced Loss Yang Song1, a, Peng Shan2, b 1 School

More information

A solver for Boussinesq shallow water equations

A solver for Boussinesq shallow water equations A solver for Boussinesq shallow water equations Dimitrios Koukounas Department of Mechanics and Maritime sciences Chalmers University of Technology, Gothenburg, Sweden 2017-11-23 Dimitrios Koukounas Beamer

More information

CFDOFAIRFLOWINHYDROPOWERGENERATORS FOR CONVECTIVE COOLING, USING OPENFOAM

CFDOFAIRFLOWINHYDROPOWERGENERATORS FOR CONVECTIVE COOLING, USING OPENFOAM CFDOFAIRFLOWINHYDROPOWERGENERATORS FOR CONVECTIVE COOLING, USING OPENFOAM ECCOMAS CFD 21 Pirooz Moradnia, Håkan Nilsson Lisbon-Portugal 21-6-16 Pirooz Moradnia, Chalmers/ Applied Mechanics/ Fluid Dynamics

More information

Wind turbine power curve prediction with consideration of rotational augmentation effects

Wind turbine power curve prediction with consideration of rotational augmentation effects IOP Conference Series: Materials Science and Engineering PAPER OPEN ACCESS Wind turbine power curve prediction with consideration of rotational augmentation effects To cite this article: X Tang et al 16

More information

Coupling Physics. Tomasz Stelmach Senior Application Engineer

Coupling Physics. Tomasz Stelmach Senior Application Engineer Coupling Physics Tomasz Stelmach Senior Application Engineer Agenda Brief look @ Multiphysics solution What is new in R18 Fluent Maxwell coupling wireless power transfer Brief look @ ANSYS Multiphysics

More information

Adding electric conduction and Joule heating to chtmultiregionfoam Niklas Järvstråt

Adding electric conduction and Joule heating to chtmultiregionfoam Niklas Järvstråt Adding electric conduction and Joule heating to chtmultiregionfoam Niklas Järvstråt Physical equations: Thermal conduction (with Joule heating and passive transport included) Thermal conduction is standard

More information

CFD Analysis of DHTW utilizing VE Technology A Helix Thermowell Design White Paper

CFD Analysis of DHTW utilizing VE Technology A Helix Thermowell Design White Paper CFD Analysis of DHTW utilizing VE Technology A Helix Thermowell Design White Paper Raymond Litteaur, P.E., Product Line Manager / Research & Development Manager Ryan McDermott, Production Engineer 2017

More information

On the advanced extrapolation method for a new type of podded propulsor via CFD simulations and model measurements

On the advanced extrapolation method for a new type of podded propulsor via CFD simulations and model measurements Fifth International Symposium on Marine Propulsors smp 17, Espoo, Finland, June 2017 On the advanced extrapolation method for a new type of podded propulsor via CFD simulations and model measurements Tomi

More information

Design of Propeller Blades For High Altitude

Design of Propeller Blades For High Altitude Design of Propeller Blades For High Altitude Silvestre 1, M. A. R., Morgado 2 1,2 - Department of Aerospace Sciences University of Beira Interior MAAT 2nd Annual Meeting M24, 18-20 of September, Montreal,

More information

Control Volume Analysis For Wind Turbines

Control Volume Analysis For Wind Turbines Control Volume Analysis For Wind Turbines.0 Introduction In this Chapter we use the control volume (CV) method introduced informally in Section., to develop the basic equations for conservation of mass

More information

Written in August 2017 during my holiday in Bulgaria, Sunny Coast

Written in August 2017 during my holiday in Bulgaria, Sunny Coast Electric ucted Fan Theory This paper describes a simple theory of a ducted fan. It is assumed that the reader knows what it is an electric ducted fan (EF), how it works, and what it is good for. When I

More information

Journal of Mechatronics, Electrical Power, and Vehicular Technology

Journal of Mechatronics, Electrical Power, and Vehicular Technology J. Mechatron. Electr. Power Veh. Technol 06 (2015) 39 8 Journal of Mechatronics, Electrical Power, and Vehicular Technology e-issn:2088-6985 p-issn: 2087-3379 www.mevjournal.com GEOMETRY ANALYSIS AND EFFECT

More information

3-D Modeling of Axial Fans

3-D Modeling of Axial Fans Applied Mathematics, 2013, 4, 632-651 http://dx.doi.org/10.4236/am.2013.44088 Published Online April 2013 (http://www.scirp.org/journal/am) 3-D Modeling of Axial Fans Ali Sahili 1, Bashar Zogheib 2, Ronald

More information

Evaluation of OpenFOAM for CFD of turbulent flow in

Evaluation of OpenFOAM for CFD of turbulent flow in !" #$&% ' (*)+,, -. /12 Evaluation of OpenFOAM for CFD of turbulent flow in water turbines Håkan NILSSON Chalmers Univ. of Technology, Göteborg, Sweden hani@chalmers.se Key words: CFD, Validation, Kaplan,

More information

GENERALISATION OF THE TWO-SCALE MOMENTUM THEORY FOR COUPLED WIND TURBINE/FARM OPTIMISATION

GENERALISATION OF THE TWO-SCALE MOMENTUM THEORY FOR COUPLED WIND TURBINE/FARM OPTIMISATION 25 th National Symposium on Wind Engineering, Tokyo, Japan, 3-5 December 2018 第 25 回風工学シンポジウム (2018) GENERALISATION OF THE TWO-SCALE MOMENTUM THEORY FOR COUPLED WIND TURBINE/FARM OPTIMISATION Takafumi

More information

MODELLING OF SINGLE-PHASE FLOW IN THE STATOR CHANNELS OF SUBMERSIBLE AERATOR

MODELLING OF SINGLE-PHASE FLOW IN THE STATOR CHANNELS OF SUBMERSIBLE AERATOR Engineering MECHANICS, Vol. 21, 2014, No. 5, p. 289 298 289 MODELLING OF SINGLE-PHASE FLOW IN THE STATOR CHANNELS OF SUBMERSIBLE AERATOR Martin Bílek*, Jaroslav Štigler* The paper deals with the design

More information

ABSTRACT. KEY WORDS: Diffuser augmented turbine, tidal turbine, blade element, computational fluid dynamics. INTRODUCTION

ABSTRACT. KEY WORDS: Diffuser augmented turbine, tidal turbine, blade element, computational fluid dynamics. INTRODUCTION Ducted Turbine Blade Optimization Using Numerical Simulation Michael Shives and Curran Crawford Department of Mechanical Engineering, University of Victoria Victoria, British Columbia, Canada ABSTRACT

More information

CFDOFAIRFLOWINHYDROPOWERGENERATORS

CFDOFAIRFLOWINHYDROPOWERGENERATORS CFDOFAIRFLOWINHYDROPOWERGENERATORS Pirooz Moradnia Göteborg-Sweden 1-1-17 Pirooz Moradnia, Chalmers/ Applied Mechanics/ Fluid Dynamics 1/3 Problem Definition Half of the electricity generation in Sweden

More information

Micro-Scale CFD Modeling of Packed-Beds

Micro-Scale CFD Modeling of Packed-Beds Micro-Scale CFD Modeling of Packed-Beds Daniel P. Combest and Dr. P.A. Ramachandran and Dr. M.P. Dudukovic Chemical Reaction Engineering Laboratory (CREL) Department of Energy, Environmental, and Chemical

More information

Transient flow simulations

Transient flow simulations Transient flow simulations Lecture 4 March 8, 2016 March 8, 2016 1 / 20 Table of Contents 1 Stationary and transient 2 Block structured meshes 3 Steps of the analysis through an example 4 Mesh refining

More information

Propeller Analysis Using RANS/BEM Coupling Accounting for Blade Blockage

Propeller Analysis Using RANS/BEM Coupling Accounting for Blade Blockage DRDC-RDDC-2015-N005 Fourth International Symposium on Marine Propulsors smp 15, Austin, Texas, USA, June 2015 Propeller Analysis Using RANS/BEM Coupling Accounting for Blade Blockage David Hally 1 1 Defence

More information

Analysis of Flow over a Convertible

Analysis of Flow over a Convertible 69 Analysis of Flow over a Convertible Aniket A Kulkarni 1, S V Satish 2 and V Saravanan 3 1 PES Institute of Technology, India, aniket260919902@gmail.com 2 PES Institute of Technology, India, svsatish@pes.edu

More information

CFD RANS analysis of the rotational effects on the boundary layer of wind turbine blades

CFD RANS analysis of the rotational effects on the boundary layer of wind turbine blades Journal of Physics: Conference Series CFD RANS analysis of the rotational effects on the boundary layer of wind turbine blades To cite this article: Carlo E Carcangiu et al 27 J. Phys.: Conf. Ser. 75 23

More information

Chapter three. Two-dimensional Cascades. Laith Batarseh

Chapter three. Two-dimensional Cascades. Laith Batarseh Chapter three Two-dimensional Cascades Laith Batarseh Turbo cascades The linear cascade of blades comprises a number of identical blades, equally spaced and parallel to one another cascade tunnel low-speed,

More information

Performance Investigation of High Pressure Ratio Centrifugal Compressor using CFD

Performance Investigation of High Pressure Ratio Centrifugal Compressor using CFD International Journal of Ignited Minds (IJIMIINDS) Performance Investigation of High Pressure Ratio Centrifugal Compressor using CFD Manjunath DC a, Rajesh b, Dr.V.M.Kulkarni c a PG student, Department

More information

ANALYSIS AND OPTIMIZATION OF A VERTICAL AXIS WIND TURBINE SAVONIUS-TYPE PANEL USING CFD TECHNIQUES

ANALYSIS AND OPTIMIZATION OF A VERTICAL AXIS WIND TURBINE SAVONIUS-TYPE PANEL USING CFD TECHNIQUES ANALYSIS AND OPTIMIZATION OF A VERTICAL AXIS WIND TURBINE SAVONIUS-TYPE PANEL USING CFD TECHNIQUES J. Vilarroig, S. Chiva*, R. Martínez and J. Segarra** *Author for correspondence ** Heliotec.SL Department

More information

COMPUTATIONAL SIMULATION OF THE FLOW PAST AN AIRFOIL FOR AN UNMANNED AERIAL VEHICLE

COMPUTATIONAL SIMULATION OF THE FLOW PAST AN AIRFOIL FOR AN UNMANNED AERIAL VEHICLE COMPUTATIONAL SIMULATION OF THE FLOW PAST AN AIRFOIL FOR AN UNMANNED AERIAL VEHICLE L. Velázquez-Araque 1 and J. Nožička 2 1 Division of Thermal fluids, Department of Mechanical Engineering, National University

More information

OpenFOAM SIMULATION OF THE FLOW IN THE HÖLLEFORSEN DRAFT TUBE MODEL

OpenFOAM SIMULATION OF THE FLOW IN THE HÖLLEFORSEN DRAFT TUBE MODEL Turbine-99 III Proceedings of the third IAHR/ERCOFTAC workshop on draft tube flow 8-9 December 2005, Porjus, Sweden Paper No. 8 OpenFOAM SIMULATION OF THE FLOW IN THE HÖLLEFORSEN DRAFT TUBE MODEL Nilsson

More information

CFD Analysis of a Propeller Flow and Cavitation

CFD Analysis of a Propeller Flow and Cavitation CFD Analysis of a Propeller Flow and Cavitation S. Ramakrishna* GVP College of Engineering (A) Visakhapatnam V. Ramakrishna Scientist D N S T L Visakhapatnam A. Ramakrishna Professor A U C E (A) Visakhapatnam

More information

Stratified scavenging in two-stroke engines using OpenFOAM

Stratified scavenging in two-stroke engines using OpenFOAM Stratified scavenging in two-stroke engines using OpenFOAM Håkan Nilsson, Chalmers / Applied Mechanics / Fluid Dynamics 1 Acknowledgements I would like to thank Associate Professor Håkan Nilsson at the

More information

Near-Wake Flow Simulations for a Mid-Sized Rim Driven Wind Turbine

Near-Wake Flow Simulations for a Mid-Sized Rim Driven Wind Turbine Near-Wake Flow Simulations for a Mid-Sized Rim Driven Wind Turbine Bryan E. Kaiser 1 and Svetlana V. Poroseva 2 University of New Mexico, Albuquerque, New Mexico, 87131 Erick Johnson 3 Montana State University,

More information

Numerical Simulation of Flow Past a Rotating Cylinder

Numerical Simulation of Flow Past a Rotating Cylinder Numerical Simulation of Flow Past a Rotating Cylinder Wei Zhang *, Rickard Bensow 1 Department of Shipping and Marine Technology, Chalmers University of Technology Gothenburg, Sweden * zhang.wei@chalmers.se

More information

GTINDIA CFD ANALYSIS TO UNDERSTAND THE FLOW BEHAVIOUR OF A SINGLE STAGE TRANSONIC AXIAL FLOW COMPRESSOR. 1 Copyright 2013 by ASME

GTINDIA CFD ANALYSIS TO UNDERSTAND THE FLOW BEHAVIOUR OF A SINGLE STAGE TRANSONIC AXIAL FLOW COMPRESSOR. 1 Copyright 2013 by ASME Proceedings of ASME GTINDIA 203 ASME 203 GAS TURBINE INDIA CONFERENCE DECEMBER 5-6, 203, BANGALORE, KARNATAKA, INDIA GTINDIA203-3592 CFD ANALYSIS TO UNDERSTAND THE FLOW BEHAVIOUR OF A SINGLE STAGE TRANSONIC

More information

AERODYNAMIC CHARACTERIZATION OF A CANARD GUIDED ARTILLERY PROJECTILE

AERODYNAMIC CHARACTERIZATION OF A CANARD GUIDED ARTILLERY PROJECTILE 45th AIAA Aerospace Sciences Meeting and Exhibit 8-11 January 27, Reno, Nevada AIAA 27-672 AERODYNAMIC CHARACTERIZATION OF A CANARD GUIDED ARTILLERY PROJECTILE Wei-Jen Su 1, Curtis Wilson 2, Tony Farina

More information

arxiv: v1 [physics.flu-dyn] 11 Oct 2012

arxiv: v1 [physics.flu-dyn] 11 Oct 2012 Low-Order Modelling of Blade-Induced Turbulence for RANS Actuator Disk Computations of Wind and Tidal Turbines Takafumi Nishino and Richard H. J. Willden ariv:20.373v [physics.flu-dyn] Oct 202 Abstract

More information

A Numerical Blade Element Approach to Estimating Propeller Flowfields

A Numerical Blade Element Approach to Estimating Propeller Flowfields Utah State University DigitalCommons@USU Mechanical and Aerospace Engineering Faculty Publications Mechanical and Aerospace Engineering 1-8-27 A Numerical Blade Element Approach to Estimating Propeller

More information

Lecture 4: Wind energy

Lecture 4: Wind energy ES427: The Natural Environment and Engineering Global warming and renewable energy Lecture 4: Wind energy Philip Davies Room A322 philip.davies@warwick.ac.uk 1 Overview of topic Wind resources Origin of

More information

A Novel Airfoil Circulation Augment Flow Control Method Using Co-Flow Jet

A Novel Airfoil Circulation Augment Flow Control Method Using Co-Flow Jet AIAA Paper 2004-2208, 2004 A Novel Airfoil Circulation Augment Flow Control Method Using Co-Flow Jet Ge-Cheng Zha and Craig D. Paxton Dept. of Mechanical & Aerospace Engineering University of Miami Coral

More information

Lecture No. # 09. (Refer Slide Time: 01:00)

Lecture No. # 09. (Refer Slide Time: 01:00) Introduction to Helicopter Aerodynamics and Dynamics Prof. Dr. C. Venkatesan Department of Aerospace Engineering Indian Institute of Technology, Kanpur Lecture No. # 09 Now, I just want to mention because

More information

Propeller theories. Blade element theory

Propeller theories. Blade element theory 30 1 Propeller theories Blade element theory The blade elements are assumed to be made up of airfoil shapes of known lift, C l and drag, C d characteristics. In practice a large number of different airfoils

More information

Basic Concepts: Drag. Education Community

Basic Concepts: Drag.  Education Community Basic Concepts: Drag 011 Autodesk Objectives Page Introduce the drag force that acts on a body moving through a fluid Discuss the velocity and pressure distributions acting on the body Introduce the drag

More information

3D Dam break Free surface flow

3D Dam break Free surface flow Dam break free surface flow Gravity Obstacle Box with open top Water column Physical and numerical side of the problem: In this case we are going to use the volume of fluid (VOF) method. This method solves

More information

MASTER THESIS PRESENTATION

MASTER THESIS PRESENTATION MASTER THESIS PRESENTATION TURBULENT FLOW SEPARATION AROUND A ROV BODY Presented by: KOFFI Danoh Kouassi Ange Gatien Outline 1- Introduction 2- Numerical modeling of the ROV 3- Choice of the turbulence

More information

PERFORMANCE ANALYSIS OF A COAXIAL ROTOR SYSTEM IN HOVER: THREE POINTS OF VIEW

PERFORMANCE ANALYSIS OF A COAXIAL ROTOR SYSTEM IN HOVER: THREE POINTS OF VIEW PERFORMANCE ANALYSIS OF A COAXIAL ROTOR SYSTEM IN HOVER: THREE POINTS OF VIEW Jessica Yana, Omri Rand Graduate student, Professor Technion - Israel Institute of Technology yjessica@tx.technion.ac.il; omri@aerodyne.technion.ac.il;

More information

Calculation of Wind Turbine Geometrical Angles Using Unsteady Blade Element Momentum (BEM)

Calculation of Wind Turbine Geometrical Angles Using Unsteady Blade Element Momentum (BEM) Proceedings Conference IGCRE 2014 16 Calculation of Wind Turbine Geometrical Angles Using Unsteady Blade Element Momentum (BEM) Adel Heydarabadipour, FarschadTorabi Abstract Converting wind kinetic energy

More information

THE MODELLING OF A RESIDENTIAL BASED WIND POWERED GENERATOR

THE MODELLING OF A RESIDENTIAL BASED WIND POWERED GENERATOR THE MODELLING OF A RESIDENTIAL BASED WIND POWERED GENERATOR Adavbiele, A. S. Department of Mechanical Engineering Ambrose Alli University, Ekpoma, Edo State- Nigeria Abstract This study is concerned with

More information

Numerical Investigation of the Hydrodynamic Performances of Marine Propeller

Numerical Investigation of the Hydrodynamic Performances of Marine Propeller Numerical Investigation of the Hydrodynamic Performances of Marine Propeller Master Thesis developed at "Dunarea de Jos" University of Galati in the framework of the EMSHIP Erasmus Mundus Master Course

More information

Rotor Design for Diffuser Augmented Wind Turbines

Rotor Design for Diffuser Augmented Wind Turbines Energies 2015, 8, 10736-10774; doi:10.3390/en81010736 Article OPEN ACCESS energies ISSN 1996-1073 www.mdpi.com/journal/energies Rotor Design for Diffuser Augmented Wind Turbines Søren Hjort * and Helgi

More information

"C:\Program Files\ANSYS Inc\v190\CFX\bin\perllib\cfx5solve.pl" -batch -ccl runinput.ccl -fullname "Fluid Flow CFX_002"

C:\Program Files\ANSYS Inc\v190\CFX\bin\perllib\cfx5solve.pl -batch -ccl runinput.ccl -fullname Fluid Flow CFX_002 This run of the CFX Release 19.0 Solver started at 19:06:17 on 05 Jun 2018 by user ltval on DESKTOP-JCG0747 (intel_xeon64.sse2_winnt) using the command: "C:\Program Files\ANSYS Inc\v190\CFX\bin\perllib\cfx5solve.pl"

More information