Matlab为变量创建MD5校验和

时间:2017-06-21 22:58:41

标签: matlab md5 checksum

对于调试,我希望比较几个对象,并为每个对象创建一个唯一的ID,并根据其内容和结构,ID应该相等。这样做是否存在任何功能?

例如,如果对象是结构:

S:
 S.a1 = 1
 S.a2 = 2
 S.b1 = 3
   S.b11 = 4
   S.b12 = 5
 S.c1 = 6

我目前的选择是将其复制到磁盘并计算MD5 64位校验和,这不起作用,因为此散列取决于文件的修改日期。

2 个答案:

答案 0 :(得分:1)

提到了一个解决方案hereDataHash函数是解决方案:

function H = DataHash(Data)
Engine = java.security.MessageDigest.getInstance('MD5');
H = CoreHash(Data, Engine);
H = sprintf('%.2x', H);   % To hex string


function H = CoreHash(Data, Engine)
% Consider the type of empty arrays:
S = [class(Data), sprintf('%d ', size(Data))];
Engine.update(typecast(uint16(S(:)), 'uint8'));
H = double(typecast(Engine.digest, 'uint8'));
if isa(Data, 'struct')
   n = numel(Data);
   if n == 1  % Scalar struct:
      F = sort(fieldnames(Data));  % ignore order of fields
      for iField = 1:length(F)
         H = bitxor(H, CoreHash(Data.(F{iField}), Engine));
      end
   else  % Struct array:
      for iS = 1:n
         H = bitxor(H, CoreHash(Data(iS), Engine));
      end
   end
elseif isempty(Data)
   % No further actions needed
elseif isnumeric(Data)
   Engine.update(typecast(Data(:), 'uint8'));
   H = bitxor(H, double(typecast(Engine.digest, 'uint8')));
elseif ischar(Data)  % Silly TYPECAST cannot handle CHAR
   Engine.update(typecast(uint16(Data(:)), 'uint8'));
   H = bitxor(H, double(typecast(Engine.digest, 'uint8')));
elseif iscell(Data)
   for iS = 1:numel(Data)
      H = bitxor(H, CoreHash(Data{iS}, Engine));
   end
elseif islogical(Data)
   Engine.update(typecast(uint8(Data(:)), 'uint8'));
   H = bitxor(H, double(typecast(Engine.digest, 'uint8')));
elseif isa(Data, 'function_handle')
   H = bitxor(H, CoreHash(functions(Data), Engine));
else
   warning(['Type of variable not considered: ', class(Data)]);
end

此外,您还可以找到代码here的完整版本。

答案 1 :(得分:1)

比@OmG的答案更通用的解决方案,它依赖于一些未记录的功能:

function str = hash(in)

% Get a bytestream from the input. Note that this calls saveobj.
inbs = getByteStreamFromArray(in);

% Create hash using Java Security Message Digest.
md = java.security.MessageDigest.getInstance('SHA1');
md.update(inbs);

% Convert to uint8.
d = typecast(md.digest, 'uint8');

% Convert to a hex string.
str = dec2hex(d)';
str = lower(str(:)');

如果要在变量上调用getByteStreamFromArray命令,则未记录的函数save -v7将返回将写入磁盘的字节流。它适用于任何小于2GB的变量,不仅包括@OmG' s CoreHash所涵盖的内置类型(数字,逻辑,结构,单元格等),还包含内置类型-in和用户定义的类。

请注意getByteStreamFromArray调用saveobj,因此它会忽略Transient属性 - 这对于散列和保存来说几乎肯定是一件好事。

PS在任何一种解决方案中,SHA1可能都比MD5更好。