Isaac Lab | 用rsl_rl训练时会遇到的编码问题|UnicodeEncodeError

如是我闻:

我自己包括我认识的一位高朋在使用rsl_rl训练时都出现了这个错误

File "/home/bbboy/miniconda3/envs/isaaclab/lib/python3.10
/site-packages/rsl_rl/utils/utils.py",
line 83, in store_code_state
f.write(content)
UnicodeEncodeError: 'ascii' codec can't encode character '\xd7' 
in position 30500: ordinal not in range(128)

这个错误是由于在 store_code_state 函数中尝试写入包含非ASCII字符的字符串时,Python使用的默认编码(ASCII)无法处理这些字符。以下是如何处理这个错误的总结。

问题定位

错误发生在文件 rsl_rl/utils/utils.py 中的 store_code_state 函数内。该函数在写入文件时使用了默认的ASCII编码,而文件内容包含了非ASCII字符,导致 UnicodeEncodeError

相关代码片段如下:

python 复制代码
with open(file_path, 'w') as f:
    f.write(content)
解决方案

open 函数中的编码方式显式指定为 utf-8,以确保能够正确处理非ASCII字符。同时,添加异常处理以捕获编码错误并提供有意义的错误消息。

修改后的代码如下:

python 复制代码
def store_code_state(log_dir, git_status_repos):
    # Some code that generates `content`
    file_path = os.path.join(log_dir, "code_state.txt")
    try:
        with open(file_path, 'w', encoding='utf-8') as f:
            f.write(content)
    except UnicodeEncodeError as e:
        print(f"Encoding error: {e}")
    return file_path
修复步骤
  1. 打开文件 rsl_rl/utils/utils.py
  2. 找到 store_code_state 函数。
  3. open 函数中的编码方式修改为 utf-8,并添加异常处理代码。
  4. 保存修改并重新运行训练脚本,确认问题已解决。

非常的有品

以上