我不需要一个混凝土解决方案,但有人给我一个更接近的暗示来解决我的问题。我在rails 4内部网应用程序上有一个ruby,它是登录保护的。在这个应用程序中,我有一个编辑页面,我也使用TinyMCE。它能够为其提供一个URL来发送图片以便上传它(参见here)。 我用CarrierWave实现了上传例程,它在TinyMCE之外运行良好。如果可能,我也会保留该插件。 但正如我所说,CarrierWave目前还没有使用TinyMCE和异步上传。
那么您是否知道如何上传图像,但使用正确的会话令牌(异步)。并且图片网址没有保存数据库,而是在TinyMCE中显示的文本中。有插件可以帮助我或其他任何东西吗? 如果您需要更详细的信息,请告诉我。
祝你好运 马可
答案 0 :(得分:2)
您必须使用image plugin用于TinyMCE并设置file_picker
属性和回调,因此您可以从客户端而不是URL附加文件。
tinymce.init({
// Include image plugin on plugin list
plugins: [ 'image'],
// Include image button on toolbar
toolbar: ['image'],
// Enable title field in the Image dialog
image_title: true,
// Enable automatic uploads of images represented by blob or data URIs
automatic_uploads: true,
// URL of your upload handler
// (YOU SHOULD MAKE AN ENDPOINT TO RECEIVE THIS AND RETURN A JSON CONTAINING: {location: remote_image_url})
images_upload_url: '/text_images',
// Here we add custom filepicker only to Image dialog
file_picker_types: 'image',
// And here's your custom image picker
file_picker_callback: function(cb, value, meta) {
var input = document.createElement('input');
input.setAttribute('type', 'file');
input.setAttribute('accept', 'image/*');
input.onchange = function() {
var file = this.files[0];
// Note: Now we need to register the blob in TinyMCEs image blob
// registry.
var id = 'blobid' + (new Date()).getTime();
var blobCache = tinymce.activeEditor.editorUpload.blobCache;
var blobInfo = blobCache.create(id, file);
blobCache.add(blobInfo);
// Call the callback and populate the Title field with the file name
cb(blobInfo.blobUri(), { title: file.name });
};
input.click();
}
});
将text_images
添加到您的route.rb
文件中:
match "text_images" => "text_images#create", via: :post
并创建这样的处理操作:
def create
if params[:file].class == ActionDispatch::Http::UploadedFile
@image = Picture.new(image: params[:file])
respond_to do |format|
if @image.save
format.json { render json: { "location": @image.image.url }.to_json, status: :ok }
else
format.json { render json: @image.errors, status: :unprocessable_entity }
end
end
end
end
这是一个非常粗略的实现,你应该使它对你的应用程序上下文更安全,验证和过滤大文件或无效文件!
更新:最近对onchange
函数的新版TinyMCE的语法进行了升级,以在blobCache
对象的create方法中包含结果阅读器属性:
input.onchange = function() {
var file = this.files[0];
var reader = new FileReader();
reader.readAsDataURL(file);
reader.onload = function () {
// Note: Now we need to register the blob in TinyMCEs image blob
// registry. In the next release this part hopefully won't be
// necessary, as we are looking to handle it internally.
var id = 'blobid' + (new Date()).getTime();
var blobCache = tinymce.activeEditor.editorUpload.blobCache;
var blobInfo = blobCache.create(id, file, reader.result);
blobCache.add(blobInfo);
// call the callback and populate the Title field with the file name
cb(blobInfo.blobUri(), { title: file.name });
};
};