我最近遇到过Pyodide project。
我已经使用Pyodide构建了一个小示例,但是尽管我花了很多时间来查看源代码,但是对我来说(如何)重定向来自Python的print
输出(除了修改CPython源代码),以及如何将输出从matplotlib.pyplot重定向到浏览器。
从源代码开始,FigureCanvasWasm确实有一个show()
方法,该方法带有用于绘制到浏览器画布的适当后端-但是,我不清楚如何实例化此类并调用它的{ {1}}方法,或者实际上,如果还有另一种更明显的将图重定向到画布的方法。
因此,我的问题是:
show()
邮件这是我的测试页:
print()
答案 0 :(得分:4)
首先,让我们看看是否可以在浏览器中显示任何内容。例如一个普通的字符串。 Python变量存储在pyodide.globals
属性中。因此,我们可以从此处获取python对象,并将其放入页面上的<div>
元素中。
<!doctype html>
<meta charset="utf-8">
<html>
<head>
<title>Demo</title>
<script src="../pyodide/pyodide.js"></script>
</head>
<body>
</body>
<script type="text/javascript">
languagePluginLoader.then(() => {
pyodide.runPython(`my_string = "This is a python string." `);
document.getElementById("textfield").innerText = pyodide.globals.my_string;
});
</script>
<div id="textfield"></div>
<html>
现在,我想我们可以使用matplotlib图形执行相同的操作。下面将显示文档中保存的png图像。
<!doctype html>
<meta charset="utf-8">
<html lang="en">
<html>
<head>
<title>Demo</title>
<script src="../pyodide/pyodide.js"></script>
</head>
<body>
</body>
<script type="text/javascript">
languagePluginLoader.then(() => {
pyodide.loadPackage(['matplotlib']).then(() => {
pyodide.runPython(`
import matplotlib.pyplot as plt
import io, base64
fig, ax = plt.subplots()
ax.plot([1,3,2])
buf = io.BytesIO()
fig.savefig(buf, format='png')
buf.seek(0)
img_str = 'data:image/png;base64,' + base64.b64encode(buf.read()).decode('UTF-8')`
);
document.getElementById("pyplotfigure").src=pyodide.globals.img_str
});});
</script>
<div id="textfield">A matplotlib figure:</div>
<div id="pyplotdiv"><img id="pyplotfigure"/></div>
<html>
我还没有研究backends.wasm_backend
,因此可以采用一种更自动化的方式进行操作。
答案 1 :(得分:1)
使用wasm后端时,人物的canvas属性是FigureCanvasWasm的实例。调用画布的show()
方法足以在浏览器中显示图形。不幸的是,画布的create_root_element()
方法中的一个小错误阻止了图形的显示。此方法创建一个包含图形的div
元素。它首先尝试创建一个碘化物输出div元素。如果失败,则创建一个普通的HTML div元素。但是,此元素永远不会附加到文档中,因此保持不可见。
下面是FigureCanvasWasm中的代码行
def create_root_element(self):
# Designed to be overridden by subclasses for use in contexts other
# than iodide.
try:
from js import iodide
return iodide.output.element('div')
except ImportError:
return document.createElement('div')
该注释表明非碘化物代码是一个存根,需要通过覆盖该方法来对其进行扩展。这将需要子类FigureCanvasWasm,将其安装为pyodide模块并配置matplotlib以使用该后端。
但是有一个捷径,因为python允许根据问题394770重写实例的方法,而无需修改类。在HTML文档中添加以下代码即可在浏览器中显示图片
import numpy as np
from matplotlib import pyplot as plt
from js import document
x = np.linspace(0, 2*np.pi, 100)
y = np.sin(x)
f = plt.figure()
plt.plot(x,y)
# ordinary function to create a div
def create_root_element1(self):
div = document.createElement('div')
document.body.appendChild(div)
return div
#ordinary function to find an existing div
#you'll need to put a div with appropriate id somewhere in the document
def create_root_element2(self):
return document.getElementById('figure1')
#override create_root_element method of canvas by one of the functions above
f.canvas.create_root_element = create_root_element.__get__(
create_root_element1, f.canvas.__class__)
f.canvas.show()
最初,工具栏没有显示图标。我必须与pyodide一起下载,解压缩并安装fontawesome,并在标题中包含以下行来获取这些
<link rel="stylesheet" href="font-awesome-4.7.0/css/font-awesome.min.css">
编辑: 关于问题的第一部分,将输出流重定向到浏览器,您可以看看在pyodide的console.html中是如何完成的。
它用StringIO对象替换sys.stdout
pyodide.runPython(`
import sys
import io
sys.stdout = io.StringIO()
`);
然后运行python代码(可以完全忽略它在wasm上下文中运行的事实)
pyodide.runPython(`
print("Hello, world!")
`);
最后,将stdout缓冲区的内容发送到输出元素
var stdout = pyodide.runPython("sys.stdout.getvalue()")
var div = document.createElement('div');
div.innerText = stdout;
document.body.appendChild(div);
答案 2 :(得分:0)
我为Python创建了一个简单的交互式shell。如果需要更多详细信息,请阅读我的tutorial。
const output = document.getElementById("output")
const code = document.getElementById("code")
code.addEventListener("keydown", function (event) {
if (event.ctrlKey && event.key === "Enter") {
evaluatePython()
}
})
function addToOutput(s) {
output.value += `>>>${code.value}\n${s}\n`
output.scrollTop = output.scrollHeight
code.value=''
}
output.value = 'Initializing...\n'
// init pyodide
languagePluginLoader.then(() => { output.value += 'Ready!\n' })
function evaluatePython() {
pyodide.runPythonAsync(code.value)
.then(output => addToOutput(output))
.catch((err) => { addToOutput(err) })
}
<!DOCTYPE html>
<head>
<script type="text/javascript">
// this variable should be changed if you load pyodide from different source
window.languagePluginUrl = 'https://pyodide-cdn2.iodide.io/v0.15.0/full/';
</script>
<script src="https://pyodide-cdn2.iodide.io/v0.15.0/full/pyodide.js"></script>
</head>
<body>
Output:
</div>
<textarea id='output' style='width: 100%;' rows='10' disabled></textarea>
<textarea id='code' value='' rows='2'></textarea>
<button id='run' onclick='evaluatePython()'>Run</button>
<p>You can execute any Python code. Just enter something in the box above and click the button (or Ctrl+Enter).</p>
<div><a href='https://github.com/karray/truepyxel/demo.html'>Source code</a></div>
</body>
</html>
以下是matplotlib
的示例。请注意,这将加载一堆依赖关系,这可能需要几分钟的时间。
let python_code = `
from js import document
import numpy as np
import scipy.stats as stats
import matplotlib.pyplot as plt
import io, base64
def generate_plot_img():
# get values from inputs
mu = int(document.getElementById('mu').value)
sigma = int(document.getElementById('sigma').value)
# generate an interval
x = np.linspace(mu - 3*sigma, mu + 3*sigma, 100)
# calculate PDF for each value in the x given mu and sigma and plot a line
plt.plot(x, stats.norm.pdf(x, mu, sigma))
# create buffer for an image
buf = io.BytesIO()
# copy the plot into the buffer
plt.savefig(buf, format='png')
buf.seek(0)
# encode the image as Base64 string
img_str = 'data:image/png;base64,' + base64.b64encode(buf.read()).decode('UTF-8')
# show the image
img_tag = document.getElementById('fig')
img_tag.src = img_str
buf.close()
`
languagePluginLoader.then(()=>pyodide.runPythonAsync(python_code).then(()=>document.getElementById('status').innerHTML='Done!'))
<!DOCTYPE html>
<head>
<script type="text/javascript">
// this variable should be changed if you load pyodide from different source
window.languagePluginUrl = 'https://pyodide-cdn2.iodide.io/v0.15.0/full/';
</script>
<script src="https://pyodide-cdn2.iodide.io/v0.15.0/full/pyodide.js"></script>
</head>
<body>
Status: <strong id='status'>Initializing...</strong>
<br><br>
mu:
<input id='mu' value='1' type="number">
<br><br>
sigma:
<input id='sigma' value='1' type="number">
<br><br>
<button onclick='pyodide.globals.generate_plot_img()'>Plot</button>
<br>
<img id="fig" />
</body>
</html>