opcode.c 1.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107
  1. #include <linux/types.h>
  2. #include "opcode.h"
  3. static bool opcode_is_prefix(uint8_t b)
  4. {
  5. return
  6. /* Group 1 */
  7. b == 0xf0 || b == 0xf2 || b == 0xf3
  8. /* Group 2 */
  9. || b == 0x2e || b == 0x36 || b == 0x3e || b == 0x26
  10. || b == 0x64 || b == 0x65
  11. /* Group 3 */
  12. || b == 0x66
  13. /* Group 4 */
  14. || b == 0x67;
  15. }
  16. #ifdef CONFIG_X86_64
  17. static bool opcode_is_rex_prefix(uint8_t b)
  18. {
  19. return (b & 0xf0) == 0x40;
  20. }
  21. #else
  22. static bool opcode_is_rex_prefix(uint8_t b)
  23. {
  24. return false;
  25. }
  26. #endif
  27. #define REX_W (1 << 3)
  28. /*
  29. * This is a VERY crude opcode decoder. We only need to find the size of the
  30. * load/store that caused our #PF and this should work for all the opcodes
  31. * that we care about. Moreover, the ones who invented this instruction set
  32. * should be shot.
  33. */
  34. void kmemcheck_opcode_decode(const uint8_t *op, unsigned int *size)
  35. {
  36. /* Default operand size */
  37. int operand_size_override = 4;
  38. /* prefixes */
  39. for (; opcode_is_prefix(*op); ++op) {
  40. if (*op == 0x66)
  41. operand_size_override = 2;
  42. }
  43. /* REX prefix */
  44. if (opcode_is_rex_prefix(*op)) {
  45. uint8_t rex = *op;
  46. ++op;
  47. if (rex & REX_W) {
  48. switch (*op) {
  49. case 0x63:
  50. *size = 4;
  51. return;
  52. case 0x0f:
  53. ++op;
  54. switch (*op) {
  55. case 0xb6:
  56. case 0xbe:
  57. *size = 1;
  58. return;
  59. case 0xb7:
  60. case 0xbf:
  61. *size = 2;
  62. return;
  63. }
  64. break;
  65. }
  66. *size = 8;
  67. return;
  68. }
  69. }
  70. /* escape opcode */
  71. if (*op == 0x0f) {
  72. ++op;
  73. /*
  74. * This is move with zero-extend and sign-extend, respectively;
  75. * we don't have to think about 0xb6/0xbe, because this is
  76. * already handled in the conditional below.
  77. */
  78. if (*op == 0xb7 || *op == 0xbf)
  79. operand_size_override = 2;
  80. }
  81. *size = (*op & 1) ? operand_size_override : 1;
  82. }
  83. const uint8_t *kmemcheck_opcode_get_primary(const uint8_t *op)
  84. {
  85. /* skip prefixes */
  86. while (opcode_is_prefix(*op))
  87. ++op;
  88. if (opcode_is_rex_prefix(*op))
  89. ++op;
  90. return op;
  91. }