1 | """Library of standard meshes and facilities for reading various |
---|
2 | mesh file formats |
---|
3 | """ |
---|
4 | |
---|
5 | |
---|
6 | def rectangular(m, n, len1=1.0, len2=1.0, origin = (0.0, 0.0)): |
---|
7 | |
---|
8 | """Setup a rectangular grid of triangles |
---|
9 | with m+1 by n+1 grid points |
---|
10 | and side lengths len1, len2. If side lengths are omitted |
---|
11 | the mesh defaults to the unit square. |
---|
12 | |
---|
13 | len1: x direction (left to right) |
---|
14 | len2: y direction (bottom to top) |
---|
15 | |
---|
16 | Return to lists: points and elements suitable for creating a Mesh or |
---|
17 | FVMesh object, e.g. Mesh(points, elements) |
---|
18 | """ |
---|
19 | |
---|
20 | from config import epsilon |
---|
21 | |
---|
22 | #E = m*n*2 #Number of triangular elements |
---|
23 | #P = (m+1)*(n+1) #Number of initial vertices |
---|
24 | |
---|
25 | delta1 = float(len1)/m |
---|
26 | delta2 = float(len2)/n |
---|
27 | |
---|
28 | #Dictionary of vertex objects |
---|
29 | vertices = {} |
---|
30 | points = [] |
---|
31 | |
---|
32 | for i in range(m+1): |
---|
33 | for j in range(n+1): |
---|
34 | vertices[i,j] = len(points) |
---|
35 | points.append([i*delta1 + origin[0], j*delta2 + origin[1]]) |
---|
36 | |
---|
37 | |
---|
38 | |
---|
39 | #Construct 2 triangles per rectangular element and assign tags to boundary |
---|
40 | elements = [] |
---|
41 | boundary = {} |
---|
42 | for i in range(m): |
---|
43 | for j in range(n): |
---|
44 | v1 = vertices[i,j+1] |
---|
45 | v2 = vertices[i,j] |
---|
46 | v3 = vertices[i+1,j+1] |
---|
47 | v4 = vertices[i+1,j] |
---|
48 | |
---|
49 | #Update boundary dictionary and create elements |
---|
50 | if i == m-1: |
---|
51 | boundary[(len(elements), 2)] = 'right' |
---|
52 | if j == 0: |
---|
53 | boundary[(len(elements), 1)] = 'bottom' |
---|
54 | elements.append([v4,v3,v2]) #Lower element |
---|
55 | |
---|
56 | if i == 0: |
---|
57 | boundary[(len(elements), 2)] = 'left' |
---|
58 | if j == n-1: |
---|
59 | boundary[(len(elements), 1)] = 'top' |
---|
60 | elements.append([v1,v2,v3]) #Upper element |
---|
61 | |
---|
62 | return points, elements, boundary |
---|
63 | |
---|
64 | |
---|
65 | |
---|