Как вывести вывод из StreamingHttpResponse в html-шаблон в django?

Я вывел вывод команды подпроцесса в реальном времени на html-страницу с помощью приведенного ниже кода в файле views.py. Однако я хочу вывести этот вывод на мой html шаблон (results.html). как мне это сделать?

from django.shortcuts import redirect, render
from django.http import HttpResponse,HttpResponseRedirect,request
import subprocess

# Create your views here.

def home(request):
    return render(request,"home.html")

def about(request):
    return render (request,"About.html")

def contact(request):
    return render (request,"Contact.html")

def process(request):
    ip=request.POST.get('ip')
    with subprocess.Popen(['ping', '-c5',ip], stdout=subprocess.PIPE, bufsize=1, universal_newlines=True) as p:
        for line in p.stdout:
            yield("<html><title>Fetcher Results</title><body><div style='background-color:black;padding:10px'><pre  style='font-size:1.0rem;color:#9bee9b;text-align: center;'><center>"+line+"<center></div></html> ") # process line here
            
    if p.returncode != 0:
        raise subprocess.CalledProcessError(p.returncode, p.args)


def busy(request):
    from django.http import StreamingHttpResponse
    return StreamingHttpResponse(process(request))  

Вы можете получить шаблон и отобразить его с помощью get_template [1]. Затем вы можете отдать свой отрендеренный шаблон с помощью:

def process(request):
  ip=request.POST.get('ip')
  template = get_template("result.html")
  with subprocess.Popen(['ping', '-c5',ip], stdout=subprocess.PIPE, bufsize=1, universal_newlines=True) as p:
      for line in p.stdout:
          yield(template.render({"line": line})
  if p.returncode != 0:
      raise subprocess.CalledProcessError(p.returncode, p.args)

Для шаблона result.html:

<html>
    <title>Fetcher Results</title>
    <body>
      <div style='background-color:black;padding:10px'>
        <pre  style='font-size:1.0rem;color:#9bee9b;text-align: center;'>       
          <center>{{ line }}</center>
        </pre>
      </div>
    </body>
 </html>

Однако, имейте в виду, что StreamingHttpResponse будет объединять результаты шаблона, и в результате у вас будет фактически несколько полных <html>...</html>.

Вернуться на верх