Добавить порт к пользовательским элементам вjoinJS

Я новичок в библиотеке JointJs и пытаюсь добавить порты в свой пользовательский элемент, который содержит в себе html-код. Я следовал этому руководству (http://www.jointjs.com/tutorial/html-elements) и создал свой элемент. Но когда я пытаюсь добавить к нему порты (на основе этого руководства: http://www.jointjs.com/tutorial/ports) не работает. Еще одна проблема, с которой я столкнулся, заключается в том, что я хочу, чтобы текстовое поле (текстовое поле в моей пользовательской форме) исчезало, когда я нажимаю на чистый лист, и на элементе остается видимой только метка с ее содержимым. Для этого я использовал следующий фрагмент кода (но он не дает мне вышеупомянутой функциональности):

paper.on('blank:pointerdown', function(evt, x, y) { this.$box.find('textarea').toBack(); });

        this.model.on('cell:pointerclick', function(evt, x, y) {this.$box.find('textarea').toFront();});

Весь мой код выглядит следующим образом:

<!DOCTYPE html>
<html>
<head>


<link rel="stylesheet" href="graph.css">

<script type="text/javascript" src="http://www.jointjs.com/downloads/joint.js" ></script>
<script src="http://www.jointjs.com/downloads/joint.shapes.devs.js" ></script>
<script src="http://www.jointjs.com/downloads/joint.shapes.devs.min.js" ></script>

</head>
<title>Test</title>

<body>
    <div id="myholder"></div>
</body>
<script>

    var graph = new joint.dia.Graph;

    var paper = new joint.dia.Paper({
        el: $('#myholder'),
        width: 1500,
        height: 700,
        model: graph
    });

    // Create a custom element.
    // ------------------------
    joint.shapes.html = {};
    joint.shapes.html.Element = joint.shapes.basic.Rect.extend({
        defaults: joint.util.deepSupplement({
            type: 'html.Element',
            attrs: {
                rect: { stroke: 'none', 'fill-opacity': 0 }
            }
        }, joint.shapes.basic.Rect.prototype.defaults)
   });

   // Create a custom view for that element that displays an HTML div above it.
   // -------------------------------------------------------------------------

    joint.shapes.html.ElementView = joint.dia.ElementView.extend({

        template: [
            '<div class="html-element">',
            '<button class="delete">x</button>',
            '<span id="lbl" value="Please write here"></span>', 
            '<textarea id="txt" type="text" value="Please write here"></textarea>',
            '</div>'
        ].join(''),

    initialize: function() {
        _.bindAll(this, 'updateBox');
        joint.dia.ElementView.prototype.initialize.apply(this, arguments);

        this.$box = $(_.template(this.template)());
        // Prevent paper from handling pointerdown.
        this.$box.find('input,select').on('mousedown click', function(evt) { evt.stopPropagation(); });


        // This is an example of reacting on the input change and storing the input data in the cell model.
        this.$box.find('textarea').on('change', _.bind(function(evt) {
            this.model.set('textarea', $(evt.target).val());
        }, this));
        this.$box.find('.delete').on('click', _.bind(this.model.remove, this.model));
        // Update the box position whenever the underlying model changes.
        this.model.on('change', this.updateBox, this);
        // Remove the box when the model gets removed from the graph.
        this.model.on('remove', this.removeBox, this);

        this.updateBox();
    },


     render: function() {
        joint.dia.ElementView.prototype.render.apply(this, arguments);
        this.paper.$el.prepend(this.$box);
        this.updateBox();
        return this;
    },

    updateBox: function() {
        // Set the position and dimension of the box so that it covers the JointJS element.
        var bbox = this.model.getBBox();
        // Example of updating the HTML with a data stored in the cell model.
        paper.on('blank:pointerdown', function(evt, x, y) { this.$box.find('textarea').toBack(); });
        this.$box.find('span').text(this.model.get('textarea'));
        this.model.on('cell:pointerclick', function(evt, x, y) { this.$box.find('textarea').toFront(); });
        this.$box.css({ width: bbox.width, height: bbox.height, left: bbox.x, top: bbox.y, transform: 'rotate(' + (this.model.get('angle') || 0) + 'deg)' });
    },
    removeBox: function(evt) {
        this.$box.remove();
    }
}); 


// Create JointJS elements and add them to the graph as usual.
// -----------------------------------------------------------

var el1 = new joint.shapes.html.Element({ 
    position: { x: 600, y: 250 }, 
    size: { width: 200, height: 100 }, 
    inPorts: ['in'],
    outPorts: ['out'],
    attrs: {
        '.inPorts circle': { fill: 'gray'},
        '.outPorts circle': { fill: 'gray'}
    },
 textarea: 'Start writing'});

graph.addCells([el1]);

paper.on('cell:pointerdblclick', function(cellView, evt, x, y) {
   var el2 = new joint.shapes.html.Element({ position: { x: 600, y: 400 }, size: { width: 200, height: 100 }, textarea: 'Start writing'});

   var l = new joint.dia.Link({
        source: { id: el1.id },
        target: { id: el2.id },
        attrs: { '.connection': { 'stroke-width': 1, stroke: 'gray' } }
    });

    graph.addCells([el2, l]);
});


</script>
</html>

Я много искал ответы на эти вопросы, но мне не удалось найти простых и исчерпывающих. Любая помощь будет оценена. Спасибо.


person zahra    schedule 06.10.2014    source источник


Ответы (3)


Я также новичок в JointJs и столкнулся с той же проблемой и нашел эту тему. Я пробовал и работал успешно.

Вы должны настроить css элемента, чтобы получить лучший обзор. Перейдите на страницу работа с портами, чтобы узнать больше о работе с портами.

Вот код:

<!DOCTYPE html>
<html>
<head>


<link rel="stylesheet" href="http://www.jointjs.com/downloads/joint.min.css">
<style type="text/css">
  #myholder .html-element{
    position: absolute;
    margin-left: 8px;
    padding: 5px 0 10px 0;
    background-color: #fff;
    border: 1px solid #eee;
    border-radius: 5px;
    pointer-events: none;
    -webkit-user-select: none;
  }
