#! /usr/bin/env python3 # def scatter_3d ( ): #*****************************************************************************80 # ## scatter_3d() follows multiple Brownian particles in 3D. # # Licensing: # # This code is distributed under the MIT license. # # Modified: # # 22 February 2025 # # Author: # # John Burkardt # from mpl_toolkits.mplot3d import Axes3D import matplotlib.pyplot as plt import numpy as np print ( '' ) print ( 'scatter_3d():' ) print ( ' Display multiple Brownian particles in 3D.' ) p = 1000 n = 100 m = 3 d = 10.0 t = 1.0 x = scatter_simulation ( p, n, m, d, t ) dt = t / float ( n ) sigma = np.sqrt ( 2.0 * m * d * dt * n ) # # Display particles. # fig = plt.figure ( ) ax = fig.add_subplot ( 111, projection = '3d' ) ax.scatter ( x[:,0], x[:,1], x[:,2], c = 'b', marker = 'o', s = 5 ) ax.grid ( True ) ax.set_xlabel ( '<--X-->' ) ax.set_ylabel ( '<--Y-->' ) ax.set_zlabel ( '<--Z-->' ) plt.title ( 'P particles in 3 dimensions after N steps' ) filename = 'scatter_3d.png' plt.savefig ( filename ) print ( ' Graphics saved as "' + filename + '"' ) plt.show ( ) plt.close ( ) return def scatter_simulation ( p, n, m, d, t ): #*****************************************************************************80 # ## scatter_simulation() lets P particles take N Brownian steps each. # # Licensing: # # This code is distributed under the MIT license. # # Modified: # # 22 February 2025 # # Author: # # John Burkardt # # Input: # # integer p: the number of particles. # # integer m: the spatial dimension. # # integer n: the number of time steps to take # # real d: the diffusion coefficient. # # real t: the total time. # # Output: # # real x(p,m): the locations of P particles in M dimensional space # after each has taken N steps. # import numpy as np # # Set the time step. # dt = t / n # # Make space for the data. # x = np.zeros ( [ p, m ] ) # # Compute the individual steps. # for j in range ( 0, n ): # # Choose direction at random. # direct = np.random.standard_normal ( [ p, m ] ) norm_direct = np.sqrt ( np.sum ( direct ** 2, axis = 1 ) ) for i in range ( 0, m ): direct[i] = direct[i] / norm_direct[i] # # Choose stepsize at random. # step = np.sqrt ( 2.0 * m * d * dt ) * np.random.standard_normal ( p ) # # Increment the position. # for j in range ( 0, m ): x[:,j] = x[:,j] + step[:] * direct[:,j] return x if ( __name__ == '__main__' ): scatter_3d ( )