Skip to content
Snippets Groups Projects
Unverified Commit be298618 authored by wkyas's avatar wkyas Committed by Gitee
Browse files
parent bb6ef4af
Branches master
No related tags found
No related merge requests found
Showing
with 434 additions and 0 deletions
File added
from flask import Flask
from flask_sqlalchemy import SQLAlchemy
# 定义模块级别的 db 对象
db = SQLAlchemy()
# 定义模块级别的 app 对象
app = None
def create_app():
global app # 使用 global 关键字将 app 定义为全局变量
app = Flask(__name__)
# app.config.from_object('config.Config')
app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///assessments.db'
db.init_app(app)
with app.app_context():
from . import routes # 导入路由
db.create_all() # 创建数据库表
return app
\ No newline at end of file
File added
File added
File added
File added
from . import db
from datetime import datetime
class Question(db.Model):
id = db.Column(db.Integer, primary_key=True)
text = db.Column(db.String(500), nullable=False)
type = db.Column(db.String(50), nullable=False) # e.g., 'multiple_choice', 'true_false'
correct_answer = db.Column(db.String(500), nullable=False)
assessment_id = db.Column(db.Integer, db.ForeignKey('assessment.id'), nullable=False)
class Assessment(db.Model):
id = db.Column(db.Integer, primary_key=True)
title = db.Column(db.String(200), nullable=False)
type = db.Column(db.String(50), nullable=False) # 'formative' or 'summative'
deadline = db.Column(db.DateTime, nullable=True)
questions = db.relationship('Question', backref='assessment', lazy=True)
class StudentResponse(db.Model):
id = db.Column(db.Integer, primary_key=True)
student_id = db.Column(db.Integer, nullable=False)
question_id = db.Column(db.Integer, db.ForeignKey('question.id'), nullable=False)
response = db.Column(db.String(500), nullable=False)
is_correct = db.Column(db.Boolean, nullable=False)
timestamp = db.Column(db.DateTime, default=datetime.utcnow)
\ No newline at end of file
from flask import request, jsonify, render_template
from . import app, db
from .models import Assessment, Question, StudentResponse
from datetime import datetime
from sqlalchemy import func
# 定义路由
@app.route('/')
def index():
return render_template('index.html')
@app.route('/create_assessment', methods=['GET', 'POST'])
def create_assessment():
if request.method == 'POST':
data = request.json
new_assessment = Assessment(
title=data['title'],
type=data['type'],
deadline=datetime.strptime(data['deadline'], '%Y-%m-%d %H:%M:%S') if data.get('deadline') else None
)
db.session.add(new_assessment)
db.session.commit()
return jsonify({"message": "Assessment created", "id": new_assessment.id}), 201
else:
return render_template('create_assessment.html')
@app.route('/add_question', methods=['POST'])
def add_question():
data = request.json
new_question = Question(
text=data['text'],
type=data['type'],
correct_answer=data['correct_answer'],
assessment_id=data['assessment_id']
)
db.session.add(new_question)
db.session.commit()
return jsonify({"message": "Question added", "id": new_question.id}), 201
# 显示评估选择页面
@app.route('/take_assessment', methods=['GET'])
def take_assessment():
return render_template('take_assessment.html')
#显示形成性评估页面
@app.route('/take_assessment/formative_test', methods=['GET'])
def formative_test():
# 查询所有形成性评估
assessment = Assessment.query.filter_by(type='formative').first()
if assessment:
questions = Question.query.filter_by(assessment_id=assessment.id).all()
return render_template('formative_test.html', assessment=assessment, questions=questions)
else:
return "No formative assessment available.", 404
# 显示总结性评估页面
@app.route('/take_assessment/summative_test', methods=['GET'])
def summative_test():
# 查询所有总结性评估
assessment = Assessment.query.filter_by(type='summative').first()
if assessment:
questions = Question.query.filter_by(assessment_id=assessment.id).all()
return render_template('summative_test.html', assessment=assessment, questions=questions)
else:
return "No summative assessment available.", 404
# @app.route('/take_assessment/<int:assessment_id>', methods=['GET'])
# def take_assessment(assessment_id):
# assessment = Assessment.query.get_or_404(assessment_id)
# questions = Question.query.filter_by(assessment_id=assessment_id).all()
# return render_template('take_assessment.html', assessment=assessment, questions=questions)
# 管理问题页面
@app.route('/manage_questions', methods=['GET'])
def manage_questions():
return render_template('manage_questions.html')
@app.route('/submit_response', methods=['POST'])
def submit_response():
data = request.json
question = Question.query.get_or_404(data['question_id'])
is_correct = data['response'] == question.correct_answer
new_response = StudentResponse(
student_id=data['student_id'],
question_id=data['question_id'],
response=data['response'],
is_correct=is_correct
)
db.session.add(new_response)
db.session.commit()
return jsonify({"message": "Response submitted", "is_correct": is_correct}), 201
@app.route('/get_results/<int:assessment_id>', methods=['GET'])
def get_results(assessment_id):
assessment = Assessment.query.get_or_404(assessment_id)
responses = StudentResponse.query.join(Question).filter(Question.assessment_id == assessment_id).all()
results = [{"student_id": r.student_id, "question_id": r.question_id, "response": r.response, "is_correct": r.is_correct} for r in responses]
# 计算统计信息
total_students = db.session.query(StudentResponse.student_id).distinct().count()
average_score = db.session.query(func.avg(StudentResponse.is_correct)).filter(Question.assessment_id == assessment_id).scalar()
most_incorrect_question = db.session.query(Question.text, func.count(StudentResponse.id)).join(StudentResponse).filter(StudentResponse.is_correct == False).group_by(Question.text).order_by(func.count(StudentResponse.id).desc()).first()
statistics = {
"total_students": total_students,
"average_score": average_score,
"most_incorrect_question": most_incorrect_question[0] if most_incorrect_question else None
}
return jsonify({"results": results, "statistics": statistics}), 200
\ No newline at end of file
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Create Assessment</title>
</head>
<body>
<h1>Create Assessment</h1>
<form id="createAssessmentForm">
<label for="title">Title:</label>
<input type="text" id="title" name="title" required>
<br>
<label for="type">Type:</label>
<select id="type" name="type" required>
<option value="formative">Formative</option>
<option value="summative">Summative</option>
</select>
<br>
<label for="deadline">Deadline (for summative):</label>
<input type="datetime-local" id="deadline" name="deadline">
<br>
<button type="submit">Create Assessment</button>
</form>
<script>
document.getElementById('createAssessmentForm').onsubmit = async function(e) {
e.preventDefault();
const formData = {
title: document.getElementById('title').value,
type: document.getElementById('type').value,
deadline: document.getElementById('deadline').value
};
const response = await fetch('/create_assessment', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(formData)
});
const result = await response.json();
alert(result.message);
};
</script>
</body>
</html>
\ No newline at end of file
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Formative Test</title>
</head>
<body>
<h1>Formative Test: {{ assessment.title }}</h1>
<div id="questions">
{% if questions %}
{% for question in questions %}
<div>
<p><strong>Question {{ loop.index }}:</strong> {{ question.text }}</p>
<input type="text" id="response_{{ question.id }}" placeholder="Your answer">
</div>
{% endfor %}
{% else %}
<p>No questions available for this assessment.</p>
{% endif %}
</div>
<button onclick="submitResponses()">Submit</button>
<script>
async function submitResponses() {
const assessmentId = {{ assessment.id | tojson | safe }};
const studentId = 1; // 假设学生 ID 为 1
const questions = document.querySelectorAll('[id^="response_"]');
for (const question of questions) {
const questionId = question.id.split('_')[1];
const response = question.value;
await fetch('/submit_response', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
student_id: studentId,
question_id: questionId,
response: response
})
});
}
alert('Responses submitted!');
}
</script>
</body>
</html>
\ No newline at end of file
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Automated Assessment Tool</title>
</head>
<body>
<h1>Automated Assessment Tool</h1>
<button onclick="location.href='/create_assessment'">Create Assessment</button>
<button onclick="location.href='/take_assessment'">Take Assessment</button>
<button onclick="location.href='/manage_questions'">Manage Questions</button>
</body>
</html>
\ No newline at end of file
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Manage Questions</title>
</head>
<body>
<h1>Manage Questions</h1>
<form id="addQuestionForm">
<label for="question_text">Question Text:</label>
<input type="text" id="question_text" name="question_text" required>
<br>
<label for="question_type">Question Type:</label>
<select id="question_type" name="question_type" required>
<option value="multiple_choice">Multiple Choice</option>
<option value="true_false">True/False</option>
</select>
<br>
<label for="correct_answer">Correct Answer:</label>
<input type="text" id="correct_answer" name="correct_answer" required>
<br>
<button type="submit">Add Question</button>
</form>
<script>
document.getElementById('addQuestionForm').onsubmit = async function(e) {
e.preventDefault();
const formData = {
text: document.getElementById('question_text').value,
type: document.getElementById('question_type').value,
correct_answer: document.getElementById('correct_answer').value,
assessment_id: 1 // 假设评估 ID 为 1
};
const response = await fetch('/add_question', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(formData)
});
const result = await response.json();
alert(result.message);
};
</script>
</body>
</html>
\ No newline at end of file
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Summative Test</title>
</head>
<body>
<h1>Summative Test: {{ assessment.title }}</h1>
<div id="questions">
{% if questions %}
{% for question in questions %}
<div>
<p><strong>Question {{ loop.index }}:</strong> {{ question.text }}</p>
<input type="text" id="response_{{ question.id }}" placeholder="Your answer">
</div>
{% endfor %}
{% else %}
<p>No questions available for this assessment.</p>
{% endif %}
</div>
<button onclick="submitResponses()">Submit</button>
<script>
async function submitResponses() {
const assessmentId = {{ assessment.id | tojson | safe }};
const studentId = 1; // 假设学生 ID 为 1
const questions = document.querySelectorAll('[id^="response_"]');
for (const question of questions) {
const questionId = question.id.split('_')[1];
const response = question.value;
await fetch('/submit_response', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
student_id: studentId,
question_id: questionId,
response: response
})
});
}
alert('Responses submitted!');
}
</script>
</body>
</html>
\ No newline at end of file
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Take Assessment</title>
</head>
<body>
<h1>Take Assessment</h1>
<div>
<button onclick="window.location.href='/take_assessment/formative_test'">Formative Test</button>
<button onclick="window.location.href='/take_assessment/summative_test'">Summative Test</button>
</div>
</body>
</html>
\ No newline at end of file
import os
class Config:
SECRET_KEY = os.environ.get('SECRET_KEY') or 'you-will-never-guess'
SQLALCHEMY_DATABASE_URI = os.environ.get('DATABASE_URL') or 'sqlite:///assessments.db'
SQLALCHEMY_TRACK_MODIFICATIONS = False
\ No newline at end of file
from app import create_app, app, db
from app.models import Assessment, Question
from datetime import datetime
with app.app_context():
# 创建数据库表
db.create_all()
# 创建形成性评估
formative_assessment = Assessment(title="Formative Test", type="formative")
db.session.add(formative_assessment)
db.session.commit()
# 添加形成性评估的问题
formative_questions = [
{"text": "What is 2 + 2?", "type": "multiple_choice", "correct_answer": "4"},
{"text": "What is the capital of France?", "type": "multiple_choice", "correct_answer": "Paris"},
{"text": "Is the sky blue?", "type": "true_false", "correct_answer": "True"},
{"text": "What is 5 * 5?", "type": "multiple_choice", "correct_answer": "25"},
{"text": "Is water H2O?", "type": "true_false", "correct_answer": "True"}
]
for q in formative_questions:
question = Question(text=q['text'], type=q['type'], correct_answer=q['correct_answer'], assessment_id=formative_assessment.id)
db.session.add(question)
db.session.commit()
# 创建总结性评估
summative_assessment = Assessment(title="Summative Test", type="summative", deadline=datetime(2023, 12, 31, 23, 59, 59))
db.session.add(summative_assessment)
db.session.commit()
# 添加总结性评估的问题
summative_questions = [
{"text": "What is 10 - 4?", "type": "multiple_choice", "correct_answer": "6"},
{"text": "What is the capital of Germany?", "type": "multiple_choice", "correct_answer": "Berlin"},
{"text": "Is the Earth flat?", "type": "true_false", "correct_answer": "False"},
{"text": "What is 8 / 2?", "type": "multiple_choice", "correct_answer": "4"},
{"text": "Is the sun a star?", "type": "true_false", "correct_answer": "True"}
]
for q in summative_questions:
question = Question(text=q['text'], type=q['type'], correct_answer=q['correct_answer'], assessment_id=summative_assessment.id)
db.session.add(question)
db.session.commit()
print("Database initialized with test data.")
\ No newline at end of file
File added
Flask==2.0.1
Flask-SQLAlchemy==2.5.1
werkzeug==2.0.3
SQLAlchemy==1.4.41
\ No newline at end of file
run.py 0 → 100644
from app import create_app
app = create_app()
if __name__ == '__main__':
app.run(debug=True)
\ No newline at end of file
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment