Golang 程序用于打开数字中的第 k 位。
示例
For example consider n = 20(00010100), k = 4. So result after turning on 4th bit => 00010000 | (1 << (4-1))
解决此问题的方法
步骤 1 − 定义一个方法,其中n和k是参数,返回类型是int。
步骤 2 − 对n | (1<<(k-1)) 执行 AND 运算。
步骤 3 − 返回获得的数字。
示例
package main import ( "fmt" "strconv" ) func TurnOnKthBit(n, k int) int { return n | (1 << (k-1)) } func main(){ var n = 20 var k = 4 fmt.Printf("Binary of %d is: %s.\n", n, strconv.FormatInt(int64(n), 2)) newNumber := TurnOnKthBit(n, k) fmt.Printf("After turning on %d th bit of %d is: %d.\n", k, n, newNumber) fmt.Printf("Binary of %d is: %s.\n", newNumber, strconv.FormatInt(int64(newNumber), 2)) }
输出
Binary of 20 is: 10100. After turning on 4 th bit of 20 is: 28. Binary of 28 is: 11100.
广告