1

我编写了将 100,000 个十六进制字符串转换为值的函数,但在整个数组上执行需要 10 秒。Matlab 是否具有执行此操作的功能,以便它更快,...即:数组少于 1 秒?


function x = hexstring2dec(s)
[m n] = size(s);

x = zeros(1, m);
for i = 1 : m
    for j = n : -1 : 1
       x(i) = x(i) + hexchar2dec(s(i, j)) * 16 ^ (n - j);
    end
end

function x =  hexchar2dec(c)

if c >= 48 && c <= 57
    x = c - 48;
elseif c >= 65 && c <= 70
    x = c - 55;
elseif c >= 97 && c <= 102
    x = c - 87;
end
4

2 回答 2

5

尝试使用hex2dec。它应该比循环遍历每个字符要快得多。

于 2013-02-19T16:30:42.673 回答
2

shoelzer 的回答显然是最好的。
但是,如果您想自己进行转换,那么您可能会发现这很有用:

假设s是一个 char 矩阵:所有十六进制数字的长度相同(必要时填充零)并且每一行都有一个数字。然后

ds = double( upper(s) ); % convert to double
sel = ds >= double('A'); % select A-F
ds( sel ) = ds( sel ) - double('A') + 10; % convert to 10 - 15
ds(~sel)  = ds(~sel) - double('0'); % convert 0-9
% do the sum through vector product
v = 16.^( (size(s,2)-1):-1:0 );
x = s * v(:); 
于 2013-02-19T16:37:58.537 回答