2013-04-10 12 views
7

Gibt es in Java eine integrierte Funktion, mit der ich zwei Bits austauschen kann?Wie kann ich zwei Integer-Bits in Java austauschen?

Zum Beispiel:

_ _ _ _ 1 _ _ 0 Bit 3 mit Bit 0 getauscht und wird _ _ _ _ 0 _ _ 1

Ich weiß, kann es mit einem langen Verfahren getan wird von Bit-weise Betrieb, aber ich möchte es vermeiden.

+0

Wie lange Sie es wollen, nicht zu? Ich glaube nicht, dass es ein eingebautes Modul gibt, das gezielt Bits tauscht. – iamnotmaynard

+0

nicht existiert eine solche Funktion – BlackJoker

+2

"Lange Prozedur der bitweisen Operation" ist der Weg zu gehen, obwohl es wahrscheinlich nicht so lange sein wird. –

Antwort

5

Ich mache es in Details, aber man kann es in einzelne Zeile beitreten

int temp1 = (i & 0x1) << 3; //extract lowest bit #1 and place at pos# 4 
int temp2 = (i & 0x8) >> 3; //extract bit #4 and place at pos #1 
i = (i & temp1) | (i & ~temp1); //now pos #4 is ready  
i = (i & temp2) | (i & ~temp2); //now pos #1 is ready 
7

Hier ist eine alternative Möglichkeit, einen Delta-Swap genannt.

int t = (i^(i >> 3)) & 1; 
return i^t^(t << 3); 

Oder allgemeiner:

static int swap(int x, int i, int j) 
{ 
    // precondition: i > j 
    int d = i - j; 
    int y = (x^(x >> d)) & (1 << j); 
    return x^y^(y << d); 
} 
10

Sie können auch auf diese Weise versuchen

//positions are indexed from 0 and in order ...[4][3][2][1][0] 
//so changing 3 and 1 will make    ...[4][1][2][3][0] 
public static int swap(int i, int pos1, int pos2) { 

    int bit1 = (i >> pos1) & 1;// bit at pos1 
    int bit2 = (i >> pos2) & 1;// bit at pos2 

    if (bit1 == bit2) 
     return i; // no need to swap since we change 1 with 1 or 0 with 0 

    // Since we are here it means that we need to change 1->0 and 0->1. 
    // To do this we can use XOR (^). 
    // Lets create mask 000001010 with ones at specified positions 
    int mask = (1 << pos1) | (1 << pos2); 

    return i^mask;// TADAM!!! 
} 
Verwandte Themen