Thanks to all answers/comments, I suggest a method based on @Rahul's method (which has converted the problem from SVD to EVD).
Summary
The solution in short: s = 1/eigs(inv(B'*B),1,'lm');
Description
There exist a Power Method for calculation of the eigenvector corresponding to the largest eigenvalue of matrix $M$. It is to compute a sequence of unit vectors:
$\frac{Mv}{||Mv||}$, $\frac{M^2v}{||M^2v||}$, ..., $\frac{M^kv}{||M^kv||}$
starting from an initial random vector $v$ which almost always converges to the eigenvector with largest eigenvalue of $M$.
If Power Method requires few iterations to converge and also calculating the inverse matrix $(B^tB)^{-1}$ requires relatively lower computations, then we can use it to compute eigenvector $v$ with largest eigenvalue of $(B^tB)^{-1}$ which is the eigenvector with smallest eigenvalue of $B^tB$. finally use the inverse of largest eignvalue of $(B^tB)^{-1}$.
Having the eigenvector $v$ its corresponding eigenvalue can be obtained using $Mv=\lambda v$ (i.e: with $M = B^tB$ eigenvalue of v is equal to all elements of vector $M*v ./ v$ hence with less calculations $M(1,:)*v / v(1)$).
I have conducted a comparison of results and running times of all above methods in MATLAB.
n = 100;
t1 = 0; t2 = 0; t3 = 0; t4 = 0; t5 = 0; % for measuring running times
B = rand(500,250);
A = B*B';
for i = 1:n,
tic; svds = svd(A); s1 = min(svds(svds > 1e-6)); t1 = t1 + toc; % @srijan
tic; s3 = eigs(B'*B,1,'sm'); t2 = t2 + toc; % @Rahul
tic; svds = svd(B); s2 = min(svds(svds > 1e-6))^2; t3 = t3 + toc; % @Hans Engler
tic; s4 = 1/eigs(inv(B'*B),1,'lm'); t4 = t4 + toc; % @Alireza Kazemi(*)
end;
% Computed smallest non-zero signular value of A
[s1,s2, s3, s4]
%-> RESULT: 3.403670094444867 3.403670094444888 3.403670094444812 3.403670094444802
% average times
[t1/n , t2/n, t3/n, t4/n]
%-> RESULT: 0.1193 0.0410 0.0317 0.0202 (seconds)
% ration of average times to the initial question of @srijan
[t1/t1, t2/t1, t3/t1, t4/t1]
%-> RESULT: 1.0000 0.3436 0.2655 0.1693
It is clear that the proposed method is fastest among compared methods, even though it needs a matrix inversion.
I must also mention that I did not implemented the Power Method here but just guessed that Matlab $eigs(...,'lm')$ must have implemented it.