Algorithms with numbers
Multiply
  1. public class M
  2. {
  3. public static int multiply(int x, int y)
  4. {
  5. if(y == 0)
  6. return 0;
  7.  
  8. if(y%2 == 0)
  9. return 2*multiply(x, y>>1);
  10. else
  11. return x + 2*multiply(x, y>>1);
  12. }
  13.  
  14. public static void main(String args[])
  15. {
  16. System.out.printf("10 * 5 = %d\n", multiply(10, 5));
  17. System.out.printf("10 * 8 = %d\n", multiply(10, 8));
  18. }
  19. }
Division
  1. import javafx.util.*;
  2.  
  3. public class D
  4. {
  5. public static Pair<Integer, Integer> divide(int x, int y)
  6. {
  7. if(x==0)
  8. return (new Pair<Integer, Integer>(0, 0));
  9.  
  10. Pair p = divide(x>>1, y);
  11.  
  12. int q = 2*(int)p.getKey();
  13. int r = 2*(int)p.getValue();
  14.  
  15. if(x%2 != 0)
  16. r += 1;
  17. if(r > y)
  18. {
  19. r -= y;
  20. q += 1;
  21. }
  22.  
  23. return (new Pair<Integer, Integer>(q, r));
  24. }
  25.  
  26. public static void main(String args[])
  27. {
  28. Pair<Integer, Integer> p = divide(10, 3);
  29.  
  30. System.out.printf("10/3 = (%d, %d)\n", p.getKey(), p.getValue());
  31. }
  32. }
Greatest Common Divisor (GCD)
  1. public class G
  2. {
  3. public static int gcd(int a, int b)
  4. {
  5. if(b == 0)
  6. return a;
  7.  
  8. return gcd(b, a%b);
  9. }
  10.  
  11. public static void main(String args[])
  12. {
  13. System.out.printf("GCD of (121, 77): %d\n", gcd(121, 77));
  14. }
  15. }
Reference