机器学习CTC丢失日志概率



我有一个经过训练的CRNN模型,它应该从图像中识别文本。它真的很有效,到目前为止还很好。

我的输出是一个CTC丢失层,我用tensorflow函数keras.backend.ctc_decode对其进行解码,正如文件所说,它会返回(https://code.i-harness.com/en/docs/tensorflow~python/tf/keras/backend/ctc_decode(、具有解码结果的Tuple和具有预测的对数概率的Tensor

通过对模型进行一些测试,我得到了以下结果:

True value: test0, prediction: test0, log_p: 1.841524362564087
True value: test1, prediction: test1, log_p: 0.9661365151405334
True value: test2, prediction: test2, log_p: 1.0634151697158813
True value: test3, prediction: test3, log_p: 2.471940755844116
True value: test4, prediction: test4, log_p: 1.4866207838058472
True value: test5, prediction: test5, log_p: 0.7630811333656311
True value: test6, prediction: test6, log_p: 0.35642576217651367
True value: test7, prediction: test7, log_p: 1.5693446397781372
True value: test8, prediction: test8, log_p: 0.9700028896331787
True value: test9, prediction: test9, log_p: 1.4783780574798584

预测总是正确的。然而,我所认为的可能性似乎并不是我所期望的。它们看起来像完全随机的数字,甚至比1或2还要厉害!我做错了什么??

好吧,我想你把ProbabilityLog Probability混在一起了。虽然你的直觉是正确的,但任何高于或低于0-1的概率值都会很奇怪。然而,你的函数并没有给你概率,而是

对数概率如果你想知道为什么我们使用对数概率而不是概率本身,这主要与缩放问题有关,然而,你可以阅读这里的线程

将日志概率更改为实际概率的示例:

import numpy as np
# some random log probabilities
log_probs = [-8.45855173, -7.45855173, -6.45855173, -5.45855173, -4.45855173, -3.45855173, -2.45855173, -1.45855173, -0.45855173]
# Let's turn these into actual probabilities (NOTE: If you have "negative" log probabilities, then simply negate the exponent, like np.exp(-x))
probabilities = np.exp(log_probs)
print(probabilities)
# Output:
[2.12078996e-04, 5.76490482e-04, 1.56706360e-03, 4.25972051e-03, 1.15791209e-02, 3.14753138e-02, 8.55587737e-02, 2.32572860e-01, 6.32198578e-01] # everything is between [0-1]

我的代码中的简短示例:

predictions, log_probabilities = keras.backend.ctc_decode(pred, input_length=input_len, greedy=False,top_paths=5)
The Log-probabilites are:  tf.Tensor([-0.00242825 -6.6236324  -7.3623376  -9.540713   -9.54832   ], shape=(5,), dtype=float32)

probabilities = tf.exp(log_probabilities)
The probabilities are:  tf.Tensor([0.9975747  0.0013286  0.00063471 0.00007187 0.00007132], shape=(5,), dtype=float32)

我认为在这里重要的是,当使用参数greedy=True时,返回的log_probability是正的,因此需要否定它

本质上,beam_width为1的beam_search相当于贪婪搜索。然而,以下两种方法给出的结果是不同的:

predictions_beam, log_probabilities_beam = keras.backend.ctc_decode(pred, input_length=input_len, greedy=False,top_paths=1)

predictions_greedy, log_probabilities_greedy = keras.backend.ctc_decode(pred, input_length=input_len, greedy=True)

在后者总是返回正log的意义上,因此,有必要在np.exp(log_probabilities)/tf.exp(log_probabilities)之前否定它。

相关内容

  • 没有找到相关文章

最新更新