我想知道如何使用django将数据流传输到客户端。
目标
用户提交表单,表单数据将传递给返回字符串的Web服务。字符串是tarballed(tar.gz
),tarball被发送回用户。
我不知道是什么方式。我搜索了一下,我发现this,但我只是有一个字符串而且我不知道这是否是我想要的东西,我不知道用什么代替filename = __file__
,因为我没有文件 - 只是一个字符串。如果我为每个用户创建一个新文件,这将不是一个好方法。所以请帮帮我。 (抱歉,我是网络编程的新手。)
编辑:
$('#sendButton').click(function(e) {
e.preventDefault();
var temp = $("#mainForm").serialize();
$.ajax({
type: "POST",
data: temp,
url: 'main/',
success: function(data) {
$("#mainDiv").html(data.form);
????
}
});
});
我想使用ajax,那么我应该怎样做才能成功获得ajac函数并返回视图。非常感谢。
我的view.py:
def idsBackup(request):
if request.is_ajax():
if request.method == 'POST':
result = ""
form = mainForm(request.POST)
if form.is_valid():
form = mainForm(request.POST)
//do form processing and call web service
string_to_return = webserviceString._result
???
to_json = {}
to_json['form'] = render_to_string('main.html', {'form': form}, context_instance=RequestContext(request))
to_json['result'] = result
???return HttpResponse(json.dumps(to_json), mimetype='application/json')
else:
form = mainForm()
return render_to_response('main.html', RequestContext(request, {'form':form}))
else:
return render_to_response("ajax.html", {}, context_instance=RequestContext(request))
答案 0 :(得分:3)
您可以使用字符串内容而不是实际文件创建ContentFile的django文件实例,然后将其作为响应发送。
示例代码:
from django.core.files.base import ContentFile
def your_view(request):
#your view code
string_to_return = get_the_string() # get the string you want to return.
file_to_send = ContentFile(string_to_return)
response = HttpResponse(file_to_send,'application/x-gzip')
response['Content-Length'] = file_to_send.size
response['Content-Disposition'] = 'attachment; filename="somefile.tar.gz"'
return response
答案 1 :(得分:1)
您可以从代码段修改send_zipfile以满足您的需求。只需使用StringIO将您的字符串转换为类似文件的对象,该对象可以传递给FileWrapper。
import StringIO, tempfile, zipfile
...
# get your string from the webservice
string = webservice.get_response()
...
temp = tempfile.TemporaryFile()
# this creates a zip, not a tarball
archive = zipfile.ZipFile(temp, 'w', zipfile.ZIP_DEFLATED)
# this converts your string into a filelike object
fstring = StringIO.StringIO(string)
# writes the "file" to the zip archive
archive.write(fstring)
archive.close()
wrapper = FileWrapper(temp)
response = HttpResponse(wrapper, content_type='application/zip')
response['Content-Disposition'] = 'attachment; filename=test.zip'
response['Content-Length'] = temp.tell()
temp.seek(0)
return response