Commit 1042076a by Jonathan Piacenti

Vote functionality implemented for Survey.

parent 17f35612
...@@ -41,6 +41,19 @@ class PollBase(XBlock, ResourceMixin, PublishEventMixin): ...@@ -41,6 +41,19 @@ class PollBase(XBlock, ResourceMixin, PublishEventMixin):
""" """
event_namespace = 'xblock.pollbase' event_namespace = 'xblock.pollbase'
def send_vote_event(self, choice_data):
# Let the LMS know the user has answered the poll.
self.runtime.publish(self, 'progress', {})
self.runtime.publish(self, 'grade', {
'value': 1,
'max_value': 1,
}
)
self.publish_event_from_dict(
self.event_namespace + '.submitted',
choice_data,
)
@XBlock.json_handler @XBlock.json_handler
def load_answers(self, data, suffix=''): def load_answers(self, data, suffix=''):
return { return {
...@@ -62,6 +75,37 @@ class PollBase(XBlock, ResourceMixin, PublishEventMixin): ...@@ -62,6 +75,37 @@ class PollBase(XBlock, ResourceMixin, PublishEventMixin):
'plural': total > 1, 'plural': total > 1,
} }
@XBlock.json_handler
def vote(self, data, suffix=''):
"""
Sets the user's vote.
"""
result = {'success': False, 'errors': []}
if self.get_choice() is not None:
result['errors'].append('You have already voted in this poll.')
return result
try:
choice = data['choice']
except KeyError:
result['errors'].append('Answer not included with request.')
return result
# Just to show data coming in...
try:
OrderedDict(self.answers)[choice]
except KeyError:
result['errors'].append('No key "{choice}" in answers table.'.format(choice=choice))
return result
self.clean_tally()
self.choice = choice
self.tally[choice] = self.tally.get(choice, 0) + 1
result['success'] = True
self.send_vote_event({'choice': self.choice})
return result
class PollBlock(PollBase): class PollBlock(PollBase):
""" """
...@@ -108,7 +152,8 @@ class PollBlock(PollBase): ...@@ -108,7 +152,8 @@ class PollBlock(PollBase):
def tally_detail(self): def tally_detail(self):
""" """
Tally all results. Return a detailed dictionary from the stored tally that the
Handlebars template can use.
""" """
tally = [] tally = []
answers = OrderedDict(self.answers) answers = OrderedDict(self.answers)
...@@ -124,7 +169,7 @@ class PollBlock(PollBase): ...@@ -124,7 +169,7 @@ class PollBlock(PollBase):
'answer': value['label'], 'answer': value['label'],
'img': value['img'], 'img': value['img'],
'key': key, 'key': key,
'top': False, 'first': False,
'choice': False, 'choice': False,
'last': False, 'last': False,
'any_img': any_img, 'any_img': any_img,
...@@ -132,10 +177,10 @@ class PollBlock(PollBase): ...@@ -132,10 +177,10 @@ class PollBlock(PollBase):
total += count total += count
for answer in tally: for answer in tally:
try:
answer['percent'] = round(answer['count'] / float(total) * 100)
if answer['key'] == choice: if answer['key'] == choice:
answer['choice'] = True answer['choice'] = True
try:
answer['percent'] = round(answer['count'] / float(total) * 100)
except ZeroDivisionError: except ZeroDivisionError:
answer['percent'] = 0 answer['percent'] = 0
...@@ -143,8 +188,8 @@ class PollBlock(PollBase): ...@@ -143,8 +188,8 @@ class PollBlock(PollBase):
# This should always be true, but on the off chance there are # This should always be true, but on the off chance there are
# no answers... # no answers...
if tally: if tally:
# Mark the top item to make things easier for Handlebars. # Mark the first and last items to make things easier for Handlebars.
tally[0]['top'] = True tally[0]['first'] = True
tally[-1]['last'] = True tally[-1]['last'] = True
return tally, total return tally, total
...@@ -264,47 +309,6 @@ class PollBlock(PollBase): ...@@ -264,47 +309,6 @@ class PollBlock(PollBase):
return result return result
@XBlock.json_handler
def vote(self, data, suffix=''):
"""
An example handler, which increments the data.
"""
result = {'success': False, 'errors': []}
if self.get_choice() is not None:
result['errors'].append('You have already voted in this poll.')
return result
try:
choice = data['choice']
except KeyError:
result['errors'].append('Answer not included with request.')
return result
# Just to show data coming in...
try:
OrderedDict(self.answers)[choice]
except KeyError:
result['errors'].append('No key "{choice}" in answers table.'.format(choice=choice))
return result
self.clean_tally()
self.choice = choice
self.tally[choice] = self.tally.get(choice, 0) + 1
# Let the LMS know the user has answered the poll.
self.runtime.publish(self, 'progress', {})
self.runtime.publish(self, 'grade', {
'value': 1,
'max_value': 1,
})
self.publish_event_from_dict(
'xblock.poll.submitted',
{
'choice': self.choice
},
)
result['success'] = True
return result
@staticmethod @staticmethod
def workbench_scenarios(): def workbench_scenarios():
""" """
...@@ -337,11 +341,12 @@ class SurveyBlock(PollBase): ...@@ -337,11 +341,12 @@ class SurveyBlock(PollBase):
('M', {'label': 'Maybe', 'img': None})), ('M', {'label': 'Maybe', 'img': None})),
scope=Scope.settings, help="Answer choices for this Survey" scope=Scope.settings, help="Answer choices for this Survey"
) )
questions = Dict( questions = List(
default={ default=(
'enjoy': 'Are you enjoying the course?', 'recommend': 'Would you recommend this course to your friends?', ('enjoy', 'Are you enjoying the course?'),
'learn': 'Do you think you will learn a lot?' ('recommend', 'Would you recommend this course to your friends?'),
}, ('learn', 'Do you think you will learn a lot?')
),
scope=Scope.settings, help="Questions for this Survey" scope=Scope.settings, help="Questions for this Survey"
) )
feedback = String(default='', help="Text to display after the user votes.") feedback = String(default='', help="Text to display after the user votes.")
...@@ -364,10 +369,10 @@ class SurveyBlock(PollBase): ...@@ -364,10 +369,10 @@ class SurveyBlock(PollBase):
context = {} context = {}
js_template = self.resource_string( js_template = self.resource_string(
'/public/handlebars/poll_results.handlebars') '/public/handlebars/survey_results.handlebars')
context.update({ context.update({
'choices': self.choices, 'choices': self.get_choices(),
# Offset so choices will always be True. # Offset so choices will always be True.
'answers': self.answers, 'answers': self.answers,
'js_template': js_template, 'js_template': js_template,
...@@ -382,6 +387,147 @@ class SurveyBlock(PollBase): ...@@ -382,6 +387,147 @@ class SurveyBlock(PollBase):
context, "public/html/survey.html", "public/css/poll.css", context, "public/html/survey.html", "public/css/poll.css",
"public/js/poll.js", "SurveyBlock") "public/js/poll.js", "SurveyBlock")
def tally_detail(self):
"""
Return a detailed dictionary from the stored tally that the
Handlebars template can use.
"""
tally = []
questions = OrderedDict(self.questions)
default_answers = OrderedDict([(answer, 0) for answer, __ in self.answers])
choices = self.get_choices()
total = 0
self.clean_tally()
source_tally = self.tally
# The result should always be the same-- just grab the first one.
for key, value in source_tally.items():
total = sum(value.values())
break
for key, value in questions.items():
# Order matters here.
answer_set = OrderedDict(default_answers)
answer_set.update(source_tally[key])
tally.append({
'text': value,
'answers': [
{
'count': count, 'choice': False,
'key': answer_key, 'top': False
}
for answer_key, count in answer_set.items()],
'key': key,
'choice': False,
})
for question in tally:
highest = 0
top_index = None
for index, answer in enumerate(question['answers']):
if answer['key'] == choices[question['key']]:
answer['choice'] = True
# Find the most popular choice.
if answer['count'] > highest:
top_index = index
highest = answer['count']
try:
answer['percent'] = round(answer['count'] / float(total) * 100)
except ZeroDivisionError:
answer['percent'] = 0
question['answers'][top_index]['top'] = True
return tally, total
def clean_tally(self):
"""
Cleans the tally. Scoping prevents us from modifying this in the studio
and in the LMS the way we want to without undesirable side effects. So
we just clean it up on first access within the LMS, in case the studio
has made changes to the answers.
"""
questions = OrderedDict(self.questions)
answers = OrderedDict(self.answers)
default_answers = {answer: 0 for answer in answers.keys()}
for key in questions.keys():
if key not in self.tally:
self.tally[key] = dict(default_answers)
else:
# Answers may have changed, requiring an update for each
# question.
new_answers = dict(default_answers)
new_answers.update(self.tally[key])
for existing_key in new_answers:
if existing_key not in default_answers:
del new_answers[existing_key]
self.tally[key] = new_answers
def get_choices(self):
"""
Gets the user's choices, if they're still valid.
"""
questions = dict(self.questions)
answers = dict(self.answers)
if self.choices is None:
return None
# TODO: Remove user's existing votes when this happens.
if sorted(questions.keys()) != sorted(self.choices.keys()):
return None
for value in self.choices.values():
if value not in answers:
return None
return self.choices
@XBlock.json_handler
def get_results(self, data, suffix=''):
self.publish_event_from_dict(self.event_namespace + '.view_results', {})
detail, total = self.tally_detail()
return {
'answers': [
value['label'] for value in OrderedDict(self.answers).values()],
'tally': detail, 'total': total, 'feedback': markdown(self.feedback),
'plural': total > 1,
}
@XBlock.json_handler
def vote(self, data, suffix=''):
questions = dict(self.questions)
answers = dict(self.answers)
result = {'success': True, 'errors': []}
choices = self.get_choices()
if choices:
result['success'] = False
result['errors'].append("You have already voted in this poll.")
# Make sure the user has included all questions, and hasn't included
# anything extra, which might indicate the questions have changed.
if not sorted(data.keys()) == sorted(questions.keys()):
result['success'] = False
result['errors'].append(
"Not all questions were included, or unknown questions were "
"included. Try refreshing and trying again."
)
# Make sure the answer values are sane.
for key, value in data.items():
if value not in answers.keys():
result['success'] = False
result['errors'].append(
"Found unknown answer '%s' for question key '%s'" % (key, value))
if not result['success']:
return result
# Record the vote!
self.choices = data
self.clean_tally()
for key, value in self.choices.items():
self.tally[key][value] += 1
self.send_vote_event({'choices': choices})
return result
@staticmethod @staticmethod
def workbench_scenarios(): def workbench_scenarios():
""" """
......
...@@ -21,7 +21,7 @@ ...@@ -21,7 +21,7 @@
</div> </div>
</div> </div>
<div class="poll-percent-container"> <div class="poll-percent-container">
<span class="poll-percent-display{{#if top}} poll-top-choice{{/if}}">{{percent}}%</span> <span class="poll-percent-display{{#if first}} poll-top-choice{{/if}}">{{percent}}%</span>
</div> </div>
</li> </li>
{{^last}} {{^last}}
......
<script id="survey-results-template" type="text/html">
<table>
<thead>
<tr>
<th></th>
{{#each answers}}
<th>{{this}}</th>
{{/each}}
</tr>
</thead>
{{#each tally}}
<tr>
<td>{{{text}}}</td>
{{#each answers}}
<td>{{percent}}%</td>
{{/each}}
</tr>
{{/each}}
</table>
</script>
...@@ -12,7 +12,7 @@ ...@@ -12,7 +12,7 @@
{% endfor %} {% endfor %}
</tr> </tr>
</thead> </thead>
{% for key, question in questions.items %} {% for key, question in questions %}
<tr> <tr>
<td> <td>
{{question}} {{question}}
......
...@@ -10,21 +10,18 @@ function PollUtil (runtime, element, pollType) { ...@@ -10,21 +10,18 @@ function PollUtil (runtime, element, pollType) {
this.runtime = runtime; this.runtime = runtime;
this.submit = $('input[type=button]', element); this.submit = $('input[type=button]', element);
this.answers = $('input[type=radio]', element); this.answers = $('input[type=radio]', element);
this.resultsTemplate = Handlebars.compile($("#poll-results-template", element).html()); this.resultsTemplate = Handlebars.compile($("#" + self.pollType + "-results-template", element).html());
var getResults = this.getResults();
// If the submit button doesn't exist, the user has already // If the submit button doesn't exist, the user has already
// selected a choice. Render results instead of initializing machinery. // selected a choice. Render results instead of initializing machinery.
if (! self.submit.length) { if (! self.submit.length) {
getResults({'success': true}); self.getResults({'success': true});
return false; return false;
} }
return true; return true;
}; };
this.pollInit = function(){ this.pollInit = function(){
var self = this;
// Initialization function for PollBlocks. // Initialization function for PollBlocks.
var enableSubmit = self.enableSubmit();
var radio = $('input[name=choice]:checked', self.element); var radio = $('input[name=choice]:checked', self.element);
self.submit.click(function () { self.submit.click(function () {
...@@ -35,48 +32,67 @@ function PollUtil (runtime, element, pollType) { ...@@ -35,48 +32,67 @@ function PollUtil (runtime, element, pollType) {
type: "POST", type: "POST",
url: self.voteUrl, url: self.voteUrl,
data: JSON.stringify({"choice": choice}), data: JSON.stringify({"choice": choice}),
success: self.getResults() success: self.getResults
}); });
}); });
// If the user has refreshed the page, they may still have an answer // If the user has refreshed the page, they may still have an answer
// selected and the submit button should be enabled. // selected and the submit button should be enabled.
var answers = $('input[type=radio]', self.element); var answers = $('input[type=radio]', self.element);
if (! radio.val()) { if (! radio.val()) {
answers.bind("change.enableSubmit", enableSubmit); answers.bind("change.enableSubmit", self.enableSubmit);
} else { } else {
enableSubmit(); self.enableSubmit();
} }
}; };
this.surveyInit = function () { this.surveyInit = function () {
var self = this;
// Initialization function for Survey Blocks // Initialization function for Survey Blocks
var verifyAll = self.verifyAll(); self.answers.bind("change.enableSubmit", self.verifyAll);
self.answers.bind("change.enableSubmit", verifyAll) self.submit.click(function () {
$.ajax({
type: "POST",
url: self.voteUrl,
data: JSON.stringify(self.surveyChoices()),
success: self.getResults
})
});
// If the user has refreshed the page, they may still have an answer
// selected and the submit button should be enabled.
self.verifyAll();
};
this.surveyChoices = function () {
// Grabs all selections for survey answers, and returns a mapping for them.
var choices = {};
self.answers.each(function(index, el) {
el = $(el);
choices[el.prop('name')] = $(self.checkedElement(el)).val();
});
return choices;
};
this.checkedElement = function (el) {
// Given the DOM element of a radio, get the selector for the checked element
// with the same name.
return "input[name='" + el.prop('name') + "']:checked"
}; };
this.verifyAll = function () { this.verifyAll = function () {
// Generates a function that will verify all questions have an answer selected. // Verify that all questions have an answer selected.
var self = this;
var enableSubmit = self.enableSubmit();
return function () {
var doEnable = true; var doEnable = true;
self.answers.each(function (index, el) { self.answers.each(function (index, el) {
if (! $("input[name='" + $(el).prop('name') + "']:checked", self.element).length) { if (! $(self.checkedElement($(el)), self.element).length) {
doEnable = false; doEnable = false;
return false return false
} }
}); });
if (doEnable){ if (doEnable){
enableSubmit(); self.enableSubmit();
}
} }
}; };
this.getResults = function () { this.getResults = function (data) {
// Generates a function that will grab and display results. // Fetch the results from the server and render them.
var self = this;
return function(data) {
if (!data['success']) { if (!data['success']) {
alert(data['errors'].join('\n')); alert(data['errors'].join('\n'));
} }
...@@ -91,22 +107,21 @@ function PollUtil (runtime, element, pollType) { ...@@ -91,22 +107,21 @@ function PollUtil (runtime, element, pollType) {
$('div.poll-block', self.element).html(self.resultsTemplate(data)); $('div.poll-block', self.element).html(self.resultsTemplate(data));
} }
}) })
}
}; };
this.enableSubmit = function () { this.enableSubmit = function () {
// Generates a function which will enable the submit button. // Enable the submit button.
var self = this;
return function () {
self.submit.removeAttr("disabled"); self.submit.removeAttr("disabled");
self.answers.unbind("change.enableSubmit"); self.answers.unbind("change.enableSubmit");
}
}; };
this.pollType = pollType;
var run_init = this.init(runtime, element); var run_init = this.init(runtime, element);
if (run_init) { if (run_init) {
var init_map = {'poll': self.pollInit, 'survey': self.surveyInit}; var init_map = {'poll': self.pollInit, 'survey': self.surveyInit};
init_map[pollType].call(self) init_map[pollType]()
} }
} }
function PollBlock(runtime, element) { function PollBlock(runtime, element) {
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment