hash.h 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081
  1. #ifndef _ASM_HASH_H
  2. #define _ASM_HASH_H
  3. /*
  4. * Fortunately, most people who want to run Linux on Microblaze enable
  5. * both multiplier and barrel shifter, but omitting them is technically
  6. * a supported configuration.
  7. *
  8. * With just a barrel shifter, we can implement an efficient constant
  9. * multiply using shifts and adds. GCC can find a 9-step solution, but
  10. * this 6-step solution was found by Yevgen Voronenko's implementation
  11. * of the Hcub algorithm at http://spiral.ece.cmu.edu/mcm/gen.html.
  12. *
  13. * That software is really not designed for a single multiplier this large,
  14. * but if you run it enough times with different seeds, it'll find several
  15. * 6-shift, 6-add sequences for computing x * 0x61C88647. They are all
  16. * c = (x << 19) + x;
  17. * a = (x << 9) + c;
  18. * b = (x << 23) + a;
  19. * return (a<<11) + (b<<6) + (c<<3) - b;
  20. * with variations on the order of the final add.
  21. *
  22. * Without even a shifter, it's hopless; any hash function will suck.
  23. */
  24. #if CONFIG_XILINX_MICROBLAZE0_USE_HW_MUL == 0
  25. #define HAVE_ARCH__HASH_32 1
  26. /* Multiply by GOLDEN_RATIO_32 = 0x61C88647 */
  27. static inline u32 __attribute_const__ __hash_32(u32 a)
  28. {
  29. #if CONFIG_XILINX_MICROBLAZE0_USE_BARREL
  30. unsigned int b, c;
  31. /* Phase 1: Compute three intermediate values */
  32. b = a << 23;
  33. c = (a << 19) + a;
  34. a = (a << 9) + c;
  35. b += a;
  36. /* Phase 2: Compute (a << 11) + (b << 6) + (c << 3) - b */
  37. a <<= 5;
  38. a += b; /* (a << 5) + b */
  39. a <<= 3;
  40. a += c; /* (a << 8) + (b << 3) + c */
  41. a <<= 3;
  42. return a - b; /* (a << 11) + (b << 6) + (c << 3) - b */
  43. #else
  44. /*
  45. * "This is really going to hurt."
  46. *
  47. * Without a barrel shifter, left shifts are implemented as
  48. * repeated additions, and the best we can do is an optimal
  49. * addition-subtraction chain. This one is not known to be
  50. * optimal, but at 37 steps, it's decent for a 31-bit multiplier.
  51. *
  52. * Question: given its size (37*4 = 148 bytes per instance),
  53. * and slowness, is this worth having inline?
  54. */
  55. unsigned int b, c, d;
  56. b = a << 4; /* 4 */
  57. c = b << 1; /* 1 5 */
  58. b += a; /* 1 6 */
  59. c += b; /* 1 7 */
  60. c <<= 3; /* 3 10 */
  61. c -= a; /* 1 11 */
  62. d = c << 7; /* 7 18 */
  63. d += b; /* 1 19 */
  64. d <<= 8; /* 8 27 */
  65. d += a; /* 1 28 */
  66. d <<= 1; /* 1 29 */
  67. d += b; /* 1 30 */
  68. d <<= 6; /* 6 36 */
  69. return d + c; /* 1 37 total instructions*/
  70. #endif
  71. }
  72. #endif /* !CONFIG_XILINX_MICROBLAZE0_USE_HW_MUL */
  73. #endif /* _ASM_HASH_H */