10

美しいWYSIWYGRedactor(http://imperavi.com/redactor/)をカスタムAngularJSディレクティブに統合しようとしています。

視覚的には機能しますが、私のカスタムディレクティブはng-modelと互換性がありません(理由はわかりません)

これが私のディレクティブの使い方です:

<wysiwyg ng-model="edited.comment" id="contactEditCom" content="{{content}}" required></wysiwyg>

そしてこれはディレクティブコードです:

var myApp = angular.module('myApp', []);
myApp.directive("wysiwyg", function(){

var linkFn = function(scope, el, attr, ngModel) {

    scope.redactor = null;

    scope.$watch('content', function(val) {
        if (val !== "")
        {
            scope.redactor = $("#" + attr.id).redactor({
                focus : false,
                callback: function(o) {
                    o.setCode(val);
                    $("#" + attr.id).keydown(function(){
                        scope.$apply(read);
                    });
                }
            });
        }
    });

    function read() {
        var content = scope.redactor.getCode();
        console.log(content);
        if (ngModel.viewValue != content)
        {
            ngModel.$setViewValue(content);
            console.log(ngModel);
        }
    }

};

 return {
     require: 'ngModel',
     link: linkFn,
     restrict: 'E',
     scope: {
         content: '@'
     },
     transclude: true
 };
});

そして最後にこれはフィドルです-> http://fiddle.jshell.net/MyBoon ​​/STLW5/

4

5 に答える 5

4

Angular-UIのTinyMCEディレクティブに基づいて作成しました。これは、フォーマットボタンのクリックもリッスンします。また、ディレクティブの外部でモデルが変更された場合も処理します。

directive.coffee(コーヒースクリプトでごめんなさい)

angular.module("ui.directives").directive "uiRedactor", ["ui.config", (uiConfig) ->

  require: "ngModel"
  link: (scope, elm, attrs, ngModelCtrl) ->
    redactor = null

    getVal = -> redactor?.getCode()

    apply = ->
      ngModelCtrl.$pristine = false
      scope.$apply()

    options =
      execCommandCallback: apply
      keydownCallback: apply
      keyupCallback: apply

    scope.$watch getVal, (newVal) ->
      ngModelCtrl.$setViewValue newVal unless ngModelCtrl.$pristine


    #watch external model change
    ngModelCtrl.$render = ->
      redactor?.setCode(ngModelCtrl.$viewValue or '')

    expression = if attrs.uiRedactor then scope.$eval(attrs.uiRedactor) else {}

    angular.extend options, expression

    setTimeout ->
      redactor = elm.redactor options
]  

html

<textarea ui-redactor='{minHeight: 500}' ng-model='content'></textarea>
于 2013-03-09T03:55:38.897 に答える
4

更新---Rails4.2 --- Angular-Rails 1.3.14

さてさて、スタックオーバーフローに関する多くの調査と他のメンバーからのいくつかの助けの後、ここに、コントローラーの$scopeとテキストエリアに適用するng-modelに直接フィードするソリューションがあります。

**生のHTMLをレンダリング**

# Filter for raw HTML
app.filter "unsafe", ['$sce', ($sce) ->
    (htmlCode) ->
        $sce.trustAsHtml htmlCode
]

フィルタのクレジット

指令:

# For Redactor WYSIWYG
app.directive "redactor", ->
require: "?ngModel"
link: ($scope, elem, attrs, controller) ->
    controller.$render = ->
        elem.redactor
            changeCallback: (value) ->
                $scope.$apply controller.$setViewValue value
            buttons: ['html', '|', 'formatting', '|',
                'fontcolor', 'backcolor', '|', 'image', 'video', '|',
                'alignleft', 'aligncenter', 'alignright', 'justify', '|',
                'bold', 'italic', 'deleted', 'underline', '|',
                'unorderedlist', 'orderedlist', 'outdent', 'indent', '|',
                'table', 'link', 'horizontalrule', '|']
            imageUpload: '/modules/imageUpload'
        elem.redactor 'insert.set', controller.$viewValue

最終行更新の理由

HTMLビューの場合:

<div ng-controller="PostCtrl">  
    <form ng-submit="addPost()">
        <textarea ng-model="newPost.content" redactor required></textarea>
        <br />
        <input type="submit" value="add post">
    </form>

    {{newPost.content}} <!-- This outputs the raw html with tags -->
    <br />
    <div ng-bind-html="newPost.content | unsafe"></div> <!-- This outputs the html -->
</div>

そしてコントローラー:

$scope.addPost = ->     
    post = Post.save($scope.newPost)
    console.log post
    $scope.posts.unshift post
    $scope.newPost.content = "<p>Add a new post...</p>"

アクションが呼び出される前に、redactorを使用してTypeErrorをテキスト領域に入力するのを防ぐために、これはフォーマットを保持するために最も効果的でした。

# Set the values of Reactor to prevent error
    $scope.newPost = {content: '<p>Add a new post...</p>'}

CSRFエラーが発生している場合、これによりその問題が解決されます。

# Fixes CSRF Error OR: https://github.com/xrd/ng-rails-csrf
app.config ["$httpProvider", (provider) ->
    provider.defaults.headers.common['X-CSRF-Token'] = angular.element('meta[name=csrf-token]').attr('content')

]

どうもありがとう:AngularJS&Redactorプラグイン

最後に....

ng-repeatを使用してこれらのredactorテキスト領域を作成していて、スコープへのアクセスに問題がある場合は、次の回答を確認してください。ng-repeat内のモデルへのアクセス

于 2013-05-07T21:32:05.577 に答える
1

このフィドルがあなたが望むものであるかどうかを確認してください。

ng-modelは次のコンテンツに設定できます。

<wysiwyg ng-model="content" required></wysiwyg>

リンク関数内では、elはディレクティブが定義されている要素にすでに設定されているため、anidは必要ありません。そして、elはすでにラップされたjQuery要素です。

リンク機能:

var linkFn = function (scope, el, attr, ngModel) {
    scope.redactor = el.redactor({
        focus: false,
        callback: function (o) {
            o.setCode(scope.content);
            el.keydown(function () {
                console.log(o.getCode());
                scope.$apply(ngModel.$setViewValue(o.getCode()));
于 2013-01-20T00:40:23.930 に答える
1

私の解決策は

1) https://github.com/dybskiy/redactor-js.gitのクローンを作成します 。2)jquery、redactor.js、redactor.cssをインクルードします。3)タグを追加<textarea wysiwyg ng-model="post.content" cols="18" required></textarea>します。HTML本体に追加します。4)ディレクティブを追加します。

yourapp.directive('wysiwyg', function () {
  return {
    require: 'ngModel',
    link: function (scope, el, attrs, ngModel) {
      el.redactor({
        keyupCallback: function(obj, e) {
            scope.$apply(ngModel.$setViewValue(obj.getCode()));
        }
      });
      el.setCode(scope.content);
    }
  };
});

よろしく、ジェリウクアレクサンドル

于 2013-04-27T16:26:18.043 に答える
1

上記の解決策はすべての状況で機能するわけではなかったので、モデルと編集者の同期を維持する次のディレクティブを作成するためにそれらを使用しました。

angular.module('redactor', [])

.directive('redactor'、function(){return {require:'?ngModel'、link:function(scope、el、attrs、ngModel){

  // Function to update model
  var updateModel = function() {
        scope.$apply(ngModel.$setViewValue(el.getCode()));
    };

  // Get the redactor element and call update model
  el.redactor({
    keyupCallback: updateModel,
    keydownCallback: updateModel,
    execCommandCallback: updateModel,
    autosaveCallback: updateModel
  });

  // Call to sync the redactor content
          ngModel.$render = function(value) {
        el.setCode(ngModel.$viewValue);
    };
  }
};

});

依存関係としてredactorモジュールを追加し、以下をhtmlに追加するだけです。

注:バージョン9.1.1にアップグレードした後、コードを更新する必要がありました

新しいバージョンは次のとおりです。

    .directive('redactor', function () {
        return {
          require: '?ngModel',
          link: function (scope, el, attrs, ngModel) {

            var updateModel, errorHandling;
            // Function to update model
            updateModel = function() {
              if(!scope.$$phase) {
                  scope.$apply(ngModel.$setViewValue(el.redactor('get')));
                }
              };

            uploadErrorHandling = function(response)
              {
                console.log(response.error);
                alert("Error: "+ response.error);
              }; 

            // Get the redactor element and call update model
            el.redactor({
              minHeight: 100,
              buttons: ['formatting', '|', 'bold', 'italic', 'deleted', '|',
              'unorderedlist', 'orderedlist', 'outdent', 'indent', '|',
              'image', 'video', 'file', 'table', 'link', '|', 'alignment', '|', 'horizontalrule'],
              keyupCallback: updateModel,
              keydownCallback: updateModel,
              changeCallback: updateModel,
              execCommandCallback: updateModel,
              autosaveCallback: updateModel,
              imageUpload: '/file/upload/image',
              imageUploadErrorCallback: uploadErrorHandling,
              imageGetJson: '/api/v1/gallery'
              });

            // Call to sync the redactor content
              ngModel.$render = function(value) {
                  el.redactor('set', ngModel.$viewValue);
              };
          }
        };
      });
于 2013-08-19T06:09:00.770 に答える