</style>

<script type="text/javascript" src="http://www.jointjs.com/downloads/joint.min.js" ></script>
</head>
<title>Test</title>

<body>
    <div id="myholder"></div>
</body>
<script>

    var graph = new joint.dia.Graph;

    var paper = new joint.dia.Paper({
        el: $('#myholder'),
        width: 1500,
        height: 700,
        model: graph
    });

    // Create a custom element.
    // ------------------------
    joint.shapes.html = {};
    joint.shapes.html.Element = joint.shapes.basic.Generic.extend(_.extend({}, joint.shapes.basic.PortsModelInterface, {
        markup: '<g class="rotatable"><g class="scalable"><rect/></g><g class="inPorts"/><g class="outPorts"/></g>',
        portMarkup: '<g class="port<%= id %>"><circle/></g>',
        defaults: joint.util.deepSupplement({
            type: 'html.Element',
            size: { width: 100, height: 80 },
            inPorts: [],
            outPorts: [],
            attrs: {
                '.': { magnet: false },
                rect: {
                    stroke: 'none', 'fill-opacity': 0, width: 150, height: 250,
                },
                circle: {
                    r: 6, //circle radius
                    magnet: true,
                    stroke: 'black'
                },

                '.inPorts circle': { fill: 'green', magnet: 'passive', type: 'input'},
                '.outPorts circle': { fill: 'red', type: 'output'}
            }
        }, joint.shapes.basic.Generic.prototype.defaults),
        getPortAttrs: function (portName, index, total, selector, type) {

            var attrs = {};
            var portClass = 'port' + index;
            var portSelector = selector + '>.' + portClass;
            var portCircleSelector = portSelector + '>circle';
            attrs[portCircleSelector] = { port: { id: portName || _.uniqueId(type), type: type } };
            attrs[portSelector] = { ref: 'rect', 'ref-y': (index + 0.5) * (1 / total) };
            if (selector === '.outPorts') { attrs[portSelector]['ref-dx'] = 0; }
            return attrs;
        }
    }));


   // Create a custom view for that element that displays an HTML div above it.
   // -------------------------------------------------------------------------

    joint.shapes.html.ElementView = joint.dia.ElementView.extend({

        template: [
            '<div class="html-element">',
            '<button class="delete">x</button>',
            '<span id="lbl" value="Please write here"></span>', 
            '<textarea id="txt" type="text" value="Please write here"></textarea>',
            '</div>'
        ].join(''),

    initialize: function() {
        _.bindAll(this, 'updateBox');
        joint.dia.ElementView.prototype.initialize.apply(this, arguments);

        this.$box = $(_.template(this.template)());
        // Prevent paper from handling pointerdown.
        this.$box.find('input,select').on('mousedown click', function(evt) { evt.stopPropagation(); });


        // This is an example of reacting on the input change and storing the input data in the cell model.
        this.$box.find('textarea').on('change', _.bind(function(evt) {
            this.model.set('textarea', $(evt.target).val());
        }, this));
        this.$box.find('.delete').on('click', _.bind(this.model.remove, this.model));
        // Update the box position whenever the underlying model changes.
        this.model.on('change', this.updateBox, this);
        // Remove the box when the model gets removed from the graph.
        this.model.on('remove', this.removeBox, this);

        this.updateBox();

        this.listenTo(this.model, 'process:ports', this.update);
        joint.dia.ElementView.prototype.initialize.apply(this, arguments);
    },


     render: function() {
        joint.dia.ElementView.prototype.render.apply(this, arguments);
        this.paper.$el.prepend(this.$box);
        // this.paper.$el.mousemove(this.onMouseMove.bind(this)), this.paper.$el.mouseup(this.onMouseUp.bind(this));
        this.updateBox();
        return this;
    },

    renderPorts: function () {
        var $inPorts = this.$('.inPorts').empty();
        var $outPorts = this.$('.outPorts').empty();

        var portTemplate = _.template(this.model.portMarkup);

        _.each(_.filter(this.model.ports, function (p) { return p.type === 'in' }), function (port, index) {

            $inPorts.append(V(portTemplate({ id: index, port: port })).node);
        });
        _.each(_.filter(this.model.ports, function (p) { return p.type === 'out' }), function (port, index) {

            $outPorts.append(V(portTemplate({ id: index, port: port })).node);
        });
    }, 

    update: function () {

        // First render ports so that `attrs` can be applied to those newly created DOM elements
        // in `ElementView.prototype.update()`.
        this.renderPorts();
        joint.dia.ElementView.prototype.update.apply(this, arguments);
    },

    updateBox: function() {
        // Set the position and dimension of the box so that it covers the JointJS element.
        var bbox = this.model.getBBox();
        // Example of updating the HTML with a data stored in the cell model.
        // paper.on('blank:pointerdown', function(evt, x, y) { this.$box.find('textarea').toBack(); });
        this.$box.find('span').text(this.model.get('textarea'));
        this.model.on('cell:pointerclick', function(evt, x, y) { this.$box.find('textarea').toFront(); });
        this.$box.css({ width: bbox.width, height: bbox.height, left: bbox.x, top: bbox.y, transform: 'rotate(' + (this.model.get('angle') || 0) + 'deg)' });
    },
    removeBox: function(evt) {
        this.$box.remove();
    }
}); 


