I made a small correction to your formula so that 1/6 is evaluated as a float (so that 1/6 == 0.16666666), and not as integer division (which would make 1/6 == 0) in Python 2.7 (in Python 3, 1/6 returns 0.1666666). I suspect this is indeed what you want.
Based on what you said:
I want to calculate an equation using the first element and first index and add to the next element with index and so on...
there are many ways to accomplish this task. I offer three of these methods as pedagogical examples, so that you can write better code in the future.
The Procedural Way
This is the simplest way to do it. Basically, a very simple change to your code can accomplish this task:
T90Wr = 0 # declare an initial value
for index, Bi in enumerate(B):
T90Wr += 300 * (Bi* ((RRR**(1/float(6)) - 0.65)/0.35)**index)
will work.
The += makes all the difference: it tells Python to add to the existing value of T90Wr, rather than rewrite its current value. The result of this is 257.36.
The Minimalist Way
A second way of doing the same as above but with shorter code:
T90Wr = sum(300 * (Bi* ((RRR**(1/float(6)) - 0.65)/0.35)**index) for index, Bi in enumerate(B))
It uses a list comprehension to create a generator consisting of the results of the formula applied to each value in enumerate(B). Then it makes use of sum() to add them all up. As before, the result is 257.36.
The Functional Way
Finally, you can use reduce in conjunction with enumerate for very powerful and expressive code:
formula = lambda index, Bi : 300*(Bi* ((RRR**(1/float(6)) - 0.65)/0.35)**index)
T90Wr = reduce(lambda total, current: total + formula(*current), enumerate(B), 0)
This will calculate your sum for you, which comes out to 257.36 (reasonably close to what you're looking for, so I assume there's an error in your formula).
If you absolutely want 261.1 as your final answer, I would recommend looking much more closely at the data. When three independent confirmations of the sum have all yielded the same answer, the only error must lie either in the data or in the formula.
T90Wr, just overwriting its value each time in the loop. Also, there's a major error in your formula:1/6in Python returns0, correct it to1/float(6).