I have a function called replaceByte(x,n,c) that is to replace byte n in x with c with the following restrictions:
replaceByte(0x12345678,1,0xab) = 0x1234ab78
! ~ & ^ | + << >>
Max ops: 10
int replaceByte(int x, int n, int c) {
        int shift = (c << (8 * n));
        int mask = 0xff << shift;
        return (mask & x) | shift;
    }
but when I test it I get this error:
ERROR: Test replaceByte(-2147483648[0x80000000],0[0x0],0[0x0]) failed... ...Gives 0[0x0]. Should be -2147483648[0x80000000]
after realizing that * is not a legal operator I have finally figured it out...and if you are curious, this is what I did:
int replaceByte(int x, int n, int c) {
  int mask = 0xff << (n << 3);
  int shift = (c << (n << 3));
  return (~mask & x) | shift;
}
                Proper solution is for c = 0 as well:
     int replaceByte(int x, int n, int c)
     {
        int shift = 8 * n;
        int value = c << shift;
        int mask = 0xff << shift;
        return (~mask & x) | value;
     }
                        Ahh... You are almost there.
Just change
return (mask & x) | shift; 
to
return (~mask & x) | shift;
The mask should contain all ones except for the region to be masked and not vice versa.
I am using this simple code and it works fine in gcc
#include<stdio.h>
int replaceByte(int x, int n, int c) 
{
    int shift = (c << (8 * n));
    int mask = 0xff << shift;
    return (~mask & x) | shift;
}
int main ()
{
    printf("%X",replaceByte(0x80000000,0,0));
    return 0;
}
                        Since this looks like homework I'm not going to post code, but list the steps you need to perform:
c into a 32-bit number so you don't lose any bits while shiftingc by the appropriate number of bits to the left (if n==0 no shifting, if n==1 shift by 8 etc.)x, then shift this mask by the same amount as the last stepx to zero out the appropriate bits of x
c value and x to replace the masked bits of the latterIf you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With