我在这里有点麻烦。
任何人都可以帮我实现一个反转每个字节的解决方案,因此0xAB变为0xBA但不所以“abcd”变为“dcba”。我需要它,所以AB CD EF成为BA DC FE。
最好是在C或C ++中,但只要它可以运行就没有关系。
到目前为止,我已经在PureBasic中实现了一个甚至不起作用的UBER CRAPPY解决方案(是的,我知道转换为字符串并返回二进制是一个糟糕的解决方案)。
OpenConsole()
filename$ = OpenFileRequester("Open File","","All types | *.*",0)
If filename$ = ""
End
EndIf
OpenFile(0,filename$)
*Byte = AllocateMemory(1)
ProcessedBytes = 0
Loc=Loc(0)
Repeat
FileSeek(0,Loc(0)+1)
PokeB(*Byte,ReadByte(0))
BitStr$ = RSet(Bin(Asc(PeekS(*Byte))),16,"0")
FirstStr$ = Left(BitStr$,8)
SecondStr$ = Right(BitStr$,8)
BitStr$ = SecondStr$ + FirstStr$
Bit.b = Val(BitStr$)
WriteByte(0,Bit)
ProcessedBytes = ProcessedBytes + 1
ClearConsole()
Print("Processed Bytes: ")
Print(Str(ProcessedBytes))
Loc=Loc(0)
Until Loc = Lof(0)
Delay(10000)
感谢阅读。
答案 0 :(得分:8)
读取你的PureBasic代码(我最初跳过它),你似乎想要交换endian,即使它不是你的文本所要求的 - 0xAB实际上总是意味着一个十进制值为171的字节,而不是两个字节,并且将字节显示为两个十六进制数字是非常常见的,您可以在示例中使用AF。
#include <iostream>
int main() {
using namespace std;
for (char a; cin.get(a);) {
char b;
if (!cin.get(b)) {
cout.put(a); // better to write it than lose it
cerr << "Damn it, input ends with an odd byte, is it in "
"the right format?\n";
return 1;
}
cout.put(b);
cout.put(a);
}
return 0;
}
// C version is a similar easy translation from the original code
import numpy
import sys
numpy.fromfile(sys.stdin, numpy.int16).byteswap(True).tofile(sys.stdout)
原始答案:
我不确定你为什么要这样(不会转换结尾,例如,如果你想要的话),但是你去了:
#include <stdio.h>
int main() {
for (char c; (c == getchar()) != EOF;) {
putchar((c & 0xF << 4) | ((int)c & 0xF0 >> 4));
}
return 0;
}
#include <iostream>
int main() {
for (char c; std::cin.get(c);) {
std::cout.put((c & 0xF << 4) | ((int)c & 0xF0 >> 4));
}
return 0;
}
import sys
for line in sys.stdin:
sys.stdout.write("".join(
chr((ord(c) & 0xF << 4) | (ord(c) & 0xF0 >> 4))
for c in line
))
所有人都认为不会发生文本翻译(例如\n
到\r\n
,反之亦然);如果是这种情况,你必须将它们更改为以二进制模式打开文件。他们从stdin读取并写入stdout,如果你不熟悉它,那么只需使用programname < inputfile > outputfile
来运行它们。
答案 1 :(得分:2)
通过一个简单的算术公式(假设你对无符号字节进行操作)可以反转高半字节和低半字节:
reversed = (original % 16) * 16 + (original / 16);
答案 2 :(得分:0)
Haskell解决方案:
module ReverseBytes where
import qualified Data.ByteString as B
import Data.Bits
import Data.Word
-----------------------------------------------------------
main :: IO ()
main = B.getContents >>= B.putStr . B.map reverseByte
reverseByte :: Word8 -> Word8
reverseByte = flip rotate 4
runghc ReverseBytes.hs < inputfile > outputfile