0

我有一个提供 C 代码编辑器的 django web 应用程序,文本被发送到托管在另一台服务器中的另一个 django 应用程序,该服务器将代码写入 .c 文件中编译它并发送回响应。

当应用程序与多个用户一起使用时,问题是编写和编译文件会导致竞争条件问题。

这就是我发送数据的方式:

def comp(request):   
encoded_data = urllib.urlencode(request.POST)    
url = urllib2.urlopen('http://serverIpadress/compile/?' + encoded_data)    
tml = url.read()
return HttpResponse(tml)

这就是在第二个 django 应用程序上处理数据的方式

def compile(request):
data2=urllib.urlencode({'': request.GET.get('content','')})
request.encoding ='koi8-r'
data=request.GET.get('content','')
handle=open('/home/user/file.c','r+')
handle.write(request.GET['content'])
handle.close()
res = commands.getstatusoutput('gcc -Wall /home/user/file.c -o /home/user/file;home/user/file')
return HttpResponse(res)

我试过使用信号量

sem = threading.BoundedSemaphore()
sem.aquire()
writing to file
compiling
sem.release()

但问题仍然存在

我一直在寻找解决方案,但我发现的唯一解决方案是关于使用事务的数据库

感谢您的帮助

4

2 回答 2

1

似乎您/home/user/file.c对每个请求都使用一个文件。所以,比赛条件迫在眉睫。

有两种解决方案:

1)写入临时文件。临时文件可以从 tempfile 模块生成,或者您可以创建随机文件名。

2)写入内存文件。您可以使用StringIO(或更快cStringIO的)模块来创建这样的文件,然后您可以将其通过管道传输到 gcc。

对于解决方案1),有很多方法可以做到这一点,但这是我的解决方案:

改变这部分

data=request.GET.get('content','')
handle=open('/home/user/file.c','r+')
handle.write(request.GET['content'])
handle.close()

# you need 'random', 'string', 'os' modules imported
data=request.GET.get('content','')
filename = "".join(random.sample(string.letters, 10)) + ".c" #sample 10 letters from A-z
filepath = os.path.join('home','user','filename')
handle=open(filepath,'r+')
handle.write(request.GET['content'])
handle.close()
res = commands.getstatusoutput('gcc -Wall %s -o /home/user/file;home/user/file' %filepath)
os.remove(filepath) #remove temporary file after compiling

此外,该commands模块已被弃用。你应该使用subprocess.call.

于 2013-02-13T14:59:45.867 回答
0

您应该为每个请求生成随机文件并使用它。tempfile模块可以帮助您。

此外,如果您不关心生成的二进制文件,那么使用-o /dev/null是个好主意。

于 2013-02-13T14:52:17.717 回答