University of Quebec at Chicoutimi (UQAC) Friction Stir Welding Research Group. A CUDA Fortran. Story

Size: px
Start display at page:

Download "University of Quebec at Chicoutimi (UQAC) Friction Stir Welding Research Group. A CUDA Fortran. Story"

Transcription

1 University of Quebec at Chicoutimi (UQAC) Friction Stir Welding Research Group A CUDA Fortran Story

2 Summary At the University of Quebec at Chicoutimi (UQAC) friction stir welding (FSW) research group, we were looking for a way to simulate the FSW process with improved realism and functionality. The welding process, which is ideal for high strength aluminum alloys, is becoming mainstream since its inception in the early 90 s. Simulating the process is complicated by the large amount of material movement and the importance of keeping track of the thermal and mechanical history of the aluminum. We have chosen to use an advanced modelling approach using the smoothed particle hydrodynamics (SPH) method. Although the numerical algorithm is very computationally expensive, excellent speed ups can be achieved using NVIDIA s graphics processing units (GPU). For our research work on the FSW process, we have implemented a fully coupled thermo-mechanical large deformation solid mechanics code using SPH on the GPU. We have achieved full code speed ups of over 45x compared to the same code on a central processing unit. All this was accomplished without any previous knowledge of CUDA Fortran. The Research Group The friction stir welding research group (FSWRG) is focused on developing important advancements for the aluminum industry. UQAC is at the center of the aluminum valley in the heart of the province of Quebec. This region is one of the largest producers of aluminum in North America and the World. We have access to three different FSW machines, the biggest being able to perform full penetration welds up to 38mm thick on an 18 meter long beam. The FSWRG works closely with industry through a technology transfer center. The main goal of this center is to allow companies and entrepreneurs to have access to world class FSW machines as well as the knowledge of the members of the FSWRG. Our branch of the FSWRG is working on simulating the welding process. The Challenge The welding method is well suited for high strength aluminum alloys. The process is capable of producing full penetration welds in aluminum plates in a fraction of the time. The process affords fewer defects compared to conventional MIG and TIG welding. A hardened steel welding tool is used to form the weld (see adjacent process image, The tool rotates and is forced (~1-10 tons of force) into the aluminum plates to be welded. Friction and plastic deformation cause the aluminum to heat up, making the material highly plastic and easy to deform. Once the material is hot enough (about 80% of the melting temperature), the tool will start to advance and join the plates together. The FSW process is very difficult to simulate. The main complications are:

3 Enormous levels of plastic deformation (materials physically mix during welding) Complicated friction behavior between the welding tool and the aluminum Material heating and softening Complex microstructure changes The first of these challenges turns out to be the greatest of all. Because of the mixing behavior, most mesh based simulation approach cannot easily simulate the whole FSW process. There has been a number of research groups focused on simulating the FSW process with other numerical methods. But so far none has been able to simulate all the physics of the process from the start to the end of the weld, including cool down to predict residual stresses. The simulation approach should be driven by the underling phenomena without making an inordinate number of assumptions that compromise the simulation results. Most importantly the model should be able to predict: Material mixing and allow for changes in the free surface of the aluminum work pieces The temperature distribution Macroscopic post weld defect such as incomplete weld penetration Residual stresses and distortions Microstructure changes All these criteria must be accounted for during the entire welding process. Not an easy feat by any means. You can imagine that taking all these aspects into consideration leads to very complex simulation models with long computational times. The Solution In order to simulate the full FSW process, an advanced simulation method was needed. We had previously tried many different techniques such as: finite element method (FEM), arbitrary Lagrangian Eulerian (ALE), element free Galerkin (EFG), computational fluid dynamics (CFD) and even the discrete element method (DEM). Each method showed promising results for certain aspects of the welding process. However, none of the methods allowed us to accomplish all our simulation goals. Smoothed Particle Hydrodynamics We then turned our attention towards the smoothed particle hydrodynamics (SPH) method to solve these difficulties. SPH is a meshfree collocation method (a bit like finite difference, but much more powerful and versatile). Since there is no mesh, the large plastic deformation difficulties can easily be handled. The method works by weakening a set of partial differential equations into a set of ordinary differential equations (ODE). This is done by using an SPH interpolation technique. In the above image, the set of ODEs are solved at the calculation point (red point) by interpolating to the points within its neighborhood (all the back points). The interpolation is accomplished using a smoothing function (also called an SPH kernel). The yellow points

4 are outside the neighborhood and are not used in the calculation for the red point. For solid mechanics problems, the set of field equations that we deal with are those from continuum mechanics, namely; conservation of mass, momentum and energy: The left bank of equations are the continuum form. The right bank is the SPH approximation (more details on SPH theory from Liu and Liu [1], Violeau [2] and Hoover [3]). The description of the variables is not of key importance. What is important however is to recognize that for each SPH element (subscript i) a summation is performed over all the neighboring elements (subscript j). In 3D, a typical element will have ~56 neighbors; therein lies the computational complexity of the SPH method. Implementation on the GPU We needed a simple way to improve the performance of the simulation code. We started testing CUDA Fortran and quickly saw the incredible power of the parallelization strategy for SPH. The natural fine grained parallelism of the GPU is a perfect fit for SPH. The FSWRG s background is in simulation, we are not computer programmers. Choosing Fortran was a natural choice for us due to the relative simplicity of the programming model (see Ruetsch and Fatica [4]). In order to really take advantage of the GPU, we needed to have all the calculations being performed on the device. This way, the only data transfer between the host and device is during initialization and occasionally to send results to the host for post processing. The main idea behind the GPU implementation is that each SPH element is assigned to a CUDA thread. The sums over the neighbors are performed in sequence within the thread. This has proven to be a very efficient and straight forward approach. The flow of the SPH code is: 1 - Initialize the geometry and all parameters on the host 2 - Transfer all data to the GPU 3 - Move any boundaries that have a prescribed motion 4 - Calculate the neighbor lists for all the elements 5 - Conservation of mass 6 - Calculate stresses from material model 7 - Conservation of momentum 8 - Calculate contact forces 9 - Conservation of energy Steps 3 to 9 are repeated until the simulation end time is reached. The heaviest part of the code is the neighbors search (step 4). We have used a fixed size cell search (commonly called a bucket search), this

5 algorithm is ideal for solid mechanics SPH. We have also developed an adaptive search method that improves on the standard cell search algorithm (details in Fraser [5]). In our SPH program, one of the least complex subroutines is conservation of mass. The algorithm in Fortran for a CPU implementation would be: The first loop ranges over all the elements in the model (ntotal). The second loop ranges over all the neighbors (Neib) of i. The equivalent device kernel for the conservation of mass is very similar to the CPU code: The only change is that the first loop has been replaced with a parallel thread descriptor for i. It s really not any more complicated than that. There are certainly other parallelization approaches, but this one is simple and efficient.

6 Memory Model We have kept the code as simple as possible. Global memory is used exclusively throughout the whole program. We did some testing using textures, but unfortunately, there was no performance improvement and some kernels were actually slower. Switching to a shared memory model requires a completely different parallelization strategy. Instead of assigning each SPH element to a thread. In 3D, we would have to instead assign a group of 3x3 cells of SPH elements (from the cell search) to a block of threads. Each cell typically holds 8 elements (optimally there would be 216 elements in the 27 cells). The problem is that although most cells will have 8 elements, there would be some cells with more or less than that. We could use 256 threads per block and store all the required variables in the block to shared memory. This approach is MUCH more complicated than the global memory approach. It requires very complicated indexing and we run the risk of not having enough threads in a block to handle cases where there is more than 8 elements within each of the 27 cells. All of the parameters that do not change throughout the simulation (such as mass, material and thermal properties, etc.) are assigned to constant memory on the device side and are assigned as parameters on the host side. The Results and Benefits While developing the SPH code on the GPU we have performed a number of tests to see just how much faster the code is. In all cases, comparisons are with an equivalent commercial SPH (LS-DYNA in this case) code that runs on the CPU. The GPU used for the test cases is a GeForce Titan Black. One of the first tests that we look at is a simple heat transfer example. A block of aluminum is heated (500 C) on the left most face and the temperature distribution is calculated using the SPH code. This is a special case since the neighbor search only has to be performed once at the start of the simulation (elements do not move, so the neighbors do not change). Furthermore, we don t need to calculate conservation of mass and momentum. For this case, we were able to achieve speed ups of over 120x. But this is only a small part of the whole code.

7 SPEED UP Story For the next example, a fully coupled thermo-mechanical problem is tested. An aluminum cylinder is compressed to the point of plastic deformation (shown on the left), this causes the temperature in the cylinder to increase (energy is dissipated as heat). The aluminum is initially at 20 C, through the process of plastic deformation, the maximum temperature reaches 46 C. This is a good test case for the adaptive search algorithm and allows us to achieve speed ups of 36.8x. The cylinder compression problem allows us to use the total Lagrangian approach. In this method, the SPH neighbors are only calculated at the start of the simulation (similar to the heat transfer example). We are able to get a speed up of 46.9x using the total Lagrangian technique. Of course, the main goal of our research work is to simulate the FSW process. The case that we have tested is a bobbin tool weld. Details of the model setup can be found in Fraser et al. [6] (the model is run in LS-DYNA on the CPU in the publication). The numerical model gives excellent results in comparison with experimental data. We are able to predict temperature history (shown to the right), stresses and defects throughout the entire welding procedure. Using the GPU code, the FSW model achieves speed ups of 25x. A simulation that took 6 days before can now be run in under 6 hours. As far as success stories go, that is a complete success by just about any measure! Although we have not yet tried to the adaptive search method for the FSW simulation, we expect speed ups over 32x based on experience with other models. A graph summarizing the speed ups for the different models is shown below. Solid Mechanics SPH Code on the GPU - Performance Thermal Model Cylinder Compression FSW Model

8 Acknowledgements The FSWRG would like to acknowledge the support of PGI for providing a license for the CUDA Fortran compiler and NVIDIA for providing the GeForce Titan Black GPU. Funding for the research work is provided by GRIPS, CURAL, REGAL, CQRDA and FQRNT. A special thank you to Mathew Colgrove at PGI for all his help and guidance. - Kirk Fraser, P.Eng UQAC, FSWRG, Chicoutimi Quebec Canada kirk.fraser1@uqac.ca References [1] Liu GR, Liu MB. Smoothed particle hydrodynamics : a meshfree particle method. Hackensack, New Jersey: World Scientific; [2] Violeau D. Fluid Mechanics and the SPH Method. United Kingdom: Oxford University Press; [3] Hoover WG. Smooth Particle Applied Mechanics: The State of the Art (Advanced Series in Nonlinear Dynamics). Singapore: World Scientific Publishing; [4] Ruetsch G, Fatica M. CUDA Fortran for Scientists and Engineers. Waltham, MA, USA: Elsevier Inc.; [5] Fraser K. Adaptive smoothed particle hydrodynamics neighbor search algorithm for large plastic deformation computational solid mechanics. 13th International LS-DYNA Users Conference. Dearborn Michigan: LSTC; [6] Fraser K, St-Georges L, Kiss LI. Smoothed Particle Hydrodynamics Numerical Simulation of Bobbin Tool Friction Stir Welding. 10th International Friction Stir Welding Symposium. Beijing China: TWI; 2014.

Thermal Coupling Method Between SPH Particles and Solid Elements in LS-DYNA

Thermal Coupling Method Between SPH Particles and Solid Elements in LS-DYNA Thermal Coupling Method Between SPH Particles and Solid Elements in LS-DYNA INTRODUCTION: Jingxiao Xu, Jason Wang LSTC Heat transfer is very important in many industrial and geophysical problems. Many

More information

Applications of ICFD /SPH Solvers by LS-DYNA to Solve Water Splashing Impact to Automobile Body. Abstract

Applications of ICFD /SPH Solvers by LS-DYNA to Solve Water Splashing Impact to Automobile Body. Abstract Applications of ICFD /SPH Solvers by LS-DYNA to Solve Water Splashing Impact to Automobile Body George Wang (1 ), Kevin Gardner (3), Eric DeHoff (1), Facundo del Pin (2), Inaki Caldichoury (2), Edouard

More information

Necking and Failure Simulation of Lead Material Using ALE and Mesh Free Methods in LS-DYNA

Necking and Failure Simulation of Lead Material Using ALE and Mesh Free Methods in LS-DYNA 14 th International LS-DYNA Users Conference Session: Constitutive Modeling Necking and Failure Simulation of Lead Material Using ALE and Mesh Free Methods in LS-DYNA Sunao Tokura Tokura Simulation Research

More information

Acknowledgements. Prof. Dan Negrut Prof. Darryl Thelen Prof. Michael Zinn. SBEL Colleagues: Hammad Mazar, Toby Heyn, Manoj Kumar

Acknowledgements. Prof. Dan Negrut Prof. Darryl Thelen Prof. Michael Zinn. SBEL Colleagues: Hammad Mazar, Toby Heyn, Manoj Kumar Philipp Hahn Acknowledgements Prof. Dan Negrut Prof. Darryl Thelen Prof. Michael Zinn SBEL Colleagues: Hammad Mazar, Toby Heyn, Manoj Kumar 2 Outline Motivation Lumped Mass Model Model properties Simulation

More information

1.2 Numerical Solutions of Flow Problems

1.2 Numerical Solutions of Flow Problems 1.2 Numerical Solutions of Flow Problems DIFFERENTIAL EQUATIONS OF MOTION FOR A SIMPLIFIED FLOW PROBLEM Continuity equation for incompressible flow: 0 Momentum (Navier-Stokes) equations for a Newtonian

More information

FINITE ELEMENT MODELING OF THICK PLATE PENETRATIONS IN SMALL CAL MUNITIONS

FINITE ELEMENT MODELING OF THICK PLATE PENETRATIONS IN SMALL CAL MUNITIONS FINITE ELEMENT MODELING OF THICK PLATE PENETRATIONS IN SMALL CAL MUNITIONS Raymond Chaplin RDAR-MEM-I Picatinny Arsenal, NJ raymond.c.chaplin@us.army.mil 973-724-8562 Why Finite Element Modeling? Reduced

More information

Thermal Coupling Method Between SPH Particles and Solid Elements in LS-DYNA

Thermal Coupling Method Between SPH Particles and Solid Elements in LS-DYNA Thermal Coupling Method Between SPH Particles and Solid Elements in LS-DYNA Jingxiao Xu 1, Jason Wang 2 1 LSTC 2 LSTC 1 Abstract Smooth particles hydrodynamics is a meshfree, Lagrangian particle method

More information

LS-DYNA Smooth Particle Galerkin (SPG) Method

LS-DYNA Smooth Particle Galerkin (SPG) Method LS-DYNA Smooth Particle Galerkin (SPG) Method C.T. Wu, Y. Guo, W. Hu LSTC Element-free Galerkin (EFG) meshless method was introduced into LS-DYNA more than 10 years ago, and has been widely used in the

More information

LS-DYNA 980 : Recent Developments, Application Areas and Validation Process of the Incompressible fluid solver (ICFD) in LS-DYNA.

LS-DYNA 980 : Recent Developments, Application Areas and Validation Process of the Incompressible fluid solver (ICFD) in LS-DYNA. 12 th International LS-DYNA Users Conference FSI/ALE(1) LS-DYNA 980 : Recent Developments, Application Areas and Validation Process of the Incompressible fluid solver (ICFD) in LS-DYNA Part 1 Facundo Del

More information

Simulation of Automotive Fuel Tank Sloshing using Radioss

Simulation of Automotive Fuel Tank Sloshing using Radioss Simulation of Automotive Fuel Tank Sloshing using Radioss Prashant V. Kulkarni CAE Analyst Tata Motors. Pimpri, Pune - 411018, India Sanjay S. Patil Senior Manager Tata Motors. Pimpri, Pune - 411018, India

More information

Smoothed Particle Galerkin Method with a Momentum-Consistent Smoothing Algorithm for Coupled Thermal-Structural Analysis

Smoothed Particle Galerkin Method with a Momentum-Consistent Smoothing Algorithm for Coupled Thermal-Structural Analysis Smoothed Particle Galerkin Method with a Momentum-Consistent Smoothing Algorithm for Coupled Thermal-Structural Analysis X. Pan 1*, C.T. Wu 1, W. Hu 1, Y.C. Wu 1 1Livermore Software Technology Corporation

More information

14 Dec 94. Hydrocode Micro-Model Concept for Multi-Component Flow in Sediments Hans U. Mair

14 Dec 94. Hydrocode Micro-Model Concept for Multi-Component Flow in Sediments Hans U. Mair Hydrocode Micro-Model Concept for Multi-Component Flow in Sediments Hans U. Mair mairh@asme.org Background Hydrocodes are Computational Mechanics tools that simulate the compressible dynamics (i.e., shock

More information

CHAPTER 1. Introduction

CHAPTER 1. Introduction ME 475: Computer-Aided Design of Structures 1-1 CHAPTER 1 Introduction 1.1 Analysis versus Design 1.2 Basic Steps in Analysis 1.3 What is the Finite Element Method? 1.4 Geometrical Representation, Discretization

More information

by Mahender Reddy Concept To Reality / Summer 2006

by Mahender Reddy Concept To Reality / Summer 2006 by Mahender Reddy Demand for higher extrusion rates, increased product quality and lower energy consumption have prompted plants to use various methods to determine optimum process conditions and die designs.

More information

A meshfree weak-strong form method

A meshfree weak-strong form method A meshfree weak-strong form method G. R. & Y. T. GU' 'centre for Advanced Computations in Engineering Science (ACES) Dept. of Mechanical Engineering, National University of Singapore 2~~~ Fellow, Singapore-MIT

More information

Introduction to C omputational F luid Dynamics. D. Murrin

Introduction to C omputational F luid Dynamics. D. Murrin Introduction to C omputational F luid Dynamics D. Murrin Computational fluid dynamics (CFD) is the science of predicting fluid flow, heat transfer, mass transfer, chemical reactions, and related phenomena

More information

Shape of Things to Come: Next-Gen Physics Deep Dive

Shape of Things to Come: Next-Gen Physics Deep Dive Shape of Things to Come: Next-Gen Physics Deep Dive Jean Pierre Bordes NVIDIA Corporation Free PhysX on CUDA PhysX by NVIDIA since March 2008 PhysX on CUDA available: August 2008 GPU PhysX in Games Physical

More information

Recent Developments and Roadmap Part 0: Introduction. 12 th International LS-DYNA User s Conference June 5, 2012

Recent Developments and Roadmap Part 0: Introduction. 12 th International LS-DYNA User s Conference June 5, 2012 Recent Developments and Roadmap Part 0: Introduction 12 th International LS-DYNA User s Conference June 5, 2012 1 Outline Introduction Recent developments. See the separate PDFs for: LS-PrePost Dummies

More information

Orbital forming of SKF's hub bearing units

Orbital forming of SKF's hub bearing units Orbital forming of SKF's hub bearing units Edin Omerspahic 1, Johan Facht 1, Anders Bernhardsson 2 1 Manufacturing Development Centre, AB SKF 2 DYNAmore Nordic 1 Background Orbital forming is an incremental

More information

Lagrangian methods and Smoothed Particle Hydrodynamics (SPH) Computation in Astrophysics Seminar (Spring 2006) L. J. Dursi

Lagrangian methods and Smoothed Particle Hydrodynamics (SPH) Computation in Astrophysics Seminar (Spring 2006) L. J. Dursi Lagrangian methods and Smoothed Particle Hydrodynamics (SPH) Eulerian Grid Methods The methods covered so far in this course use an Eulerian grid: Prescribed coordinates In `lab frame' Fluid elements flow

More information

GPU Simulations of Violent Flows with Smooth Particle Hydrodynamics (SPH) Method

GPU Simulations of Violent Flows with Smooth Particle Hydrodynamics (SPH) Method Available online at www.prace-ri.eu Partnership for Advanced Computing in Europe GPU Simulations of Violent Flows with Smooth Particle Hydrodynamics (SPH) Method T. Arslan a*, M. Özbulut b a Norwegian

More information

C. A. D. Fraga Filho 1,2, D. F. Pezzin 1 & J. T. A. Chacaltana 1. Abstract

C. A. D. Fraga Filho 1,2, D. F. Pezzin 1 & J. T. A. Chacaltana 1. Abstract Advanced Computational Methods and Experiments in Heat Transfer XIII 15 A numerical study of heat diffusion using the Lagrangian particle SPH method and the Eulerian Finite-Volume method: analysis of convergence,

More information

Simulation of Fuel Sloshing Comparative Study

Simulation of Fuel Sloshing Comparative Study 3. LS-DYNA Anwenderforum, Bamberg 2004 Netfreie Verfahren Simulation of Fuel Sloshing Comparative Study Matej Vesenjak 1, Heiner Müllerschön 2, Alexander Hummel 3, Zoran Ren 1 1 University of Maribor,

More information

Interaction of Fluid Simulation Based on PhysX Physics Engine. Huibai Wang, Jianfei Wan, Fengquan Zhang

Interaction of Fluid Simulation Based on PhysX Physics Engine. Huibai Wang, Jianfei Wan, Fengquan Zhang 4th International Conference on Sensors, Measurement and Intelligent Materials (ICSMIM 2015) Interaction of Fluid Simulation Based on PhysX Physics Engine Huibai Wang, Jianfei Wan, Fengquan Zhang College

More information

APPLICATIONS OF NUMERICAL ANALYSIS IN SIMULATION ENGINEERING AND MANUFACTURING TECHNOLOGIES

APPLICATIONS OF NUMERICAL ANALYSIS IN SIMULATION ENGINEERING AND MANUFACTURING TECHNOLOGIES APPLICATIONS OF NUMERICAL ANALYSIS IN SIMULATION ENGINEERING AND MANUFACTURING TECHNOLOGIES Haidar Amer 1 1 Stefan Cel Mare University of Suceava, amerhaidar85@gmail.com Abstract: This article summarizes

More information

Numerical Simulation of Temperature Distribution and Material Flow During Friction Stir Welding 2017A Aluminum Alloys

Numerical Simulation of Temperature Distribution and Material Flow During Friction Stir Welding 2017A Aluminum Alloys Numerical Simulation of Temperature Distribution and Material Flow During Friction Stir Welding 2017A Aluminum Alloys Oussama Mimouni 1,a, Riad Badji 2, Mohamed Hadji 1, Afia Kouadri-David 3,Hamel Rachid

More information

Fluid-Structure-Interaction Using SPH and GPGPU Technology

Fluid-Structure-Interaction Using SPH and GPGPU Technology IMPETUS AFEA SOLVER Fluid-Structure-Interaction Using SPH and GPGPU Technology Jérôme Limido Jean Luc Lacome Wayne L. Mindle GTC May 2012 IMPETUS AFEA SOLVER 1 2D Sloshing Water in Tank IMPETUS AFEA SOLVER

More information

Recent Developments in LS-DYNA II

Recent Developments in LS-DYNA II 9. LS-DYNA Forum, Bamberg 2010 Keynote-Vorträge II Recent Developments in LS-DYNA II J. Hallquist Livermore Software Technology Corporation A - II - 7 Keynote-Vorträge II 9. LS-DYNA Forum, Bamberg 2010

More information

Computational Fluid Dynamics (CFD) using Graphics Processing Units

Computational Fluid Dynamics (CFD) using Graphics Processing Units Computational Fluid Dynamics (CFD) using Graphics Processing Units Aaron F. Shinn Mechanical Science and Engineering Dept., UIUC Accelerators for Science and Engineering Applications: GPUs and Multicores

More information

A Novel Approach to High Speed Collision

A Novel Approach to High Speed Collision A Novel Approach to High Speed Collision Avril Slone University of Greenwich Motivation High Speed Impact Currently a very active research area. Generic projectile- target collision 11 th September 2001.

More information

Modeling Methodologies for Assessment of Aircraft Impact Damage to the World Trade Center Towers

Modeling Methodologies for Assessment of Aircraft Impact Damage to the World Trade Center Towers 9 th International LS-DYNA Users Conference Modeling Methodologies for Assessment of Aircraft Impact Damage to the World Trade Center Towers S.W. Kirkpatrick, R.T. Bocchieri, R.A. MacNeill, and B.D. Peterson

More information

Modeling of Fuel Sloshing Phenomena Considering Solid-Fluid Interaction

Modeling of Fuel Sloshing Phenomena Considering Solid-Fluid Interaction 8 th International LS-DYNA Users Conference Fluid/Structure Modeling of Fuel Sloshing Phenomena Considering Solid-Fluid Interaction Jean Ma a and Mohammad Usman b Plastics Products and Processing CAE Visteon

More information

Metafor FE Software. 2. Operator split. 4. Rezoning methods 5. Contact with friction

Metafor FE Software. 2. Operator split. 4. Rezoning methods 5. Contact with friction ALE simulations ua sus using Metafor eao 1. Introduction 2. Operator split 3. Convection schemes 4. Rezoning methods 5. Contact with friction 1 Introduction EULERIAN FORMALISM Undistorted mesh Ideal for

More information

Numerical Simulation of Temperature Distribution and Material Flow During Friction Stir Welding 2017A Aluminum Alloys

Numerical Simulation of Temperature Distribution and Material Flow During Friction Stir Welding 2017A Aluminum Alloys Numerical Simulation of Temperature Distribution and Material Flow During Friction Stir Welding 2017A Aluminum Alloys Oussama Mimouni 1,a, Riad Badji 2,b, Mohamed Hadji 1, Afia Kouadr-Davidi 3,c,Hamel

More information

Analysis Comparison between CFD and FEA of an Idealized Concept V- Hull Floor Configuration in Two Dimensions

Analysis Comparison between CFD and FEA of an Idealized Concept V- Hull Floor Configuration in Two Dimensions 2010 NDIA GROUND VEHICLE SYSTEMS ENGINEERING AND TECHNOLOGY SYMPOSIUM MODELING & SIMULATION, TESTING AND VALIDATION (MSTV) MINI-SYMPOSIUM AUGUST 17-19 DEARBORN, MICHIGAN Analysis Comparison between CFD

More information

2.11 Particle Systems

2.11 Particle Systems 2.11 Particle Systems 320491: Advanced Graphics - Chapter 2 152 Particle Systems Lagrangian method not mesh-based set of particles to model time-dependent phenomena such as snow fire smoke 320491: Advanced

More information

Example 13 - Shock Tube

Example 13 - Shock Tube Example 13 - Shock Tube Summary This famous experiment is interesting for observing the shock-wave propagation. Moreover, this case uses the representation of perfect gas and compares the different formulations:

More information

GALAXY ADVANCED ENGINEERING, INC. P.O. BOX 614 BURLINGAME, CALIFORNIA Tel: (650) Fax: (650)

GALAXY ADVANCED ENGINEERING, INC. P.O. BOX 614 BURLINGAME, CALIFORNIA Tel: (650) Fax: (650) GALAXY ADVANCED ENGINEERING, INC. P.O. BOX 614 BURLINGAME, CALIFORNIA 94011 Tel: (650) 740-3244 Fax: (650) 347-4234 E-mail: bahmanz@aol.com PUFF-TFT/PC A Material Response Computer Code for PC Computer

More information

computational Fluid Dynamics - Prof. V. Esfahanian

computational Fluid Dynamics - Prof. V. Esfahanian Three boards categories: Experimental Theoretical Computational Crucial to know all three: Each has their advantages and disadvantages. Require validation and verification. School of Mechanical Engineering

More information

Simulating Underbelly Blast Events using Abaqus/Explicit - CEL

Simulating Underbelly Blast Events using Abaqus/Explicit - CEL U.S. Army Research, Development and Engineering Command Simulating Underbelly Blast Events using Abaqus/Explicit - CEL J. Jablonski, P. Carlucci (U.S. Army ARDEC) R. Thyagarajan (U.S. Army TARDEC) B. Nandi,

More information

SIMULATION OF A DETONATION CHAMBER TEST CASE

SIMULATION OF A DETONATION CHAMBER TEST CASE SIMULATION OF A DETONATION CHAMBER TEST CASE Daniel Hilding Engineering Research Nordic AB Garnisonen I4, Byggnad 5 SE-582 10 Linköping www.erab.se daniel.hilding@erab.se Abstract The purpose of a detonation

More information

Finite Element Simulation using SPH Particles as Loading on Typical Light Armoured Vehicles

Finite Element Simulation using SPH Particles as Loading on Typical Light Armoured Vehicles 10 th International LS-DYNA Users Conference Penetration / Blast Finite Element Simulation using SPH Particles as Loading on Typical Light Armoured Vehicles Geneviève Toussaint and Robert Durocher Defence

More information

Support for Multi physics in Chrono

Support for Multi physics in Chrono Support for Multi physics in Chrono The Story Ahead Overview of multi physics strategy in Chrono Summary of handling rigid/flexible body dynamics using Lagrangian approach Summary of handling fluid, and

More information

Fluid Simulation. [Thürey 10] [Pfaff 10] [Chentanez 11]

Fluid Simulation. [Thürey 10] [Pfaff 10] [Chentanez 11] Fluid Simulation [Thürey 10] [Pfaff 10] [Chentanez 11] 1 Computational Fluid Dynamics 3 Graphics Why don t we just take existing models from CFD for Computer Graphics applications? 4 Graphics Why don t

More information

OVERVIEW OF ALE METHOD IN LS-DYNA. Ian Do, LSTC Jim Day, LSTC

OVERVIEW OF ALE METHOD IN LS-DYNA. Ian Do, LSTC Jim Day, LSTC 1 OVERVIEW OF ALE METHOD IN LS-DYNA Ian Do, LSTC Jim Day, LSTC ELEMENT FORMULATIONS REVIEW A physical process involving fluids or fluid-like behavior may often be modeled in more than one way, using more

More information

CHAPTER-10 DYNAMIC SIMULATION USING LS-DYNA

CHAPTER-10 DYNAMIC SIMULATION USING LS-DYNA DYNAMIC SIMULATION USING LS-DYNA CHAPTER-10 10.1 Introduction In the past few decades, the Finite Element Method (FEM) has been developed into a key indispensable technology in the modeling and simulation

More information

SPH METHOD IN APPLIED MECHANICS

SPH METHOD IN APPLIED MECHANICS U.P.B. Sci. Bull., Series D, Vol. 72, Iss. 4, 2010 ISSN 1454-2358 SPH METHOD IN APPLIED MECHANICS Vasile NĂSTĂSESCU 1 În această lucrare, autorul prezintă fundamente ale metodei SPH (Smoothed Particle

More information

MANUFACTURING OPTIMIZING COMPONENT DESIGN

MANUFACTURING OPTIMIZING COMPONENT DESIGN 82 39 OPTIMIZING COMPONENT DESIGN MANUFACTURING SIMULATION OF LASER WELDING SHORTENS DESIGN CYCLE AND OPTIMIZES COMPONENT DESIGN AT OWENS CORNING JOHN KIRKLEY interviews BYRON BEMIS of Owens Corning It

More information

A Particle Cellular Automata Model for Fluid Simulations

A Particle Cellular Automata Model for Fluid Simulations Annals of University of Craiova, Math. Comp. Sci. Ser. Volume 36(2), 2009, Pages 35 41 ISSN: 1223-6934 A Particle Cellular Automata Model for Fluid Simulations Costin-Radu Boldea Abstract. A new cellular-automaton

More information

"The real world is nonlinear"... 7 main Advantages using Abaqus

The real world is nonlinear... 7 main Advantages using Abaqus "The real world is nonlinear"... 7 main Advantages using Abaqus FEA SERVICES LLC 6000 FAIRVIEW ROAD, SUITE 1200 CHARLOTTE, NC 28210 704.552.3841 WWW.FEASERVICES.NET AN OFFICIAL DASSAULT SYSTÈMES VALUE

More information

SPH: Why and what for?

SPH: Why and what for? SPH: Why and what for? 4 th SPHERIC training day David Le Touzé, Fluid Mechanics Laboratory, Ecole Centrale de Nantes / CNRS SPH What for and why? How it works? Why not for everything? Duality of SPH SPH

More information

VALIDATE SIMULATION TECHNIQUES OF A MOBILE EXPLOSIVE CONTAINMENT VESSEL

VALIDATE SIMULATION TECHNIQUES OF A MOBILE EXPLOSIVE CONTAINMENT VESSEL VALIDATE SIMULATION TECHNIQUES OF A MOBILE EXPLOSIVE CONTAINMENT VESSEL David Karlsson DYNAmore Nordic AB, Sweden KEYWORDS Hexa, Map, Explosive, LS-DYNA ABSTRACT A Mobile Explosive Containment Vessel (MECV)

More information

How TMG Uses Elements and Nodes

How TMG Uses Elements and Nodes Simulation: TMG Thermal Analysis User's Guide How TMG Uses Elements and Nodes Defining Boundary Conditions on Elements You create a TMG thermal model in exactly the same way that you create any finite

More information

Preliminary Spray Cooling Simulations Using a Full-Cone Water Spray

Preliminary Spray Cooling Simulations Using a Full-Cone Water Spray 39th Dayton-Cincinnati Aerospace Sciences Symposium Preliminary Spray Cooling Simulations Using a Full-Cone Water Spray Murat Dinc Prof. Donald D. Gray (advisor), Prof. John M. Kuhlman, Nicholas L. Hillen,

More information

ALE and AMR Mesh Refinement Techniques for Multi-material Hydrodynamics Problems

ALE and AMR Mesh Refinement Techniques for Multi-material Hydrodynamics Problems ALE and AMR Mesh Refinement Techniques for Multi-material Hydrodynamics Problems A. J. Barlow, AWE. ICFD Workshop on Mesh Refinement Techniques 7th December 2005 Acknowledgements Thanks to Chris Powell,

More information

Abstract. Die Geometry. Introduction. Mesh Partitioning Technique for Coextrusion Simulation

Abstract. Die Geometry. Introduction. Mesh Partitioning Technique for Coextrusion Simulation OPTIMIZATION OF A PROFILE COEXTRUSION DIE USING A THREE-DIMENSIONAL FLOW SIMULATION SOFTWARE Kim Ryckebosh 1 and Mahesh Gupta 2, 3 1. Deceuninck nv, BE-8830 Hooglede-Gits, Belgium 2. Michigan Technological

More information

It has been widely accepted that the finite element

It has been widely accepted that the finite element Advancements of Extrusion Simulation in DEFORM-3D By G. Li, J. Yang, J.Y. Oh, M. Foster, and W. Wu, Scientific Forming Tech. Corp.; and P. Tsai and W. Chang, MIRDC Introduction It has been widely accepted

More information

Application of Finite Volume Method for Structural Analysis

Application of Finite Volume Method for Structural Analysis Application of Finite Volume Method for Structural Analysis Saeed-Reza Sabbagh-Yazdi and Milad Bayatlou Associate Professor, Civil Engineering Department of KNToosi University of Technology, PostGraduate

More information

A Coupled 3D/2D Axisymmetric Method for Simulating Magnetic Metal Forming Processes in LS-DYNA

A Coupled 3D/2D Axisymmetric Method for Simulating Magnetic Metal Forming Processes in LS-DYNA A Coupled 3D/2D Axisymmetric Method for Simulating Magnetic Metal Forming Processes in LS-DYNA P. L Eplattenier *, I. Çaldichoury Livermore Software Technology Corporation, Livermore, CA, USA * Corresponding

More information

Recent Advances on Higher Order 27-node Hexahedral Element in LS-DYNA

Recent Advances on Higher Order 27-node Hexahedral Element in LS-DYNA 14 th International LS-DYNA Users Conference Session: Simulation Recent Advances on Higher Order 27-node Hexahedral Element in LS-DYNA Hailong Teng Livermore Software Technology Corp. Abstract This paper

More information

New Release of the Welding Simulation Suite

New Release of the Welding Simulation Suite ESI Group New Release of the Welding Simulation Suite Distortion Engineering V2010 / Sysweld V2010 / Visual Environment V6.5 The ESI Weld Team 10 Date: 13 th of November 2010 Subject: New Releases for

More information

NUMERICAL SIMULATION OF STRUCTURAL DEFORMATION UNDER SHOCK AND IMPACT LOADS USING A COUPLED MULTI-SOLVER APPROACH

NUMERICAL SIMULATION OF STRUCTURAL DEFORMATION UNDER SHOCK AND IMPACT LOADS USING A COUPLED MULTI-SOLVER APPROACH NUMERICAL SIMULATION OF STRUCTURAL DEFORMATION UNDER SHOCK AND IMPACT LOADS USING A COUPLED MULTI-SOLVER APPROACH X. Quan, N. K. Birnbaum, M.S. Cowler, B. I. Gerber Century Dynamics, Inc., 1001 Galaxy

More information

Three-dimensional Simulation of Robot Path and Heat Transfer of a TIG-welded Part with Complex Geometry

Three-dimensional Simulation of Robot Path and Heat Transfer of a TIG-welded Part with Complex Geometry Three-dimensional Simulation of Robot Path and Heat Transfer of a TIG-welded Part with Complex Geometry Daneshjo Naqib Ing. Daneshjo Naqib, PhD. Technical University of Košice, Fakulty of Mechanical Engineering,

More information

PTC Creo Simulate. Features and Specifications. Data Sheet

PTC Creo Simulate. Features and Specifications. Data Sheet PTC Creo Simulate PTC Creo Simulate gives designers and engineers the power to evaluate structural and thermal product performance on your digital model before resorting to costly, time-consuming physical

More information

ANSYS/LS-Dyna. Modeling. Prepared by. M Senior Engineering Manager

ANSYS/LS-Dyna. Modeling. Prepared by. M Senior Engineering Manager ANSYS/LS-Dyna Multi-Material M t i l ALE Modeling Prepared by Steven Hale, M.S.M.E. M Senior Engineering Manager Multi-Material ALE Basics What is the Multi-Material ALE method (MMALE) MMALE stands for

More information

3D Simulation of Dam-break effect on a Solid Wall using Smoothed Particle Hydrodynamic

3D Simulation of Dam-break effect on a Solid Wall using Smoothed Particle Hydrodynamic ISCS 2013 Selected Papers Dam-break effect on a Solid Wall 1 3D Simulation of Dam-break effect on a Solid Wall using Smoothed Particle Hydrodynamic Suprijadi a,b, F. Faizal b, C.F. Naa a and A.Trisnawan

More information

CUDA Particles. Simon Green

CUDA Particles. Simon Green CUDA Particles Simon Green sdkfeedback@nvidia.com Document Change History Version Date Responsible Reason for Change 1.0 Sept 19 2007 Simon Green Initial draft Abstract Particle systems [1] are a commonly

More information

A new approach to interoperability using HDF5

A new approach to interoperability using HDF5 A new approach to interoperability using HDF5 Second International Workshop on Software Solutions for Integrated Computational Materials Engineering ICME 2016 14 th April 2016, Barcelona, Spain Anshuman

More information

3D simulations of concrete penetration using SPH formulation and the RHT material model

3D simulations of concrete penetration using SPH formulation and the RHT material model 3D simulations of concrete penetration using SPH formulation and the RHT material model H. Hansson Weapons and Protection, Swedish Defence Research Agency (FOI), Sweden Abstract This paper describes work

More information

Available online at ScienceDirect. Procedia Engineering 136 (2016 ) Dynamic analysis of fuel tank

Available online at   ScienceDirect. Procedia Engineering 136 (2016 ) Dynamic analysis of fuel tank Available online at www.sciencedirect.com ScienceDirect Procedia Engineering 136 (2016 ) 45 49 The 20 th International Conference: Machine Modeling and Simulations, MMS 2015 Dynamic analysis of fuel tank

More information

Fluid-Structure Interaction in LS-DYNA: Industrial Applications

Fluid-Structure Interaction in LS-DYNA: Industrial Applications 4 th European LS-DYNA Users Conference Aerospace / Fluid-Struct. Inter. Fluid-Structure Interaction in LS-DYNA: Industrial Applications M hamed Souli Universite des Sciences et Technologie de Lille Laboratoire

More information

CGT 581 G Fluids. Overview. Some terms. Some terms

CGT 581 G Fluids. Overview. Some terms. Some terms CGT 581 G Fluids Bedřich Beneš, Ph.D. Purdue University Department of Computer Graphics Technology Overview Some terms Incompressible Navier-Stokes Boundary conditions Lagrange vs. Euler Eulerian approaches

More information

SPH: Towards the simulation of wave-body interactions in extreme seas

SPH: Towards the simulation of wave-body interactions in extreme seas SPH: Towards the simulation of wave-body interactions in extreme seas Guillaume Oger, Mathieu Doring, Bertrand Alessandrini, and Pierre Ferrant Fluid Mechanics Laboratory (CNRS UMR6598) Ecole Centrale

More information

CFD modelling of thickened tailings Final project report

CFD modelling of thickened tailings Final project report 26.11.2018 RESEM Remote sensing supporting surveillance and operation of mines CFD modelling of thickened tailings Final project report Lic.Sc.(Tech.) Reeta Tolonen and Docent Esa Muurinen University of

More information

1.6 Smoothed particle hydrodynamics (SPH)

1.6 Smoothed particle hydrodynamics (SPH) 26 Smoothed Particle Hydrodynamics 1.6 Smoothed particle hydrodynamics (SPH) 1.6.1 The SPH method In the SPH method, the state of a system is represented by a set of particles, which possess individual

More information

Coastal impact of a tsunami Review of numerical models

Coastal impact of a tsunami Review of numerical models Coastal impact of a tsunami Review of numerical models Richard Marcer 2 Content Physics to simulate Different approaches of modelling 2D depth average Full 3D Navier-Stokes 3D model Key point : free surface

More information

A Comparison of the Computational Speed of 3DSIM versus ANSYS Finite Element Analyses for Simulation of Thermal History in Metal Laser Sintering

A Comparison of the Computational Speed of 3DSIM versus ANSYS Finite Element Analyses for Simulation of Thermal History in Metal Laser Sintering A Comparison of the Computational Speed of 3DSIM versus ANSYS Finite Element Analyses for Simulation of Thermal History in Metal Laser Sintering Kai Zeng a,b, Chong Teng a,b, Sally Xu b, Tim Sublette b,

More information

Coupled analysis of material flow and die deflection in direct aluminum extrusion

Coupled analysis of material flow and die deflection in direct aluminum extrusion Coupled analysis of material flow and die deflection in direct aluminum extrusion W. Assaad and H.J.M.Geijselaers Materials innovation institute, The Netherlands w.assaad@m2i.nl Faculty of Engineering

More information

Chapter 1 - Basic Equations

Chapter 1 - Basic Equations 2.20 Marine Hydrodynamics, Fall 2017 Lecture 2 Copyright c 2017 MIT - Department of Mechanical Engineering, All rights reserved. 2.20 Marine Hydrodynamics Lecture 2 Chapter 1 - Basic Equations 1.1 Description

More information

Locomotion on soft granular Soils

Locomotion on soft granular Soils www.dlr.de Slide 1 < Locomotion on soft granular soils - A exploration > Roy Lichtenheldt Locomotion on soft granular Soils A Discrete Element based Approach for Simulations in Planetary Exploration

More information

Realistic Animation of Fluids

Realistic Animation of Fluids 1 Realistic Animation of Fluids Nick Foster and Dimitris Metaxas Presented by Alex Liberman April 19, 2005 2 Previous Work Used non physics-based methods (mostly in 2D) Hard to simulate effects that rely

More information

Dynamic Computational Modeling of the Glass Container Forming Process

Dynamic Computational Modeling of the Glass Container Forming Process Dynamic Computational Modeling of the Glass Container Forming Process Matthew Hyre 1, Ryan Taylor, and Morgan Harris Virginia Military Institute, Lexington, Virginia, USA Abstract Recent advances in numerical

More information

ALE Adaptive Mesh Refinement in LS-DYNA

ALE Adaptive Mesh Refinement in LS-DYNA 12 th International LS-DYNA Users Conference FSI/ALE(2) ALE Adaptive Mesh Refinement in LS-DYNA Nicolas AQUELET Livermore Software Technology Corp. 7374 Las Positas Rd Livermore CA94550 aquelet@lstc.com

More information

Simulating Reinforced Concrete Beam-Column Against Close-In Detonation using S-ALE Solver

Simulating Reinforced Concrete Beam-Column Against Close-In Detonation using S-ALE Solver Simulating Reinforced Concrete Beam-Column Against Close-In Detonation using S-ALE Solver Shih Kwang Tay, Roger Chan and Jiing Koon Poon Ministry of Home Affairs, Singapore 1 Abstract A 3-stage loading

More information

Realtime Water Simulation on GPU. Nuttapong Chentanez NVIDIA Research

Realtime Water Simulation on GPU. Nuttapong Chentanez NVIDIA Research 1 Realtime Water Simulation on GPU Nuttapong Chentanez NVIDIA Research 2 3 Overview Approaches to realtime water simulation Hybrid shallow water solver + particles Hybrid 3D tall cell water solver + particles

More information

Using ANSYS and CFX to Model Aluminum Reduction Cell since1984 and Beyond. Dr. Marc Dupuis

Using ANSYS and CFX to Model Aluminum Reduction Cell since1984 and Beyond. Dr. Marc Dupuis Using ANSYS and CFX to Model Aluminum Reduction Cell since1984 and Beyond Dr. Marc Dupuis 1980-84, 2D potroom ventilation model Physical model 1980-84, 2D potroom ventilation model Experimental results

More information

Scalability Study of Particle Method with Dynamic Load Balancing

Scalability Study of Particle Method with Dynamic Load Balancing Scalability Study of Particle Method with Dynamic Load Balancing Hailong Teng Livermore Software Technology Corp. Abstract We introduce an efficient load-balancing algorithm for particle method (Particle

More information

Modelling of Impact on a Fuel Tank Using Smoothed Particle Hydrodynamics

Modelling of Impact on a Fuel Tank Using Smoothed Particle Hydrodynamics Modelling of Impact on a Fuel Tank Using Smoothed Particle Hydrodynamics R. Vignjevic a, T. De Vuyst a, J. Campbell a, N. Bourne b School of Engineering, Cranfield University, Bedfordshire, MK43 0AL, UK.

More information

2-D Tank Sloshing Using the Coupled Eulerian- LaGrangian (CEL) Capability of Abaqus/Explicit

2-D Tank Sloshing Using the Coupled Eulerian- LaGrangian (CEL) Capability of Abaqus/Explicit 2-D Tank Sloshing Using the Coupled Eulerian- LaGrangian (CEL) Capability of Abaqus/Explicit Jeff D. Tippmann, Sharat C. Prasad 2, and Parthiv N. Shah ATA Engineering, Inc. San Diego, CA 923 2 Dassault

More information

Parallel Direct Simulation Monte Carlo Computation Using CUDA on GPUs

Parallel Direct Simulation Monte Carlo Computation Using CUDA on GPUs Parallel Direct Simulation Monte Carlo Computation Using CUDA on GPUs C.-C. Su a, C.-W. Hsieh b, M. R. Smith b, M. C. Jermy c and J.-S. Wu a a Department of Mechanical Engineering, National Chiao Tung

More information

Transfer and pouring processes of casting by smoothed particle. hydrodynamic method

Transfer and pouring processes of casting by smoothed particle. hydrodynamic method Transfer and pouring processes of casting by smoothed particle hydrodynamic method M. Kazama¹, K. Ogasawara¹, *T. Suwa¹, H. Ito 2, and Y. Maeda 2 1 Application development div., Next generation technical

More information

Print Depth Prediction in Hot Forming Process with a Reconfigurable Die

Print Depth Prediction in Hot Forming Process with a Reconfigurable Die Print Depth Prediction in Hot Forming Process with a Reconfigurable Die Jonathan Boisvert* Thibaut Bellizzi* Henri Champliaud Patrice Seers École de Technologie supérieure, Montréal, Québec *Master students,

More information

Design, Modification and Analysis of Two Wheeler Cooling Sinusoidal Wavy Fins

Design, Modification and Analysis of Two Wheeler Cooling Sinusoidal Wavy Fins Design, Modification and Analysis of Two Wheeler Cooling Sinusoidal Wavy Fins Vignesh. P Final Year B.E.,Mechanical Mepco Schlenk Engineering College Sivakasi,India P. Selva Muthu Kumar Final year B.E.,

More information

Simulation of engraving process of large-caliber artillery using coupled Eulerian-Lagrangian method

Simulation of engraving process of large-caliber artillery using coupled Eulerian-Lagrangian method Simulation of engraving process of large-caliber artillery using coupled Eulerian-Lagrangian method Zhen Li 1, Jianli Ge 2, Guolai Yang 3, Jun Tang 4 School of Mechanical Engineering, Nanjing University

More information

LS-Dyna CAE A ssociates Associates

LS-Dyna CAE A ssociates Associates LS-Dyna at CAE Associates Overview Experience with LS-Dyna for Dynamics Modeling CAE Associates engineers have nearly 30 years of experience using explicit dynamics finite element codes for complex design

More information

Modelling Flat Spring Performance Using FEA

Modelling Flat Spring Performance Using FEA Modelling Flat Spring Performance Using FEA Blessing O Fatola, Patrick Keogh and Ben Hicks Department of Mechanical Engineering, University of Corresponding author bf223@bath.ac.uk Abstract. This paper

More information

How to Handle Irregular Distribution of SPH Particles in Dynamic Fracture Analysis

How to Handle Irregular Distribution of SPH Particles in Dynamic Fracture Analysis How to Handle Irregular Distribution of SPH Particles in Dynamic Fracture Analysis MARTIN HUŠEK, JIŘÍ KALA, FILIP HOKEŠ, PETR KRÁL Faculty of Civil Engineering, Institute of Structural Mechanics Brno University

More information

Analysis of holes and spot weld joints using sub models and superelements

Analysis of holes and spot weld joints using sub models and superelements MASTER S THESIS 2010:179 CIV Analysis of holes and spot weld joints using sub models and superelements Viktor Larsson MASTER OF SCIENCE PROGRAMME Mechanical Engineering Luleå University of Technology Department

More information

http://miccom-center.org Topic: Continuum-Particle Simulation Software (COPSS-Hydrodynamics) Presenter: Jiyuan Li, The University of Chicago 2017 Summer School 1 What is Continuum-Particle Simulation?

More information

Module 1: Introduction to Finite Element Analysis. Lecture 4: Steps in Finite Element Analysis

Module 1: Introduction to Finite Element Analysis. Lecture 4: Steps in Finite Element Analysis 25 Module 1: Introduction to Finite Element Analysis Lecture 4: Steps in Finite Element Analysis 1.4.1 Loading Conditions There are multiple loading conditions which may be applied to a system. The load

More information