To get started, you may need to make the p parameter with a default value (see documentation ). Something like Influence[x_,p_?Positive:0.05]:= (* definition *) .
Secondly, you set the specification of part i to start at 0. In Mathematica, indexes start at 1, not 0. Finally, you get the Head object. In this case, Followers[[x,0]] will return a List . You need to change this and increase your data by 1.
Following = {{3, 4, 5}, {1, 5}, {2, 4}, {2, 5}, {1, 3}}; Followers = {{2, 5}, {3, 4}, {1, 5}, {1, 3}, {1, 2, 4}}; Influence[x_, P_: 0.05] := Influence[x] = Sum[1 + (P*Influence[Followers[[x, i]]])/(1 + Length[Following[[x]]]), {i, Length[Followers[[x]]]}]
Third, you have recursiveness in your data. Person 1 is followed by person 2, followed by 3 and 4, followed by 1. So, of course, it is recursive.
follows = Join @@ Thread /@ Thread[Following -> Range@5 ] {3 -> 1, 4 -> 1, 5 -> 1, 1 -> 2, 5 -> 2, 2 -> 3, 4 -> 3, 2 -> 4, 5 -> 4, 1 -> 5, 3 -> 5} GraphPlot[follows, DirectedEdges -> True, VertexLabeling -> True]

You can consider the explicit FixedPoint iteration type using the Chop or SameTest option to prevent recursion forever with minor changes. But I doubt that even this will avoid a problem with a test data set that will be cyclic like yours.
EDIT
OK, so I developed an iterative solution. First you need to convert your subscriber data into an adjacency matrix.
(* Following = {{3, 4, 5}, {1, 5}, {2, 4}, {2, 5}, {1, 3}}; *) Followers = {{2, 5}, {3, 4}, {1, 5}, {1, 3}, {1, 2, 4}}; adjmatrix = PadRight[SparseArray[List /@
{{0, 1, 0, 0, 1},
{0, 0, 1, 1, 0},
{1, 0, 0, 0, 1},
{1, 0, 1, 0, 0},
{1, 1, 0, 1, 0}} This produces a bit equivalent to the Length statements in your version.
vec1 = Table[1, {5}] (* {1, 1, 1, 1, 1} *) adjmatrix.vec1 vec1.adjmatrix
{2, 2, 2, 2, 3} {3, 2, 2, 2, 2} Convergence is fast.
NestList[1 + 0.02 * adjmatrix.
Given the adjacency matrix, you can have a function:
TunkRank[mat_?MatrixQ, p_?Positive] := With[{vec = Table[1, {Length[mat]}]}, FixedPoint[1 + p * mat.
Hope this helps. I guess this gives the correct answers.