22

TensorFlow 总是(预先)在我的显卡上分配所有可用内存(VRAM),这没关系,因为我希望我的模拟在我的工作站上运行得尽可能快。

但是,我想记录 TensorFlow 实际使用了多少内存(总计)。此外,如果我还可以记录单个张量使用了多少内存,那就太好了。

此信息对于测量和比较不同 ML/AI 架构所需的内存大小非常重要。

有小费吗?

4

2 回答 2

23

更新,可以使用 TensorFlow ops 查询分配器:

# maximum across all sessions and .run calls so far
sess.run(tf.contrib.memory_stats.MaxBytesInUse())
# current usage
sess.run(tf.contrib.memory_stats.BytesInUse())

您还可以通过查看获取有关调用的详细信息,session.run包括调用期间分配的所有内存。像这样的IErunRunMetadata

run_metadata = tf.RunMetadata()
sess.run(c, options=tf.RunOptions(trace_level=tf.RunOptions.FULL_TRACE, output_partition_graphs=True), run_metadata=run_metadata)

这是一个端到端的示例——取列向量、行向量并将它们相加以获得相加矩阵:

import tensorflow as tf

no_opt = tf.OptimizerOptions(opt_level=tf.OptimizerOptions.L0,
                             do_common_subexpression_elimination=False,
                             do_function_inlining=False,
                             do_constant_folding=False)
config = tf.ConfigProto(graph_options=tf.GraphOptions(optimizer_options=no_opt),
                        log_device_placement=True, allow_soft_placement=False,
                        device_count={"CPU": 3},
                        inter_op_parallelism_threads=3,
                        intra_op_parallelism_threads=1)
sess = tf.Session(config=config)

with tf.device("cpu:0"):
    a = tf.ones((13, 1))
with tf.device("cpu:1"):
    b = tf.ones((1, 13))
with tf.device("cpu:2"):
    c = a+b

sess = tf.Session(config=config)
run_metadata = tf.RunMetadata()
sess.run(c, options=tf.RunOptions(trace_level=tf.RunOptions.FULL_TRACE, output_partition_graphs=True), run_metadata=run_metadata)
with open("/tmp/run2.txt", "w") as out:
  out.write(str(run_metadata))

如果你打开run.txt你会看到这样的消息:

  node_name: "ones"

      allocation_description {
        requested_bytes: 52
        allocator_name: "cpu"
        ptr: 4322108320
      }
  ....

  node_name: "ones_1"

      allocation_description {
        requested_bytes: 52
        allocator_name: "cpu"
        ptr: 4322092992
      }
  ...
  node_name: "add"
      allocation_description {
        requested_bytes: 676
        allocator_name: "cpu"
        ptr: 4492163840

所以在这里你可以看到每个分配了 52ab字节(13*4),结果分配了 676 个字节。

于 2016-10-22T21:11:03.383 回答
0

Yaroslav Bulatov 的回答是 TF1 的最佳解决方案。

但是,对于 TF2,contrib包不存在。最好的方法是使用 tf 的分析器——https: //www.tensorflow.org/guide/profiler#memory_profile_tool

它将像这样绘制内存利用率图。 在此处输入图像描述

于 2020-12-23T12:33:41.090 回答