while b:
    n.append(int(b%10))
    b=b/10
return n
Here the while statement is not stopping even when b=0, what is the problem with this?
Let's simplify your while loop and remove the unnecessary parts:
while b:
    b = b/10
    print(b)
What this does is, it takes a given b, divides it by 10, and assigns this as b. Now the "divide by 10" part is tricky. 
If you are using Python 2, it works as an integer division:
19/10 = 1
Let's divide this one more time:
1/10 = 0
But in Python 3, this is an actual, proper division:
19/10 = 1.9
Let's divide this one also one more time:
1.9/10 = 0.19
So in Python 2, your loop will keep rounding the division down, and you will reach 0 eventually. But in Python 3, you will keep dividing your float properly, and will never reach 0. This will mean that your while will never terminate.
Solution: If you want to end up at 0 eventually through integer division so that your loop ends at some point, you can use a//b in Python 3 to get the same behavior of a/b in Python 2.
As neither valid answer is accepted, I'll offer the alternative solution, which is to change the stopping condition of the while loop. This lets you keep your floating point division should you need it for some case not in the original question. You can also do the integer division with the shorthand b //= 10.
while int(b):  # Or more explicitly: while bool(int(b)):
    n.append(int(b%10))
    b /= 10
return n
b?bwill be zero at any point of the loop for all possible values ofb(remember that Python 3 has true division so 2.5 / 10 is 0.25, not 0.0).b / 10will be zero itself.