532 *
static const std::array<Source, 5> sources{
539 *
for (
const auto &source : sources)
540 * if (p.distance(source.location) < source.radius)
555 *
const double radius;
563 * <a name=
"step_24-ImplementationofthecodeTATForwardProblemcodeclass"></a>
564 * <h3>Implementation of the <code>TATForwardProblem</code>
class</h3>
568 * Let
's start again with the constructor. Setting the member variables is
569 * straightforward. We use the acoustic wave speed of mineral oil (in
570 * millimeters per microsecond, a common unit in experimental biomedical
571 * imaging) since this is where many of the experiments we want to compare
572 * the output with are made in. The Crank-Nicolson scheme is used again,
573 * i.e. theta is set to 0.5. The time step is later selected to satisfy @f$k =
574 * \frac hc@f$: here we initialize it to an invalid number.
578 * TATForwardProblem<dim>::TATForwardProblem()
580 * , dof_handler(triangulation)
581 * , time_step(std::numeric_limits<double>::quiet_NaN())
583 * , timestep_number(1)
585 * , wave_speed(1.437)
589 * The second task in the constructor is to initialize the array that
590 * holds the detector locations. The results of this program were compared
591 * with experiments in which the step size of the detector spacing is 2.25
592 * degree, corresponding to 160 detector locations. The radius of the
593 * scanning circle is selected to be half way between the center and the
594 * boundary to avoid that the remaining reflections from the imperfect
595 * boundary condition spoils our numerical results.
599 * The locations of the detectors are then calculated in clockwise
600 * order. Note that the following of course only works if we are computing
601 * in 2d, a condition that we guard with an assertion. If we later wanted
602 * to run the same program in 3d, we would have to add code here for the
603 * initialization of detector locations in 3d. Due to the assertion, there
604 * is no way we can forget to do this.
607 * Assert(dim == 2, ExcNotImplemented());
609 * const double detector_step_angle = 2.25;
610 * const double detector_radius = 0.5;
612 * for (double detector_angle = 2 * numbers::PI; detector_angle >= 0;
613 * detector_angle -= detector_step_angle / 360 * 2 * numbers::PI)
614 * detector_locations.push_back(
615 * Point<dim>(std::cos(detector_angle), std::sin(detector_angle)) *
624 * <a name="step_24-TATForwardProblemsetup_system"></a>
625 * <h4>TATForwardProblem::setup_system</h4>
629 * The following system is pretty much what we've already done in @ref step_23
"step-23",
630 * but with two important differences. First, we have to create a circular
631 * (or spherical) mesh around the origin, with a radius of 1. This nothing
632 *
new: we
've done so before in @ref step_6 "step-6" and @ref step_10 "step-10", where we also explain
633 * how the PolarManifold or SphericalManifold object places new points on
634 * concentric circles when a cell is refined, which we will use here as
639 * One thing we had to make sure is that the time step satisfies the CFL
640 * condition discussed in the introduction of @ref step_23 "step-23". Back in that program,
641 * we ensured this by hand by setting a timestep that matches the mesh
642 * width, but that was error prone because if we refined the mesh once more
643 * we would also have to make sure the time step is changed. Here, we do
644 * that automatically: we ask a library function for the minimal diameter of
645 * any cell. Then we set @f$k=\frac h{c_0}@f$. The only problem is: what exactly
646 * is @f$h@f$? The point is that there is really no good theory on this question
647 * for the wave equation. It is known that for uniformly refined meshes
648 * consisting of rectangles, @f$h@f$ is the minimal edge length. But for meshes
649 * on general quadrilaterals, the exact relationship appears to be unknown,
650 * i.e. it is unknown what properties of cells are relevant for the CFL
651 * condition. The problem is that the CFL condition follows from knowledge
652 * of the smallest eigenvalue of the Laplace matrix, and that can only be
653 * computed analytically for simply structured meshes.
657 * The upshot of all this is that we're not quite sure what exactly we
659 * computes the minimal
diameter of all cells. If the cells were all squares
660 * or cubes, then the minimal edge length would be the minimal
diameter
661 * divided by <code>
std::
sqrt(dim)</code>. We simply generalize this,
662 * without theoretical justification, to the case of non-uniform meshes.
666 * The only other significant change is that we need to build the boundary
667 * mass
matrix. We will comment on this further down below.
671 * void TATForwardProblem<dim>::setup_system()
673 * const
Point<dim> center;
680 * std::cout <<
"Number of active cells: " <<
triangulation.n_active_cells()
683 * dof_handler.distribute_dofs(fe);
685 * std::cout <<
"Number of degrees of freedom: " << dof_handler.n_dofs()
691 * sparsity_pattern.copy_from(dsp);
693 * system_matrix.reinit(sparsity_pattern);
695 * laplace_matrix.reinit(sparsity_pattern);
706 * The
second difference, as mentioned, to @ref step_23
"step-23" is that we need to
707 * build the boundary mass
matrix that grew out of the absorbing boundary
712 * A
first observation would be that
this matrix is much sparser than the
714 * interior support contribute to
this matrix. We could therefore
715 * optimize the storage pattern to
this situation and build up a
second
716 * sparsity pattern that only contains the
nonzero entries that we
717 * need. There is a trade-off to make here:
first, we would have to have a
718 *
second sparsity pattern object, so that costs memory. Secondly, the
719 *
matrix attached to
this sparsity pattern is going to be smaller and
720 * therefore
requires less memory; it would also be faster to perform
721 *
matrix-vector multiplications with it. The
final argument, however, is
722 * the one that tips the
scale: we are not primarily interested in
723 * performing
matrix-vector with the boundary
matrix alone (though we need
724 * to
do that
for the right hand side vector once per time step), but
725 * mostly wish to add it up to the other matrices used in the
first of the
726 * two equations since
this is the one that is going to be multiplied with
727 * once per iteration of the CG method, i.e. significantly more often. It
729 *
matrix to another, but only
if they use the same sparsity pattern (the
730 * reason being that we can
't add nonzero entries to a matrix after the
731 * sparsity pattern has been created, so we simply require that the two
732 * matrices have the same sparsity pattern).
736 * So let's go with that:
739 * boundary_matrix.
reinit(sparsity_pattern);
743 * The
second thing to
do is to actually build the
matrix. Here, we need
744 * to integrate over faces of cells, so
first we need a quadrature
object
745 * that works on <code>dim-1</code> dimensional objects. Secondly, the
747 * suggest. And
finally, the other variables that are part of the assembly
748 * machinery. All of
this we put between curly braces to limit the scope
749 * of these variables to where we actually need them.
753 * The actual act of assembling the
matrix is then fairly straightforward:
754 * we
loop over all cells, over all faces of each of these cells, and then
755 *
do something only
if that particular face is at the boundary of the
760 *
const QGauss<dim - 1> quadrature_formula(fe.degree + 1);
762 * quadrature_formula,
765 *
const unsigned int dofs_per_cell = fe.n_dofs_per_cell();
766 *
const unsigned int n_q_points = quadrature_formula.size();
770 * std::vector<types::global_dof_index> local_dof_indices(dofs_per_cell);
772 *
for (
const auto &cell : dof_handler.active_cell_iterators())
773 * for (const auto &face : cell->face_iterators())
774 * if (face->at_boundary())
778 * fe_values.reinit(cell, face);
780 *
for (
unsigned int q_point = 0; q_point < n_q_points; ++q_point)
781 *
for (
unsigned int i = 0; i < dofs_per_cell; ++i)
782 *
for (
unsigned int j = 0; j < dofs_per_cell; ++j)
783 *
cell_matrix(i, j) += (fe_values.shape_value(i, q_point) *
784 * fe_values.shape_value(j, q_point) *
785 * fe_values.JxW(q_point));
787 * cell->get_dof_indices(local_dof_indices);
788 *
for (
unsigned int i = 0; i < dofs_per_cell; ++i)
789 *
for (
unsigned int j = 0; j < dofs_per_cell; ++j)
790 * boundary_matrix.add(local_dof_indices[i],
791 * local_dof_indices[j],
796 * system_matrix.copy_from(mass_matrix);
797 * system_matrix.add(time_step * time_step * theta * theta * wave_speed *
800 * system_matrix.add(wave_speed * theta * time_step, boundary_matrix);
803 * solution_p.reinit(dof_handler.n_dofs());
804 * old_solution_p.reinit(dof_handler.n_dofs());
805 * system_rhs_p.reinit(dof_handler.n_dofs());
807 * solution_v.reinit(dof_handler.n_dofs());
808 * old_solution_v.reinit(dof_handler.n_dofs());
809 * system_rhs_v.reinit(dof_handler.n_dofs());
811 * constraints.close();
818 * <a name=
"step_24-TATForwardProblemsolve_pandTATForwardProblemsolve_v"></a>
819 * <h4>TATForwardProblem::solve_p and TATForwardProblem::solve_v</h4>
823 * The following two
functions, solving the linear systems
for the pressure
824 * and the velocity variable, are taken pretty much verbatim (with the
825 * exception of the change of name from @f$u@f$ to @f$p@f$ of the primary variable)
826 * from @ref step_23
"step-23":
830 *
void TATForwardProblem<dim>::solve_p()
832 *
SolverControl solver_control(1000, 1e-8 * system_rhs_p.l2_norm());
837 * std::cout <<
" p-equation: " << solver_control.last_step()
838 * <<
" CG iterations." << std::endl;
844 *
void TATForwardProblem<dim>::solve_v()
846 *
SolverControl solver_control(1000, 1e-8 * system_rhs_v.l2_norm());
851 * std::cout <<
" v-equation: " << solver_control.last_step()
852 * <<
" CG iterations." << std::endl;
860 * <a name=
"step_24-TATForwardProblemoutput_results"></a>
861 * <h4>TATForwardProblem::output_results</h4>
865 * The same holds here: the function is from @ref step_23
"step-23".
869 *
void TATForwardProblem<dim>::output_results() const
874 * data_out.add_data_vector(solution_p,
"P");
875 * data_out.add_data_vector(solution_v,
"V");
877 * data_out.build_patches();
879 *
const std::string filename =
883 * std::ofstream output(filename);
884 * data_out.write_vtu(output);
892 * <a name=
"step_24-TATForwardProblemrun"></a>
893 * <h4>TATForwardProblem::run</h4>
897 * This function that does most of the work is pretty much again like in
898 * @ref step_23
"step-23", though we make things a bit clearer by
using the vectors G1 and
899 * G2 mentioned in the introduction. Compared to the overall memory
900 * consumption of the program, the introduction of a few temporary vectors
901 * isn
't doing much harm.
905 * The only changes to this function are: first, that we do not have to
906 * project initial values for the velocity @f$v@f$, since we know that it is
907 * zero. And second that we evaluate the solution at the detector locations
908 * computed in the constructor. This is done using the
909 * VectorTools::point_value function. These values are then written to a
910 * file that we open at the beginning of the function.
914 * void TATForwardProblem<dim>::run()
918 * VectorTools::project(dof_handler,
920 * QGauss<dim>(fe.degree + 1),
921 * InitialValuesP<dim>(),
923 * old_solution_v = 0;
926 * std::ofstream detector_data("detectors.dat");
928 * Vector<double> tmp(solution_p.size());
929 * Vector<double> G1(solution_p.size());
930 * Vector<double> G2(solution_v.size());
932 * const double end_time = 0.7;
933 * for (time = time_step; time <= end_time;
934 * time += time_step, ++timestep_number)
936 * std::cout << std::endl;
937 * std::cout << "time_step " << timestep_number << " @ t=" << time
940 * mass_matrix.vmult(G1, old_solution_p);
941 * mass_matrix.vmult(tmp, old_solution_v);
942 * G1.add(time_step * (1 - theta), tmp);
944 * mass_matrix.vmult(G2, old_solution_v);
945 * laplace_matrix.vmult(tmp, old_solution_p);
946 * G2.add(-wave_speed * wave_speed * time_step * (1 - theta), tmp);
948 * boundary_matrix.vmult(tmp, old_solution_p);
949 * G2.add(wave_speed, tmp);
952 * system_rhs_p.add(time_step * theta, G2);
957 * laplace_matrix.vmult(tmp, solution_p);
958 * system_rhs_v.add(-time_step * theta * wave_speed * wave_speed, tmp);
960 * boundary_matrix.vmult(tmp, solution_p);
961 * system_rhs_v.add(-wave_speed, tmp);
967 * detector_data << time;
968 * for (unsigned int i = 0; i < detector_locations.size(); ++i)
969 * detector_data << ' '
970 * << VectorTools::point_value(dof_handler,
972 * detector_locations[i])
974 * detector_data << std::endl;
976 * old_solution_p = solution_p;
977 * old_solution_v = solution_v;
980 * } // namespace Step24
987 * <a name="step_24-Thecodemaincodefunction"></a>
988 * <h3>The <code>main</code> function</h3>
992 * What remains is the main function of the program. There is nothing here
993 * that hasn't been shown in several of the previous programs:
1000 *
using namespace Step24;
1002 * TATForwardProblem<2> forward_problem_solver;
1003 * forward_problem_solver.run();
1005 *
catch (std::exception &exc)
1007 * std::cerr << std::endl
1009 * <<
"----------------------------------------------------"
1011 * std::cerr <<
"Exception on processing: " << std::endl
1012 * << exc.what() << std::endl
1013 * <<
"Aborting!" << std::endl
1014 * <<
"----------------------------------------------------"
1021 * std::cerr << std::endl
1023 * <<
"----------------------------------------------------"
1025 * std::cerr <<
"Unknown exception!" << std::endl
1026 * <<
"Aborting!" << std::endl
1027 * <<
"----------------------------------------------------"
1035<a name=
"step_24-Results"></a><h1>Results</h1>
1038The program writes both graphical
data for each time step as well as the
1039values evaluated at each detector location to disk. We then
1040draw them in plots. Experimental
data were also collected
for comparison.
1041Currently our experiments have only been done in two dimensions by
1042circularly scanning a single detector. The tissue sample here is a thin slice
1043in the @f$X-Y@f$ plane (@f$Z=0@f$), and we assume that signals from other @f$Z@f$
1044directions won
't contribute to the data. Consequently, we only have to compare
1045our experimental data with two dimensional simulated data.
1047<a name="step_24-Oneabsorber"></a><h3> One absorber </h3>
1050This movie shows the thermoacoustic waves generated by a single small absorber
1051propagating in the medium (in our simulation, we assume the medium is mineral
1052oil, which has a acoustic speed of 1.437 @f$\frac{mm}{\mu s}@f$):
1054<img src="https://www.dealii.org/images/steps/developer/step-24.one_movie.gif" alt="">
1056For a single absorber, we of course have to change the
1057<code>InitialValuesP</code> class accordingly.
1059Next, let us compare experimental and computational results. The visualization
1060uses a technique long used in seismology, where the data of each detector is
1061plotted all in one graph. The way this is done is by offsetting each
1062detector's signal a bit compared to the previous one. For example, here is a
1063plot of the
first four detectors (from bottom to top, with time in
1064microseconds running from left to right)
using the source setup used in the
1065program, to make things a bit more interesting compared to the present
case of
1066only a single source:
1068<img src=
"https://www.dealii.org/images/steps/developer/step-24.traces.png" alt=
"">
1070One thing that can be seen,
for example, is that the arrival of the
second and
1071fourth signals shifts to earlier times
for greater detector
numbers (i.e. the
1072topmost ones), but not the
first and the third;
this can be interpreted to
1073mean that the origin of these signals must be closer to the latter detectors
1074than to the former ones.
1076If we stack not only 4, but all 160 detectors in one graph, the individual
1077lines blur, but where they
run together they create a pattern of darker or
1078lighter grayscales. The following two figures show the results obtained at
1079the detector locations stacked in that way. The left figure is obtained from
1080experiments, and the right is the simulated
data.
1081In the experiment, a single small strong absorber was embedded in
1082weaker absorbing tissue:
1087<img src=
"https://www.dealii.org/images/steps/developer/step-24.one.png" alt=
"">
1090<img src=
"https://www.dealii.org/images/steps/developer/step-24.one_s.png" alt=
"">
1095It is obvious that the source location is closer to the detectors at
angle
1096@f$180^\circ@f$. All the other signals that can be seen in the experimental
data
1097result from the fact that there are weak absorbers also in the rest of the
1098tissue, which surrounds the signals generated by the small strong absorber in
1099the center. On the other hand, in the simulated
data, we only simulate the
1100small strong absorber.
1102In reality, detectors have limited bandwidth. The thermoacoustic waves passing
1103through the detector will therefore be filtered. By
using a high-pass filter
1104(implemented in MATLAB and run against the
data file produced by
this program),
1105the simulated results can be made to look closer to the experimental
1108<img src=
"https://www.dealii.org/images/steps/developer/step-24.one_sf.png" alt=
"">
1110In our simulations, we see spurious signals behind the main wave that
1111result from numerical artifacts. This problem can be alleviated by
using finer
1112mesh, resulting in the following plot:
1114<img src=
"https://www.dealii.org/images/steps/developer/step-24.one_s2.png" alt=
"">
1118<a name=
"step_24-Multipleabsorbers"></a><h3>Multiple absorbers</h3>
1121To further verify the program, we will also show simulation results
for
1122multiple absorbers. This corresponds to the
case that is actually implemented
1123in the program. The following movie shows the propagation of the generated
1124thermoacoustic waves in the medium by multiple absorbers:
1126<img src=
"https://www.dealii.org/images/steps/developer/step-24.multi_movie.gif" alt=
"">
1128Experimental
data and our simulated
data are compared in the following two
1133<img src=
"https://www.dealii.org/images/steps/developer/step-24.multi.png" alt=
"">
1136<img src=
"https://www.dealii.org/images/steps/developer/step-24.multi_s.png" alt=
"">
1141Note that in the experimental
data, the
first signal (i.e. the left-most dark
1142line) results from absorption at the tissue boundary, and therefore reaches
1143the detectors
first and before any of the signals from the interior. This
1144signal is also faintly visible at the
end of the traces, around 30 @f$\mu s@f$,
1145which indicates that the signal traveled through the entire tissue to reach
1146detectors at the other side, after all the signals originating from the
1147interior have reached them.
1149As before, the numerical result better matches experimental ones by applying a
1150bandwidth filter that matches the actual behavior of detectors (left) and by
1151choosing a finer mesh (right):
1156<img src=
"https://www.dealii.org/images/steps/developer/step-24.multi_sf.png" alt=
"">
1159<img src=
"https://www.dealii.org/images/steps/developer/step-24.multi_s2.png" alt=
"">
1164One of the important differences between the left and the right figure is that
1165the curves look much less
"angular" at the right. The angularity comes from
1166the fact that while waves in the continuous equation travel equally fast in
1167all directions, this isn
't the case after discretization: there, waves that
1168travel diagonal to cells move at slightly different speeds to those that move
1169parallel to mesh lines. This anisotropy leads to wave fronts that aren't
1170perfectly circular (and would produce sinusoidal signals in the stacked
1171plots), but are bulged out in certain directions. To make things worse, the
1172circular mesh we use (see for example @ref step_6
"step-6" for a view of the
1173coarse mesh) is not isotropic either. The net result is that the signal fronts
1174are not sinusoidal unless the mesh is sufficiently fine. The right image is a
1175lot better in this respect, though artifacts in the form of trailing spurious
1176waves can still be seen.
1179<a name=
"step_24-PlainProg"></a>
1180<h1> The plain program</h1>
1181@include
"step-24.cc"
void attach_dof_handler(const DoFHandler< dim, spacedim > &)
void add(const size_type i, const size_type j, const number value)
void loop(IteratorType begin, std_cxx20::type_identity_t< IteratorType > end, DOFINFO &dinfo, INFOBOX &info, const std::function< void(std_cxx20::type_identity_t< DOFINFO > &, typename INFOBOX::CellInfo &)> &cell_worker, const std::function< void(std_cxx20::type_identity_t< DOFINFO > &, typename INFOBOX::CellInfo &)> &boundary_worker, const std::function< void(std_cxx20::type_identity_t< DOFINFO > &, std_cxx20::type_identity_t< DOFINFO > &, typename INFOBOX::CellInfo &, typename INFOBOX::CellInfo &)> &face_worker, AssemblerType &assembler, const LoopControl &lctrl=LoopControl())
void make_sparsity_pattern(const DoFHandler< dim, spacedim > &dof_handler, SparsityPatternBase &sparsity_pattern, const AffineConstraints< number > &constraints={}, const bool keep_constrained_dofs=true, const types::subdomain_id subdomain_id=numbers::invalid_subdomain_id)
@ update_values
Shape function values.
@ update_JxW_values
Transformed quadrature weights.
std::vector< index_type > data
void hyper_ball(Triangulation< dim > &tria, const Point< dim > ¢er=Point< dim >(), const double radius=1., const bool attach_spherical_manifold_on_boundary_cells=false)
@ matrix
Contents is actually a matrix.
void cell_matrix(FullMatrix< double > &M, const FEValuesBase< dim > &fe, const FEValuesBase< dim > &fetest, const ArrayView< const std::vector< double > > &velocity, const double factor=1.)
void mass_matrix(FullMatrix< double > &M, const FEValuesBase< dim > &fe, const double factor=1.)
void create_mass_matrix(const Mapping< dim, spacedim > &mapping, const DoFHandler< dim, spacedim > &dof, const Quadrature< dim > &q, MatrixType &matrix, const Function< spacedim, typename MatrixType::value_type > *const a=nullptr, const AffineConstraints< typename MatrixType::value_type > &constraints=AffineConstraints< typename MatrixType::value_type >())
void create_laplace_matrix(const Mapping< dim, spacedim > &mapping, const DoFHandler< dim, spacedim > &dof, const Quadrature< dim > &q, MatrixType &matrix, const Function< spacedim, typename MatrixType::value_type > *const a=nullptr, const AffineConstraints< typename MatrixType::value_type > &constraints=AffineConstraints< typename MatrixType::value_type >())
Number angle(const Tensor< 1, spacedim, Number > &a, const Tensor< 1, spacedim, Number > &b)
VectorType::value_type * end(VectorType &V)
std::string int_to_string(const unsigned int value, const unsigned int digits=numbers::invalid_unsigned_int)
void run(const Iterator &begin, const std_cxx20::type_identity_t< Iterator > &end, Worker worker, Copier copier, const ScratchData &sample_scratch_data, const CopyData &sample_copy_data, const unsigned int queue_length, const unsigned int chunk_size)
int(&) functions(const void *v1, const void *v2)
void reinit(MatrixBlock< MatrixType > &v, const BlockSparsityPattern &p)
::VectorizedArray< Number, width > sqrt(const ::VectorizedArray< Number, width > &)
const ::parallel::distributed::Triangulation< dim, spacedim > * triangulation
DataOutBase::CompressionLevel compression_level