diff --git a/app/assets/javascripts/admins/message-modal.js b/app/assets/javascripts/admins/message-modal.js
index 227d75776..2c9ce27a7 100644
--- a/app/assets/javascripts/admins/message-modal.js
+++ b/app/assets/javascripts/admins/message-modal.js
@@ -1,14 +1,22 @@
$(document).on('turbolinks:load', function() {
var $modal = $('.modal.admin-message-modal');
+ var $submitBtn = $modal.find('.submit-btn');
if ($modal.length > 0) {
$modal.on('hide.bs.modal', function(){
$modal.find('.modal-body').html('');
+ $submitBtn.unbind();
});
}
});
-function showMessageModal(html) {
+function showMessageModal(html, callback) {
var $modal = $('.modal.admin-message-modal');
+ var $submitBtn = $modal.find('.submit-btn');
+ $submitBtn.unbind();
+ if(callback !== undefined && typeof callback === 'function'){
+ $submitBtn.on('click', callback);
+ }
+
$modal.find('.modal-body').html(html);
$modal.modal('show');
}
\ No newline at end of file
diff --git a/app/assets/javascripts/admins/modals/admin-import-customer-member-modal.js b/app/assets/javascripts/admins/modals/admin-import-customer-member-modal.js
new file mode 100644
index 000000000..01038c7de
--- /dev/null
+++ b/app/assets/javascripts/admins/modals/admin-import-customer-member-modal.js
@@ -0,0 +1,78 @@
+$(document).on('turbolinks:load', function() {
+ var $modal = $('.modal.admin-import-course-member-modal');
+ if ($modal.length > 0) {
+ var $form = $modal.find('form.admin-import-course-member-form');
+
+ var resetFileInputFunc = function(file){
+ file.after(file.clone().val(""));
+ file.remove();
+ }
+
+ $modal.on('show.bs.modal', function(){
+ $modal.find('.file-names').html('选择文件');
+ $modal.find('.upload-file-input').trigger('click');
+ });
+ $modal.on('hide.bs.modal', function(){
+ resetFileInputFunc($modal.find('.upload-file-input'));
+ });
+ $modal.on('change', '.upload-file-input', function(e){
+ var file = $(this)[0].files[0];
+ $modal.find('.file-names').html(file ? file.name : '请选择文件');
+ })
+
+ var importFormValid = function(){
+ if($form.find('input[name="file"]').val() == undefined || $form.find('input[name="file"]').val().length == 0){
+ $form.find('.error').html('请选择文件');
+ return false;
+ }
+
+ return true;
+ };
+
+ var buildResultMessage = function(data){
+ var messageHtml = "
导入结果:成功" + data.success + "条,失败"+ data.fail.length + "条
";
+
+ if(data.fail.length > 0){
+ messageHtml += '数据 | 失败原因 |
';
+
+ data.fail.forEach(function(item){
+ messageHtml += '' + item.data + ' | ' + item.message + ' |
';
+ });
+
+ messageHtml += '
'
+ }
+
+ return messageHtml;
+ }
+
+ $modal.on('click', '.submit-btn', function(){
+ $form.find('.error').html('');
+
+ if (importFormValid()) {
+ $('body').mLoading({ text: '正在导入...' });
+
+ $.ajax({
+ method: 'POST',
+ dataType: 'json',
+ url: '/admins/import_course_members',
+ data: new FormData($form[0]),
+ processData: false,
+ contentType: false,
+ success: function(data){
+ $('body').mLoading('destroy');
+ $modal.modal('hide');
+
+ showMessageModal(buildResultMessage(data), function(){
+ window.location.reload();
+ });
+ },
+ error: function(res){
+ $('body').mLoading('destroy');
+ var data = res.responseJSON;
+ $form.find('.error').html(data.message);
+ }
+ });
+ }
+ });
+ }
+});
\ No newline at end of file
diff --git a/app/assets/javascripts/admins/users/index.js b/app/assets/javascripts/admins/users/index.js
index 4d4f0f945..1ac936df5 100644
--- a/app/assets/javascripts/admins/users/index.js
+++ b/app/assets/javascripts/admins/users/index.js
@@ -122,14 +122,18 @@ $(document).on('turbolinks:load', function(){
// 导入学生
var $importUserModal = $('.modal.admin-import-user-modal');
var $importUserForm = $importUserModal.find('form.admin-import-user-form')
+ var resetFileInputFunc = function(file){
+ file.after(file.clone().val(""));
+ file.remove();
+ }
$importUserModal.on('show.bs.modal', function(){
+ resetFileInputFunc($importUserModal.find('.upload-file-input'));
$importUserModal.find('.file-names').html('选择文件');
$importUserModal.find('.upload-file-input').trigger('click');
});
- $importUserModal.find('.upload-file-input').on('change', function(e){
+ $importUserModal.on('change', '.upload-file-input', function(e){
var file = $(this)[0].files[0];
-
$importUserModal.find('.file-names').html(file ? file.name : '请选择文件');
})
@@ -175,7 +179,9 @@ $(document).on('turbolinks:load', function(){
$('body').mLoading('destroy');
$importUserModal.modal('hide');
- showMessageModal(buildResultMessage(data));
+ showMessageModal(buildResultMessage(data), function(){
+ window.location.reload();
+ });
},
error: function(res){
$('body').mLoading('destroy');
diff --git a/app/controllers/courses_controller.rb b/app/controllers/courses_controller.rb
index b10147462..10d733a94 100644
--- a/app/controllers/courses_controller.rb
+++ b/app/controllers/courses_controller.rb
@@ -27,7 +27,7 @@ class CoursesController < ApplicationController
:attahcment_category_list,:export_member_scores_excel, :duplicate_course,
:switch_to_teacher, :switch_to_assistant, :switch_to_student, :exit_course,
:informs, :update_informs, :online_learning, :update_task_position, :tasks_list,
- :join_excellent_course, :export_couser_info, :export_member_act_score, :new_informs]
+ :join_excellent_course, :export_couser_info, :export_member_act_score, :new_informs, :delete_informs]
before_action :user_course_identity, except: [:join_excellent_course, :index, :create, :new, :apply_to_join_course,
:search_course_list, :get_historical_course_students, :mine, :search_slim, :board_list]
before_action :teacher_allowed, only: [:update, :destroy, :settings, :search_teacher_candidate,
@@ -36,7 +36,7 @@ class CoursesController < ApplicationController
:add_teacher, :export_couser_info, :export_member_act_score]
before_action :admin_allowed, only: [:set_invite_code_halt, :set_public_or_private, :change_course_admin,
:set_course_group, :create_group_by_importing_file, :update_informs, :new_informs,
- :update_task_position, :tasks_list]
+ :update_task_position, :tasks_list, :delete_informs]
before_action :teacher_or_admin_allowed, only: [:graduation_group_list, :create_graduation_group, :join_graduation_group,
:change_course_teacher, :course_group_list,
:teacher_application_review, :apply_teachers, :delete_course_teacher]
@@ -212,7 +212,7 @@ class CoursesController < ApplicationController
@course.update_attributes!(course_params.merge(extra_params))
@course.update_course_modules(params[:course_module_types])
-
+ Rails.logger.info("###############course_update_end")
normal_status(0, "成功")
rescue => e
uid_logger_error(e.message)
@@ -257,6 +257,12 @@ class CoursesController < ApplicationController
normal_status("更新成功")
end
+ def delete_informs
+ inform = @course.informs.find_by(id: params[:inform_id])
+ inform.destroy!
+ normal_status("删除成功")
+ end
+
def online_learning
@subject = @course.subject
@stages = @subject&.stages
@@ -1478,8 +1484,10 @@ class CoursesController < ApplicationController
shixun_titles = shixun_homeworks.pluck(:name) + ["总得分"]
# 更新实训作业成绩
- shixun_homeworks.includes(:homework_challenge_settings, :published_settings, :homework_commons_shixun).each do |homework|
- homework.update_homework_work_score
+ unless course.is_end
+ shixun_homeworks.includes(:homework_challenge_settings, :published_settings, :homework_commons_shixun).each do |homework|
+ homework.update_homework_work_score
+ end
end
shixun_homeworks = shixun_homeworks&.includes(score_student_works: :user)
diff --git a/app/controllers/games_controller.rb b/app/controllers/games_controller.rb
index 89b6dca27..2807a0215 100644
--- a/app/controllers/games_controller.rb
+++ b/app/controllers/games_controller.rb
@@ -916,7 +916,8 @@ class GamesController < ApplicationController
# 更新关卡状态和一些学习进度
def update_game_parameter game
game.update_attribute(:status, 0) if game.status == 1
- game.update_attributes(status: 0, open_time: Time.now) if game.status == 3
+ # 第一次进入关卡更新时间
+ game.update_attributes(status: 0, open_time: Time.now) if game.open_time.blank? || game.status == 3
# 开启实训更新myshixuns的时间,方便跟踪用于的学习进度。
game.myshixun.update_column(:updated_at, Time.now)
end
diff --git a/app/controllers/graduation_topics_controller.rb b/app/controllers/graduation_topics_controller.rb
index bd93401f3..0242bff21 100644
--- a/app/controllers/graduation_topics_controller.rb
+++ b/app/controllers/graduation_topics_controller.rb
@@ -230,6 +230,7 @@ class GraduationTopicsController < ApplicationController
topic_repeat: topic.topic_repeat,
province: topic.province,
city: topic.city,
+ topic_type: topic.topic_type,
course_list_id: @course.course_list_id)
topic_bank.attachments.destroy_all
else
@@ -241,6 +242,7 @@ class GraduationTopicsController < ApplicationController
topic_repeat: topic.topic_repeat,
province: topic.province,
city: topic.city,
+ topic_type: topic.topic_type,
course_list_id: @course.course_list_id,
user_id: current_user.id,
graduation_topic_id: topic.id)
diff --git a/app/controllers/homework_commons_controller.rb b/app/controllers/homework_commons_controller.rb
index 8268382bd..b62840200 100644
--- a/app/controllers/homework_commons_controller.rb
+++ b/app/controllers/homework_commons_controller.rb
@@ -82,8 +82,7 @@ class HomeworkCommonsController < ApplicationController
end
@task_count = @homework_commons.size
- @homework_commons = @homework_commons.order("IF(ISNULL(homework_commons.publish_time),0,1), homework_commons.publish_time DESC,
- homework_commons.created_at DESC").page(page).per(15)
+ @homework_commons = @homework_commons.order("position DESC").page(page).per(15)
if @homework_type == 4
@homework_commons = @homework_commons.includes(:homework_detail_manual, :published_settings, :shixuns)
@@ -931,6 +930,7 @@ class HomeworkCommonsController < ApplicationController
shixuns.each do |shixun|
homework = HomeworksService.new.create_homework shixun, @course, @category, current_user
@homework_ids << homework.id
+ CreateStudentWorkJob.perform_later(homework.id)
end
rescue Exception => e
uid_logger(e.message)
@@ -1032,6 +1032,7 @@ class HomeworkCommonsController < ApplicationController
stage.shixuns.where.not(shixuns: {id: none_shixun_ids}).unhidden.each do |shixun|
homework = HomeworksService.new.create_homework shixun, @course, category, current_user
@homework_ids << homework.id
+ CreateStudentWorkJob.perform_later(homework.id)
end
end
end
diff --git a/app/controllers/shixuns_controller.rb b/app/controllers/shixuns_controller.rb
index 8591f9821..b47a9a346 100644
--- a/app/controllers/shixuns_controller.rb
+++ b/app/controllers/shixuns_controller.rb
@@ -8,11 +8,11 @@ class ShixunsController < ApplicationController
before_action :find_shixun, except: [:index, :new, :create, :menus, :get_recommend_shixuns,
:propaedeutics, :departments, :apply_shixun_mirror,
- :get_mirror_script, :download_file]
+ :get_mirror_script, :download_file, :shixun_list]
before_action :shixun_access_allowed, except: [:index, :new, :create, :menus, :get_recommend_shixuns,
:propaedeutics, :departments, :apply_shixun_mirror,
- :get_mirror_script, :download_file]
+ :get_mirror_script, :download_file, :shixun_list]
before_action :find_repo_name, only: [:repository, :commits, :file_content, :update_file, :shixun_exec, :copy, :add_file]
before_action :allowed, only: [:update, :close, :update_propaedeutics, :settings, :publish,
@@ -98,6 +98,50 @@ class ShixunsController < ApplicationController
.each_with_object({}) { |r, obj| obj[r.shixun_id] = r.name }
end
+ def shixun_list
+ # 全部实训/我的实训
+ type = params[:type] || "all"
+ # 状态:已发布/未发布
+ status = params[:status] || "all"
+
+ # 超级管理员用户显示所有未隐藏的实训、非管理员显示所有已发布的实训(对本单位公开且未隐藏未关闭)
+ if type == "mine"
+ @shixuns = current_user.shixuns.none_closed
+ else
+ if current_user.admin?
+ @shixuns = Shixun.none_closed.where(hidden: 0)
+ else
+ none_shixun_ids = ShixunSchool.where("school_id != #{current_user.school_id}").pluck(:shixun_id)
+
+ @shixuns = Shixun.where.not(id: none_shixun_ids).none_closed.where(hidden: 0)
+ end
+ end
+
+ unless status == "all"
+ @shixuns = status == "published" ? @shixuns.where(status: 2) : @shixuns.where(status: [0, 1])
+ end
+
+ ## 搜索关键字创建者、实训名称、院校名称
+ unless params[:search].blank?
+ keyword = params[:search].strip
+ @shixuns = @shixuns.joins(user: [user_extension: :school]).
+ where("schools.name like '%#{keyword}%'
+ or concat(lastname, firstname) like '%#{keyword}%'
+ or shixuns.name like '%#{keyword.split(" ").join("%")}%'").distinct
+ end
+
+ ## 筛选 难度
+ if params[:diff].present? && params[:diff].to_i != 0
+ @shixuns = @shixuns.where(trainee: params[:diff])
+ end
+
+ @total_count = @shixuns.count
+ page = params[:page] || 1
+ limit = params[:limit] || 15
+
+ @shixuns = @shixuns.order("myshixuns_count desc").page(page).per(limit).includes(:shixun_info, :subjects, user: [user_extension: :school])
+ end
+
## 获取顶部菜单
def menus
@repertoires = Repertoire.includes(sub_repertoires: [:tag_repertoires]).order("updated_at asc")
@@ -601,7 +645,7 @@ class ShixunsController < ApplicationController
challenges.each_with_index do |challenge, index|
status = (index == 0 ? 0 : 3)
game_identifier = generate_identifier(Game, 12)
- worker.add(base_attr.merge(challenge_id: challenge.id, status: status, open_time: Time.now,
+ worker.add(base_attr.merge(challenge_id: challenge.id, status: status,
identifier: game_identifier, modify_time: challenge.modify_time))
end
end
@@ -865,6 +909,7 @@ class ShixunsController < ApplicationController
def send_to_course
@course = Course.find(params[:course_id])
homework = HomeworksService.new.create_homework @shixun, @course, nil, current_user
+ CreateStudentWorkJob.perform_later(homework.id)
end
# 二维码扫描下载
diff --git a/app/controllers/subjects_controller.rb b/app/controllers/subjects_controller.rb
index d97b7172c..7c76748b1 100644
--- a/app/controllers/subjects_controller.rb
+++ b/app/controllers/subjects_controller.rb
@@ -214,6 +214,7 @@ class SubjectsController < ApplicationController
stage.shixuns.where(id: params[:shixun_ids], status: 2).each do |shixun|
homework = HomeworksService.new.create_homework shixun, @course, category, current_user
+ CreateStudentWorkJob.perform_later(homework.id)
end
end
rescue Exception => e
diff --git a/app/controllers/users/question_banks_controller.rb b/app/controllers/users/question_banks_controller.rb
index d2f111973..d6a2fcc88 100644
--- a/app/controllers/users/question_banks_controller.rb
+++ b/app/controllers/users/question_banks_controller.rb
@@ -1,5 +1,6 @@
class Users::QuestionBanksController < Users::BaseController
before_action :require_login
+ before_action :private_user_resources!
before_action :check_query_params!
before_action :check_user_permission!
diff --git a/app/controllers/wechats/js_sdk_signatures_controller.rb b/app/controllers/wechats/js_sdk_signatures_controller.rb
index e4ee0da27..6d7b3d87d 100644
--- a/app/controllers/wechats/js_sdk_signatures_controller.rb
+++ b/app/controllers/wechats/js_sdk_signatures_controller.rb
@@ -1,7 +1,10 @@
class Wechats::JsSdkSignaturesController < ApplicationController
def create
- signature = Util::Wechat.js_sdk_signature(params[:url], params[:noncestr], params[:timestamp])
- render_ok(signature: signature)
+ timestamp = (Time.now.to_f * 1000).to_i
+ noncestr = ('A'..'z').to_a.sample(8).join
+ signature = Util::Wechat.js_sdk_signature(params[:url], noncestr, timestamp)
+
+ render_ok(appid: Util::Wechat.appid, timestamp: timestamp, noncestr: noncestr, signature: signature)
rescue Util::Wechat::Error => ex
render_error(ex.message)
end
diff --git a/app/helpers/courses_helper.rb b/app/helpers/courses_helper.rb
index c5d376baf..83c4ded65 100644
--- a/app/helpers/courses_helper.rb
+++ b/app/helpers/courses_helper.rb
@@ -108,6 +108,8 @@ module CoursesHelper
course_board.present? ? course_board.messages.size : 0
when "course_group"
course.course_groups_count
+ when "announcement"
+ course.informs.count
end
end
diff --git a/app/models/shixun.rb b/app/models/shixun.rb
index db6bca43e..33d36d026 100644
--- a/app/models/shixun.rb
+++ b/app/models/shixun.rb
@@ -59,6 +59,7 @@ class Shixun < ApplicationRecord
scope :visible, -> { where.not(status: -1) }
scope :published, lambda{ where(status: 2) }
scope :published_closed, lambda{ where(status: [2, 3]) }
+ scope :none_closed, lambda{ where(status: [0, 1, 2]) }
scope :unhidden, lambda{ where(hidden: 0, status: 2) }
scope :field_for_recommend, lambda{ select([:id, :name, :identifier, :myshixuns_count]) }
scope :find_by_ids,lambda{|k| where(id:k)}
diff --git a/app/services/homeworks_service.rb b/app/services/homeworks_service.rb
index f6868afba..0dc814c89 100644
--- a/app/services/homeworks_service.rb
+++ b/app/services/homeworks_service.rb
@@ -15,7 +15,6 @@ class HomeworksService
homework_detail_manual.save! if homework_detail_manual
HomeworkCommonsShixun.create!(homework_common_id: homework.id, shixun_id: shixun.id)
HomeworksService.new.create_shixun_homework_cha_setting(homework, shixun)
- CreateStudentWorkJob.perform_later(homework.id)
# HomeworksService.new.create_works_list(homework, course)
end
homework
diff --git a/app/views/admins/courses/shared/_import_course_member_modal.html.erb b/app/views/admins/courses/shared/_import_course_member_modal.html.erb
new file mode 100644
index 000000000..d52a60b09
--- /dev/null
+++ b/app/views/admins/courses/shared/_import_course_member_modal.html.erb
@@ -0,0 +1,30 @@
+
\ No newline at end of file
diff --git a/app/views/admins/shared/modal/_message_modal.html.erb b/app/views/admins/shared/modal/_message_modal.html.erb
index 94454ca2d..17c02ea14 100644
--- a/app/views/admins/shared/modal/_message_modal.html.erb
+++ b/app/views/admins/shared/modal/_message_modal.html.erb
@@ -11,7 +11,7 @@
保存成功
diff --git a/app/views/admins/users/index.html.erb b/app/views/admins/users/index.html.erb
index fa6d67a64..0892b5641 100644
--- a/app/views/admins/users/index.html.erb
+++ b/app/views/admins/users/index.html.erb
@@ -28,6 +28,7 @@
<% end %>
<%= javascript_void_link '导入用户', class: 'btn btn-secondary btn-sm', data: { toggle: 'modal', target: '.admin-import-user-modal'} %>
+ <%= javascript_void_link '导入课堂成员', class: 'btn btn-secondary btn-sm ml-2', data: { toggle: 'modal', target: '.admin-import-course-member-modal'} %>
@@ -35,4 +36,7 @@
<%= render partial: 'admins/users/shared/reward_grade_modal' %>
-<%= render partial: 'admins/users/shared/import_user_modal' %>
\ No newline at end of file
+<%= render partial: 'admins/users/shared/import_user_modal' %>
+
+
+<%= render partial: 'admins/courses/shared/import_course_member_modal' %>
\ No newline at end of file
diff --git a/app/views/admins/users/shared/_import_user_modal.html.erb b/app/views/admins/users/shared/_import_user_modal.html.erb
index ff3c725b9..b0d3c9a77 100644
--- a/app/views/admins/users/shared/_import_user_modal.html.erb
+++ b/app/views/admins/users/shared/_import_user_modal.html.erb
@@ -14,8 +14,8 @@
文件
-
-
+
+
diff --git a/app/views/shixuns/shixun_list.json.jbuilder b/app/views/shixuns/shixun_list.json.jbuilder
new file mode 100644
index 000000000..13c556014
--- /dev/null
+++ b/app/views/shixuns/shixun_list.json.jbuilder
@@ -0,0 +1,15 @@
+json.shixun_list @shixuns do |shixun|
+ json.shixun_id shixun.id
+ json.identifier shixun.identifier
+ json.shixun_name shixun.name
+ json.description shixun.description
+ json.myshixuns_count shixun.myshixuns_count
+ json.school shixun.user&.school_name
+ json.creator shixun.user&.full_name
+ json.level level_to_s(shixun.trainee)
+ json.subjects shixun.subjects do |subject|
+ json.(subject, :id, :name)
+ end
+end
+
+json.shixuns_count @total_count
\ No newline at end of file
diff --git a/app/views/users/get_user_info.json.jbuilder b/app/views/users/get_user_info.json.jbuilder
index 6189358ba..e18ccfe05 100644
--- a/app/views/users/get_user_info.json.jbuilder
+++ b/app/views/users/get_user_info.json.jbuilder
@@ -20,6 +20,7 @@ if @course
json.group_info @course.teacher_group(@user.id) if @course_identity < Course::STUDENT
end
json.first_category_url module_url(@course.none_hidden_course_modules.first, @course)
+ json.course_is_end @course.is_end
end
if params[:school]
diff --git a/config/routes.rb b/config/routes.rb
index 108630366..3b15f05fe 100644
--- a/config/routes.rb
+++ b/config/routes.rb
@@ -179,6 +179,7 @@ Rails.application.routes.draw do
get :get_mirror_script
post :apply_shixun_mirror
get :download_file
+ get :shixun_list
end
member do
@@ -353,6 +354,7 @@ Rails.application.routes.draw do
get 'informs'
post 'update_informs'
post 'new_informs'
+ delete 'delete_informs'
get 'online_learning'
post 'join_excellent_course'
get 'tasks_list'
@@ -775,6 +777,10 @@ Rails.application.routes.draw do
end
post 'callbacks/aliyun_vod', to: 'callbacks/aliyun_vods#create'
+
+ namespace :wechats do
+ resource :js_sdk_signature, only: [:create]
+ end
end
namespace :admins do
@@ -891,10 +897,6 @@ Rails.application.routes.draw do
end
end
- namespace :wechats do
- resource :js_sdk_signature, only: [:create]
- end
-
#git 认证回调
match 'gitauth/*url', to: 'gits#auth', via: :all
diff --git a/dump.rdb b/dump.rdb
index 6673bf623..bcf064366 100644
Binary files a/dump.rdb and b/dump.rdb differ
diff --git a/lib/tasks/public_course_sync.rake b/lib/tasks/public_course_sync.rake
new file mode 100644
index 000000000..928cd9113
--- /dev/null
+++ b/lib/tasks/public_course_sync.rake
@@ -0,0 +1,149 @@
+#coding=utf-8
+# 执行示例 bundle exec rake public_course:student args=149,2903
+# args 第一个参数是subject_id,第二个参数是课程course_id
+# 第一期时间:2018-12-16 至2019-03-31
+# 第二期时间:2019-04-07 至2019-07-28
+#
+# 这次学习很有收获,感谢老师提供这么好的资源和细心的服务🎉🎉🎉
+#
+
+desc "同步精品课数据"
+namespace :public_classes do
+ if ENV['args']
+ subject_id = ENV['args'].split(",")[0] # 对应课程的id
+ course_id = ENV['args'].split(",")[1] # 对应课堂的id
+ start_time = ENV['args'].split(",")[2] # 表示课程模块
+ end_time = ENV['args'].split(",")[3] # 表示课程模块
+ limit = ENV['args'].split(",")[4] # 限制导入的数量
+ type = ENV['args'].split(",")[5] # 表示课程模块
+ end
+
+
+ task :student => :environment do
+ puts "subject_id is #{subject_id}"
+ puts "course_id is #{course_id}"
+
+ user_ids = Myshixun.find_by_sql("select distinct(user_id) from myshixuns where created_at between #{start_time} and #{end_time} and shixun_id in (select shixun_id from stage_shixuns
+ where stage_id in (select id from stages where subject_id=#{subject_id})) limit #{limit}").map(&:user_id)
+ puts user_ids
+ if user_ids.present?
+ user_ids.each do |user_id|
+ puts user_id
+ begin
+ CourseMember.create!(course_id: course_id, user_id: user_id, role: 4)
+ rescue Exception => e
+ Rails.logger(e.message)
+ end
+ end
+ end
+ end
+
+ task :test_user => :environment do
+ users = User.where(is_test: true)
+ users.limit(limit).find_each do |user|
+ puts user.id
+ CourseMember.create!(course_id: course_id, user_id: user.id, role: 4)
+ end
+ end
+
+
+ # 更新某个课程的某类时间
+ # 执行示例 RAILS_ENV=production bundle exec rake public_course:time args=-1,2932,1,1
+ task :time => :environment do
+ # course_id = ENV['args'].split(",")[0] # 对应课堂的id
+ # type = ENV['args'].split(",")[1]
+
+ course = Course.find(course_id)
+
+ case type.to_i
+ when 1
+ # 讨论区
+ messages = Message.where(board_id: course.boards)
+ messages.each do |message|
+ created_on = random_time start_time, end_time
+ puts created_on
+ message.update_columns(created_on: created_on, updated_on: created_on)
+ MessageDetail.where(message_id: message.id).each do |detail|
+ rand_created_on = random_time start_time, end_time
+ detail.update_columns(created_at: rand_created_on, updated_at: rand_created_on)
+ end
+ end
+ when 2
+ # 作业
+ course.homework_commons.each do |homework|
+ created_at = random_time(start_time, end_time)
+ publish_time = random_larger_time created_at, start_time, end_time
+ end_time = random_larger_time publish_time, start_time, end_time
+ updated_at = end_time
+
+ homework.update_columns(publish_time: publish_time, end_time: end_time, created_at: created_at, updated_at: updated_at)
+ homework.homework_detail_manual.update_columns(comment_status: 6, created_at: created_at, updated_at: updated_at)
+
+ homework.student_works.where("work_status !=0 and update_time > '#{end_time}'").update_all(update_time: end_time)
+ end
+ when 3
+ # 试卷
+ course.exercises.each do |exercise|
+ created_at = random_time start_time, end_time
+ publish_time = random_larger_time created_at, start_time, end_time
+ end_time = random_larger_time publish_time, start_time, end_time
+ updated_at = end_time
+
+ exercise.update_columns(publish_time: publish_time, end_time: end_time, created_at: created_at, updated_at: updated_at, exercise_status: 3)
+ end
+ when 4
+ # 资源
+ course.attachments.each do |atta|
+ created_on = random_time start_time, end_time
+
+ atta.update_columns(is_publish: 1, created_on: created_on, publish_time: created_on)
+ end
+ end
+
+ end
+
+ task :create_homework_work => :environment do
+ course = Course.find(course_id)
+ course.practice_homeworks.each do |homework|
+ if homework.student_works.count == 0
+ str = ""
+ CourseMember.students(course).each do |student|
+ str += "," if str != ""
+ str += "(#{homework.id},#{student.user_id}, '#{Time.now.strftime('%Y-%m-%d %H:%M:%S')}', '#{Time.now.strftime('%Y-%m-%d %H:%M:%S')}')"
+ end
+ if str != ""
+ sql = "insert into student_works (homework_common_id, user_id, created_at, updated_at) values" + str
+ ActiveRecord::Base.connection.execute sql
+ end
+ end
+ end
+ end
+
+ def min_swith(time)
+ puts time
+ return time < 9 ? "0#{time}" : time
+ end
+
+ def random_time(start_time, end_time)
+ hour = (6..23).to_a.sample(1).first
+ min = rand(60)
+ sec = rand(60)
+
+ start_time = Date.parse(start_time)
+ end_time = Date.parse(end_time)
+ date = (start_time..end_time).to_a.sample(1).first
+
+ time = "#{date} #{min_swith(hour)}:#{min_swith(min)}:#{min_swith(sec)}"
+
+ puts time
+ time
+ end
+
+ def random_larger_time(time, start_time, end_time)
+ large_time = random_time(start_time, end_time)
+ while large_time <= time
+ large_time = random_time(start_time, end_time)
+ end
+ large_time
+ end
+end
\ No newline at end of file
diff --git a/public/javascripts/wx/jweixin-1.3.0.js b/public/javascripts/wx/jweixin-1.3.0.js
new file mode 100644
index 000000000..d06d2c362
--- /dev/null
+++ b/public/javascripts/wx/jweixin-1.3.0.js
@@ -0,0 +1 @@
+!function(e,n){"function"==typeof define&&(define.amd||define.cmd)?define(function(){return n(e)}):n(e,!0)}(this,function(e,n){function i(n,i,t){e.WeixinJSBridge?WeixinJSBridge.invoke(n,o(i),function(e){c(n,e,t)}):u(n,t)}function t(n,i,t){e.WeixinJSBridge?WeixinJSBridge.on(n,function(e){t&&t.trigger&&t.trigger(e),c(n,e,i)}):t?u(n,t):u(n,i)}function o(e){return e=e||{},e.appId=C.appId,e.verifyAppId=C.appId,e.verifySignType="sha1",e.verifyTimestamp=C.timestamp+"",e.verifyNonceStr=C.nonceStr,e.verifySignature=C.signature,e}function r(e){return{timeStamp:e.timestamp+"",nonceStr:e.nonceStr,package:e.package,paySign:e.paySign,signType:e.signType||"SHA1"}}function a(e){return e.postalCode=e.addressPostalCode,delete e.addressPostalCode,e.provinceName=e.proviceFirstStageName,delete e.proviceFirstStageName,e.cityName=e.addressCitySecondStageName,delete e.addressCitySecondStageName,e.countryName=e.addressCountiesThirdStageName,delete e.addressCountiesThirdStageName,e.detailInfo=e.addressDetailInfo,delete e.addressDetailInfo,e}function c(e,n,i){"openEnterpriseChat"==e&&(n.errCode=n.err_code),delete n.err_code,delete n.err_desc,delete n.err_detail;var t=n.errMsg;t||(t=n.err_msg,delete n.err_msg,t=s(e,t),n.errMsg=t),(i=i||{})._complete&&(i._complete(n),delete i._complete),t=n.errMsg||"",C.debug&&!i.isInnerInvoke&&alert(JSON.stringify(n));var o=t.indexOf(":");switch(t.substring(o+1)){case"ok":i.success&&i.success(n);break;case"cancel":i.cancel&&i.cancel(n);break;default:i.fail&&i.fail(n)}i.complete&&i.complete(n)}function s(e,n){var i=e,t=v[i];t&&(i=t);var o="ok";if(n){var r=n.indexOf(":");"confirm"==(o=n.substring(r+1))&&(o="ok"),"failed"==o&&(o="fail"),-1!=o.indexOf("failed_")&&(o=o.substring(7)),-1!=o.indexOf("fail_")&&(o=o.substring(5)),"access denied"!=(o=(o=o.replace(/_/g," ")).toLowerCase())&&"no permission to execute"!=o||(o="permission denied"),"config"==i&&"function not exist"==o&&(o="ok"),""==o&&(o="fail")}return n=i+":"+o}function d(e){if(e){for(var n=0,i=e.length;n0){var n=e.split("?")[0],i=e.split("?")[1];return n+=".html",void 0!==i?n+"?"+i:n}}if(!e.jWeixin){var h={config:"preVerifyJSAPI",onMenuShareTimeline:"menu:share:timeline",onMenuShareAppMessage:"menu:share:appmessage",onMenuShareQQ:"menu:share:qq",onMenuShareWeibo:"menu:share:weiboApp",onMenuShareQZone:"menu:share:QZone",previewImage:"imagePreview",getLocation:"geoLocation",openProductSpecificView:"openProductViewWithPid",addCard:"batchAddCard",openCard:"batchViewCard",chooseWXPay:"getBrandWCPayRequest",openEnterpriseRedPacket:"getRecevieBizHongBaoRequest",startSearchBeacons:"startMonitoringBeacons",stopSearchBeacons:"stopMonitoringBeacons",onSearchBeacons:"onBeaconsInRange",consumeAndShareCard:"consumedShareCard",openAddress:"editAddress"},v=function(){var e={};for(var n in h)e[h[n]]=n;return e}(),S=e.document,I=S.title,y=navigator.userAgent.toLowerCase(),_=navigator.platform.toLowerCase(),w=!(!_.match("mac")&&!_.match("win")),T=-1!=y.indexOf("wxdebugger"),k=-1!=y.indexOf("micromessenger"),M=-1!=y.indexOf("android"),P=-1!=y.indexOf("iphone")||-1!=y.indexOf("ipad"),x=function(){var e=y.match(/micromessenger\/(\d+\.\d+\.\d+)/)||y.match(/micromessenger\/(\d+\.\d+)/);return e?e[1]:""}(),V={initStartTime:p(),initEndTime:0,preVerifyStartTime:0,preVerifyEndTime:0},A={version:1,appId:"",initTime:0,preVerifyTime:0,networkType:"",isPreVerifyOk:1,systemType:P?1:M?2:-1,clientVersion:x,url:encodeURIComponent(location.href)},C={},L={_completes:[]},B={state:0,data:{}};f(function(){V.initEndTime=p()});var O=!1,N=[],b={config:function(e){C=e,u("config",e);var n=!1!==C.check;f(function(){if(n)i(h.config,{verifyJsApiList:d(C.jsApiList)},function(){L._complete=function(e){V.preVerifyEndTime=p(),B.state=1,B.data=e},L.success=function(e){A.isPreVerifyOk=0},L.fail=function(e){L._fail?L._fail(e):B.state=-1};var e=L._completes;return e.push(function(){l()}),L.complete=function(n){for(var i=0,t=e.length;i0){var n=N.shift();wx.getLocalImgData(n)}},e))):N.push(e)},getNetworkType:function(e){var n=function(e){var n=e.errMsg;e.errMsg="getNetworkType:ok";var i=e.subtype;if(delete e.subtype,i)e.networkType=i;else{var t=n.indexOf(":"),o=n.substring(t+1);switch(o){case"wifi":case"edge":case"wwan":e.networkType=o;break;default:e.errMsg="getNetworkType:fail"}}return e};i("getNetworkType",{},(e._complete=function(e){e=n(e)},e))},openLocation:function(e){i("openLocation",{latitude:e.latitude,longitude:e.longitude,name:e.name||"",address:e.address||"",scale:e.scale||28,infoUrl:e.infoUrl||""},e)},getLocation:function(e){e=e||{},i(h.getLocation,{type:e.type||"wgs84"},(e._complete=function(e){delete e.type},e))},hideOptionMenu:function(e){i("hideOptionMenu",{},e)},showOptionMenu:function(e){i("showOptionMenu",{},e)},closeWindow:function(e){i("closeWindow",{},e=e||{})},hideMenuItems:function(e){i("hideMenuItems",{menuList:e.menuList},e)},showMenuItems:function(e){i("showMenuItems",{menuList:e.menuList},e)},hideAllNonBaseMenuItem:function(e){i("hideAllNonBaseMenuItem",{},e)},showAllNonBaseMenuItem:function(e){i("showAllNonBaseMenuItem",{},e)},scanQRCode:function(e){i("scanQRCode",{needResult:(e=e||{}).needResult||0,scanType:e.scanType||["qrCode","barCode"]},(e._complete=function(e){if(P){var n=e.resultStr;if(n){var i=JSON.parse(n);e.resultStr=i&&i.scan_code&&i.scan_code.scan_result}}},e))},openAddress:function(e){i(h.openAddress,{},(e._complete=function(e){e=a(e)},e))},openProductSpecificView:function(e){i(h.openProductSpecificView,{pid:e.productId,view_type:e.viewType||0,ext_info:e.extInfo},e)},addCard:function(e){for(var n=e.cardList,t=[],o=0,r=n.length;oEduCoder
diff --git a/public/react/src/App.js b/public/react/src/App.js
index 49c2eab99..fbb9ac7b0 100644
--- a/public/react/src/App.js
+++ b/public/react/src/App.js
@@ -281,7 +281,58 @@ class App extends Component {
mydisplay:true,
})
};
+ initWXShare = () => {
+ if (window.wx) {
+ const wx = window.wx
+ const url = '/wechats/js_sdk_signature.json'
+ axios.post(url, {
+ url: 'http://pre-newweb.educoder.net',
+ }).then((response) => {
+ const data = response.data;
+ wx.config({
+ debug: false,
+ appId: data.appid,
+ timestamp: data.timestamp,
+ nonceStr: data.nonceStr,
+ signature: data.signature,
+ jsApiList: [
+ 'onMenuShareTimeline',//
+ 'onMenuShareAppMessage',
+ 'onMenuShareQQ',
+ 'onMenuShareWeibo',
+ 'onMenuShareQZone'
+
+ ]
+ });
+ wx.ready(function () {
+ var shareData = {
+ title: '这是是分享标题',
+ desc: '这是是摘要',
+ link: 'http://pre-newweb.educoder.net',
+ imgUrl: 'http://pre-newweb.educoder.net/images/educoder/index/subject/subject15.jpg'
+ };
+
+ wx.onMenuShareAppMessage(shareData);//分享给好友
+ wx.onMenuShareTimeline(shareData);//分享到朋友圈
+ wx.onMenuShareQQ(shareData);//分享给手机QQ
+ wx.onMenuShareWeibo(shareData);//分享腾讯微博
+ wx.onMenuShareQZone(shareData);//分享到QQ空间
+
+
+
+ });
+ wx.error(function (res) {
+ //alert(res.errMsg);//错误提示
+
+ });
+ }).catch((error) => {
+ console.log(error)
+ })
+ }
+ }
componentDidMount() {
+
+
// force an update if the URL changes
history.listen(() => {
this.forceUpdate()
@@ -291,7 +342,7 @@ class App extends Component {
});
initAxiosInterceptors(this.props)
-
+ this.initWXShare()
//
// axios.interceptors.response.use((response) => {
// // console.log("response"+response);
diff --git a/public/react/src/common/Env.js b/public/react/src/common/Env.js
index bdd4584f4..283e82c48 100644
--- a/public/react/src/common/Env.js
+++ b/public/react/src/common/Env.js
@@ -1,3 +1,6 @@
export function isDev() {
return window.location.port === "3007";
-}
\ No newline at end of file
+}
+
+// const isMobile
+export const isMobile = (/android|webos|iphone|ipad|ipod|blackberry|iemobile|opera mini/i.test(navigator.userAgent.toLowerCase()));
\ No newline at end of file
diff --git a/public/react/src/common/educoder.js b/public/react/src/common/educoder.js
index 1d7c66dbb..5b1d7ac28 100644
--- a/public/react/src/common/educoder.js
+++ b/public/react/src/common/educoder.js
@@ -20,8 +20,7 @@ export { markdownToHTML, uploadNameSizeSeperator, appendFileSizeToUploadFile, ap
downloadFile, sortDirections } from './TextUtil'
export { handleDateString, getNextHalfHourOfMoment,formatDuring } from './DateUtil'
-
-export { isDev as isDev } from './Env'
+export { isDev as isDev, isMobile } from './Env'
export { toStore as toStore, fromStore as fromStore } from './Store'
diff --git a/public/react/src/context/TPIContextProvider.js b/public/react/src/context/TPIContextProvider.js
index 0e0d7be1b..3fbdb6ed1 100644
--- a/public/react/src/context/TPIContextProvider.js
+++ b/public/react/src/context/TPIContextProvider.js
@@ -525,7 +525,10 @@ pop_box_new(htmlvalue, 480, 182);
})
// test
- // var data = {"st":0,"discusses_count":12,"game_count":6,"record_onsume_time":5.303,"prev_game":"q67plhfjaogy","next_game":"lfrwm2ohiate","praise_count":0,"user_praise":false,"time_limit":180,"tomcat_url":"http://47.98.226.234","is_teacher":true,"myshixun_manager":false,"game":{"id":1964918,"myshixun_id":510423,"user_id":73892,"created_at":"2019-06-24T11:22:58.000+08:00","updated_at":"2019-06-25T11:15:48.000+08:00","status":0,"final_score":0,"challenge_id":573,"open_time":"2019-06-24T11:22:58.000+08:00","identifier":"yrsxolqk6zcp","answer_open":0,"end_time":null,"retry_status":0,"resubmit_identifier":null,"test_sets_view":false,"picture_path":null,"accuracy":null,"modify_time":null,"star":0,"cost_time":3966,"evaluate_count":1,"answer_deduction":0},"challenge":{"id":573,"shixun_id":186,"subject":"应用模型做预测","position":4,"task_pass":"####本关任务\r\n本关卡学习如何应用机器学习模型来做预测。\r\n\r\n####相关知识\r\n在前一关卡中,我们一起探讨了机器学习的一般原理,并建立了一个非常简单的电影评分模型Model 0:\r\n\r\n评分 = **大众对电影的平均评分** + **用户个人的给分偏好** + **电影的评分偏好**\r\n\r\n针对这个模型,我们设计了一个非常朴素的预测模型Baseline,直接从数据集中统计得到上述三个参数的值。\r\n\r\n在本关卡中,我们将应用这个模型对用户和电影的评分做出预测。\r\n\r\n####编程要求\r\n回顾Model 0的预测评分公式:\r\n```latex\r\nf(u,m)=g+\\alpha(u)+\\beta(m)\r\n```\r\n\r\n我们的Baseline模型得到了$$g$$、$$\\alpha$$和$$\\beta$$三种参数,下面我们实现predict函数,来对测试数据集中未知的用户电影评分进行预测,需要填充的代码块如下:\r\n```python\r\n# -*- coding:utf-8 -*-\r\n\r\ndef predict(g, alpha, beta, test_data):\r\n\t\"\"\"预测用户对电影的评分\r\n\t参数:\r\n\t\tg - 浮点数,模型参数平均电影评分\r\n\t\talpha - 浮点数组,用户评分偏差参数数组\r\n\t\tbeta - 浮点数组,电影评分偏差参数数组\r\n\t\ttest_data - Pandas的DataFrame对象,有两列'user','movie',是测试数据集\r\n\t返回值:\r\n\t\tret - 浮点数数组,预测的评分数组,举例ret[10],表示第10组用户和电影对的评分值\r\n\t\"\"\"\t\r\n\tret = []\r\n\tN = len(alpha)\r\n\tM = len(beta)\r\n\t\r\n\t# 请在此添加实现代码\r\n\t#********** Begin *********#\r\n\t\r\n\t#********** End *********#\r\n\t\r\n\treturn ret\r\n```\r\n\r\n####本关任务\r\n本关卡的测试数据来自内置测试文件,平台将比对您所编写函数的预测评分与正确评分,只有所有数据全部计算正确才能进入下一关。","score":500,"path":"src/step4/doprediction.py","st":0,"web_route":null,"modify_time":null},"shixun":{"id":186,"name":"理解机器学习基本概念:从电影评分预测讲起","user_id":24758,"gpid":3676,"visits":622,"created_at":"2017-08-25T18:07:41.000+08:00","updated_at":"2019-06-02T11:05:20.000+08:00","status":2,"language":"MachineLearning","authentication":false,"identifier":"58DRWG63","trainee":3,"major_id":635,"webssh":0,"homepage_show":false,"hidden":false,"fork_from":null,"can_copy":true,"modify_time":"2017-09-29T21:42:16.000+08:00","reset_time":"2017-09-29T21:42:16.000+08:00","publish_time":"2017-09-29T10:58:13.000+08:00","closer_id":null,"end_time":null,"git_url":"educoder/58drwg63","vnc":false,"myshixuns_count":318,"challenges_count":6,"use_scope":0,"mirror_script_id":0,"image_text":null,"code_hidden":false,"task_pass":false,"exec_time":180,"test_set_permission":true,"sigle_training":false,"hide_code":false,"multi_webssh":false,"excute_time":null,"repo_name":"educoder/58drwg63","averge_star":4.9,"opening_time":null,"users_count":10,"forbid_copy":false,"pod_life":0},"myshixun":{"id":510423,"shixun_id":186,"is_public":true,"user_id":73892,"gpid":null,"created_at":"2019-06-24T11:22:55.000+08:00","updated_at":"2019-06-24T13:56:40.000+08:00","status":0,"identifier":"7pkwxim9eh","commit_id":"ff7c6652fdfdf62eaa1316d39400ebdbd6cb81fb","modify_time":"2017-09-29T21:42:16.000+08:00","reset_time":"2017-09-29T21:42:16.000+08:00","system_tip":false,"git_url":null,"onclick_time":"2019-06-24T11:22:55.000+08:00","repo_name":"p35840769/7pkwxim9eh20190624112255"},"user":{"user_id":73892,"login":"p35840769","name":"韩半安","grade":6895,"image_url":"avatars/User/b","school":"国防科技大学","identity":6},"tpm_modified":false,"tpm_cases_modified":false,"mirror_name":["MachineLearning"],"has_answer":true,"test_sets":[{"is_public":true,"result":false,"input":"771 253 360 99 8 759 976 387 873 829 437 53 854 148 447 179 246 810 158 653 583 929 691 892 263 230 637 221 7 652 127 965 767","output":"3.577 -0.329 2.648 4.727 4.351 2.616 3.496 3.059 3.470 3.166 3.064 2.716 3.712 4.003 3.064 3.462 4.004 2.067 3.860 0.121 3.807 3.735 4.230 3.137 4.431 2.468 4.018 5.218 4.351 4.121 4.050 4.587 3.777","actual_output":"Traceback (most recent call last):\r\n File \"src/step4/main.py\", line 3, in \u003cmodule\u003e\r\n from doprediction import predict\r\nImportError: cannot import name 'predict'\r\n","compile_success":1},{"is_public":false,"result":false,"compile_success":1}],"allowed_unlock":true,"last_compile_output":"共有2组测试集,其中有2组测试结果不匹配。详情如下:","test_sets_count":2,"sets_error_count":2}
+ // var data = {"st":0,"discusses_count":0,"game_count":3,"record_onsume_time":0.36,"prev_game":null,"next_game":"7p9xwo2hklqv","praise_count":0,"user_praise":false,"time_limit":20,"tomcat_url":"http://47.96.157.89","is_teacher":false,"myshixun_manager":true,"game":{"id":2192828,"myshixun_id":580911,"user_id":57844,"created_at":"2019-09-03T15:50:49.000+08:00","updated_at":"2019-09-03T15:51:05.000+08:00","status":2,"final_score":0,"challenge_id":10010,"open_time":"2019-09-03T15:50:49.000+08:00","identifier":"hknvz4oaw825","answer_open":0,"end_time":"2019-09-03T15:51:04.000+08:00","retry_status":0,"resubmit_identifier":null,"test_sets_view":false,"picture_path":null,"accuracy":1.0,"modify_time":"2019-09-03T15:23:33.000+08:00","star":0,"cost_time":14,"evaluate_count":1,"answer_deduction":0},"challenge":{"id":10010,"shixun_id":3516,"subject":"1.1 列表操作","position":1,"task_pass":"[TOC]\n\n---\n\n####任务描述\n\n\n数据集a包含1-10共10个整数,请以a为输入数据,编写python程序,实现如下功能:\n①\t用2种方法输出a中所有奇数\n②\t输出大于3,小于7的偶数\n③\t用2种方法输出[1,2,3,…10,11,…20]\n④\t输出a的最大值、最小值。\n⑤\t用2种方法输出[10,9,…2,1]\n⑥\t输出[1,2,3,1,2,3,1,2,3,1,2,3]\n\n\n####相关知识\n\n\n请自行学习相关知识\n\n\n---\n开始你的任务吧,祝你成功!","score":100,"path":"1-1-stu.py","st":0,"web_route":null,"modify_time":"2019-09-03T15:23:33.000+08:00","exec_time":20,"praises_count":0},"shixun":{"id":3516,"name":"作业1——Python程序设计","user_id":77620,"gpid":null,"visits":23,"created_at":"2019-09-03T14:18:17.000+08:00","updated_at":"2019-09-03T15:58:16.000+08:00","status":0,"language":null,"authentication":false,"identifier":"6lzjig58","trainee":1,"major_id":null,"webssh":2,"homepage_show":false,"hidden":false,"fork_from":null,"can_copy":true,"modify_time":"2019-09-03T14:18:17.000+08:00","reset_time":"2019-09-03T14:18:17.000+08:00","publish_time":null,"closer_id":null,"end_time":null,"git_url":null,"vnc":null,"myshixuns_count":3,"challenges_count":3,"use_scope":0,"mirror_script_id":20,"image_text":null,"code_hidden":false,"task_pass":true,"exec_time":20,"test_set_permission":true,"sigle_training":false,"hide_code":false,"multi_webssh":false,"excute_time":null,"repo_name":"p09218567/6lzjig58","averge_star":5.0,"opening_time":null,"users_count":1,"forbid_copy":false,"pod_life":0},"myshixun":{"id":580911,"shixun_id":3516,"is_public":true,"user_id":57844,"gpid":null,"created_at":"2019-09-03T15:50:49.000+08:00","updated_at":"2019-09-03T15:59:04.000+08:00","status":0,"identifier":"k36hm4rwav","commit_id":"f25e1713882156480fc45ce0af57eff395a5037f","modify_time":"2019-09-03T14:18:17.000+08:00","reset_time":"2019-09-03T14:18:17.000+08:00","system_tip":false,"git_url":null,"onclick_time":"2019-09-03T15:50:49.000+08:00","repo_name":"p53276410/k36hm4rwav20190903155049"},"user":{"user_id":57844,"login":"p53276410","name":"文振乾","grade":24624,"identity":1,"image_url":"avatars/User/57844","school":"EduCoder团队"},"tpm_modified":true,"tpm_cases_modified":false,"mirror_name":["Python3.6"],"has_answer":false,"test_sets":[{"is_public":true,"result":true,"input":"","output":"result of a:\n[1, 3, 5, 7, 9]\n[1, 3, 5, 7, 9]\nresult of b:\n[2, 4, 6, 8, 10]\nresult of c:\n[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20]\n[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20]\nresult of d:\nThe minimum is:1\nThe maxium is:10\nresult of e:\n[10, 9, 8, 7, 6, 5, 4, 3, 2, 1]\n[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]\nresult of f:\n[10, 9, 8, 10, 9, 8, 10, 9, 8, 10, 9, 8]\n","actual_output":"result of a:\r\n[1, 3, 5, 7, 9]\r\n[1, 3, 5, 7, 9]\r\nresult of b:\r\n[2, 4, 6, 8, 10]\r\nresult of c:\r\n[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20]\r\n[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20]\r\nresult of d:\r\nThe minimum is:1\r\nThe maxium is:10\r\nresult of e:\r\n[10, 9, 8, 7, 6, 5, 4, 3, 2, 1]\r\n[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]\r\nresult of f:\r\n[10, 9, 8, 10, 9, 8, 10, 9, 8, 10, 9, 8]\r\n","compile_success":1,"ts_time":0.05,"ts_mem":8.77}],"allowed_unlock":true,"last_compile_output":"compile successfully","test_sets_count":1,"sets_error_count":0}
+ // data.test_sets[0].actual_output = data.test_sets[0].actual_output.replace(/\r\n/g, '\n')
+ // data.test_sets[0].output = data.test_sets[0].output.replace(/\r\n/g, '\n')
+ // console.log(JSON.stringify(data))
// data.shixun.vnc = true
// data.vnc_url= "http://47.96.157.89:41158/vnc_lite.html?password=headless"
diff --git a/public/react/src/modules/comment/Comments.js b/public/react/src/modules/comment/Comments.js
index ae246197c..836b520cc 100644
--- a/public/react/src/modules/comment/Comments.js
+++ b/public/react/src/modules/comment/Comments.js
@@ -383,12 +383,12 @@ class Comments extends Component {
{/* |*/}
- this.initReply(item) } >
-
+ }
{/* |*/}
diff --git a/public/react/src/modules/courses/Index.js b/public/react/src/modules/courses/Index.js
index 7da04dd0e..c0a5469ad 100644
--- a/public/react/src/modules/courses/Index.js
+++ b/public/react/src/modules/courses/Index.js
@@ -284,6 +284,14 @@ const Completetaskpage =Loadable({
loader: () => import('../../modules/courses/completetaskdetails/Completetaskpage'),
loading: Loading,
});
+
+
+//排序
+const Ordering=Loadable({
+ loader: () => import('../../modules/courses/ordering/Ordering'),
+ loading: Loading,
+});
+
class CoursesIndex extends Component{
constructor(props) {
super(props)
@@ -470,6 +478,13 @@ class CoursesIndex extends Component{
// console.log(commons)
return (
+ {/*排序*/}
+ ()
+ }
+ >
+
{/*毕设任务题库详情*/}
{menu}
{
- isAdmin &&
+ isAdmin && !isCourseEnd &&
this.refs['addDirModal'].open()}>
diff --git a/public/react/src/modules/courses/boards/TopicDetail.js b/public/react/src/modules/courses/boards/TopicDetail.js
index 542157bfb..8ecc85565 100644
--- a/public/react/src/modules/courses/boards/TopicDetail.js
+++ b/public/react/src/modules/courses/boards/TopicDetail.js
@@ -527,6 +527,7 @@ class TopicDetail extends Component {
// TODO 图片上传地址
const courseId=this.props.match.params.coursesId;
const boardId = this.props.match.params.boardId
+ const isCourseEnd = this.props.isCourseEnd()
return (
{/* fl with100 */}
diff --git a/public/react/src/modules/user/account/AccountBasicEdit.js b/public/react/src/modules/user/account/AccountBasicEdit.js
index 82e8a5d76..bff4422ec 100644
--- a/public/react/src/modules/user/account/AccountBasicEdit.js
+++ b/public/react/src/modules/user/account/AccountBasicEdit.js
@@ -376,7 +376,7 @@ class AccountBasic extends Component {
this.getSchoolList(this.props.basicInfo, name);
this.props.form.setFieldsValue({
- name: name
+ org: name
})
}