1 | #!/usr/bin/env python |
---|
2 | """ |
---|
3 | Provide F(x) = 2( exp(-x) + x - 1 )/x**2 |
---|
4 | with x = (q*R_g)**2 |
---|
5 | |
---|
6 | Debye function as a BaseComponent model |
---|
7 | """ |
---|
8 | |
---|
9 | from sans.models.BaseComponent import BaseComponent |
---|
10 | import math |
---|
11 | |
---|
12 | class DebyeModel(BaseComponent): |
---|
13 | |
---|
14 | """ |
---|
15 | Class that evaluates a Debye model. |
---|
16 | |
---|
17 | F(x) = 2( exp(-x) + x - 1 )/x**2 |
---|
18 | with x = (q*R_g)**2 |
---|
19 | |
---|
20 | The model has three parameters: |
---|
21 | Rg = radius of gyration |
---|
22 | scale = scale factor |
---|
23 | bkd = Constant background |
---|
24 | """ |
---|
25 | |
---|
26 | def __init__(self): |
---|
27 | """ Initialization """ |
---|
28 | |
---|
29 | # Initialize BaseComponent first, then sphere |
---|
30 | BaseComponent.__init__(self) |
---|
31 | |
---|
32 | ## Name of the model |
---|
33 | self.name = "Debye" |
---|
34 | |
---|
35 | ## Define parameters |
---|
36 | self.params = {} |
---|
37 | self.params['rg'] = 50.0 |
---|
38 | self.params['scale'] = 1.0 |
---|
39 | self.params['background'] = 0.0 |
---|
40 | |
---|
41 | ## Parameter details [units, min, max] |
---|
42 | self.details = {} |
---|
43 | self.details['rg'] = ['', None, None] |
---|
44 | self.details['scale'] = ['', None, None] |
---|
45 | self.details['background'] = ['', None, None] |
---|
46 | |
---|
47 | def _debye(self, x): |
---|
48 | """ |
---|
49 | Evaluate F(x)= scale * D + bkd |
---|
50 | has 2 internal parameters : |
---|
51 | D = 2 * (exp(-y) + y - 1)/y**2 |
---|
52 | y = (x * Rg)^(2) |
---|
53 | """ |
---|
54 | # Note that a zero denominator value will raise |
---|
55 | # an exception |
---|
56 | y = (x * self.params['rg'])**2.0 |
---|
57 | D = 2.0*( math.exp(-y) + y -1.0 )/y**2.0 |
---|
58 | return self.params['scale']* D + self.params['background'] |
---|
59 | |
---|
60 | def run(self, x = 0.0): |
---|
61 | """ Evaluate the model |
---|
62 | @param x: input q-value (float or [float, float] as [r, theta]) |
---|
63 | @return: (debye value) |
---|
64 | """ |
---|
65 | if x.__class__.__name__ == 'list': |
---|
66 | return self._debye(x[0]) |
---|
67 | elif x.__class__.__name__ == 'tuple': |
---|
68 | raise ValueError, "Tuples are not allowed as input to BaseComponent models" |
---|
69 | else: |
---|
70 | return self._debye(x) |
---|
71 | |
---|
72 | def runXY(self, x = 0.0): |
---|
73 | """ Evaluate the model |
---|
74 | @param x: input q-value (float or [float, float] as [qx, qy]) |
---|
75 | @return: debye value |
---|
76 | """ |
---|
77 | if x.__class__.__name__ == 'list': |
---|
78 | q = math.sqrt(x[0]**2 + x[1]**2) |
---|
79 | return self._debye(q) |
---|
80 | elif x.__class__.__name__ == 'tuple': |
---|
81 | raise ValueError, "Tuples are not allowed as input to BaseComponent models" |
---|
82 | else: |
---|
83 | return self._debye(x) |
---|