// Create JointJS elements and add them to the graph as usual.
// -----------------------------------------------------------

var el1 = new joint.shapes.html.Element({ 
    position: { x: 600, y: 250 }, 
    size: { width: 170, height: 100 },
    inPorts: ['in'],
    outPorts: ['out'],
    textarea: 'Start writing'
  });

var el2 = new joint.shapes.html.Element({ 
    position: { x: 600, y: 400 },
    size: { width: 170, height: 100 },
    inPorts: ['in'],
    outPorts: ['out'],
    textarea: 'Start writing'
  });

graph.addCells([el1, el2]);


</script>
</html>
person rzkmr    schedule 06.10.2014
comment
Текстовая область не редактируется. Я имею в виду, что я не могу напечатать текст. Это работает для вас? - person kittu; 28.07.2015

Я задал вопрос, на который никто не ответил. Это было то, как я могу заставить текстовую область исчезнуть, когда я нажимаю на чистый лист, и появляться, когда я нажимаю на ячейку: сначала я подумал, что мне нужно решить ее с помощью событий jsonJS внутри javascript. Но я узнал, что для этого есть очень простое решение. Мне просто нужно использовать функцию наведения в стиле css и изменить непрозрачность с 0 на 1, когда вы наводите курсор на поле (в вашем файле css):

.html-element textarea {
   position: absolute;
   bottom: 0;
   left: 0;
   right: 0;
   height: 60px;
   width: 150px;
   border: none;
   color: #333;
   background-color: white;
   padding: 5px;
   margin: 5px;
   opacity:0;

}

.html-element textarea:hover {

   opacity:1;
}
person zahra    schedule 09.10.2014
comment
Могу я получить ваш аккаунт в скайпе?! - person Shafizadeh; 03.08.2015

Ответ rzkmr сработал для меня, +1 его ответ. (Спасибо!)
В его примере, чтобы разрешить использование текстовой области, добавьте это в css:


    .html-element select,
    .html-element input,
    .html-element textarea,
    .html-element button {
       /* Enable mouse interaction. */
       pointer-events: auto;   
    }
person Rashid Clark    schedule 28.10.2014