好的,我有两个单元格,其中包含一串位0111010和0101011.我想将两者合并在一起,以便生成的单元格为0010001.
我知道你可以将它用于布尔值
=OR(AND(A1,NOT(A2)),AND(A2,NOT(A1)))
但它不适用于一串位。
答案 0 :(得分:24)
您需要使用VBA来执行此操作。如果打开VBA,请创建一个新模块并输入函数
Public Function BITXOR(x As Long, y As Long)
BITXOR = x Xor y
End Function
然后,您可以使用DEC2BIN和BIN2DEC将二进制转换为十进制以运行此功能。例如:
单元格A1 = 0111010
细胞A2 = 0101011
=DEC2BIN(BITXOR(BIN2DEC(A1),BIN2DEC(A2)))
答案 1 :(得分:4)
您可以使用VBA执行此操作:
Public Function XOR_binary(b1, b2) As String
Dim len_b1
Dim len_b2
Dim len_diff
Dim i
Dim bit1
Dim bit2
' see if the two string are the same length. If not, add 0's to
' the beginning of the shorter string
len_b1 = Len(b1)
len_b2 = Len(b2)
len_diff = len_b1 - len_b2
Select Case len_diff
Case Is < 0
' b2 is longer
b1 = String(Abs(len_diff), "0") & b1
Case Is = 0
' they're the same length
Case Is > 0
' b1 is longer
b2 = String(len_diff, "0") & b2
End Select
XOR_binary = ""
For i = Len(b2) To 1 Step -1
bit1 = CInt(Mid(b1, i, 1))
bit2 = CInt(Mid(b2, i, 1))
XOR_binary = CInt(bit1 Xor bit2) & XOR_binary
Next i
End Function
可能不是最佳实施,但它确实有效。
使用您的示例,A3
包含:
=XOR_Binary(A1,A2)
结果字符串的位数与传入的最长字符串的位数相同。
答案 2 :(得分:3)
以下是不使用VBA 的解决方案:
=TEXT(SUMPRODUCT(MOD(INT(MID(A1,{1,2,3,4,5,6,7},1))+INT(MID(A2,{1,2,3,4,5,6,7},1)),2),{1000000,100000,10000,1000,100,10,1}),"0000000")
使用XOR
和SUMPRODUCT
计算按位TEXT
,将其转换为一串位。
注意:此公式要求两个输入值都具有长度7(根据您自己的示例),并且输出也将具有长度7.要允许不同的输入长度,只需实现必要的截断和/或填充。
您可以选择使用一些简写定义:
BitPositions
定义为={1,2,3,4,5,6,7}
(7位),BitStrings
定义为={1000000,100000,10000,1000,100,10,1}
(7位),BitFormat
定义为="0000000"
(7位),然后你的公式可以更清晰/更短/更清洁:
=TEXT(SUMPRODUCT(MOD(INT(MID(A1,BitPositions,1))+INT(MID(A2,BitPositions,1)),2),BitStrings),BitFormat)
这也使得更容易使用更大的位串,例如:
BitPositions
定义为=ROW(INDIRECT("1:32"))
(32位),BitStrings
定义为=10^(32-ROW(INDIRECT("1:32")))
(32位),BitFormat
定义为=REPT("0",32)
(32位)您是否希望实施NOT
/ OR
/ AND
/等。那么你可以从这些formulas for the decimal counterparts获得灵感; XOR
SUMPRODUCT
some more in-depth explanations {{1}}虽然它也使用小数输入。
答案 3 :(得分:0)
= 1-(A1&lt;&gt; 0)+(A2&lt;&gt; 0)。
您可以使用以下方法将其拆分为上述公式的各个列: = MID(A1 | 7 | 1) = MID(A1 | 6 | 1) = MID(A1 | 5 | 1) = MID(A1 | 4 | 1) = MID(A1 | 3 | 1) = MID(A1 | 2 | 1) = MID(A1 | 1 | 1) ...
答案 4 :(得分:0)
'此VBA返回一个必须在工作表上格式化的双精度。
Option Explicit
Public Function MYXOR(r1 As Range, r2 As Range) As Double
'r1 and r2 are expected as HEX; for example,
'DEC2HEX(CODE("B")) returns ASCII of "B" as HEX
On Error GoTo ErrHandler
MYXOR = "&H" & r1.Value Xor "&H" & r2.Value
GoTo CleanUp
ErrHandler:
MYXOR = Err.Number
Resume CleanUp
CleanUp:
' format the double being returned in MYXOR with TEXT(DEC2HEX(MYXOR(C9,F9)),"00000")
' number of leading zeroes according to the size of the HEX in r1 and r2
End Function