Chuyển đến nội dung chính

Quill: Upload image lên server - Part 4

Quill hỗ trợ tốt chèn ảnh với định dạng base64 vào editor. Khuyết điểm là khiến cho database mau chóng hết dung lượng và không tối ưu được cache.

Để custom lại function trong toolbar, chúng ta sử dụng handler.

Cụ thể trong bài viết này, chúng ta sẽ xây dựng 1 website cho phép upload file và trả về đường dẫn file vừa mới upload

Setup

  • Khai báo Toolbar QuillJs
  • Customize 'image' event
  • Implement hàm upload file trên server

Trong ứng dụng ASP.NET Core, thêm folder FileUploads trong wwwroot

File HomeController
public class HomeController : Controller
{
    private readonly ILogger<HomeController> _logger;
    private readonly IWebHostEnvironment _webHostEnvironment;

    public HomeController(ILogger<HomeController> logger, IWebHostEnvironment webHostEnvironment)
    {
        _logger = logger;
        _webHostEnvironment = webHostEnvironment;
    }

    public IActionResult UploadImage()
    {
        var model = new PostModel
        {
            Content = "  <p>Hello World!</p>\r\n  <p>Some initial <strong>bold</strong> text</p>\r\n  <p><br></p>"
        };
        return View(model);
    }

    
    [HttpPost]
    public IActionResult UploadFile(IFormFile file)
    {
        var dir = Path.Combine(_webHostEnvironment.ContentRootPath, "wwwroot");
        using (var fileStream = new FileStream(Path.Combine(dir, "FileUploads", file.FileName), FileMode.Create))
        {
            file.CopyTo(fileStream);
        }
        return Json(new
        {
            data = "/FileUploads/" + file.FileName
        });
    }
}
Khai báo toolbar và Quill:
var toolbarOptions = {
    container: [
        ['bold', 'italic', 'underline', 'strike'],        // toggled buttons
        [{ 'align': [] }],
        ['blockquote', 'code-block'],

        [{ 'header': 1 }, { 'header': 2 }],               // custom button values
        [{ 'list': 'ordered' }, { 'list': 'bullet' }],
        [{ 'script': 'sub' }, { 'script': 'super' }],      // superscript/subscript
        [{ 'indent': '-1' }, { 'indent': '+1' }],          // outdent/indent
        [{ 'direction': 'rtl' }],                         // text direction

        [{ 'size': ['small', false, 'large', 'huge'] }],  // custom dropdown
        [{ 'header': [1, 2, 3, 4, 5, 6, false] }],

        [{ 'color': [] }, { 'background': [] }],          // dropdown with defaults from theme
        [{ 'font': [] }],
        ['video'],
        ['image'],
        ['clean']
    ],
    handlers: {
        "image": this.selectLocalImage //customize image event
    }
};
var jdQuill = new Quill('#editor', {
    modules: {
        toolbar: toolbarOptions
    },
    theme: 'snow'
});
Implement hàm upload file:
/**
* Step1. select local image
*
*/
function selectLocalImage() {
    const input = document.createElement('input');
    input.setAttribute('type', 'file');
    input.click();

    // Listen upload local image and save to server
    input.onchange = () => {
        const file = input.files[0];

        // file type is only image.
        if (/^image\//.test(file.type)) {
            saveToServer(file);
        } else {
            console.warn('You could only upload images.');
        }
    };
}

/**
 * Step2. save to server
 *
 * @@param {File} file
 */
function saveToServer(file) {
    const fd = new FormData();
    fd.append('file', file);
    //fd.append('fileName', file.name);
    const xhr = new XMLHttpRequest();
    xhr.open('POST', '/Home/UploadFile', true);
    xhr.onload = () => {
        if (xhr.status === 200) {
            // this is callback data: url
            const url = JSON.parse(xhr.responseText).data;
            insertToEditor(url);
        }
    };
    xhr.send(fd);
}

/**
 * Step3. insert image url to rich editor.
 *
 * @@param {string} url
 */
function insertToEditor(url) {
    // push image url to rich editor.
    const range = jdQuill.getSelection();
    jdQuill.insertEmbed(range.index, 'image', url);
}

Nhận xét

Bài đăng phổ biến từ blog này

[ASP.NET MVC] Authentication và Authorize

Một trong những vấn đề bảo mật cơ bản nhất là đảm bảo những người dùng hợp lệ truy cập vào hệ thống. ASP.NET đưa ra 2 khái niệm: Authentication và Authorize Authentication xác nhận bạn là ai. Ví dụ: Bạn có thể đăng nhập vào hệ thống bằng username và password hoặc bằng ssh. Authorization xác nhận những gì bạn có thể làm. Ví dụ: Bạn được phép truy cập vào website, đăng thông tin lên diễn đàn nhưng bạn không được phép truy cập vào trang mod và admin.

ASP.NET MVC: Cơ bản về Validation

Validation (chứng thực) là một tính năng quan trọng trong ASP.NET MVC và được phát triển trong một thời gian dài. Validation vắng mặt trong phiên bản đầu tiên của asp.net mvc và thật khó để tích hợp 1 framework validation của một bên thứ 3 vì không có khả năng mở rộng. ASP.NET MVC2 đã hỗ trợ framework validation do Microsoft phát triển, tên là Data Annotations. Và trong phiên bản 3, framework validation đã hỗ trợ tốt hơn việc xác thực phía máy khách, và đây là một xu hướng của việc phát triển ứng dụng web ngày nay.

Tổng hợp một số kiến thức lập trình về Amibroker

Giới thiệu về Amibroker Amibroker theo developer Tomasz Janeczko được xây dựng dựa trên ngôn ngữ C. Vì vậy bộ code Amibroker Formula Language sử dụng có syntax khá tương đồng với C, ví dụ như câu lệnh #include để import hay cách gói các object, hàm trong các block {} và kết thúc câu lệnh bằng dấu “;”. AFL trong Amibroker là ngôn ngữ xử lý mảng (an array processing language). Nó hoạt động dựa trên các mảng (các dòng/vector) số liệu, khá giống với cách hoạt động của spreadsheet trên excel.