Link to home
Start Free TrialLog in
Avatar of Ludde72
Ludde72

asked on

negative value



static int reg, data_varde_hex[10000];
static char data_reg_hex[10000][5]

data_varde_hex[reg] = strtol(data_reg_hex[reg], 0, 16);            

//So far it works fine, but if data_reg_hex are FFEC a expect a negative value,
//how can i do to get a negative value.
//
// Thanks
//
// Ludde72

Avatar of imaki06
imaki06

Try short instead of the int, for the data_varde_hex
ASKER CERTIFIED SOLUTION
Avatar of phoffric
phoffric

Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial
Hi ludde,

The value 0xFFEC is not a negative value.  It is the bit stream 1111111111101100.

That value becomes negative when the hardware recognizes that the leftmost (high-order) bit is a 1.

Because the value is exactly 16 bits, placing it in a signed, 16-bit integer variable is sufficient for C to treat it as negative.  Placing it in a signed, 8-bit (char) variable will also work because the top 9 bits are 1.

But putting it in a 32-bit or 64-bit will not because C doesn't automatically sign extend.  The top be will not be carried to the left through the sign bit.  And C makes no rules on the length of short, int, long, and long long variables (except with relation to each other).

Most compilers today treat an *int* as 32 bits.  To ensure that a negative value is stored, you'll need to force a sign extended value.  And because you know that the value is 16 bits it is easy to do.

  int Value.
  unsigned int X = 0xFFEC;    // Can be any value, including the sample 16-bit value

  if (X >> 15)    // Check for the top bit
  {
    Value = -1;                       // Sets all bits in the variable;
    Value ^= (X ^ 0xFFFF);    // Merge in the value of X, sign extended
  }
  else
    Value = X;


There are certainly other ways to sign extend an integer, but this is pretty straight forward.


Good Luck,
Kent
Here is another way to get -20 into an int.
static int data_varde_hex;
   static char data_reg_hex[5] = "FFEC";
   data_varde_hex = (short)strtol(data_reg_hex, 0, 16);  // now this give -20 also

Open in new window

(X ^ 0x8000) - 0x8000