There are no analytical solution to your equation so you must use some numerical scheme. There are many methods to find roots of a function. The simplest one (and usually good enough for most purposes) are
- Bisection
- Newton's method / Secant method
I explained the bisection method and Newton's method in this answer. If you are to implement a root finding method yourself then I would suggest you start with bisection: it's the easiest one to implement and there is little that can go wrong (less chance for making mistakes).
If you are allowed to use mathematical software there are many built-in methods (implementing methods like the ones mentioned above). Always use built-in methods if you can. Below are some examples for how you can find a root of a function in some of the most common packages Matlab, Mathematica and Maple. The example is finding the root of $\sin(x)$ close to $x=x_0=3$ (which should give $x=\pi$).
Mathematica's FindRoot:
f = Sin[x];
x0 = 3;
FindRoot[f[x] == 0, {x, x0}]
MatLab's fzero:
f = @sin;
x0 = 3;
fzero(f, x0)
Maple's fsolve:
f := sin(x);
fsolve(f = 0, x, 2..4);
For your spesific question: The function $-\frac{\zeta'(x)}{\zeta(x)}$ is positive and monotonely decreasing on $(1,\infty)$ and asymptotes to $0$ so the function $F(x) = -\frac{\zeta'(x)}{\zeta(x)}-C$ has only one root for any $C > 0$ (see plot below). Any of the methods mentioned above should work to find this root. Using the asymptotics of the $\zeta$-function we can derive approximate solutions for the roots in the limit $C\gg 1$ and $C\ll 1$.
Since $\zeta(x) \approx \frac{1}{x-1}$ close to $x=1$ we get that the root is approximately
$$x \approx \frac{1}{C}~~~~~~\text{for}~~~~~~C\gg 1$$
For large $x$ we have $\zeta(x) \approx 1 + \frac{1}{2^x}$ which gives us that the root is approximately
$$x \approx \frac{\log\left(\frac{1}{C}\right)}{\log(2)}~~~~~~\text{for}~~~~~~C\ll 1$$

FindRootshould knock it out easily. Alternatively, Brent's method (which is implemented as Matlab'sfzeroand as Scipy'sbrentq) should work well, too. – Mark McClure Dec 15 '15 at 14:03