#python #html #flask
#python #HTML #flask
Вопрос:
Итак, я попытался написать свое первое веб-приложение flask, и веб-сайт не работает. Вот мой application.py . Я уже пытался получить входные данные. Нужна ли вторая веб-страница в случае ошибки? Потому что сам веб-сайт не запущен в моей IDE, и я не могу разобрать никаких ошибок.
from flask import Flask, render_template, request
import requests
import json
from tempfile import mkdtemp
from flask_session import Session
import random
app = Flask(__name__)
app.config["SESSION_FILE_DIR"] = mkdtemp()
app.config["SESSION_PERMANENT"] = False
app.config["SESSION_TYPE"] = "filesystem"
Session(app)
# import permutation module
from itertools import permutations as prm
scrambled_word = list(str(raw_input("Input your jumbled word: ")))
# empty lists that will be appended to later
prm_list = []
possible_words = []
# take each permutation of the input and put in a list
for i in prm(scrambled_word):
prm_list.append("".join(i))
print i
def check(x, y):
# open list of words
dictionary = file('words.txt')
# check each line in the dictionary against each item
# in the list of permutations and add it to another empty list if it's a match
for line in dictionary:
for i in x:
if i 'n' == line:
y.append(i)
check(prm_list, possible_words)
# delete duplicates
possible_words = list(set(possible_words))
# print out possible words
if len(possible_words) == 0 or len(possible_words) == 1 or len(possible_words) == 2 or len(possible_words) == 3:
print "No match found"
else:
for i in possible_words:
print "Possible Word for Jumbled Word is: " i
@app.route("/", methods=["GET", "POST"])
def index():
# make sure that method is POST
if request.method == "POST":
app_id = 'fbea320c'
app_key = '436eab6eae3dbeec6ec311328b9ff7dd'
language = 'en'
if request.form.get("Word")
return render_template("final.html")
и вот мой final.html
<html lang="en">
<head>
<style>
input{
max-width: 350px;
}
select{
max-width: 400px;
}
#ABC {
background-color: black;
position: absolute;
width: 95%;
}
#imh {
width: 100%;
height: 50%;
}
.centered {
position: absolute;
top: 25%;
left: 50%;
transform: translate(-50%, -50%);
color: #ffffff;
text-align: center;
}
</style>
<title>Word Finder</title>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css">
<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"></script>
<meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no"/>
<link rel="stylesheet" href="https://www.w3schools.com/w3css/4/w3.css">
</head>
<body>
<img src="/static/jumble.jpeg" id="imh">
<div class="centered"><font size="7">Jumble Solver</font><font size="4"><p>Unscramble words!</p></font></div>
<div class="container">
<br><div class="row">
<center><h1>Enter a Word</h1></center><br><br></div><div class="row">
<div class="inpot"><center>
<form method="post" action="/">
<div class="form-group">
{% if a == 0 %}
<input type="text" name="Word" id="Word" autofocus autocomplete="off" class="form-control" placeholder="Enter a Word" onclick="return IsEmpty()" value="{{ j }}"></div>
{% else %}
<input type="text" name="Word" id="Word" autofocus autocomplete="off" class="form-control" placeholder="Enter a Word"/></div>
{% endif %}
<div class="form-group">
</div><input class="btn btn-danger" type="submit" name="submit" value="submit"></button>amp;nbsp;amp;nbsp;amp;nbsp;<input class="btn btn-danger" name="submit" value="next" type="submit"></button></form>
<div class="row">
<div class=" text-center">
<h3>Search up any word!</h3>
<p>With our jumble solver you can unscramble any mix of letters!</p>
</div>
<div class="col-sm-4 text-center">
</div>
<div class="col-sm-4 text-center">
</div></div>
</div></div></font></body></html>
я довольно новичок в программировании и не могу понять, что происходит не так
Комментарии:
1. вы пробовали
app.run()
в конце своего скрипта?2. да, там просто написано «Внутренняя ошибка сервера Сервер обнаружил внутреннюю ошибку и не смог выполнить ваш запрос. Либо сервер перегружен, либо в приложении ошибка. »
3. Вы могли бы поместить свой код в функции и выполнить их в своей консоли. Используйте некоторые
print()
, чтобы проверить, есть ли ошибка или нет. Кстати, в вашем цикле есть ошибкаfor i in prm(scrambled_word): prm_list.append("".join(i)) print i
Ответ №1:
Я попытался запустить ваш код, поэтому внес некоторые изменения, чтобы он работал на моем python 3.7 в операционной системе Windows. Следующие изменения и исправления:
1- использовать input
вместо raw_input
2- использовать:
f = open("words.txt", "r")
dictionary = f.readlines()
вместо file('words.txt')
3- и, конечно, используйте print(something)
вместо print something
.
4- добавление в конец вашего кода команды run:
if __name__ == '__main__':
app.run(host='0.0.0.0', debug=1)
5- Отступ в функции def check(x, y):
должен быть исправлен `
6- Добавление недостающего :
в if request.form.get("Word")
Наконец, программа запускается, но вы используете ввод с консоли, например raw_input
, или input
, тем временем, вы запускаете Flask
веб-сервер, поэтому вы должны использовать формы для получения пользовательских вводов.
Было бы хорошо, если бы добавить образец входных данных и несколько строк файла words.txt
Удачи: