author
int64 658
755k
| date
stringlengths 19
19
| timezone
int64 -46,800
43.2k
| hash
stringlengths 40
40
| message
stringlengths 5
490
| mods
list | language
stringclasses 20
values | license
stringclasses 3
values | repo
stringlengths 5
68
| original_message
stringlengths 12
491
|
---|---|---|---|---|---|---|---|---|---|
426,504 | 16.08.2020 11:45:27 | -7,200 | 2e607a3e373d9e8f02a473979702ecfd06e1ae17 | adding NodeUtilTest | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/NodeUtil.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/NodeUtil.kt",
"diff": "package org.modelix.model.api\n-object NodeUtil {\n- fun getDescendants(node: INode, includeSelf: Boolean): Iterable<INode?> {\n+fun INode.getDescendants(includeSelf: Boolean): Iterable<INode?> {\nreturn if (includeSelf) {\n- (sequenceOf(node) + getDescendants(node, false)).asIterable()\n+ (sequenceOf(this) + this.getDescendants( false)).asIterable()\n} else {\n- node.allChildren.flatMap { it: INode -> getDescendants(it, true) }\n+ this.allChildren.flatMap { it.getDescendants(true) }\n}\n}\n- fun getAncestor(_this: INode?, concept: IConcept?, includeSelf: Boolean): INode? {\n- if (_this == null) {\n+fun INode?.getAncestor(concept: IConcept?, includeSelf: Boolean): INode? {\n+ if (this == null) {\nreturn null\n}\n- return if (includeSelf && _this.concept!!.isSubconceptOf(concept)) {\n- _this\n- } else getAncestor(_this.parent, concept, true)\n- }\n+ return if (includeSelf && this.concept!!.isSubconceptOf(concept)) {\n+ this\n+ } else this.parent.getAncestor(concept, true)\n}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/api/NodeUtilTest.kt",
"diff": "+package org.modelix.model.api\n+\n+import kotlin.test.Test\n+import kotlin.test.assertEquals\n+\n+class SimpleNode : INode {\n+ override val isValid: Boolean\n+ get() = TODO(\"Not yet implemented\")\n+ override val reference: INodeReference\n+ get() = TODO(\"Not yet implemented\")\n+ override val concept: IConcept?\n+ get() = TODO(\"Not yet implemented\")\n+ override var roleInParent: String? = null\n+ override var parent: INode? = null\n+\n+ private val childrenByRole = HashMap<String?, MutableList<INode>>()\n+\n+ override fun getChildren(role: String?): Iterable<INode> {\n+ return childrenByRole[role] ?: emptyList()\n+ }\n+\n+ override val allChildren: Iterable<INode>\n+ get() = childrenByRole.values.flatten()\n+\n+ override fun addChild(role: String?, index: Int, node: INode) {\n+ val l = childrenByRole.getOrPut(role) { mutableListOf() }\n+ l.add(index, node)\n+ if (node is SimpleNode) {\n+ node.parent = this\n+ node.roleInParent = role\n+ }\n+ require(node.parent == this)\n+ require(node.roleInParent == role)\n+ }\n+\n+ override fun addNewChild(role: String?, index: Int, concept: IConcept?): INode {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun removeChild(child: INode) {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun getReferenceTarget(role: String): INode? {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun setReferenceTarget(role: String, target: INode?) {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun getPropertyValue(role: String): String? {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun setPropertyValue(role: String, value: String?) {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+}\n+\n+class NodeUtilTest {\n+\n+ @Test\n+ fun getDescendantsIncludingItself() {\n+ val rootNode = SimpleNode()\n+ val child1 = SimpleNode()\n+ val child2 = SimpleNode()\n+ val grandChildA = SimpleNode()\n+ val grandChildB = SimpleNode()\n+ val grandChildC = SimpleNode()\n+ rootNode.addChild(\"link_a\", 0, child1)\n+ rootNode.addChild(\"link_b\", 0, child2)\n+ child1.addChild(\"link_c\", 0, grandChildA)\n+ child1.addChild(\"link_c\", 1, grandChildB)\n+ child1.addChild(\"link_c\", 2, grandChildC)\n+ assertEquals(hashSetOf(grandChildA), grandChildA.getDescendants(true).toSet())\n+ assertEquals(hashSetOf(grandChildB), grandChildB.getDescendants(true).toSet())\n+ assertEquals(hashSetOf(grandChildC), grandChildC.getDescendants(true).toSet())\n+ assertEquals(hashSetOf(child1, grandChildA, grandChildB, grandChildC), child1.getDescendants(true).toSet())\n+ assertEquals(hashSetOf(child2), child2.getDescendants(true).toSet())\n+ assertEquals(hashSetOf(rootNode, child1, child2, grandChildA, grandChildB, grandChildC), rootNode.getDescendants(true).toSet())\n+ }\n+\n+ @Test\n+ fun getDescendantsNotIncludingItself() {\n+ val rootNode = SimpleNode()\n+ val child1 = SimpleNode()\n+ val child2 = SimpleNode()\n+ val grandChildA = SimpleNode()\n+ val grandChildB = SimpleNode()\n+ val grandChildC = SimpleNode()\n+ rootNode.addChild(\"link_a\", 0, child1)\n+ rootNode.addChild(\"link_b\", 0, child2)\n+ child1.addChild(\"link_c\", 0, grandChildA)\n+ child1.addChild(\"link_c\", 1, grandChildB)\n+ child1.addChild(\"link_c\", 2, grandChildC)\n+ assertEquals(hashSetOf(), grandChildA.getDescendants(false).toSet())\n+ assertEquals(hashSetOf(), grandChildB.getDescendants(false).toSet())\n+ assertEquals(hashSetOf(), grandChildC.getDescendants(false).toSet())\n+ assertEquals(hashSetOf( grandChildA, grandChildB, grandChildC), child1.getDescendants(false).toSet())\n+ assertEquals(hashSetOf(), child2.getDescendants(false).toSet())\n+ assertEquals(hashSetOf(child1, child2, grandChildA, grandChildB, grandChildC), rootNode.getDescendants(false).toSet())\n+\n+ }\n+}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | adding NodeUtilTest |
426,504 | 16.08.2020 11:55:40 | -7,200 | 137fe6b42efd02d0c16e93120ff17b2326901ae3 | testing getAncestor | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/api/NodeUtilTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/api/NodeUtilTest.kt",
"diff": "@@ -3,13 +3,41 @@ package org.modelix.model.api\nimport kotlin.test.Test\nimport kotlin.test.assertEquals\n-class SimpleNode : INode {\n+class SimpleConcept : IConcept {\n+ override fun isSubconceptOf(superConcept: IConcept?): Boolean {\n+ return this == superConcept\n+ }\n+\n+ override fun isExactly(concept: IConcept?): Boolean {\n+ return this == concept\n+ }\n+\n+ override val properties: Iterable<IProperty>\n+ get() = TODO(\"Not yet implemented\")\n+ override val childLinks: Iterable<IChildLink>\n+ get() = TODO(\"Not yet implemented\")\n+ override val referenceLinks: Iterable<IReferenceLink>\n+ get() = TODO(\"Not yet implemented\")\n+\n+ override fun getProperty(name: String): IProperty {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun getChildLink(name: String): IChildLink {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+ override fun getReferenceLink(name: String): IReferenceLink {\n+ TODO(\"Not yet implemented\")\n+ }\n+\n+}\n+\n+class SimpleNode(override val concept: IConcept? = null) : INode {\noverride val isValid: Boolean\nget() = TODO(\"Not yet implemented\")\noverride val reference: INodeReference\nget() = TODO(\"Not yet implemented\")\n- override val concept: IConcept?\n- get() = TODO(\"Not yet implemented\")\noverride var roleInParent: String? = null\noverride var parent: INode? = null\n@@ -101,6 +129,71 @@ class NodeUtilTest {\nassertEquals(hashSetOf( grandChildA, grandChildB, grandChildC), child1.getDescendants(false).toSet())\nassertEquals(hashSetOf(), child2.getDescendants(false).toSet())\nassertEquals(hashSetOf(child1, child2, grandChildA, grandChildB, grandChildC), rootNode.getDescendants(false).toSet())\n+ }\n+\n+ @Test\n+ fun getAncestorIncludingItself() {\n+ val concept1 = SimpleConcept()\n+ val concept2 = SimpleConcept()\n+ val concept3 = SimpleConcept()\n+ val concept4 = SimpleConcept()\n+ val rootNode = SimpleNode(concept1)\n+ val child1 = SimpleNode(concept2)\n+ val grandChildA = SimpleNode(concept3)\n+ rootNode.addChild(\"link_a\", 0, child1)\n+ child1.addChild(\"link_c\", 0, grandChildA)\n+ assertEquals(null, null.getAncestor(null, true))\n+ assertEquals(null, null.getAncestor(concept1, true))\n+ assertEquals(null, null.getAncestor(concept2, true))\n+ assertEquals(null, null.getAncestor(concept3, true))\n+ assertEquals(null, null.getAncestor(concept4, true))\n+ assertEquals(null, rootNode.getAncestor(null, true))\n+ assertEquals(rootNode, rootNode.getAncestor(concept1, true))\n+ assertEquals(null, rootNode.getAncestor(concept2, true))\n+ assertEquals(null, rootNode.getAncestor(concept3, true))\n+ assertEquals(null, rootNode.getAncestor(concept4, true))\n+ assertEquals(null, child1.getAncestor(null, true))\n+ assertEquals(rootNode, child1.getAncestor(concept1, true))\n+ assertEquals(child1, child1.getAncestor(concept2, true))\n+ assertEquals(null, child1.getAncestor(concept3, true))\n+ assertEquals(null, child1.getAncestor(concept4, true))\n+ assertEquals(null, grandChildA.getAncestor(null, true))\n+ assertEquals(rootNode, grandChildA.getAncestor(concept1, true))\n+ assertEquals(child1, grandChildA.getAncestor(concept2, true))\n+ assertEquals(grandChildA, grandChildA.getAncestor(concept3, true))\n+ assertEquals(null, grandChildA.getAncestor(concept4, true))\n+ }\n+ @Test\n+ fun getAncestorNotIncludingItself() {\n+ val concept1 = SimpleConcept()\n+ val concept2 = SimpleConcept()\n+ val concept3 = SimpleConcept()\n+ val concept4 = SimpleConcept()\n+ val rootNode = SimpleNode(concept1)\n+ val child1 = SimpleNode(concept2)\n+ val grandChildA = SimpleNode(concept3)\n+ rootNode.addChild(\"link_a\", 0, child1)\n+ child1.addChild(\"link_c\", 0, grandChildA)\n+ assertEquals(null, null.getAncestor(null, false))\n+ assertEquals(null, null.getAncestor(concept1, false))\n+ assertEquals(null, null.getAncestor(concept2, false))\n+ assertEquals(null, null.getAncestor(concept3, false))\n+ assertEquals(null, null.getAncestor(concept4, false))\n+ assertEquals(null, rootNode.getAncestor(null, false))\n+ assertEquals(null, rootNode.getAncestor(concept1, false))\n+ assertEquals(null, rootNode.getAncestor(concept2, false))\n+ assertEquals(null, rootNode.getAncestor(concept3, false))\n+ assertEquals(null, rootNode.getAncestor(concept4, false))\n+ assertEquals(null, child1.getAncestor(null, false))\n+ assertEquals(rootNode, child1.getAncestor(concept1, false))\n+ assertEquals(null, child1.getAncestor(concept2, false))\n+ assertEquals(null, child1.getAncestor(concept3, false))\n+ assertEquals(null, child1.getAncestor(concept4, false))\n+ assertEquals(null, grandChildA.getAncestor(null, false))\n+ assertEquals(rootNode, grandChildA.getAncestor(concept1, false))\n+ assertEquals(child1, grandChildA.getAncestor(concept2, false))\n+ assertEquals(null, grandChildA.getAncestor(concept3, false))\n+ assertEquals(null, grandChildA.getAncestor(concept4, false))\n}\n}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | testing getAncestor |
426,504 | 16.08.2020 14:15:55 | -7,200 | 3f5684d177d0dc9e55a228a8c0d6932c1ba9390e | make PNodeReference a data class | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/PNodeReference.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/PNodeReference.kt",
"diff": "package org.modelix.model.api\n-class PNodeReference(val id: Long) : INodeReference {\n+data class PNodeReference(val id: Long) : INodeReference {\noverride fun resolveNode(context: INodeResolveContext?): INode? {\nreturn if (context is PNodeResolveContext) {\n@@ -25,24 +25,4 @@ class PNodeReference(val id: Long) : INodeReference {\n}\n}\n- override fun equals(o: Any?): Boolean {\n- if (this === o) {\n- return true\n- }\n- if (o == null || this::class != o::class) {\n- return false\n- }\n- val that = o as PNodeReference\n- return id == that.id\n- }\n-\n- override fun hashCode(): Int {\n- var result = 0\n- result = 31 * result + (id xor (id shr 32)).toInt()\n- return result\n- }\n-\n- override fun toString(): String {\n- return \"PNodeReference{id=$id}\"\n- }\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | make PNodeReference a data class |
426,504 | 16.08.2020 14:18:30 | -7,200 | d48a6552af1f4931349be07c52784d63fe0dc61b | create ReplicatedTree default constructor | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -4,8 +4,7 @@ import org.modelix.model.api.IBranch\nimport org.modelix.model.lazy.CLVersion\nimport org.modelix.model.lazy.TreeId\n-expect class ReplicatedTree {\n- constructor(client: IModelClient, treeId: TreeId, branchName: String, user: () -> String)\n+expect class ReplicatedTree(client: IModelClient, treeId: TreeId, branchName: String, user: () -> String) {\nvar version: CLVersion?\nval branch: IBranch\nfun dispose()\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | create ReplicatedTree default constructor |
426,496 | 17.08.2020 17:50:47 | -7,200 | ad8497b9b59b9cab2f41fd3fc742a39d32c8c01e | Conflict resolution tests (18) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"diff": "@@ -33,7 +33,8 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\noverride fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\n-// indexAdjustments.nodeAdded(a, position)\n+ indexAdjustments.nodeAdded(a, false, position, childId)\n+ indexAdjustments.setKnownPosition(childId, a.position)\na\n}\nreturn when (previous) {\n@@ -41,7 +42,7 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\nis DeleteNodeOp -> {\nif (previous.childId == position.nodeId) {\nval redirected = AddNewChildOp(PositionInRole(DETACHED_ROLE, 0), this.childId, this.concept)\n- indexAdjustments.redirectedAdd(this, position, redirected.position)\n+ indexAdjustments.redirectedAdd(this, position, redirected.position, childId)\nredirected\n} else {\nadjusted()\n@@ -56,10 +57,11 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\n}\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.nodeAdded(this, position)\n+ indexAdjustments.nodeAdded(this, true, position, childId)\n+ indexAdjustments.setKnownPosition(childId, position)\n}\n- override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation {\n+ override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): AddNewChildOp {\nreturn withPosition(indexAdjustments.getAdjustedPositionForInsert(position))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "package org.modelix.model.operations\nimport org.modelix.model.api.IConcept\n-import org.modelix.model.api.ITree\nimport org.modelix.model.api.IWriteTransaction\nimport org.modelix.model.persistent.SerializationUtil\n@@ -42,7 +41,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\noverride fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\n-// indexAdjustments.nodeRemoved(a, position)\n+ indexAdjustments.nodeRemoved(a, false, position, childId)\na\n}\nreturn when (previous) {\n@@ -69,11 +68,12 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\n}\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.nodeRemoved(this, position)\n+ indexAdjustments.nodeRemoved(this, true, position, childId)\n+ indexAdjustments.setKnownPosition(childId, position, true)\n}\noverride fun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation {\n- return withPosition(indexAdjustments.getAdjustedPosition(position))\n+ return withPosition(indexAdjustments.getAdjustedPosition(childId, position))\n}\noverride fun toString(): String {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "package org.modelix.model.operations\n-typealias AdjustmentFunction = (PositionInRole, forInsert: Boolean) -> PositionInRole\n-\nclass IndexAdjustments {\n- private val adjustments: MutableList<OwnerAndAdjustment> = ArrayList()\n+ private val adjustments: MutableList<Adjustment> = ArrayList()\n+ private val knownPositions: MutableMap<Long, KnownPosition> = HashMap()\n+\n+ fun setKnownPosition(nodeId: Long, pos: PositionInRole, deleted: Boolean = false) {\n+ setKnownPosition(nodeId, KnownPosition(pos, deleted))\n+ }\n+\n+ fun setKnownPosition(nodeId: Long, newPosition: KnownPosition) {\n+ knownPositions[nodeId] = newPosition\n+ }\nfun getAdjustedIndex(position: PositionInRole, forInsert: Boolean = false): Int {\nreturn getAdjustedPosition(position, forInsert).index\n@@ -16,117 +23,130 @@ class IndexAdjustments {\nfun getAdjustedPosition(position: PositionInRole, forInsert: Boolean = false): PositionInRole {\nvar result = position\nfor (adj in adjustments) {\n- result = adj.adj(result, forInsert)\n+ if (adj.isConcurrentSide()) {\n+ result = adj.adjust(result, forInsert)\n+ }\n}\nreturn result\n}\n- fun addAdjustment(owner: IOperation, adj: AdjustmentFunction) {\n- adjustments.add(OwnerAndAdjustment(owner, adj))\n+ fun getAdjustedPosition(nodeId: Long, lastKnownPosition: PositionInRole): PositionInRole {\n+ val knownPosition = knownPositions[nodeId]\n+ if (knownPosition != null) {\n+ if (knownPosition.deleted) throw RuntimeException(\"Node ${nodeId.toString(16)} is deleted\")\n+ return knownPosition.position\n}\n-\n- fun removeAdjustment(owner: IOperation) {\n- adjustments.removeAll { it.owner == owner }\n+ return getAdjustedPosition(lastKnownPosition)\n}\n- fun nodeAdded(owner: IOperation, addedPos: PositionInRole) {\n- addAdjustment(owner) { posToTransform, forInsert ->\n- if (posToTransform.roleInNode == addedPos.roleInNode && posToTransform.index >= addedPos.index) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else {\n- posToTransform\n- }\n+ fun addAdjustment(newAdjustment: Adjustment) {\n+ for (i in adjustments.indices) {\n+ adjustments[i] = adjustments[i].adjustSelf(newAdjustment)\n}\n+ adjustments.add(newAdjustment)\n}\n- fun redirectedAdd(owner: IOperation, originalPos: PositionInRole, redirectedPos: PositionInRole) {\n- addAdjustment(owner) { posToTransform, forInsert ->\n- if (posToTransform.roleInNode == redirectedPos.roleInNode && posToTransform.index >= redirectedPos.index) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else {\n- posToTransform\n- }\n- }\n- redirectReads(owner, originalPos, redirectedPos)\n+ fun removeAdjustment(owner: IOperation) {\n+ adjustments.removeAll { it.owner == owner }\n}\n- fun redirectedMove(owner: IOperation, source: PositionInRole, originalTarget: PositionInRole, redirectedTarget: PositionInRole) {\n- addAdjustment(owner) { posToTransform, forInsert ->\n- when {\n- posToTransform == originalTarget -> {\n- if (forInsert) posToTransform else redirectedTarget\n+ private fun adjustKnownPositions(role: RoleInNode, entryAdjustment: (index: Int) -> Int) {\n+ for (entry in knownPositions.entries) {\n+ if (entry.value.position.roleInNode == role) {\n+ val newIndex = entryAdjustment(entry.value.position.index)\n+ if (newIndex != entry.value.position.index) {\n+ entry.setValue(entry.value.withIndex(entry.value.position.index + 1))\n}\n- posToTransform.roleInNode == originalTarget.roleInNode -> {\n- when {\n- posToTransform.index > originalTarget.index -> posToTransform.withIndex(posToTransform.index - 1)\n- posToTransform.index == originalTarget.index -> {\n- if (forInsert) posToTransform\n- else throw RuntimeException(\"$originalTarget was removed\")\n}\n- else -> posToTransform\n}\n}\n- posToTransform.roleInNode == redirectedTarget.roleInNode -> {\n- if (posToTransform.index >= redirectedTarget.index) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else {\n- posToTransform\n+\n+ fun nodeAdded(owner: IOperation, concurrentSide: Boolean, addedPos: PositionInRole, nodeId: Long) {\n+ adjustKnownPositions(addedPos.roleInNode) { if (it >= addedPos.index) it + 1 else it }\n+ addAdjustment(NodeInsertAdjustment(owner, concurrentSide, addedPos))\n}\n+\n+ fun redirectedAdd(owner: IOperation, originalPos: PositionInRole, redirectedPos: PositionInRole, nodeId: Long) {\n+ adjustKnownPositions(redirectedPos.roleInNode) { if (it >= redirectedPos.index) it + 1 else it }\n+ adjustKnownPositions(originalPos.roleInNode) { if (it > originalPos.index) it - 1 else it }\n+ setKnownPosition(nodeId, redirectedPos, deleted = false)\n+ addAdjustment(NodeInsertAdjustment(owner, false, redirectedPos))\n}\n- else -> posToTransform\n+\n+ fun redirectedMove(owner: IOperation, source: PositionInRole, originalTarget: PositionInRole, redirectedTarget: PositionInRole) {\n+ adjustKnownPositions(redirectedTarget.roleInNode) { if (it >= redirectedTarget.index) it + 1 else it }\n+ addAdjustment(NodeInsertAdjustment(owner, false, redirectedTarget))\n+ addAdjustment(NodeRemoveAdjustment(owner, false, originalTarget))\n}\n+\n+ fun nodeRemoved(owner: IOperation, concurrentSide: Boolean, removedPos: PositionInRole, nodeId: Long) {\n+ adjustKnownPositions(removedPos.roleInNode) { if (it > removedPos.index) it - 1 else it }\n+ if (knownPositions[nodeId]?.deleted != true) {\n+ setKnownPosition(nodeId, KnownPosition(removedPos, true))\n}\n+ addAdjustment(NodeRemoveAdjustment(owner, concurrentSide, removedPos))\n}\n- fun redirectReads(owner: IOperation, originalPos: PositionInRole, redirectedPos: PositionInRole) {\n- addAdjustment(owner) { posToTransform, forInsert ->\n- if (!forInsert && posToTransform == originalPos) redirectedPos else posToTransform\n+ fun nodeMoved(owner: IOperation, concurrentSide: Boolean, sourcePos: PositionInRole, targetPos: PositionInRole) {\n+ adjustKnownPositions(sourcePos.roleInNode) { if (it >= sourcePos.index) it + 1 else it }\n+ adjustKnownPositions(targetPos.roleInNode) { if (it > targetPos.index) it - 1 else it }\n+ addAdjustment(NodeInsertAdjustment(owner, concurrentSide, targetPos))\n+ addAdjustment(NodeRemoveAdjustment(owner, concurrentSide, sourcePos))\n}\n}\n- fun nodeRemoved(owner: IOperation, removedPos: PositionInRole) {\n- addAdjustment(owner) { posToTransform, forInsert ->\n- if (posToTransform.roleInNode == removedPos.roleInNode) {\n- when {\n- posToTransform.index > removedPos.index -> posToTransform.withIndex(posToTransform.index - 1)\n- posToTransform.index == removedPos.index -> {\n- if (forInsert) posToTransform\n- else throw RuntimeException(\"$removedPos was removed\")\n+data class KnownPosition(val position: PositionInRole, val deleted: Boolean) {\n+ fun withIndex(newIndex: Int) = KnownPosition(position.withIndex(newIndex), deleted)\n}\n- else -> posToTransform\n+\n+abstract class Adjustment(val owner: IOperation) {\n+ abstract fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole\n+ abstract fun isConcurrentSide(): Boolean\n+ abstract fun adjustSelf(addedAdjustment: Adjustment): Adjustment\n}\n+\n+class NodeInsertAdjustment(owner: IOperation, val concurrentSide: Boolean, val insertedPos: PositionInRole): Adjustment(owner) {\n+ override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n+ return if (posToTransform.roleInNode == insertedPos.roleInNode) {\n+ if (posToTransform.index > insertedPos.index) {\n+ posToTransform.withIndex(posToTransform.index + 1)\n+ } else if (posToTransform.index == insertedPos.index && !forInsert) {\n+ posToTransform.withIndex(posToTransform.index + 1)\n} else {\nposToTransform\n}\n+ } else {\n+ posToTransform\n}\n}\n- fun nodeMoved(owner: IOperation, sourcePos: PositionInRole, targetPos: PositionInRole) {\n- addAdjustment(owner) { posToTransform, forInsert ->\n- when (posToTransform.roleInNode) {\n- sourcePos.roleInNode -> {\n- when {\n- posToTransform.index > sourcePos.index -> posToTransform.withIndex(posToTransform.index - 1)\n- posToTransform.index == sourcePos.index -> {\n- if (forInsert) posToTransform\n- else targetPos\n- }\n- else -> posToTransform\n+ override fun adjustSelf(addedAdjustment: Adjustment): Adjustment {\n+ if (addedAdjustment.isConcurrentSide() == isConcurrentSide()) return this\n+ val adjustedPos = addedAdjustment.adjust(insertedPos, false)\n+ if (adjustedPos == insertedPos) return this\n+ return NodeInsertAdjustment(owner, concurrentSide, adjustedPos)\n}\n+\n+ override fun isConcurrentSide() = concurrentSide\n}\n- targetPos.roleInNode -> {\n+\n+class NodeRemoveAdjustment(owner: IOperation, val concurrentSide: Boolean, val removedPos: PositionInRole) : Adjustment(owner) {\n+ override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n+ return if (posToTransform.roleInNode == removedPos.roleInNode) {\nwhen {\n- posToTransform.index >= targetPos.index -> posToTransform.withIndex(posToTransform.index + 1)\n+ posToTransform.index > removedPos.index -> posToTransform.withIndex(posToTransform.index - 1)\nelse -> posToTransform\n}\n-\n- }\n- else -> {\n+ } else {\nposToTransform\n}\n}\n+\n+ override fun adjustSelf(addedAdjustment: Adjustment): Adjustment {\n+ if (addedAdjustment.isConcurrentSide() == isConcurrentSide()) return this\n+ val adjustedPos = addedAdjustment.adjust(removedPos, false)\n+ if (adjustedPos == removedPos) return this\n+ return NodeRemoveAdjustment(owner, concurrentSide, adjustedPos)\n}\n+ override fun isConcurrentSide() = concurrentSide\n}\n\\ No newline at end of file\n-}\n-\n-data class OwnerAndAdjustment(val owner: IOperation, val adj: AdjustmentFunction) {}\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -35,28 +35,31 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\n-// indexAdjustments.nodeMoved(a, sourcePosition, targetPosition)\n+ indexAdjustments.nodeMoved(a, false, sourcePosition, targetPosition)\n+ indexAdjustments.setKnownPosition(childId, a.targetPosition)\na\n}\nreturn when (previous) {\nis AddNewChildOp -> adjusted()\nis DeleteNodeOp -> {\nif (previous.childId == childId) {\n- indexAdjustments.nodeRemoved(this, targetPosition)\n+ indexAdjustments.nodeRemoved(this, false, targetPosition, childId)\nNoOp()\n} else if (sourcePosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\n- MoveNodeOp(childId, PositionInRole(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE, 0), targetPosition)\n+ indexAdjustments.setKnownPosition(childId, redirectedTarget)\n+ MoveNodeOp(childId, redirectedTarget, targetPosition)\n} else if (targetPosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\n+ indexAdjustments.setKnownPosition(childId, redirectedTarget)\nMoveNodeOp(childId, sourcePosition, redirectedTarget)\n} else adjusted()\n}\nis MoveNodeOp -> {\nif (previous.childId == childId) {\n-// previous.undoAdjustment(indexAdjustments)\n+// indexAdjustments.removeAdjustment(previous)\nMoveNodeOp(\nchildId,\nprevious.targetPosition,\n@@ -72,7 +75,8 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n}\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.nodeMoved(this, sourcePosition, targetPosition)\n+ indexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\n+ indexAdjustments.setKnownPosition(childId, targetPosition)\n}\noverride fun withAdjustedPosition(indexAdjustments: IndexAdjustments): MoveNodeOp {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -314,7 +314,7 @@ class ConflictResolutionTest : TreeTestBase() {\n})\n}\n- //@Test\n+ @Test\nfun knownIssue14() {\nknownIssueTest({ t ->\nt.addNewChild(0x1, \"role2\", 0, 0xff00000001, null)\n"
},
{
"change_type": "DELETE",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/IndexAdjustmentsTest.kt",
"new_path": null,
"diff": "-package org.modelix.model\n-\n-import org.modelix.model.operations.IndexAdjustments\n-import org.modelix.model.operations.NoOp\n-import org.modelix.model.operations.PositionInRole\n-import kotlin.test.Test\n-import kotlin.test.assertEquals\n-import kotlin.test.assertFails\n-\n-class IndexAdjustmentsTest {\n-\n- @Test\n- fun test() {\n- val p = 1L\n- val r = \"role\"\n- val ia = IndexAdjustments()\n- val owner = NoOp()\n-\n- assertEquals(0, ia.getAdjustedIndex(PositionInRole(p, r, 0)))\n- assertEquals(1, ia.getAdjustedIndex(PositionInRole(p, r, 1)))\n- assertEquals(2, ia.getAdjustedIndex(PositionInRole(p, r, 2)))\n- assertEquals(3, ia.getAdjustedIndex(PositionInRole(p, r, 3)))\n- assertEquals(4, ia.getAdjustedIndex(PositionInRole(p, r, 4)))\n- assertEquals(5, ia.getAdjustedIndex(PositionInRole(p, r, 5)))\n-\n- ia.nodeAdded(owner, PositionInRole(p, r, 1))\n- assertEquals(0, ia.getAdjustedIndex(PositionInRole(p, r, 0)))\n- assertEquals(2, ia.getAdjustedIndex(PositionInRole(p, r, 1)))\n- assertEquals(3, ia.getAdjustedIndex(PositionInRole(p, r, 2)))\n- assertEquals(4, ia.getAdjustedIndex(PositionInRole(p, r, 3)))\n- assertEquals(5, ia.getAdjustedIndex(PositionInRole(p, r, 4)))\n- assertEquals(6, ia.getAdjustedIndex(PositionInRole(p, r, 5)))\n-\n- ia.nodeAdded(owner, PositionInRole(p, r, 3))\n- assertEquals(0, ia.getAdjustedIndex(PositionInRole(p, r, 0)))\n- assertEquals(2, ia.getAdjustedIndex(PositionInRole(p, r, 1)))\n- assertEquals(3, ia.getAdjustedIndex(PositionInRole(p, r, 2)))\n- assertEquals(5, ia.getAdjustedIndex(PositionInRole(p, r, 3)))\n- assertEquals(6, ia.getAdjustedIndex(PositionInRole(p, r, 4)))\n- assertEquals(7, ia.getAdjustedIndex(PositionInRole(p, r, 5)))\n-\n- ia.nodeRemoved(owner, PositionInRole(p, r, 2))\n- assertEquals(0, ia.getAdjustedIndex(PositionInRole(p, r, 0)))\n- assertEquals(2, ia.getAdjustedIndex(PositionInRole(p, r, 1)))\n- assertFails { ia.getAdjustedIndex(PositionInRole(p, r, 2)) }\n- assertEquals(4, ia.getAdjustedIndex(PositionInRole(p, r, 3)))\n- assertEquals(5, ia.getAdjustedIndex(PositionInRole(p, r, 4)))\n- assertEquals(6, ia.getAdjustedIndex(PositionInRole(p, r, 5)))\n-\n- ia.nodeRemoved(owner, PositionInRole(p, r, 4))\n- assertEquals(0, ia.getAdjustedIndex(PositionInRole(p, r, 0)))\n- assertEquals(2, ia.getAdjustedIndex(PositionInRole(p, r, 1)))\n- assertFails { ia.getAdjustedIndex(PositionInRole(p, r, 2)) }\n- assertEquals(4, ia.getAdjustedIndex(PositionInRole(p, r, 3)))\n- assertFails { ia.getAdjustedIndex(PositionInRole(p, r, 4)) }\n- assertEquals(5, ia.getAdjustedIndex(PositionInRole(p, r, 5)))\n-\n- ia.nodeAdded(owner, PositionInRole(p, r, 0))\n- assertEquals(1, ia.getAdjustedIndex(PositionInRole(p, r, 0)))\n- assertEquals(3, ia.getAdjustedIndex(PositionInRole(p, r, 1)))\n- assertFails { ia.getAdjustedIndex(PositionInRole(p, r, 2)) }\n- assertEquals(5, ia.getAdjustedIndex(PositionInRole(p, r, 3)))\n- assertFails { ia.getAdjustedIndex(PositionInRole(p, r, 4)) }\n- assertEquals(6, ia.getAdjustedIndex(PositionInRole(p, r, 5)))\n-\n- }\n-}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (18) |
426,496 | 17.08.2020 18:26:49 | -7,200 | 0b7914ef1a2df3745d58571baf47c3d470ace358 | Conflict resolution tests (19) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -43,7 +43,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nis AddNewChildOp -> adjusted()\nis DeleteNodeOp -> {\nif (previous.childId == childId) {\n- indexAdjustments.nodeRemoved(this, false, targetPosition, childId)\n+ indexAdjustments.nodeRemoved(this, true, targetPosition, childId)\nNoOp()\n} else if (sourcePosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -316,6 +316,18 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun knownIssue14() {\n+ knownIssueTest({ t ->\n+ t.addNewChild(0x1, \"role2\", 0, 0xff00000011, null)\n+ }, { t -> // 0\n+ t.deleteNode(0xff00000011)\n+ }, { t -> // 1\n+ t.moveChild(0x1, \"role1\", 0, 0xff00000011)\n+ t.addNewChild(0x1, \"role1\", 1, 0xff0000002d, null)\n+ })\n+ }\n+\n+ @Test\n+ fun knownIssue15() {\nknownIssueTest({ t ->\nt.addNewChild(0x1, \"role2\", 0, 0xff00000001, null)\nt.moveChild(0x1, \"role2\", 1, 0xff00000001)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (19) |
426,496 | 17.08.2020 21:06:08 | -7,200 | 90930fff1322ab5c695c41ccf5d1dc33f120c241 | Conflict resolution tests (20) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -41,7 +41,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\noverride fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\n- indexAdjustments.nodeRemoved(a, false, position, childId)\n+ indexAdjustments.nodeRemoved(a, false, a.position, childId)\na\n}\nreturn when (previous) {\n@@ -72,7 +72,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nindexAdjustments.setKnownPosition(childId, position, true)\n}\n- override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation {\n+ override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): DeleteNodeOp {\nreturn withPosition(indexAdjustments.getAdjustedPosition(childId, position))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -55,7 +55,7 @@ class IndexAdjustments {\nif (entry.value.position.roleInNode == role) {\nval newIndex = entryAdjustment(entry.value.position.index)\nif (newIndex != entry.value.position.index) {\n- entry.setValue(entry.value.withIndex(entry.value.position.index + 1))\n+ entry.setValue(entry.value.withIndex(newIndex))\n}\n}\n}\n@@ -81,9 +81,7 @@ class IndexAdjustments {\nfun nodeRemoved(owner: IOperation, concurrentSide: Boolean, removedPos: PositionInRole, nodeId: Long) {\nadjustKnownPositions(removedPos.roleInNode) { if (it > removedPos.index) it - 1 else it }\n- if (knownPositions[nodeId]?.deleted != true) {\nsetKnownPosition(nodeId, KnownPosition(removedPos, true))\n- }\naddAdjustment(NodeRemoveAdjustment(owner, concurrentSide, removedPos))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -328,6 +328,20 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun knownIssue15() {\n+ knownIssueTest({ t ->\n+ t.addNewChild(0x1, \"role5\", 0, 0xff00000012, null)\n+ }, { t -> // 0\n+ t.deleteNode(0xff00000012)\n+ }, { t -> // 1\n+ t.addNewChild(0xff00000012, \"role1\", 0, 0xff00000043, null)\n+ t.addNewChild(0xff00000012, \"role3\", 0, 0xff00000045, null)\n+ t.deleteNode(0xff00000045)\n+ t.deleteNode(0xff00000043)\n+ })\n+ }\n+\n+ @Test\n+ fun knownIssue16() {\nknownIssueTest({ t ->\nt.addNewChild(0x1, \"role2\", 0, 0xff00000001, null)\nt.moveChild(0x1, \"role2\", 1, 0xff00000001)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (20) |
426,496 | 17.08.2020 21:42:00 | -7,200 | 9a4f77d6bb02590ee6cc9f961042102594d2b413 | Conflict resolution tests (21) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -86,8 +86,8 @@ class IndexAdjustments {\n}\nfun nodeMoved(owner: IOperation, concurrentSide: Boolean, sourcePos: PositionInRole, targetPos: PositionInRole) {\n- adjustKnownPositions(sourcePos.roleInNode) { if (it >= sourcePos.index) it + 1 else it }\n- adjustKnownPositions(targetPos.roleInNode) { if (it > targetPos.index) it - 1 else it }\n+ adjustKnownPositions(targetPos.roleInNode) { if (it >= sourcePos.index) it + 1 else it }\n+ adjustKnownPositions(sourcePos.roleInNode) { if (it > targetPos.index) it - 1 else it }\naddAdjustment(NodeInsertAdjustment(owner, concurrentSide, targetPos))\naddAdjustment(NodeRemoveAdjustment(owner, concurrentSide, sourcePos))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -342,6 +342,29 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun knownIssue16() {\n+ knownIssueTest({ t ->\n+ t.addNewChild(0x1, \"role3\", 0, 0xff0000000e, null)\n+ t.addNewChild(0xff0000000e, \"role3\", 0, 0xff00000010, null)\n+ t.addNewChild(0xff00000010, \"role3\", 0, 0xff00000011, null)\n+ t.addNewChild(0xff00000010, \"role3\", 0, 0xff00000012, null)\n+ t.moveChild(0x1, \"role2\", 0, 0xff00000011)\n+ }, { t -> // 0\n+ t.deleteNode(0xff00000012)\n+ t.addNewChild(0x1, \"role2\", 1, 0xff0000001c, null)\n+ t.addNewChild(0xff0000001c, \"role2\", 0, 0xff00000022, null)\n+ t.deleteNode(0xff00000010)\n+ t.deleteNode(0xff0000000e)\n+ t.addNewChild(0xff00000022, \"role3\", 0, 0xff00000023, null)\n+ }, { t -> // 1\n+ t.addNewChild(0xff00000012, \"role3\", 0, 0xff00000043, null)\n+ t.addNewChild(0xff00000043, \"role3\", 0, 0xff00000044, null)\n+ t.moveChild(0xff0000000e, \"role3\", 0, 0xff00000044)\n+ t.deleteNode(0xff00000043)\n+ })\n+ }\n+\n+ @Test\n+ fun knownIssue17() {\nknownIssueTest({ t ->\nt.addNewChild(0x1, \"role2\", 0, 0xff00000001, null)\nt.moveChild(0x1, \"role2\", 1, 0xff00000001)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (21) |
426,496 | 17.08.2020 22:31:22 | -7,200 | ff9b943f687056eab8aa8bb1df884e41d262901d | Conflict resolution tests (22) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -36,7 +36,11 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\nindexAdjustments.nodeMoved(a, false, sourcePosition, targetPosition)\n- indexAdjustments.setKnownPosition(childId, a.targetPosition)\n+ var actualTargetPos = a.targetPosition\n+ if (a.sourcePosition.roleInNode == a.targetPosition.roleInNode && a.targetPosition.index > a.sourcePosition.index) {\n+ actualTargetPos = actualTargetPos.withIndex(actualTargetPos.index - 1)\n+ }\n+ indexAdjustments.setKnownPosition(childId, actualTargetPos)\na\n}\nreturn when (previous) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -27,7 +27,7 @@ import org.modelix.model.logDebug\nclass OTWriteTransaction(private val transaction: IWriteTransaction, private val otBranch: OTBranch, protected var idGenerator: IIdGenerator) : IWriteTransaction {\nprotected fun apply(op: IOperation) {\n- val opCode = op.toString()\n+ val opCode = op.toCode()\nif (opCode.isNotEmpty()) logDebug({ opCode }, OTWriteTransaction::class)\nval appliedOp = op.apply(transaction)\notBranch.operationApplied(appliedOp)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -364,234 +364,15 @@ class ConflictResolutionTest : TreeTestBase() {\n}\n@Test\n- fun knownIssue17() {\n+ fun knownIssue18() {\nknownIssueTest({ t ->\n- t.addNewChild(0x1, \"role2\", 0, 0xff00000001, null)\n- t.moveChild(0x1, \"role2\", 1, 0xff00000001)\n- t.deleteNode(0xff00000001)\n- t.addNewChild(0x1, \"role2\", 0, 0xff00000002, null)\n+ }, { t -> // 0\n+ t.addNewChild(0x1, \"role1\", 0, 0xff00000002, null)\nt.deleteNode(0xff00000002)\n- t.addNewChild(0x1, \"role2\", 0, 0xff00000003, null)\n- t.deleteNode(0xff00000003)\n- t.addNewChild(0x1, \"role3\", 0, 0xff00000004, null)\n- t.addNewChild(0x1, \"role3\", 1, 0xff00000005, null)\n- t.addNewChild(0xff00000004, \"role3\", 0, 0xff00000006, null)\n- t.moveChild(0xff00000004, \"role2\", 0, 0xff00000006)\n- t.addNewChild(0xff00000005, \"role3\", 0, 0xff00000007, null)\n- t.deleteNode(0xff00000007)\n- t.deleteNode(0xff00000005)\n- t.deleteNode(0xff00000006)\n- t.addNewChild(0x1, \"role1\", 0, 0xff00000008, null)\n- t.moveChild(0xff00000004, \"role2\", 0, 0xff00000008)\n- t.addNewChild(0xff00000004, \"role1\", 0, 0xff00000009, null)\n- t.deleteNode(0xff00000009)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000004)\n- t.addNewChild(0xff00000004, \"role2\", 1, 0xff0000000a, null)\n- t.moveChild(0xff00000004, \"role2\", 2, 0xff0000000a)\n- t.deleteNode(0xff00000008)\n- t.deleteNode(0xff0000000a)\n- t.addNewChild(0xff00000004, \"role3\", 0, 0xff0000000b, null)\n- t.addNewChild(0x1, \"role1\", 1, 0xff0000000c, null)\n- t.deleteNode(0xff0000000b)\n+ }, { t -> // 1\nt.addNewChild(0x1, \"role2\", 0, 0xff0000000d, null)\nt.moveChild(0x1, \"role2\", 1, 0xff0000000d)\n- t.moveChild(0xff0000000c, \"role3\", 0, 0xff00000004)\n- t.moveChild(0xff0000000c, \"role2\", 0, 0xff00000004)\n- t.deleteNode(0xff00000004)\nt.deleteNode(0xff0000000d)\n- t.moveChild(0x1, \"role1\", 1, 0xff0000000c)\n- t.moveChild(0x1, \"role3\", 0, 0xff0000000c)\n- t.deleteNode(0xff0000000c)\n- t.addNewChild(0x1, \"role3\", 0, 0xff0000000e, null)\n- t.moveChild(0x1, \"role1\", 0, 0xff0000000e)\n- t.addNewChild(0xff0000000e, \"role2\", 0, 0xff0000000f, null)\n- t.deleteNode(0xff0000000f)\n- t.addNewChild(0xff0000000e, \"role3\", 0, 0xff00000010, null)\n- t.moveChild(0xff0000000e, \"role3\", 0, 0xff00000010)\n- t.addNewChild(0xff00000010, \"role3\", 0, 0xff00000011, null)\n- t.addNewChild(0xff00000010, \"role3\", 0, 0xff00000012, null)\n- t.moveChild(0x1, \"role2\", 0, 0xff00000011)\n- t.moveChild(0xff00000011, \"role1\", 0, 0xff00000010)\n- t.moveChild(0xff00000010, \"role1\", 0, 0xff00000012)\n- t.moveChild(0x1, \"role2\", 1, 0xff00000011)\n- }, { t -> // 0\n- t.addNewChild(0x1, \"role2\", 0, 0xff00000014, null)\n- t.addNewChild(0xff00000014, \"role3\", 0, 0xff00000015, null)\n- t.moveChild(0xff00000012, \"role2\", 0, 0xff00000014)\n- t.addNewChild(0xff00000012, \"role2\", 0, 0xff00000016, null)\n- t.moveChild(0xff0000000e, \"role1\", 0, 0xff00000015)\n- t.deleteNode(0xff00000014)\n- t.moveChild(0xff00000011, \"role2\", 0, 0xff00000016)\n- t.moveChild(0x1, \"role2\", 1, 0xff00000016)\n- t.moveChild(0xff00000011, \"role1\", 1, 0xff0000000e)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000010)\n- t.deleteNode(0xff00000015)\n- t.moveChild(0xff0000000e, \"role2\", 0, 0xff00000012)\n- t.deleteNode(0xff00000012)\n- t.deleteNode(0xff00000010)\n- t.addNewChild(0xff00000011, \"role2\", 0, 0xff00000017, null)\n- t.moveChild(0xff00000011, \"role3\", 0, 0xff0000000e)\n- t.addNewChild(0x1, \"role3\", 0, 0xff00000018, null)\n- t.moveChild(0xff00000018, \"role1\", 0, 0xff0000000e)\n- t.addNewChild(0xff0000000e, \"role1\", 0, 0xff00000019, null)\n- t.deleteNode(0xff00000016)\n- t.moveChild(0x1, \"role2\", 0, 0xff00000018)\n- t.addNewChild(0xff00000019, \"role2\", 0, 0xff0000001a, null)\n- t.deleteNode(0xff0000001a)\n- t.moveChild(0xff00000018, \"role1\", 0, 0xff0000000e)\n- t.addNewChild(0xff00000018, \"role2\", 0, 0xff0000001b, null)\n- t.moveChild(0xff0000001b, \"role1\", 0, 0xff0000000e)\n- t.moveChild(0xff00000019, \"role1\", 0, 0xff00000011)\n- t.deleteNode(0xff00000017)\n- t.deleteNode(0xff00000011)\n- t.addNewChild(0x1, \"role2\", 1, 0xff0000001c, null)\n- t.addNewChild(0x1, \"role3\", 0, 0xff0000001d, null)\n- t.deleteNode(0xff00000019)\n- t.addNewChild(0xff00000018, \"role1\", 0, 0xff0000001e, null)\n- t.addNewChild(0xff0000000e, \"role3\", 0, 0xff0000001f, null)\n- t.addNewChild(0x1, \"role1\", 0, 0xff00000020, null)\n- t.addNewChild(0xff0000001e, \"role3\", 0, 0xff00000021, null)\n- t.addNewChild(0xff0000001c, \"role2\", 0, 0xff00000022, null)\n- t.deleteNode(0xff0000001f)\n- t.moveChild(0xff0000001d, \"role2\", 0, 0xff0000001b)\n- t.deleteNode(0xff0000000e)\n- t.addNewChild(0xff00000022, \"role3\", 0, 0xff00000023, null)\n- t.moveChild(0xff00000021, \"role1\", 0, 0xff0000001c)\n- t.deleteNode(0xff00000023)\n- t.deleteNode(0xff00000020)\n- t.moveChild(0x1, \"role3\", 0, 0xff0000001e)\n- t.deleteNode(0xff00000018)\n- t.moveChild(0xff00000022, \"role2\", 0, 0xff0000001d)\n- t.deleteNode(0xff0000001b)\n- t.moveChild(0x1, \"role2\", 0, 0xff0000001e)\n- t.deleteNode(0xff0000001d)\n- t.addNewChild(0xff00000021, \"role1\", 1, 0xff00000024, null)\n- t.addNewChild(0x1, \"role3\", 0, 0xff00000025, null)\n- t.moveChild(0x1, \"role2\", 1, 0xff00000021)\n- t.addNewChild(0xff00000025, \"role3\", 0, 0xff00000026, null)\n- t.moveChild(0xff0000001c, \"role1\", 0, 0xff00000024)\n- t.moveChild(0xff00000026, \"role1\", 0, 0xff00000022)\n- t.addNewChild(0xff00000022, \"role1\", 0, 0xff00000027, null)\n- t.moveChild(0xff00000024, \"role2\", 0, 0xff00000026)\n- t.deleteNode(0xff00000027)\n- t.deleteNode(0xff00000025)\n- t.addNewChild(0xff0000001e, \"role2\", 0, 0xff00000028, null)\n- t.deleteNode(0xff00000022)\n- t.moveChild(0xff00000028, \"role2\", 0, 0xff00000021)\n- t.moveChild(0xff00000028, \"role2\", 1, 0xff00000021)\n- t.moveChild(0xff0000001e, \"role3\", 0, 0xff00000024)\n- t.addNewChild(0xff00000024, \"role3\", 0, 0xff00000029, null)\n- t.deleteNode(0xff00000029)\n- }, { t -> // 1\n- t.deleteNode(0xff0000000e)\n- t.deleteNode(0xff00000012)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000011)\n- t.addNewChild(0xff00000010, \"role1\", 0, 0xff0000002b, null)\n- t.deleteNode(0xff0000002b)\n- t.deleteNode(0xff00000010)\n- t.addNewChild(0xff00000011, \"role3\", 0, 0xff0000002c, null)\n- t.addNewChild(0x1, \"role1\", 1, 0xff0000002d, null)\n- t.deleteNode(0xff0000002c)\n- t.addNewChild(0xff00000011, \"role2\", 0, 0xff0000002e, null)\n- t.deleteNode(0xff0000002d)\n- t.addNewChild(0xff0000002e, \"role3\", 0, 0xff0000002f, null)\n- t.moveChild(0x1, \"role2\", 0, 0xff00000011)\n- t.deleteNode(0xff0000002f)\n- t.addNewChild(0xff00000011, \"role3\", 0, 0xff00000030, null)\n- t.moveChild(0x1, \"role3\", 0, 0xff0000002e)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000011)\n- t.addNewChild(0x1, \"role1\", 1, 0xff00000031, null)\n- t.moveChild(0x1, \"role3\", 1, 0xff00000030)\n- t.deleteNode(0xff00000011)\n- t.addNewChild(0x1, \"role2\", 0, 0xff00000032, null)\n- t.moveChild(0xff00000032, \"role2\", 0, 0xff00000030)\n- t.addNewChild(0xff00000031, \"role2\", 0, 0xff00000033, null)\n- t.deleteNode(0xff00000033)\n- t.deleteNode(0xff00000031)\n- t.addNewChild(0xff00000030, \"role2\", 0, 0xff00000034, null)\n- t.addNewChild(0x1, \"role3\", 1, 0xff00000035, null)\n- t.deleteNode(0xff00000035)\n- t.moveChild(0xff00000032, \"role1\", 0, 0xff00000030)\n- t.addNewChild(0xff00000034, \"role1\", 0, 0xff00000036, null)\n- t.moveChild(0x1, \"role1\", 0, 0xff0000002e)\n- t.moveChild(0x1, \"role2\", 0, 0xff00000032)\n- t.deleteNode(0xff00000036)\n- t.addNewChild(0xff00000034, \"role1\", 0, 0xff00000037, null)\n- t.moveChild(0xff0000002e, \"role3\", 0, 0xff00000032)\n- t.moveChild(0x1, \"role2\", 0, 0xff0000002e)\n- t.moveChild(0xff00000030, \"role1\", 0, 0xff00000037)\n- t.deleteNode(0xff00000037)\n- t.addNewChild(0xff00000030, \"role1\", 0, 0xff00000038, null)\n- t.deleteNode(0xff00000038)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000032)\n- t.deleteNode(0xff0000002e)\n- t.deleteNode(0xff00000034)\n- t.moveChild(0xff00000032, \"role3\", 0, 0xff00000030)\n- t.deleteNode(0xff00000030)\n- t.moveChild(0x1, \"role3\", 0, 0xff00000032)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000032)\n- t.deleteNode(0xff00000032)\n- t.addNewChild(0x1, \"role1\", 0, 0xff00000039, null)\n- t.addNewChild(0x1, \"role3\", 0, 0xff0000003a, null)\n- t.addNewChild(0xff0000003a, \"role2\", 0, 0xff0000003b, null)\n- t.addNewChild(0xff0000003a, \"role2\", 1, 0xff0000003c, null)\n- t.moveChild(0xff00000039, \"role2\", 0, 0xff0000003a)\n- t.addNewChild(0xff0000003c, \"role2\", 0, 0xff0000003d, null)\n- t.deleteNode(0xff0000003d)\n- t.addNewChild(0xff00000039, \"role2\", 1, 0xff0000003e, null)\n- t.addNewChild(0xff0000003a, \"role1\", 0, 0xff0000003f, null)\n- t.addNewChild(0xff00000039, \"role2\", 0, 0xff00000040, null)\n- t.moveChild(0x1, \"role3\", 0, 0xff0000003c)\n- t.addNewChild(0xff00000040, \"role1\", 0, 0xff00000041, null)\n- }, { t -> // 2\n- t.addNewChild(0xff00000012, \"role3\", 0, 0xff00000043, null)\n- t.addNewChild(0xff00000043, \"role3\", 0, 0xff00000044, null)\n- t.moveChild(0xff0000000e, \"role3\", 0, 0xff00000044)\n- t.addNewChild(0xff0000000e, \"role1\", 0, 0xff00000045, null)\n- t.deleteNode(0xff00000045)\n- t.deleteNode(0xff00000043)\n- t.deleteNode(0xff00000044)\n- t.deleteNode(0xff0000000e)\n- t.addNewChild(0x1, \"role3\", 0, 0xff00000046, null)\n- t.moveChild(0x1, \"role3\", 1, 0xff00000012)\n- t.moveChild(0x1, \"role3\", 2, 0xff00000012)\n- t.moveChild(0xff00000012, \"role2\", 0, 0xff00000010)\n- t.addNewChild(0xff00000012, \"role3\", 0, 0xff00000047, null)\n- t.addNewChild(0xff00000046, \"role2\", 0, 0xff00000048, null)\n- t.moveChild(0xff00000048, \"role3\", 0, 0xff00000047)\n- t.moveChild(0xff00000011, \"role3\", 0, 0xff00000012)\n- t.addNewChild(0xff00000047, \"role2\", 0, 0xff00000049, null)\n- t.moveChild(0x1, \"role2\", 1, 0xff00000046)\n- t.addNewChild(0xff00000047, \"role3\", 0, 0xff0000004a, null)\n- t.addNewChild(0xff00000047, \"role3\", 0, 0xff0000004b, null)\n- t.moveChild(0xff00000046, \"role3\", 0, 0xff00000048)\n- t.moveChild(0xff00000047, \"role3\", 1, 0xff00000011)\n- t.moveChild(0x1, \"role3\", 0, 0xff00000048)\n- t.deleteNode(0xff00000010)\n- t.deleteNode(0xff00000046)\n- t.deleteNode(0xff00000049)\n- t.deleteNode(0xff00000012)\n- t.deleteNode(0xff0000004a)\n- t.moveChild(0x1, \"role1\", 0, 0xff00000048)\n- t.moveChild(0x1, \"role1\", 1, 0xff00000047)\n- t.moveChild(0xff00000047, \"role2\", 0, 0xff00000048)\n- t.deleteNode(0xff00000011)\n- t.deleteNode(0xff0000004b)\n- t.addNewChild(0xff00000047, \"role3\", 0, 0xff0000004c, null)\n- t.deleteNode(0xff00000048)\n- t.deleteNode(0xff0000004c)\n- t.deleteNode(0xff00000047)\n- t.addNewChild(0x1, \"role2\", 0, 0xff0000004d, null)\n- t.moveChild(0x1, \"role2\", 1, 0xff0000004d)\n- t.addNewChild(0x1, \"role1\", 0, 0xff0000004e, null)\n- t.deleteNode(0xff0000004e)\n- t.addNewChild(0xff0000004d, \"role3\", 0, 0xff0000004f, null)\n- t.moveChild(0x1, \"role3\", 0, 0xff0000004d)\n- t.deleteNode(0xff0000004f)\n- t.moveChild(0x1, \"role1\", 0, 0xff0000004d)\n- t.moveChild(0x1, \"role1\", 1, 0xff0000004d)\n- t.moveChild(0x1, \"role1\", 1, 0xff0000004d)\n- t.addNewChild(0x1, \"role3\", 0, 0xff00000050, null)\n})\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (22) |
426,496 | 18.08.2020 09:08:34 | -7,200 | 84fced4e9b6bf97fecd745c75979136156e7f880 | Conflict resolution tests (23) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -86,8 +86,8 @@ class IndexAdjustments {\n}\nfun nodeMoved(owner: IOperation, concurrentSide: Boolean, sourcePos: PositionInRole, targetPos: PositionInRole) {\n- adjustKnownPositions(targetPos.roleInNode) { if (it >= sourcePos.index) it + 1 else it }\n- adjustKnownPositions(sourcePos.roleInNode) { if (it > targetPos.index) it - 1 else it }\n+ adjustKnownPositions(targetPos.roleInNode) { if (it >= targetPos.index) it + 1 else it }\n+ adjustKnownPositions(sourcePos.roleInNode) { if (it > sourcePos.index) it - 1 else it }\naddAdjustment(NodeInsertAdjustment(owner, concurrentSide, targetPos))\naddAdjustment(NodeRemoveAdjustment(owner, concurrentSide, sourcePos))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -456,6 +456,23 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue18() {\n+ knownIssueTest(\n+ { t ->\n+ },\n+ { t -> // 0\n+ t.addNewChild(0x1, \"role5\", 0, 0xff00000043, null)\n+ },\n+ { t -> // 1\n+ t.addNewChild(0x1, \"role3\", 0, 0xff00000059, null)\n+ t.addNewChild(0x1, \"role5\", 0, 0xff0000005c, null)\n+ t.moveChild(0x1, \"role3\", 1, 0xff0000005c)\n+ t.deleteNode(0xff00000059)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (23) |
426,496 | 18.08.2020 09:18:21 | -7,200 | e2b8372d80fc8b76b985e1a260360f2b1d061b6f | Implemented ContextValue for JS | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jsMain/kotlin/org/modelix/model/util/ContextValue.kt",
"new_path": "model-client/src/jsMain/kotlin/org/modelix/model/util/ContextValue.kt",
"diff": "package org.modelix.model.util\nactual class ContextValue<E> {\n+ private var value: E?\n+\nactual constructor() {\n- TODO(\"Not yet implemented\")\n+ value = null\n}\nactual constructor(defaultValue: E) {\n- TODO(\"Not yet implemented\")\n+ value = defaultValue\n}\nactual fun getValue(): E? {\n- TODO(\"Not yet implemented\")\n+ return value\n}\nactual fun runWith(newValue: E, r: () -> Unit) {\n+ computeWith(newValue, r)\n}\nactual fun <T> computeWith(newValue: E, r: () -> T): T {\n- TODO(\"Not yet implemented\")\n+ val oldValue = value\n+ value = newValue\n+ try {\n+ return r()\n+ } finally {\n+ value = oldValue\n+ }\n}\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Implemented ContextValue for JS |
426,496 | 18.08.2020 09:29:07 | -7,200 | 5d79665c88ae2a86c86983e218a010a38703f1cd | Increase timeout for JS tests | [
{
"change_type": "MODIFY",
"old_path": "model-client/build.gradle",
"new_path": "model-client/build.gradle",
"diff": "@@ -28,7 +28,13 @@ kotlin {\njvm()\njs {\n//browser {}\n- nodejs {}\n+ nodejs {\n+ testTask {\n+ useMocha {\n+ timeout = 10000\n+ }\n+ }\n+ }\n}\nsourceSets {\ncommonMain {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Increase timeout for JS tests |
426,496 | 18.08.2020 09:37:16 | -7,200 | cd81dc338398a01473ddd70743e978394d7b5cfc | Decrease number of operations in Hamt_Test to reduce the execution time
1_000 operations should be enough to get the same coverage | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/Hamt_Test.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/Hamt_Test.kt",
"diff": "@@ -32,7 +32,7 @@ class Hamt_Test {\nval store = MapBaseStore()\nval storeCache = ObjectStoreCache(store)\nvar hamt: CLHamtNode<*>? = CLHamtInternal(storeCache)\n- for (i in 0..9999) {\n+ for (i in 0..999) {\nif (expectedMap.isEmpty() || rand.nextBoolean()) {\n// add entry\nval key = rand.nextInt(1000).toLong()\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Decrease number of operations in Hamt_Test to reduce the execution time
1_000 operations should be enough to get the same coverage |
426,496 | 18.08.2020 10:44:44 | -7,200 | 39dd5a77a61110d61b9c202150164be21726aaa7 | Conflict resolution tests (24) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -99,7 +99,9 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nfor (concurrentAppliedOp in concurrentAppliedOps) {\nval indexAdjustments = IndexAdjustments()\nconcurrentAppliedOp.loadAdjustment(indexAdjustments)\n- operationsToApply = operationsToApply.map { transformOperation(it, concurrentAppliedOp, indexAdjustments) }.toList()\n+ operationsToApply = operationsToApply\n+ .flatMap { transformOperation(it, concurrentAppliedOp, indexAdjustments) }\n+ .toList()\n}\nappliedOpsForVersion[versionToApply.id] = operationsToApply.map {\ntry {\n@@ -125,9 +127,13 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nreturn mergedVersion!!\n}\n- protected fun transformOperation(opToTransform: IOperation, previousOp: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n+ protected fun transformOperation(\n+ opToTransform: IOperation,\n+ previousOp: IOperation,\n+ indexAdjustments: IndexAdjustments\n+ ): List<IOperation> {\nval transformed = opToTransform.transform(previousOp, indexAdjustments)\n- if (opToTransform.toString() != transformed.toString()) {\n+ if (transformed.size != 1 || opToTransform.toString() != transformed[0].toString()) {\nlogDebug({ \"transformed: $opToTransform --> $transformed ## $previousOp\" }, VersionMerger::class)\n}\nreturn transformed\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"diff": "@@ -30,7 +30,7 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\nreturn Applied()\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n+ override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\nindexAdjustments.nodeAdded(a, false, position, childId)\n@@ -38,20 +38,20 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\na\n}\nreturn when (previous) {\n- is AddNewChildOp -> adjusted()\n+ is AddNewChildOp -> listOf(adjusted())\nis DeleteNodeOp -> {\nif (previous.childId == position.nodeId) {\nval redirected = AddNewChildOp(PositionInRole(DETACHED_ROLE, 0), this.childId, this.concept)\nindexAdjustments.redirectedAdd(this, position, redirected.position, childId)\n- redirected\n+ listOf(redirected)\n} else {\n- adjusted()\n+ listOf(adjusted())\n}\n}\n- is MoveNodeOp -> adjusted()\n- is SetPropertyOp -> adjusted()\n- is SetReferenceOp -> adjusted()\n- is NoOp -> adjusted()\n+ is MoveNodeOp -> listOf(adjusted())\n+ is SetPropertyOp -> listOf(adjusted())\n+ is SetReferenceOp -> listOf(adjusted())\n+ is NoOp -> listOf(adjusted())\nelse -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -38,7 +38,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nreturn Applied(concept)\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n+ override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\nindexAdjustments.nodeRemoved(a, false, a.position, childId)\n@@ -48,21 +48,30 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nis DeleteNodeOp -> {\nif (previous.childId == childId) {\nindexAdjustments.removeAdjustment(previous)\n- NoOp()\n-// } else if (previous.childId == position.nodeId) {\n-// DeleteNodeOp(PositionInRole(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE, 0), this.childId)\n- } else adjusted()\n+ listOf(NoOp())\n+ } else listOf(adjusted())\n+ }\n+ is AddNewChildOp -> {\n+ if (previous.position.nodeId == childId) {\n+ val moveOp = MoveNodeOp(\n+ previous.childId,\n+ indexAdjustments.getAdjustedPosition(previous.childId, previous.position),\n+ PositionInRole(DETACHED_ROLE, 0)\n+ )\n+ indexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\n+ listOf(moveOp, adjusted())\n+ } else {\n+ listOf(adjusted())\n+ }\n}\n- is AddNewChildOp -> adjusted()\nis MoveNodeOp -> {\nif (previous.childId == childId) {\n-// previous.undoAdjustment(indexAdjustments)\n- DeleteNodeOp(previous.targetPosition, childId)\n- } else adjusted()\n+ listOf(DeleteNodeOp(previous.targetPosition, childId))\n+ } else listOf(adjusted())\n}\n- is SetPropertyOp -> adjusted()\n- is SetReferenceOp -> adjusted()\n- is NoOp -> adjusted()\n+ is SetPropertyOp -> listOf(adjusted())\n+ is SetReferenceOp -> listOf(adjusted())\n+ is NoOp -> listOf(adjusted())\nelse -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"diff": "@@ -27,7 +27,7 @@ interface IOperation {\n* 'this' needs to be replaced with an operation that applies the same intended change\n* on a model that was modified by 'previous' in the mean time.\n*/\n- fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation\n+ fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation>\nfun loadAdjustment(indexAdjustments: IndexAdjustments)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -31,7 +31,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nreturn Applied()\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n+ override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\nindexAdjustments.nodeMoved(a, false, sourcePosition, targetPosition)\n@@ -43,36 +43,38 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\na\n}\nreturn when (previous) {\n- is AddNewChildOp -> adjusted()\n+ is AddNewChildOp -> listOf(adjusted())\nis DeleteNodeOp -> {\nif (previous.childId == childId) {\nindexAdjustments.nodeRemoved(this, true, targetPosition, childId)\n- NoOp()\n+ listOf(NoOp())\n} else if (sourcePosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\nindexAdjustments.setKnownPosition(childId, redirectedTarget)\n- MoveNodeOp(childId, redirectedTarget, targetPosition)\n+ listOf(MoveNodeOp(childId, redirectedTarget, targetPosition))\n} else if (targetPosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\nindexAdjustments.setKnownPosition(childId, redirectedTarget)\n- MoveNodeOp(childId, sourcePosition, redirectedTarget)\n- } else adjusted()\n+ listOf(MoveNodeOp(childId, sourcePosition, redirectedTarget))\n+ } else listOf(adjusted())\n}\nis MoveNodeOp -> {\nif (previous.childId == childId) {\n// indexAdjustments.removeAdjustment(previous)\n+ listOf(\nMoveNodeOp(\nchildId,\nprevious.targetPosition,\ntargetPosition\n)\n- } else adjusted()\n+ )\n+ } else listOf(adjusted())\n}\n- is SetPropertyOp -> adjusted()\n- is SetReferenceOp -> adjusted()\n- is NoOp -> adjusted()\n+ is SetPropertyOp -> listOf(adjusted())\n+ is SetReferenceOp -> listOf(adjusted())\n+ is NoOp -> listOf(adjusted())\nelse -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"diff": "@@ -22,8 +22,8 @@ class NoOp : AbstractOperation(), IAppliedOperation {\nreturn this\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n- return this\n+ override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n+ return listOf(this)\n}\noverride val originalOp: IOperation\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"diff": "@@ -25,20 +25,20 @@ class SetPropertyOp(val nodeId: Long, val role: String, val value: String?) : Ab\nreturn Applied(oldValue)\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n+ override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nreturn when (previous) {\n- is SetPropertyOp -> this\n- is SetReferenceOp -> this\n- is AddNewChildOp -> this\n+ is SetPropertyOp -> listOf(this)\n+ is SetReferenceOp -> listOf(this)\n+ is AddNewChildOp -> listOf(this)\nis DeleteNodeOp -> {\nif (nodeId == previous.childId) {\n- NoOp()\n+ listOf(NoOp())\n} else {\n- this\n+ listOf(this)\n}\n}\n- is MoveNodeOp -> this\n- is NoOp -> this\n+ is MoveNodeOp -> listOf(this)\n+ is NoOp -> listOf(this)\nelse -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"diff": "@@ -26,20 +26,20 @@ class SetReferenceOp(val sourceId: Long, val role: String, val target: INodeRefe\nreturn Applied(oldValue)\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): IOperation {\n+ override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nreturn when (previous) {\n- is SetPropertyOp -> this\n- is SetReferenceOp -> this\n- is AddNewChildOp -> this\n+ is SetPropertyOp -> listOf(this)\n+ is SetReferenceOp -> listOf(this)\n+ is AddNewChildOp -> listOf(this)\nis DeleteNodeOp -> {\nif (sourceId == previous.childId) {\n- NoOp()\n+ listOf(NoOp())\n} else {\n- this\n+ listOf(this)\n}\n}\n- is MoveNodeOp -> this\n- is NoOp -> this\n+ is MoveNodeOp -> listOf(this)\n+ is NoOp -> listOf(this)\nelse -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -473,6 +473,21 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue19() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"role5\", 0, 0xff00000012, null)\n+ },\n+ { t -> // 0\n+ t.addNewChild(0xff00000012, \"role2\", 0, 0xff00000016, null)\n+ },\n+ { t -> // 1\n+ t.deleteNode(0xff00000012)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (24) |
426,496 | 18.08.2020 10:53:00 | -7,200 | 235e3422ca3daad68320f6fa0e7580890bf143d8 | Conflict resolution tests (25) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -67,6 +67,14 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nis MoveNodeOp -> {\nif (previous.childId == childId) {\nlistOf(DeleteNodeOp(previous.targetPosition, childId))\n+ } else if (previous.targetPosition.nodeId == childId) {\n+ val moveOp = MoveNodeOp(\n+ previous.childId,\n+ indexAdjustments.getAdjustedPosition(previous.childId, previous.targetPosition),\n+ PositionInRole(DETACHED_ROLE, 0)\n+ )\n+ indexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\n+ listOf(moveOp, adjusted())\n} else listOf(adjusted())\n}\nis SetPropertyOp -> listOf(adjusted())\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -33,6 +33,11 @@ class ConflictResolutionTest : TreeTestBase() {\nrandomTest(100, 5, 100)\n}\n+ @Test\n+ fun randomTest06() {\n+ randomTest(101, 2, 4)\n+ }\n+\nfun randomTest(baseChanges: Int, numBranches: Int, branchChanges: Int) {\nval merger = VersionMerger(storeCache, idGenerator)\nval baseExpectedTreeData = ExpectedTreeData()\n@@ -488,6 +493,22 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue20() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"role5\", 0, 0xff00000012, null)\n+ },\n+ { t -> // 0\n+ t.addNewChild(0x1, \"role6\", 0, 0xff00000013, null)\n+ t.moveChild(0xff00000012, \"role2\", 0, 0xff00000013)\n+ },\n+ { t -> // 1\n+ t.deleteNode(0xff00000012)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (25) |
426,496 | 18.08.2020 11:42:21 | -7,200 | 1ecf3763eafdc3ab77ddacb3c399a791ba539294 | Conflict resolution tests (26) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLTree.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLTree.kt",
"diff": "@@ -147,14 +147,15 @@ class CLTree : ITree {\nnewChildrenArray = if (index == -1) {\nadd(newChildrenArray, childData.id)\n} else {\n- val children = getChildren(parentId, role).toList()\n- if (index > children.size) throw RuntimeException(\"Invalid index $index. There are only ${children.size} nodes in ${parentId.toString(16)}.$role\")\n- if (index == children.size) {\n+ val childrenInRole = getChildren(parentId, role).toList()\n+ if (index > childrenInRole.size) throw RuntimeException(\"Invalid index $index. There are only ${childrenInRole.size} nodes in ${parentId.toString(16)}.$role\")\n+ if (index == childrenInRole.size) {\nadd(newChildrenArray, childData.id)\n} else {\n+ val indexInAll = newChildrenArray.indexOf(childrenInRole[index])\ninsert(\nnewChildrenArray,\n- index,\n+ indexInAll,\nchildData.id\n)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -27,6 +27,10 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n}\noverride fun apply(transaction: IWriteTransaction): IAppliedOperation {\n+ val actualNode = transaction.getChildren(sourcePosition.nodeId, sourcePosition.role).toList()[sourcePosition.index]\n+ if (actualNode != childId) {\n+ throw RuntimeException(\"Node at $sourcePosition is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n+ }\ntransaction.moveChild(targetPosition.nodeId, targetPosition.role, targetPosition.index, childId)\nreturn Applied()\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -509,6 +509,35 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue21() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"role3\", 0, 0xff0000000e, null)\n+ t.moveChild(0x1, \"role1\", 0, 0xff0000000e)\n+ t.addNewChild(0xff0000000e, \"role2\", 0, 0xff0000000f, null)\n+ t.deleteNode(0xff0000000f)\n+ t.addNewChild(0xff0000000e, \"role3\", 0, 0xff00000010, null)\n+ t.moveChild(0xff0000000e, \"role3\", 0, 0xff00000010)\n+ t.addNewChild(0xff00000010, \"role3\", 0, 0xff00000011, null)\n+ t.addNewChild(0xff00000010, \"role3\", 0, 0xff00000012, null)\n+ t.moveChild(0x1, \"role2\", 0, 0xff00000011)\n+ t.moveChild(0xff00000011, \"role1\", 0, 0xff00000010)\n+ t.moveChild(0xff00000010, \"role1\", 0, 0xff00000012)\n+ t.moveChild(0x1, \"role2\", 1, 0xff00000011)\n+ t.addNewChild(0x1, \"role2\", 0, 0xff00000013, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000012, \"role2\", 0, 0xff00000013)\n+ },\n+ { t -> // 1\n+ t.moveChild(0x1, \"role1\", 1, 0xff00000010)\n+ t.moveChild(0x1, \"role1\", 1, 0xff00000012)\n+ t.deleteNode(0xff0000000e)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (26) |
426,496 | 18.08.2020 12:22:07 | -7,200 | b8fa783d6d9b7b1d9a41b8c1f9fb5c612529a940 | Conflict resolution tests (27) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -52,11 +52,6 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nif (previous.childId == childId) {\nindexAdjustments.nodeRemoved(this, true, targetPosition, childId)\nlistOf(NoOp())\n- } else if (sourcePosition.nodeId == previous.childId) {\n- val redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\n- indexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\n- indexAdjustments.setKnownPosition(childId, redirectedTarget)\n- listOf(MoveNodeOp(childId, redirectedTarget, targetPosition))\n} else if (targetPosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\n@@ -90,7 +85,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun withAdjustedPosition(indexAdjustments: IndexAdjustments): MoveNodeOp {\nreturn withPos(\n- indexAdjustments.getAdjustedPosition(sourcePosition),\n+ indexAdjustments.getAdjustedPosition(childId, sourcePosition),\nindexAdjustments.getAdjustedPositionForInsert(targetPosition)\n)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -538,6 +538,23 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue22() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"role3\", 0, 0xff00000011, null)\n+ },\n+ { t -> // 0\n+ t.deleteNode(0xff00000011)\n+ },\n+ { t -> // 1\n+ t.addNewChild(0xff00000011, \"role2\", 0, 0xff0000002e, null)\n+ t.addNewChild(0xff00000011, \"role3\", 0, 0xff00000030, null)\n+ t.moveChild(0x1, \"role3\", 0, 0xff0000002e)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (27) |
426,496 | 18.08.2020 13:45:43 | -7,200 | ed2bffc4d2f41c6411143fa71d608c0f03010572 | Conflict resolution tests (28) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -65,9 +65,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\n}\n}\nis MoveNodeOp -> {\n- if (previous.childId == childId) {\n- listOf(DeleteNodeOp(previous.targetPosition, childId))\n- } else if (previous.targetPosition.nodeId == childId) {\n+ if (previous.targetPosition.nodeId == childId) {\nval moveOp = MoveNodeOp(\nprevious.childId,\nindexAdjustments.getAdjustedPosition(previous.childId, previous.targetPosition),\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -35,15 +35,17 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nreturn Applied()\n}\n+ fun getActualTargetPosition(): PositionInRole {\n+ return if (sourcePosition.roleInNode == targetPosition.roleInNode && targetPosition.index > sourcePosition.index)\n+ targetPosition.withIndex(targetPosition.index - 1)\n+ else targetPosition\n+ }\n+\noverride fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\nindexAdjustments.nodeMoved(a, false, sourcePosition, targetPosition)\n- var actualTargetPos = a.targetPosition\n- if (a.sourcePosition.roleInNode == a.targetPosition.roleInNode && a.targetPosition.index > a.sourcePosition.index) {\n- actualTargetPos = actualTargetPos.withIndex(actualTargetPos.index - 1)\n- }\n- indexAdjustments.setKnownPosition(childId, actualTargetPos)\n+ indexAdjustments.setKnownPosition(childId, a.getActualTargetPosition())\na\n}\nreturn when (previous) {\n@@ -80,7 +82,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\nindexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\n- indexAdjustments.setKnownPosition(childId, targetPosition)\n+ indexAdjustments.setKnownPosition(childId, getActualTargetPosition())\n}\noverride fun withAdjustedPosition(indexAdjustments: IndexAdjustments): MoveNodeOp {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -8,6 +8,7 @@ import org.modelix.model.lazy.CLTree\nimport org.modelix.model.lazy.CLVersion\nimport org.modelix.model.operations.IAppliedOperation\nimport org.modelix.model.operations.OTBranch\n+import kotlin.random.Random\nimport kotlin.test.Test\nimport kotlin.test.fail\n@@ -28,10 +29,10 @@ class ConflictResolutionTest : TreeTestBase() {\nrandomTest(10, 5, 20)\n}\n- @Test\n- fun randomTest04() {\n- randomTest(100, 5, 100)\n- }\n+// @Test\n+// fun randomTest04() {\n+// randomTest(100, 5, 100)\n+// }\n@Test\nfun randomTest06() {\n@@ -555,6 +556,20 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue23() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"role3\", 0, 0xff00000001, null)\n+ t.moveChild(0x1, \"role2\", 0, 0xff00000001)\n+ }, { t -> // 0\n+ t.moveChild(0x1, \"role2\", 1, 0xff00000001)\n+ }, { t -> // 1\n+ t.deleteNode(0xff00000001)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (28) |
426,496 | 18.08.2020 14:00:30 | -7,200 | af439497238ea39875a0201c62906ffd4ce14d07 | Conflict resolution tests (30) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -65,7 +65,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\n}\n}\nis MoveNodeOp -> {\n- if (previous.targetPosition.nodeId == childId) {\n+ if (previous.targetPosition.nodeId == childId && !indexAdjustments.isDeleted(previous.childId)) {\nval moveOp = MoveNodeOp(\nprevious.childId,\nindexAdjustments.getAdjustedPosition(previous.childId, previous.targetPosition),\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -39,6 +39,8 @@ class IndexAdjustments {\nreturn getAdjustedPosition(lastKnownPosition)\n}\n+ fun isDeleted(nodeId: Long) = knownPositions[nodeId]?.deleted == true\n+\nfun addAdjustment(newAdjustment: Adjustment) {\nfor (i in adjustments.indices) {\nadjustments[i] = adjustments[i].adjustSelf(newAdjustment)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -562,14 +562,33 @@ class ConflictResolutionTest : TreeTestBase() {\n{ t ->\nt.addNewChild(0x1, \"role3\", 0, 0xff00000001, null)\nt.moveChild(0x1, \"role2\", 0, 0xff00000001)\n- }, { t -> // 0\n+ },\n+ { t -> // 0\nt.moveChild(0x1, \"role2\", 1, 0xff00000001)\n- }, { t -> // 1\n+ },\n+ { t -> // 1\nt.deleteNode(0xff00000001)\n}\n)\n}\n+ @Test\n+ fun knownIssue24() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"role3\", 0, 0xff00000003, null)\n+ t.addNewChild(0xff00000003, \"role1\", 0, 0xff00000004, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000003, \"role2\", 0, 0xff00000004)\n+ },\n+ { t -> // 1\n+ t.deleteNode(0xff00000004)\n+ t.deleteNode(0xff00000003)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (30) |
426,496 | 18.08.2020 14:08:29 | -7,200 | a61d3af713daf5bc4c1f2e426e0e88f66a7d98fb | Conflict resolution tests (31) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -133,9 +133,9 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nindexAdjustments: IndexAdjustments\n): List<IOperation> {\nval transformed = opToTransform.transform(previousOp, indexAdjustments)\n- if (transformed.size != 1 || opToTransform.toString() != transformed[0].toString()) {\n- logDebug({ \"transformed: $opToTransform --> $transformed ## $previousOp\" }, VersionMerger::class)\n- }\n+// if (transformed.size != 1 || opToTransform.toString() != transformed[0].toString()) {\n+// logDebug({ \"transformed: $opToTransform --> $transformed ## $previousOp\" }, VersionMerger::class)\n+// }\nreturn transformed\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -27,8 +27,8 @@ import org.modelix.model.logDebug\nclass OTWriteTransaction(private val transaction: IWriteTransaction, private val otBranch: OTBranch, protected var idGenerator: IIdGenerator) : IWriteTransaction {\nprotected fun apply(op: IOperation) {\n- val opCode = op.toCode()\n- if (opCode.isNotEmpty()) logDebug({ opCode }, OTWriteTransaction::class)\n+// val opCode = op.toCode()\n+// if (opCode.isNotEmpty()) logDebug({ opCode }, OTWriteTransaction::class)\nval appliedOp = op.apply(transaction)\notBranch.operationApplied(appliedOp)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -29,16 +29,23 @@ class ConflictResolutionTest : TreeTestBase() {\nrandomTest(10, 5, 20)\n}\n-// @Test\n-// fun randomTest04() {\n-// randomTest(100, 5, 100)\n-// }\n-\n@Test\n- fun randomTest06() {\n+ fun randomTest04() {\nrandomTest(101, 2, 4)\n}\n+// @Test\n+// fun randomTest00() {\n+// for (i in 0..10000) {\n+// try {\n+// rand = Random(i)\n+// randomTest(10, 2, 3)\n+// } catch (ex: Exception) {\n+// throw RuntimeException(\"Failed for seed $i\", ex)\n+// }\n+// }\n+// }\n+\nfun randomTest(baseChanges: Int, numBranches: Int, branchChanges: Int) {\nval merger = VersionMerger(storeCache, idGenerator)\nval baseExpectedTreeData = ExpectedTreeData()\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Conflict resolution tests (31) |
426,496 | 18.08.2020 14:24:52 | -7,200 | f44a839bc332e613639be530695b7c42224b80b4 | remove usages of 'synchronized' from commonMain | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"diff": "@@ -9,3 +9,4 @@ expect fun logWarning(message: String, exception: Exception, contextClass: KClas\nexpect fun bitCount(bits: Int): Int\nexpect fun <K, V> createLRUMap(size: Int): MutableMap<K, V>\nexpect fun randomUUID(): String\n+expect inline fun <R> runSynchronized(lock: Any, block: () -> R): R\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -32,7 +32,7 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nprivate val mergeLock = Any()\nfun mergeChange(lastMergedVersion: CLVersion, newVersion: CLVersion): CLVersion {\nvar lastMergedVersion = lastMergedVersion\n- synchronized(mergeLock) {\n+ runSynchronized(mergeLock) {\nreturn if (lastMergedVersion == null) {\nlastMergedVersion = newVersion\nnewVersion\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/PBranch.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/PBranch.kt",
"diff": "package org.modelix.model.api\nimport org.modelix.model.logError\n+import org.modelix.model.runSynchronized\nimport org.modelix.model.util.ContextValue\nimport org.modelix.model.util.pmap.COWArrays\nimport kotlin.jvm.Volatile\n@@ -41,7 +42,7 @@ class PBranch constructor(@field:Volatile private var tree: ITree, private val i\n}\noverride fun runWrite(runnable: () -> Unit) {\n- synchronized(writeLock) {\n+ runSynchronized(writeLock) {\nval prevTransaction = contextTransactions.getValue()\ncheck(prevTransaction !is ReadTransaction) { \"Cannot run write from read\" }\nval prevWrite = prevTransaction as WriteTransaction?\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/GarbageFilteringStore.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/GarbageFilteringStore.kt",
"diff": "@@ -18,6 +18,7 @@ package org.modelix.model.client\nimport org.modelix.model.IKeyListener\nimport org.modelix.model.IKeyValueStore\nimport org.modelix.model.persistent.HashUtil\n+import org.modelix.model.runSynchronized\nclass GarbageFilteringStore(private val store: IKeyValueStore) : IKeyValueStore {\nprivate val pendingEntries: MutableMap<String?, String?> = HashMap()\n@@ -32,7 +33,7 @@ class GarbageFilteringStore(private val store: IKeyValueStore) : IKeyValueStore\noverride fun getAll(keys_: Iterable<String>): Map<String, String?> {\nval keys = keys_.toMutableList()\nval result: MutableMap<String, String?> = LinkedHashMap()\n- synchronized(pendingEntries) {\n+ runSynchronized(pendingEntries) {\nval itr = keys.iterator()\nwhile (itr.hasNext()) {\nval key = itr.next()\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTBranch.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTBranch.kt",
"diff": "package org.modelix.model.operations\nimport org.modelix.model.api.*\n+import org.modelix.model.runSynchronized\nclass OTBranch(private val branch: IBranch, private val idGenerator: IIdGenerator) : IBranch {\nprivate var operations: MutableList<IAppliedOperation> = ArrayList()\nprivate val operationsLock = Any()\nfun operationApplied(op: IAppliedOperation) {\n- synchronized(operationsLock) { operations.add(op) }\n+ runSynchronized(operationsLock) { operations.add(op) }\n}\nval newOperations: List<IAppliedOperation>\nget() {\n- synchronized(operationsLock) {\n+ runSynchronized(operationsLock) {\nval result: List<IAppliedOperation> = operations\noperations = ArrayList()\nreturn result\n@@ -35,7 +36,7 @@ class OTBranch(private val branch: IBranch, private val idGenerator: IIdGenerato\nval operationsAndTree: Pair<List<IAppliedOperation>, ITree>\nget() {\n- synchronized(operationsLock) { return Pair(newOperations, computeRead { transaction.tree }) }\n+ runSynchronized(operationsLock) { return Pair(newOperations, computeRead { transaction.tree }) }\n}\noverride fun addListener(l: IBranchListener) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jsMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"new_path": "model-client/src/jsMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"diff": "@@ -41,3 +41,7 @@ external object uuid {\nactual fun randomUUID(): String {\nreturn uuid.v4()\n}\n+\n+actual inline fun <R> runSynchronized(lock: Any, block: () -> R): R {\n+ return block()\n+}\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"diff": "@@ -33,3 +33,7 @@ actual fun <K, V> createLRUMap(size: Int): MutableMap<K, V> {\nactual fun randomUUID(): String {\nreturn UUID.randomUUID().toString()\n}\n+\n+actual inline fun <R> runSynchronized(lock: Any, block: () -> R): R {\n+ return synchronized(lock, block)\n+}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | remove usages of 'synchronized' from commonMain |
426,496 | 18.08.2020 15:28:05 | -7,200 | f67b136c2307954897961cced71d6a6132060690 | reduce execution time of ModelClient_Test | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"new_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"diff": "@@ -64,18 +64,19 @@ class ModelClient_Test {\nval listeners: MutableList<Listener> = ArrayList()\nval expected: MutableMap<String, String> = HashMap()\nfor (client in clients) {\n- for (i in 0..9) {\n- println(\"Phase A: client $client i=$i of 10\")\n- Thread.sleep(1000)\n+ for (i in 1..3) {\n+ println(\"Phase A: client $client i=$i of 3\")\n+// Thread.sleep(50)\nval key = \"test_$i\"\nval l = Listener(key, client)\nclient.listen(key, l)\nlisteners.add(l)\n}\n}\n- for (i in 0..99) {\n- println(\"Phase B: i=$i of 100\")\n- Thread.sleep(200)\n+ Thread.sleep(1000)\n+ for (i in 1..10) {\n+ println(\"Phase B: i=$i of 10\")\n+// Thread.sleep(50)\nif (!modelServer.isUp()) {\nthrow IllegalStateException(\"The model-server is not up\")\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | reduce execution time of ModelClient_Test |
426,496 | 18.08.2020 15:34:26 | -7,200 | aabb93b2efa5e7212e9571c5083dbf035a541c1d | reduce execution time of ModelClient_Test (2) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"new_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"diff": "@@ -92,7 +92,7 @@ class ModelClient_Test {\nAssert.assertEquals(expected[key], client[key])\n}\nprintln(\" verified\")\n- Thread.sleep(100)\n+ Thread.sleep(200)\nfor (l in listeners) {\nAssert.assertEquals(expected[l.key], l.lastValue)\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | reduce execution time of ModelClient_Test (2) |
426,496 | 18.08.2020 15:42:11 | -7,200 | 83f551232d8932a8a3035466be550cf0ce0aebc0 | reduce execution time of ModelClient_Test (3) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"new_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"diff": "@@ -76,7 +76,6 @@ class ModelClient_Test {\nThread.sleep(1000)\nfor (i in 1..10) {\nprintln(\"Phase B: i=$i of 10\")\n-// Thread.sleep(50)\nif (!modelServer.isUp()) {\nthrow IllegalStateException(\"The model-server is not up\")\n}\n@@ -92,7 +91,13 @@ class ModelClient_Test {\nAssert.assertEquals(expected[key], client[key])\n}\nprintln(\" verified\")\n- Thread.sleep(200)\n+ for (timeout in 0..1000) {\n+ if (listeners.all { expected[it.key] == it.lastValue }) {\n+ println(\"All changes received after $timeout ms\")\n+ break\n+ }\n+ Thread.sleep(1)\n+ }\nfor (l in listeners) {\nAssert.assertEquals(expected[l.key], l.lastValue)\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | reduce execution time of ModelClient_Test (3) |
426,496 | 18.08.2020 16:13:55 | -7,200 | a884e47d62a5252c2ec7fac9de48f598734fd22d | github workflow for building everything | [
{
"change_type": "ADD",
"old_path": null,
"new_path": ".github/workflows/all.yml",
"diff": "+name: All\n+\n+on: [push]\n+\n+jobs:\n+ build:\n+\n+ runs-on: ubuntu-latest\n+\n+ steps:\n+ - uses: actions/checkout@v1\n+ - name: Set up JDK 11\n+ uses: actions/setup-java@v1\n+ with:\n+ java-version: 11\n+ - name: Assemble\n+ run: ./gradlew assemble\n+\n+ unitTests:\n+\n+ runs-on: ubuntu-latest\n+\n+ steps:\n+ - uses: actions/checkout@v1\n+ - name: Set up JDK 11\n+ uses: actions/setup-java@v1\n+ with:\n+ java-version: 11\n+ - name: Run unit tests\n+ run: ./gradlew test\n+\n+ lint:\n+\n+ runs-on: ubuntu-latest\n+\n+ steps:\n+ - uses: actions/checkout@v1\n+ - name: Set up JDK 11\n+ uses: actions/setup-java@v1\n+ with:\n+ java-version: 11\n+ - name: Run linter\n+ run: ./gradlew spotlessCheck\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | github workflow for building everything |
426,496 | 18.08.2020 16:21:14 | -7,200 | 6590b72a9f5e80bb788b2f33286d3a1b4392a40f | disabled ModelClient_Test because it is unreliable | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"new_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"diff": "@@ -56,7 +56,8 @@ class ModelClient_Test {\n// This test requires a running model server\n// It should be marked as a slow test and run separately from unit tests\n- @Test\n+ // @Test\n+ // disabled because it fails sometimes but not always on the CI server\nfun test_t1() {\nval rand = Random(67845)\nval url = \"http://localhost:28101/\"\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | disabled ModelClient_Test because it is unreliable |
426,496 | 19.08.2020 00:26:05 | -7,200 | d56b1c064eb7f64007b958edd06a4cd26217fb4c | remote model changes were not merged into the local replica | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -166,22 +166,22 @@ actual open class ReplicatedTree actual constructor(private val client: IModelCl\n})\n}\n- protected fun writeRemoteVersion(version: CLVersion) {\n+ protected fun writeRemoteVersion(newVersion: CLVersion) {\nsynchronized(mergeLock) {\n- if (remoteVersion!!.hash != version.hash) {\n- remoteVersion = version\n- client.asyncStore!!.put(treeId.getBranchKey(branchName), version.hash)\n+ if (remoteVersion!!.hash != newVersion.hash) {\n+ remoteVersion = newVersion\n+ client.asyncStore!!.put(treeId.getBranchKey(branchName), newVersion.hash)\n}\n}\n}\n- protected fun writeLocalVersion(version: CLVersion?) {\n+ protected fun writeLocalVersion(newVersion: CLVersion?) {\nsynchronized(mergeLock) {\n- if (version!!.hash != version.hash) {\n- this.version = version\n+ if (newVersion!!.hash != this.version!!.hash) {\n+ this.version = newVersion\ndivergenceTime = 0\nlocalBranch.runWrite {\n- val newTree = version.tree\n+ val newTree = newVersion.tree\nval currentTree = localBranch.transaction.tree as CLTree?\nif (getHash(newTree) != getHash(currentTree)) {\nlocalBranch.writeTransaction.tree = newTree\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/VersionChangeDetector.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/VersionChangeDetector.kt",
"diff": "@@ -27,6 +27,8 @@ abstract class VersionChangeDetector(private val store: IKeyValueStore, private\nvar lastVersionHash: String? = null\nprivate set\nprivate val pollingTask: ScheduledFuture<*>\n+\n+ @Synchronized\nprivate fun versionChanged(newVersion: String?) {\nif (newVersion == lastVersionHash) {\nreturn\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | remote model changes were not merged into the local replica |
426,496 | 19.08.2020 17:41:10 | -7,200 | ab04ccc768b7b050ac39c0057dbc30c5e55738eb | tests for de-/serialization of the data that ends up in the database | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPElementRef.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPElementRef.kt",
"diff": "@@ -24,7 +24,7 @@ internal constructor() {\nprivate class LocalRef(private val id: Long) : CPElementRef() {\noverride fun toString(): String {\n- return \"\" + id\n+ return \"\" + id.toString(16)\n}\noverride val isGlobal: Boolean\n@@ -167,7 +167,7 @@ internal constructor() {\nmps(str.substring(1))\n}\nelse -> {\n- local(str.toLong())\n+ local(str.toLong(16))\n}\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ExpectedTreeData.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ExpectedTreeData.kt",
"diff": "package org.modelix.model\n+import org.modelix.model.api.ITree\n+import kotlin.test.assertEquals\n+import kotlin.test.assertFalse\n+\nclass ExpectedTreeData {\nvar expectedChildren: MutableMap<Pair<Long, String?>, MutableList<Long>> = HashMap()\nvar expectedParents: MutableMap<Long, Long> = HashMap()\n@@ -30,4 +34,29 @@ class ExpectedTreeData {\nval list = expectedChildren.getOrPut(Pair(parent, role), { ArrayList() })\nlist.remove(child)\n}\n+\n+ fun assertTree(tree: ITree) {\n+ for ((key, expectedParent) in this.expectedParents) {\n+ if (expectedParent == 0L) {\n+ assertFalse(tree.containsNode(key))\n+ } else {\n+ val actualParent = tree.getParent(key)\n+ assertEquals(expectedParent, actualParent)\n+ }\n+ }\n+ for ((key, value) in this.expectedChildren) {\n+ if (this.expectedDeletes.contains(key.first)) {\n+ continue\n+ }\n+ val expected = value.toList()\n+ val actual = tree.getChildren(key.first, key.second).toList()\n+ assertEquals(expected, actual)\n+ }\n+ for ((key, value) in this.expectedRoles) {\n+ assertEquals(value, tree.getRole(key))\n+ }\n+ for (node in this.expectedDeletes) {\n+ assertFalse(tree.containsNode(node))\n+ }\n+ }\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/TreeTestBase.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/TreeTestBase.kt",
"diff": "@@ -53,95 +53,7 @@ open class TreeTestBase {\n}\nfun applyRandomChange(branch: IBranch, expectedTree: ExpectedTreeData) {\n- branch.runWrite {\n- val t = branch.writeTransaction\n- when (rand.nextInt(5)) {\n- 0 -> // Delete node\n- {\n- val nodeToDelete = TreeTestUtil(t.tree, rand).randomLeafNode\n- if (nodeToDelete != 0L && nodeToDelete != ITree.ROOT_ID) {\n- if (DEBUG) {\n- println(\"Delete $nodeToDelete\")\n- }\n- t.deleteNode(nodeToDelete)\n- expectedTree.removeChild(expectedTree.expectedParents[nodeToDelete]!!, expectedTree.expectedRoles[nodeToDelete], nodeToDelete)\n- expectedTree.expectedParents[nodeToDelete] = 0L\n- expectedTree.expectedRoles.remove(nodeToDelete)\n- expectedTree.expectedDeletes.add(nodeToDelete)\n- }\n- }\n- 1 -> // New node\n- {\n- val parent = TreeTestUtil(t.tree, rand).randomNodeWithRoot\n- if (parent != 0L) {\n- val childId = idGenerator.generate()\n- val role = roles[rand.nextInt(roles.size)]\n- val index = if (rand.nextBoolean()) rand.nextInt(t.getChildren(parent, role).count().toInt() + 1) else -1\n- if (DEBUG) {\n- println(\"AddNew $childId to $parent.$role[$index]\")\n- }\n- t.addNewChild(parent, role, index, childId, null)\n- expectedTree.expectedParents[childId] = parent\n- expectedTree.expectedRoles[childId] = role\n- expectedTree.insertChild(parent, role, index, childId)\n- }\n- }\n- 2 -> // Set property\n- {\n- val nodeId = TreeTestUtil(t.tree, rand).randomNodeWithoutRoot\n- if (nodeId != 0L) {\n- val role = roles[rand.nextInt(roles.size)]\n- val value = rand.nextLong().toString()\n- if (DEBUG) {\n- println(\"SetProperty $nodeId.$role = $value\")\n- }\n- t.setProperty(nodeId, role, value)\n- }\n- }\n- 3 -> // Set reference\n- {\n- val sourceId = TreeTestUtil(t.tree, rand).randomNodeWithoutRoot\n- val targetId = TreeTestUtil(t.tree, rand).randomNodeWithoutRoot\n- if (sourceId != 0L && targetId != 0L) {\n- val role = roles[rand.nextInt(roles.size)]\n- if (DEBUG) {\n- println(\"SetReference $sourceId.$role = $targetId\")\n- }\n- t.setReferenceTarget(sourceId, role, PNodeReference(targetId))\n- }\n- }\n- 4 -> // Move node\n- {\n- val util = TreeTestUtil(t.tree, rand)\n- val childId = util.randomNodeWithoutRoot\n- val parent = util.getRandomNode(\n- util\n- .allNodes\n- .filter { it: Long -> util.getAncestors(it, true).none { it2: Long -> it2 == childId } }\n- )\n- if (childId != 0L && parent != 0L) {\n- val role = roles[rand.nextInt(roles.size)]\n- var index = if (rand.nextBoolean()) rand.nextInt(t.getChildren(parent, role).count() + 1) else -1\n- if (DEBUG) {\n- println(\"MoveNode $childId to $parent.$role[$index]\")\n- }\n- t.moveChild(parent, role, index, childId)\n- val oldParent = expectedTree.expectedParents[childId]!!\n- val oldRole = expectedTree.expectedRoles[childId]\n- if (oldParent == parent && oldRole == role) {\n- val oldIndex = expectedTree.expectedChildren[Pair(oldParent, oldRole)]!!.indexOf(childId)\n- if (oldIndex < index) {\n- index--\n- }\n- }\n- expectedTree.removeChild(oldParent, oldRole, childId)\n- expectedTree.expectedParents[childId] = parent\n- expectedTree.expectedRoles[childId] = role\n- expectedTree.insertChild(parent, role, index, childId)\n- }\n- }\n- }\n- }\n+ RandomTreeChangeGenerator(idGenerator, rand).applyRandomChange(branch, expectedTree)\n}\nfun assertBranch(branch: IBranch, expectedTree: ExpectedTreeData) {\n@@ -149,27 +61,6 @@ open class TreeTestBase {\n}\nfun assertTree(tree: ITree, expectedTree: ExpectedTreeData) {\n- for ((key, expectedParent) in expectedTree.expectedParents) {\n- if (expectedParent == 0L) {\n- assertFalse(tree.containsNode(key))\n- } else {\n- val actualParent = tree.getParent(key)\n- assertEquals(expectedParent, actualParent)\n- }\n- }\n- for ((key, value) in expectedTree.expectedChildren) {\n- if (expectedTree.expectedDeletes.contains(key.first)) {\n- continue\n- }\n- val expected = value.toList()\n- val actual = tree.getChildren(key.first, key.second).toList()\n- assertEquals(expected, actual)\n- }\n- for ((key, value) in expectedTree.expectedRoles) {\n- assertEquals(value, tree.getRole(key))\n- }\n- for (node in expectedTree.expectedDeletes) {\n- assertFalse(tree.containsNode(node))\n- }\n+ expectedTree.assertTree(tree)\n}\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | tests for de-/serialization of the data that ends up in the database |
426,496 | 19.08.2020 18:36:14 | -7,200 | 500583af72896670aaa9607adc84204c66d60b8e | implement isSha256 and extractSha256 for JS | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPVersion.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPVersion.kt",
"diff": "@@ -17,8 +17,6 @@ package org.modelix.model.persistent\nimport org.modelix.model.logWarning\nimport org.modelix.model.operations.IOperation\n-import org.modelix.model.persistent.HashUtil.isSha256\n-import org.modelix.model.persistent.HashUtil.sha256\nimport org.modelix.model.persistent.SerializationUtil.escape\nimport org.modelix.model.persistent.SerializationUtil.longFromHex\nimport org.modelix.model.persistent.SerializationUtil.longToHex\n@@ -55,7 +53,7 @@ class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, pre\n}\nval hash: String\n- get() = sha256(serialize())\n+ get() = HashUtil.sha256(serialize())\ncompanion object {\nfun deserialize(input: String): CPVersion {\n@@ -63,7 +61,7 @@ class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, pre\nval parts = input.split(\"/\").dropLastWhile { it.isEmpty() }.toTypedArray()\nvar opsHash: String? = null\nvar ops: Array<IOperation>? = null\n- if (isSha256(parts[5])) {\n+ if (HashUtil.isSha256(parts[5])) {\nopsHash = parts[5]\n} else {\nops = parts[5].split(\",\")\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/HashUtil.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/HashUtil.kt",
"diff": "package org.modelix.model.persistent\n-expect object HashUtil {\n- fun sha256asByteArray(input: ByteArray?): ByteArray\n- fun sha256(input: ByteArray?): String\n- fun sha256(input: String): String\n- fun isSha256(value: String?): Boolean\n- fun extractSha256(input: String?): Iterable<String>\n- fun base64encode(input: String): String\n- fun base64encode(input: ByteArray): String\n- fun base64decode(input: String): String\n+object HashUtil {\n+ val HASH_PATTERN = Regex(\"\"\"[a-zA-Z0-9\\-_]{43}\"\"\")\n+\n+ fun sha256asByteArray(input: ByteArray?): ByteArray = PlatformSpecificHashUtil.sha256asByteArray(input)\n+ fun sha256(input: ByteArray?): String = PlatformSpecificHashUtil.sha256(input)\n+ fun sha256(input: String): String = PlatformSpecificHashUtil.sha256(input)\n+\n+ fun isSha256(value: String?): Boolean {\n+ if (value == null) {\n+ return false\n+ }\n+ return if (value.length != 43) {\n+ false\n+ } else value.matches(HASH_PATTERN)\n}\n-expect fun stringToUTF8ByteArray(input: String): ByteArray\n+ fun extractSha256(input: String?): Iterable<String> {\n+ if (input == null) return emptyList()\n+ return HASH_PATTERN.findAll(input).map { it.groupValues.first() }.asIterable()\n+ }\n+\n+ fun base64encode(input: String): String = PlatformSpecificHashUtil.base64encode(input)\n+ fun base64encode(input: ByteArray): String = PlatformSpecificHashUtil.base64encode(input)\n+ fun base64decode(input: String): String = PlatformSpecificHashUtil.base64decode(input)\n+ fun stringToUTF8ByteArray(input: String): ByteArray = PlatformSpecificHashUtil.stringToUTF8ByteArray(input)\n+}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/PlatformSpecificHashUtil.kt",
"diff": "+package org.modelix.model.persistent\n+\n+expect object PlatformSpecificHashUtil {\n+ fun sha256asByteArray(input: ByteArray?): ByteArray\n+ fun sha256(input: ByteArray?): String\n+ fun sha256(input: String): String\n+ fun base64encode(input: String): String\n+ fun base64encode(input: ByteArray): String\n+ fun base64decode(input: String): String\n+ fun stringToUTF8ByteArray(input: String): ByteArray\n+}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/StringUtilsTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/StringUtilsTest.kt",
"diff": "package org.modelix.model\n-import org.modelix.model.persistent.stringToUTF8ByteArray\n+import org.modelix.model.persistent.HashUtil\nimport kotlin.test.Test\nimport kotlin.test.assertEquals\nclass StringUtilsTest {\n@Test\n- @kotlin.ExperimentalStdlibApi\nfun stringToByteArrayForEmptyString() {\n- val res = stringToUTF8ByteArray(\"\")\n+ val res = HashUtil.stringToUTF8ByteArray(\"\")\nassertEquals(0, res.count())\n}\n@Test\n- @kotlin.ExperimentalStdlibApi\nfun stringToByteArrayForShortString() {\n- val res = stringToUTF8ByteArray(\"a\")\n+ val res = HashUtil.stringToUTF8ByteArray(\"a\")\nassertEquals(1, res.count())\nassertEquals(97, res[0])\n}\n@Test\n- @kotlin.ExperimentalStdlibApi\nfun stringToByteArrayForMediumString() {\n- val res: ByteArray = stringToUTF8ByteArray(\"hello from Kotlin\")\n+ val res: ByteArray = HashUtil.stringToUTF8ByteArray(\"hello from Kotlin\")\nassertEquals(17, res.count())\nval expected: ByteArray = byteArrayOf(104, 101, 108, 108, 111, 32, 102, 114, 111, 109, 32, 75, 111, 116, 108, 105, 110)\n// assertEquals seems to have issues comparing ByteArray\n"
},
{
"change_type": "RENAME",
"old_path": "model-client/src/jsMain/kotlin/org/modelix/model/persistent/HashUtil.kt",
"new_path": "model-client/src/jsMain/kotlin/org/modelix/model/persistent/PlatformSpecificHashUtil.kt",
"diff": "package org.modelix.model.persistent\n-import kotlin.browser.window\n+import kotlinx.browser.window\n@JsNonModule\n@JsModule(\"js-sha256\")\n@@ -25,7 +25,7 @@ external object Base64 {\nfun fromUint8Array(input: ByteArray, uriSafe: Boolean): String\n}\n-actual object HashUtil {\n+actual object PlatformSpecificHashUtil {\nactual fun sha256(input: ByteArray?): String {\nval sha256Bytes = sha256asByteArray(input)\nreturn base64encode(sha256Bytes)\n@@ -35,14 +35,6 @@ actual object HashUtil {\nreturn wrapperSha256(input)\n}\n- actual fun isSha256(value: String?): Boolean {\n- TODO(\"Not yet implemented\")\n- }\n-\n- actual fun extractSha256(input: String?): Iterable<String> {\n- TODO(\"Not yet implemented\")\n- }\n-\nactual fun base64encode(input: String): String {\n// QUESTION: can we do that on NodeJS?\nreturn window.btoa(input)\n@@ -62,9 +54,8 @@ actual object HashUtil {\nactual fun base64encode(input: ByteArray): String {\nreturn Base64.fromUint8Array(input, true)\n}\n-}\n-@ExperimentalStdlibApi\nactual fun stringToUTF8ByteArray(input: String): ByteArray {\n- return input.encodeToByteArray()\n+ return input.encodeToByteArray(throwOnInvalidSequence = true)\n+ }\n}\n"
},
{
"change_type": "RENAME",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/persistent/HashUtil.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/persistent/PlatformSpecificHashUtil.kt",
"diff": "@@ -19,10 +19,8 @@ import java.nio.charset.StandardCharsets\nimport java.security.MessageDigest\nimport java.security.NoSuchAlgorithmException\nimport java.util.*\n-import java.util.regex.Pattern\n-actual object HashUtil {\n- private val HASH_PATTERN = Pattern.compile(\"[a-zA-Z0-9\\\\-_]{43}\")\n+actual object PlatformSpecificHashUtil {\nprivate val UTF8 = StandardCharsets.UTF_8\nactual fun sha256asByteArray(input: ByteArray?): ByteArray {\nreturn try {\n@@ -43,44 +41,6 @@ actual object HashUtil {\nreturn sha256(input.toByteArray(UTF8))\n}\n- actual fun isSha256(value: String?): Boolean {\n- if (value == null) {\n- return false\n- }\n- return if (value.length != 43) {\n- false\n- } else HASH_PATTERN.matcher(value).matches()\n- }\n-\n- actual fun extractSha256(input: String?): Iterable<String> {\n- return object : Iterable<String> {\n- override fun iterator(): Iterator<String> {\n- return object : Iterator<String> {\n- private val matcher = HASH_PATTERN.matcher(input)\n- private var hasNext = false\n- private var hasNextInitialized = false\n- fun ensureInitialized() {\n- if (!hasNextInitialized) {\n- hasNext = matcher.find()\n- hasNextInitialized = true\n- }\n- }\n-\n- override fun hasNext(): Boolean {\n- ensureInitialized()\n- return hasNext\n- }\n-\n- override fun next(): String {\n- ensureInitialized()\n- hasNextInitialized = false\n- return matcher.group()\n- }\n- }\n- }\n- }\n- }\n-\nactual fun base64encode(input: String): String {\nreturn Base64.getUrlEncoder().withoutPadding().encodeToString(input.toByteArray(UTF8))\n}\n@@ -92,8 +52,8 @@ actual object HashUtil {\nactual fun base64decode(input: String): String {\nreturn String(Base64.getUrlDecoder().decode(input.toByteArray(UTF8)), UTF8)\n}\n-}\nactual fun stringToUTF8ByteArray(input: String): ByteArray {\nreturn input.toByteArray(StandardCharsets.UTF_8)\n}\n+}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | implement isSha256 and extractSha256 for JS |
426,496 | 20.08.2020 10:17:43 | -7,200 | 816817a0abf2ba604bb6bc5db30f85151adab439 | run tests in MPS with gradle | [
{
"change_type": "MODIFY",
"old_path": "mps/.mps/modules.xml",
"new_path": "mps/.mps/modules.xml",
"diff": "<modulePath path=\"$PROJECT_DIR$/org.modelix.ui.sm.server/org.modelix.ui.sm.server.msd\" folder=\"ui.shadowmodels\" />\n<modulePath path=\"$PROJECT_DIR$/org.modelix.ui.sm/org.modelix.ui.sm.mpl\" folder=\"ui.shadowmodels\" />\n<modulePath path=\"$PROJECT_DIR$/org.modelix.ui.svg/org.modelix.ui.svg.msd\" folder=\"ui.svg\" />\n+ <modulePath path=\"$PROJECT_DIR$/test.org.modelix.model.mpsplugin/test.org.modelix.model.mpsplugin.msd\" folder=\"model\" />\n+ <modulePath path=\"$PROJECT_DIR$/test.org.modelix.ui.common/test.org.modelix.ui.common.msd\" folder=\"ui\" />\n</projectModules>\n</component>\n</project>\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/build.gradle",
"new_path": "mps/build.gradle",
"diff": "@@ -107,3 +107,5 @@ task runMpsTests(type: TestLanguages, dependsOn: buildMpsModules) {\nscriptClasspath = buildScriptClasspath\nscript new File(\"$rootDir/build/test.org.modelix/build-tests.xml\")\n}\n+\n+test.dependsOn(runMpsTests)\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.build/models/org.modelix.build.mps",
"new_path": "mps/org.modelix.build/models/org.modelix.build.mps",
"diff": "<concept id=\"1500819558095907805\" name=\"jetbrains.mps.build.mps.structure.BuildMps_Group\" flags=\"ng\" index=\"2G$12M\">\n<child id=\"1500819558095907806\" name=\"modules\" index=\"2G$12L\" />\n</concept>\n+ <concept id=\"1265949165890536423\" name=\"jetbrains.mps.build.mps.structure.BuildMpsLayout_ModuleJars\" flags=\"ng\" index=\"L2wRC\">\n+ <reference id=\"1265949165890536425\" name=\"module\" index=\"L2wRA\" />\n+ </concept>\n<concept id=\"868032131020265945\" name=\"jetbrains.mps.build.mps.structure.BuildMPSPlugin\" flags=\"ng\" index=\"3b7kt6\" />\n<concept id=\"5253498789149381388\" name=\"jetbrains.mps.build.mps.structure.BuildMps_Module\" flags=\"ng\" index=\"3bQrTs\">\n<child id=\"5253498789149547825\" name=\"sources\" index=\"3bR31x\" />\n<concept id=\"3189788309731981027\" name=\"jetbrains.mps.build.mps.structure.BuildMps_ModuleSolutionRuntime\" flags=\"ng\" index=\"1E0d5M\">\n<reference id=\"3189788309731981028\" name=\"solution\" index=\"1E0d5P\" />\n</concept>\n- <concept id=\"3189788309731840247\" name=\"jetbrains.mps.build.mps.structure.BuildMps_Solution\" flags=\"ng\" index=\"1E1JtA\" />\n+ <concept id=\"3189788309731840247\" name=\"jetbrains.mps.build.mps.structure.BuildMps_Solution\" flags=\"ng\" index=\"1E1JtA\">\n+ <property id=\"269707337715731330\" name=\"sourcesKind\" index=\"aoJFB\" />\n+ </concept>\n<concept id=\"3189788309731840248\" name=\"jetbrains.mps.build.mps.structure.BuildMps_Language\" flags=\"ng\" index=\"1E1JtD\">\n<child id=\"3189788309731917348\" name=\"runtime\" index=\"1E1XAP\" />\n<child id=\"9200313594498201639\" name=\"generator\" index=\"1TViLv\" />\n<property role=\"2_Ic$$\" value=\"true\" />\n</node>\n<node concept=\"1wNqPr\" id=\"1yReInD228\" role=\"3989C9\" />\n+ <node concept=\"1E1JtA\" id=\"6w3CrGw0wk6\" role=\"3989C9\">\n+ <property role=\"BnDLt\" value=\"true\" />\n+ <property role=\"TrG5h\" value=\"test.org.modelix.model.mpsplugin\" />\n+ <property role=\"3LESm3\" value=\"ab3bc120-1b9c-4002-88fa-2617354a0d00\" />\n+ <property role=\"aoJFB\" value=\"eYcmk9QOlj/sources_and_tests\" />\n+ <node concept=\"398BVA\" id=\"6w3CrGw0wkd\" role=\"3LF7KH\">\n+ <ref role=\"398BVh\" node=\"1yReInD21e\" resolve=\"modelix.modules\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0wkj\" role=\"iGT6I\">\n+ <property role=\"2Ry0Am\" value=\"test.org.modelix.model.mpsplugin\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0wko\" role=\"2Ry0An\">\n+ <property role=\"2Ry0Am\" value=\"test.org.modelix.model.mpsplugin.msd\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wkq\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkr\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" to=\"ffeo:1H905DlDUSw\" resolve=\"MPS.OpenAPI\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wks\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkt\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" to=\"ffeo:mXGwHwhVPj\" resolve=\"JDK\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wku\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkv\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" to=\"ffeo:7Kfy9QB6KXW\" resolve=\"jetbrains.mps.lang.core\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wkw\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkx\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" node=\"7Hbm57D_FL9\" resolve=\"org.modelix.model.client\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wky\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkz\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" to=\"ffeo:7Kfy9QB6KYb\" resolve=\"jetbrains.mps.baseLanguage\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wk$\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wk_\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" to=\"ffeo:1TaHNgiIbIQ\" resolve=\"MPS.Core\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wkA\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkB\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" node=\"7gF2HTviNPK\" resolve=\"org.modelix.model\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wkC\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkD\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" node=\"7gF2HTviNPs\" resolve=\"org.modelix.model.mpsplugin\" />\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0wkE\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0wkF\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" to=\"ffeo:6aIAM_Qd5ki\" resolve=\"jetbrains.mps.lang.test.matcher\" />\n+ </node>\n+ </node>\n+ <node concept=\"1BupzO\" id=\"6w3CrGw0wkN\" role=\"3bR31x\">\n+ <property role=\"3ZfqAx\" value=\"models\" />\n+ <property role=\"1Hdu6h\" value=\"true\" />\n+ <property role=\"1HemKv\" value=\"true\" />\n+ <node concept=\"3LXTmp\" id=\"6w3CrGw0wkO\" role=\"1HemKq\">\n+ <node concept=\"398BVA\" id=\"6w3CrGw0wkG\" role=\"3LXTmr\">\n+ <ref role=\"398BVh\" node=\"1yReInD21e\" resolve=\"modelix.modules\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0wkH\" role=\"iGT6I\">\n+ <property role=\"2Ry0Am\" value=\"test.org.modelix.model.mpsplugin\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0wkI\" role=\"2Ry0An\">\n+ <property role=\"2Ry0Am\" value=\"models\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3qWCbU\" id=\"6w3CrGw0wkP\" role=\"3LXTna\">\n+ <property role=\"3qWCbO\" value=\"**/*.mps, **/*.mpsr, **/.model\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"1E1JtA\" id=\"6w3CrGw0I_A\" role=\"3989C9\">\n+ <property role=\"BnDLt\" value=\"true\" />\n+ <property role=\"TrG5h\" value=\"test.org.modelix.ui.common\" />\n+ <property role=\"3LESm3\" value=\"eb5b2a8f-6709-4407-9391-5e34e6ed7fce\" />\n+ <property role=\"aoJFB\" value=\"eYcmk9QOlj/sources_and_tests\" />\n+ <node concept=\"398BVA\" id=\"6w3CrGw0IA9\" role=\"3LF7KH\">\n+ <ref role=\"398BVh\" node=\"1yReInD21e\" resolve=\"modelix.modules\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0IAf\" role=\"iGT6I\">\n+ <property role=\"2Ry0Am\" value=\"test.org.modelix.ui.common\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0IAk\" role=\"2Ry0An\">\n+ <property role=\"2Ry0Am\" value=\"test.org.modelix.ui.common.msd\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"1SiIV0\" id=\"6w3CrGw0IAt\" role=\"3bR37C\">\n+ <node concept=\"3bR9La\" id=\"6w3CrGw0IAu\" role=\"1SiIV1\">\n+ <ref role=\"3bR37D\" node=\"5npwda7lJQ3\" resolve=\"org.modelix.ui.common\" />\n+ </node>\n+ </node>\n+ <node concept=\"1BupzO\" id=\"6w3CrGw0IAA\" role=\"3bR31x\">\n+ <property role=\"3ZfqAx\" value=\"models\" />\n+ <property role=\"1Hdu6h\" value=\"true\" />\n+ <property role=\"1HemKv\" value=\"true\" />\n+ <node concept=\"3LXTmp\" id=\"6w3CrGw0IAB\" role=\"1HemKq\">\n+ <node concept=\"398BVA\" id=\"6w3CrGw0IAv\" role=\"3LXTmr\">\n+ <ref role=\"398BVh\" node=\"1yReInD21e\" resolve=\"modelix.modules\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0IAw\" role=\"iGT6I\">\n+ <property role=\"2Ry0Am\" value=\"test.org.modelix.ui.common\" />\n+ <node concept=\"2Ry0Ak\" id=\"6w3CrGw0IAx\" role=\"2Ry0An\">\n+ <property role=\"2Ry0Am\" value=\"models\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3qWCbU\" id=\"6w3CrGw0IAC\" role=\"3LXTna\">\n+ <property role=\"3qWCbO\" value=\"**/*.mps, **/*.mpsr, **/.model\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"2sgV4H\" id=\"1yReInD21N\" role=\"1l3spa\">\n<ref role=\"1l3spb\" to=\"ffeo:3IKDaVZmzS6\" resolve=\"mps\" />\n<node concept=\"398BVA\" id=\"1yReInD2if\" role=\"2JcizS\">\n</node>\n</node>\n<node concept=\"55IIr\" id=\"1yReInD20W\" role=\"auvoZ\" />\n- <node concept=\"1l3spV\" id=\"1yReInD20X\" role=\"1l3spN\" />\n+ <node concept=\"1l3spV\" id=\"1yReInD20X\" role=\"1l3spN\">\n+ <node concept=\"L2wRC\" id=\"6w3CrGw0IBg\" role=\"39821P\">\n+ <ref role=\"L2wRA\" node=\"6w3CrGw0wk6\" resolve=\"test.org.modelix.model.mpsplugin\" />\n+ </node>\n+ <node concept=\"L2wRC\" id=\"6w3CrGw0IBl\" role=\"39821P\">\n+ <ref role=\"L2wRA\" node=\"6w3CrGw0I_A\" resolve=\"test.org.modelix.ui.common\" />\n+ </node>\n+ </node>\n<node concept=\"10PD9b\" id=\"1yReInD21$\" role=\"10PD9s\" />\n<node concept=\"3b7kt6\" id=\"1yReInD21D\" role=\"10PD9s\" />\n<node concept=\"1gjT0q\" id=\"6$6tsX_CKLI\" role=\"10PD9s\" />\n<node concept=\"22LTRH\" id=\"1yReInD22F\" role=\"1hWBAP\">\n<property role=\"TrG5h\" value=\"all\" />\n- <node concept=\"22LTRM\" id=\"1yReInD22Q\" role=\"22LTRK\">\n- <ref role=\"22LTRN\" node=\"7gF2HTviNPs\" resolve=\"org.modelix.model.mpsplugin\" />\n+ <node concept=\"22LTRM\" id=\"6w3CrGw0IAY\" role=\"22LTRK\">\n+ <ref role=\"22LTRN\" node=\"6w3CrGw0wk6\" resolve=\"test.org.modelix.model.mpsplugin\" />\n</node>\n- <node concept=\"22LTRM\" id=\"1yReInD2ib\" role=\"22LTRK\">\n- <ref role=\"22LTRN\" node=\"5npwda7lJQ3\" resolve=\"org.modelix.ui.common\" />\n+ <node concept=\"22LTRM\" id=\"6w3CrGw0IB8\" role=\"22LTRK\">\n+ <ref role=\"22LTRN\" node=\"6w3CrGw0I_A\" resolve=\"test.org.modelix.ui.common\" />\n</node>\n<node concept=\"24cAiW\" id=\"1yReInEzbz\" role=\"24cAkG\" />\n</node>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/org.modelix.model.mpsplugin.msd",
"new_path": "mps/org.modelix.model.mpsplugin/org.modelix.model.mpsplugin.msd",
"diff": "<language slang=\"l:f2801650-65d5-424e-bb1b-463a8781b786:jetbrains.mps.baseLanguage.javadoc\" version=\"2\" />\n<language slang=\"l:760a0a8c-eabb-4521-8bfd-65db761a9ba3:jetbrains.mps.baseLanguage.logging\" version=\"0\" />\n<language slang=\"l:a247e09e-2435-45ba-b8d2-07e93feba96a:jetbrains.mps.baseLanguage.tuples\" version=\"0\" />\n- <language slang=\"l:f61473f9-130f-42f6-b98d-6c438812c2f6:jetbrains.mps.baseLanguage.unitTest\" version=\"1\" />\n<language slang=\"l:63650c59-16c8-498a-99c8-005c7ee9515d:jetbrains.mps.lang.access\" version=\"0\" />\n<language slang=\"l:fe9d76d7-5809-45c9-ae28-a40915b4d6ff:jetbrains.mps.lang.checkedName\" version=\"1\" />\n<language slang=\"l:ceab5195-25ea-4f22-9b92-103b95ca8c0c:jetbrains.mps.lang.core\" version=\"2\" />\n<language slang=\"l:ef7bf5ac-d06c-4342-b11d-e42104eb9343:jetbrains.mps.lang.plugin.standalone\" version=\"0\" />\n<language slang=\"l:3a13115c-633c-4c5c-bbcc-75c4219e9555:jetbrains.mps.lang.quotation\" version=\"5\" />\n<language slang=\"l:7866978e-a0f0-4cc7-81bc-4d213d9375e1:jetbrains.mps.lang.smodel\" version=\"17\" />\n- <language slang=\"l:8585453e-6bfb-4d80-98de-b16074f1d86c:jetbrains.mps.lang.test\" version=\"5\" />\n<language slang=\"l:c7fb639f-be78-4307-89b0-b5959c3fa8c8:jetbrains.mps.lang.text\" version=\"0\" />\n<language slang=\"l:9ded098b-ad6a-4657-bfd9-48636cfe8bc3:jetbrains.mps.lang.traceable\" version=\"0\" />\n</languageVersions>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.notation.impl.baseLanguage/models/org.modelix.notation.impl.baseLanguage.web.mps",
"new_path": "mps/org.modelix.notation.impl.baseLanguage/models/org.modelix.notation.impl.baseLanguage.web.mps",
"diff": "<model ref=\"r:50eb7766-91e1-4a37-b475-1b30e8bebcac(org.modelix.notation.impl.baseLanguage.web)\">\n<persistence version=\"9\" />\n<languages>\n- <use id=\"375af171-bd4b-4bfb-bc9f-418fb996740b\" name=\"de.q60.mps.web.aspect\" version=\"0\" />\n+ <use id=\"375af171-bd4b-4bfb-bc9f-418fb996740b\" name=\"org.modelix.aspect\" version=\"0\" />\n<use id=\"7866978e-a0f0-4cc7-81bc-4d213d9375e1\" name=\"jetbrains.mps.lang.smodel\" version=\"17\" />\n<use id=\"94b64715-a263-4c36-a138-8da14705ffa7\" name=\"de.q60.mps.shadowmodels.transformation\" version=\"1\" />\n<devkit ref=\"df4512e0-2de7-456b-8e87-16e2011a3e91(org.modelix.aspect.devkit)\" />\n<property id=\"1070475926801\" name=\"value\" index=\"Xl_RC\" />\n</concept>\n</language>\n- <language id=\"375af171-bd4b-4bfb-bc9f-418fb996740b\" name=\"de.q60.mps.web.aspect\">\n- <concept id=\"4572148810971832979\" name=\"de.q60.mps.web.aspect.structure.HttpPageParameterRef\" flags=\"ng\" index=\"2PgeId\">\n+ <language id=\"375af171-bd4b-4bfb-bc9f-418fb996740b\" name=\"org.modelix.aspect\">\n+ <concept id=\"4572148810971832979\" name=\"org.modelix.aspect.structure.HttpPageParameterRef\" flags=\"ng\" index=\"2PgeId\">\n<reference id=\"4572148810971833022\" name=\"decl\" index=\"2PgeIw\" />\n</concept>\n- <concept id=\"4572148810970664170\" name=\"de.q60.mps.web.aspect.structure.HttpPage\" flags=\"ng\" index=\"2PkwnO\">\n+ <concept id=\"4572148810970664170\" name=\"org.modelix.aspect.structure.HttpPage\" flags=\"ng\" index=\"2PkwnO\">\n<property id=\"4572148810970664186\" name=\"path\" index=\"2Pkwn$\" />\n<child id=\"4572148810971602676\" name=\"transformation\" index=\"2Pn5vE\" />\n<child id=\"4572148810971564238\" name=\"parameters\" index=\"2Pnc7g\" />\n<child id=\"7833706949021263648\" name=\"title\" index=\"1engRn\" />\n</concept>\n- <concept id=\"4572148810970665056\" name=\"de.q60.mps.web.aspect.structure.HttpPageParameter\" flags=\"ng\" index=\"2Pkx_Y\">\n+ <concept id=\"4572148810970665056\" name=\"org.modelix.aspect.structure.HttpPageParameter\" flags=\"ng\" index=\"2Pkx_Y\">\n<child id=\"4572148810971751121\" name=\"type\" index=\"2PgqJf\" />\n</concept>\n- <concept id=\"4572148810970665104\" name=\"de.q60.mps.web.aspect.structure.NodeHttpPageParameterType\" flags=\"ng\" index=\"2PkxAe\">\n+ <concept id=\"4572148810970665104\" name=\"org.modelix.aspect.structure.NodeHttpPageParameterType\" flags=\"ng\" index=\"2PkxAe\">\n<reference id=\"4572148810970665120\" name=\"concept\" index=\"2PkxAY\" />\n</concept>\n</language>\n<concept id=\"9170566427534812277\" name=\"de.q60.mps.shadowmodels.transformation.structure.ContextNodeExpression\" flags=\"ng\" index=\"214o7A\" />\n<concept id=\"5373338300159315830\" name=\"de.q60.mps.shadowmodels.transformation.structure.EmptyLine\" flags=\"ng\" index=\"2OrE70\" />\n</language>\n- <language id=\"25fcb6ab-d05a-4950-8cdf-251526bdf513\" name=\"de.q60.mps.web.notation\">\n- <concept id=\"3089108827998240126\" name=\"de.q60.mps.web.notation.structure.HorizontalGridLayout\" flags=\"ng\" index=\"2nxgly\" />\n- <concept id=\"3089108827998240127\" name=\"de.q60.mps.web.notation.structure.VerticalGridLayout\" flags=\"ng\" index=\"2nxglz\" />\n- <concept id=\"8425748515790368261\" name=\"de.q60.mps.web.notation.structure.ConceptAliasCell\" flags=\"ng\" index=\"16AYIB\" />\n- <concept id=\"8425748515790217698\" name=\"de.q60.mps.web.notation.structure.ExpressionCell\" flags=\"ng\" index=\"16Bih0\">\n+ <language id=\"25fcb6ab-d05a-4950-8cdf-251526bdf513\" name=\"org.modelix.notation\">\n+ <concept id=\"3089108827998240126\" name=\"org.modelix.notation.structure.HorizontalGridLayout\" flags=\"ng\" index=\"2nxgly\" />\n+ <concept id=\"3089108827998240127\" name=\"org.modelix.notation.structure.VerticalGridLayout\" flags=\"ng\" index=\"2nxglz\" />\n+ <concept id=\"8425748515790368261\" name=\"org.modelix.notation.structure.ConceptAliasCell\" flags=\"ng\" index=\"16AYIB\" />\n+ <concept id=\"8425748515790217698\" name=\"org.modelix.notation.structure.ExpressionCell\" flags=\"ng\" index=\"16Bih0\">\n<child id=\"8425748515790217839\" name=\"expression\" index=\"16Bivd\" />\n</concept>\n- <concept id=\"8425748515790248902\" name=\"de.q60.mps.web.notation.structure.NotationNodeExpression\" flags=\"ng\" index=\"16BpT$\" />\n- <concept id=\"7759120791677799784\" name=\"de.q60.mps.web.notation.structure.NotationModule\" flags=\"ng\" index=\"1QS68C\">\n+ <concept id=\"8425748515790248902\" name=\"org.modelix.notation.structure.NotationNodeExpression\" flags=\"ng\" index=\"16BpT$\" />\n+ <concept id=\"7759120791677799784\" name=\"org.modelix.notation.structure.NotationModule\" flags=\"ng\" index=\"1QS68C\">\n<child id=\"7759120791677832464\" name=\"content\" index=\"1QSY9g\" />\n</concept>\n- <concept id=\"7759120791677799808\" name=\"de.q60.mps.web.notation.structure.EmptyLine\" flags=\"ng\" index=\"1QS6b0\" />\n- <concept id=\"7759120791677775105\" name=\"de.q60.mps.web.notation.structure.FlagCell\" flags=\"ng\" index=\"1QSc91\">\n+ <concept id=\"7759120791677799808\" name=\"org.modelix.notation.structure.EmptyLine\" flags=\"ng\" index=\"1QS6b0\" />\n+ <concept id=\"7759120791677775105\" name=\"org.modelix.notation.structure.FlagCell\" flags=\"ng\" index=\"1QSc91\">\n<property id=\"7759120791677785636\" name=\"text\" index=\"1QSb_$\" />\n<property id=\"7759120791677785638\" name=\"inverted\" index=\"1QSb_A\" />\n<reference id=\"7759120791677775133\" name=\"property\" index=\"1QSc9t\" />\n</concept>\n- <concept id=\"7759120791677775117\" name=\"de.q60.mps.web.notation.structure.OptionalCell\" flags=\"ng\" index=\"1QSc9d\">\n+ <concept id=\"7759120791677775117\" name=\"org.modelix.notation.structure.OptionalCell\" flags=\"ng\" index=\"1QSc9d\">\n<child id=\"7759120791677775131\" name=\"cell\" index=\"1QSc9r\" />\n</concept>\n- <concept id=\"7759120791677775083\" name=\"de.q60.mps.web.notation.structure.StaticCollectionCell\" flags=\"ng\" index=\"1QSceF\">\n+ <concept id=\"7759120791677775083\" name=\"org.modelix.notation.structure.StaticCollectionCell\" flags=\"ng\" index=\"1QSceF\">\n<child id=\"7759120791677775095\" name=\"cells\" index=\"1QSceR\" />\n<child id=\"578981756153092168\" name=\"layout\" index=\"3UTMMu\" />\n</concept>\n- <concept id=\"7759120791677764312\" name=\"de.q60.mps.web.notation.structure.PropertyCell\" flags=\"ng\" index=\"1QSeQo\">\n+ <concept id=\"7759120791677764312\" name=\"org.modelix.notation.structure.PropertyCell\" flags=\"ng\" index=\"1QSeQo\">\n<reference id=\"7759120791677775099\" name=\"property\" index=\"1QSceV\" />\n</concept>\n- <concept id=\"7759120791677764324\" name=\"de.q60.mps.web.notation.structure.ChildrenCollectionCell\" flags=\"ng\" index=\"1QSeQ$\">\n+ <concept id=\"7759120791677764324\" name=\"org.modelix.notation.structure.ChildrenCollectionCell\" flags=\"ng\" index=\"1QSeQ$\">\n<property id=\"8425748515795182389\" name=\"separator\" index=\"16kmqn\" />\n<reference id=\"7759120791678682074\" name=\"link\" index=\"1QXIMq\" />\n<reference id=\"259520349320850712\" name=\"subconceptToInsert\" index=\"3UQMPT\" />\n<child id=\"578981756153245612\" name=\"layout\" index=\"3UYHHU\" />\n</concept>\n- <concept id=\"7759120791677764348\" name=\"de.q60.mps.web.notation.structure.ConceptNotation\" flags=\"ng\" index=\"1QSeQW\">\n+ <concept id=\"7759120791677764348\" name=\"org.modelix.notation.structure.ConceptNotation\" flags=\"ng\" index=\"1QSeQW\">\n<reference id=\"7759120791677764360\" name=\"concept\" index=\"1QSeL8\" />\n<child id=\"8781543137580343122\" name=\"condition\" index=\"26S96A\" />\n<child id=\"7759120791677775080\" name=\"cell\" index=\"1QSceC\" />\n</concept>\n- <concept id=\"7759120791677860361\" name=\"de.q60.mps.web.notation.structure.ConstantCell\" flags=\"ng\" index=\"1QSTl9\">\n+ <concept id=\"7759120791677860361\" name=\"org.modelix.notation.structure.ConstantCell\" flags=\"ng\" index=\"1QSTl9\">\n<property id=\"7759120791677860373\" name=\"text\" index=\"1QSTll\" />\n</concept>\n- <concept id=\"7759120791678765721\" name=\"de.q60.mps.web.notation.structure.ReferenceCell\" flags=\"ng\" index=\"1QWqnp\">\n+ <concept id=\"7759120791678765721\" name=\"org.modelix.notation.structure.ReferenceCell\" flags=\"ng\" index=\"1QWqnp\">\n<reference id=\"7759120791678765733\" name=\"link\" index=\"1QWqn_\" />\n</concept>\n- <concept id=\"7759120791678681996\" name=\"de.q60.mps.web.notation.structure.SingleChildCell\" flags=\"ng\" index=\"1QXINc\">\n+ <concept id=\"7759120791678681996\" name=\"org.modelix.notation.structure.SingleChildCell\" flags=\"ng\" index=\"1QXINc\">\n<reference id=\"7759120791678682008\" name=\"link\" index=\"1QXINo\" />\n</concept>\n- <concept id=\"578981756153092156\" name=\"de.q60.mps.web.notation.structure.VerticalLayout\" flags=\"ng\" index=\"3UTMNE\" />\n- <concept id=\"259520349324389855\" name=\"de.q60.mps.web.notation.structure.SubstitutionCell\" flags=\"ng\" index=\"3UViQY\">\n+ <concept id=\"578981756153092156\" name=\"org.modelix.notation.structure.VerticalLayout\" flags=\"ng\" index=\"3UTMNE\" />\n+ <concept id=\"259520349324389855\" name=\"org.modelix.notation.structure.SubstitutionCell\" flags=\"ng\" index=\"3UViQY\">\n<property id=\"259520349324390000\" name=\"text\" index=\"3UViSh\" />\n</concept>\n- <concept id=\"578981756153322531\" name=\"de.q60.mps.web.notation.structure.IndentCell\" flags=\"ng\" index=\"3UYUzP\" />\n- <concept id=\"5959324165459396977\" name=\"de.q60.mps.web.notation.structure.RemoveSpace\" flags=\"ng\" index=\"1Xa0MK\" />\n+ <concept id=\"578981756153322531\" name=\"org.modelix.notation.structure.IndentCell\" flags=\"ng\" index=\"3UYUzP\" />\n+ <concept id=\"5959324165459396977\" name=\"org.modelix.notation.structure.RemoveSpace\" flags=\"ng\" index=\"1Xa0MK\" />\n</language>\n<language id=\"7866978e-a0f0-4cc7-81bc-4d213d9375e1\" name=\"jetbrains.mps.lang.smodel\">\n<concept id=\"1177026924588\" name=\"jetbrains.mps.lang.smodel.structure.RefConcept_Reference\" flags=\"nn\" index=\"chp4Y\">\n<node concept=\"027rt\" id=\"7fn21XE1rh_\" role=\"02LM9\">\n<ref role=\"027rv\" to=\"70w2:7NImM053Sep\" resolve=\"children\" />\n<node concept=\"214gnc\" id=\"7fn21XE1sbF\" role=\"027rp\">\n- <ref role=\"1YEVMl\" to=\"m3vg:7trMQm3W2UH\" resolve=\"svgNodeEditor\" />\n+ <ref role=\"1YEVMl\" to=\"m3vg:7trMQm3W2UH\" resolve=\"imageNodeEditor\" />\n<node concept=\"214o7A\" id=\"7fn21XE1sbQ\" role=\"214sll\" />\n</node>\n</node>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.notation.impl.baseLanguage/org.modelix.notation.impl.baseLanguage.mpl",
"new_path": "mps/org.modelix.notation.impl.baseLanguage/org.modelix.notation.impl.baseLanguage.mpl",
"diff": "</dependencies>\n<languageVersions>\n<language slang=\"l:94b64715-a263-4c36-a138-8da14705ffa7:de.q60.mps.shadowmodels.transformation\" version=\"1\" />\n- <language slang=\"l:375af171-bd4b-4bfb-bc9f-418fb996740b:de.q60.mps.web.aspect\" version=\"0\" />\n- <language slang=\"l:25fcb6ab-d05a-4950-8cdf-251526bdf513:de.q60.mps.web.notation\" version=\"0\" />\n- <language slang=\"l:78874af2-5dd2-42a7-a21d-42fab3737d1d:de.q60.mps.web.ui.sm\" version=\"0\" />\n<language slang=\"l:f3061a53-9226-4cc5-a443-f952ceaf5816:jetbrains.mps.baseLanguage\" version=\"11\" />\n<language slang=\"l:443f4c36-fcf5-4eb6-9500-8d06ed259e3e:jetbrains.mps.baseLanguage.classifiers\" version=\"0\" />\n<language slang=\"l:fd392034-7849-419d-9071-12563d152375:jetbrains.mps.baseLanguage.closures\" version=\"0\" />\n<language slang=\"l:c7fb639f-be78-4307-89b0-b5959c3fa8c8:jetbrains.mps.lang.text\" version=\"0\" />\n<language slang=\"l:9ded098b-ad6a-4657-bfd9-48636cfe8bc3:jetbrains.mps.lang.traceable\" version=\"0\" />\n<language slang=\"l:7a5dda62-9140-4668-ab76-d5ed1746f2b2:jetbrains.mps.lang.typesystem\" version=\"5\" />\n+ <language slang=\"l:375af171-bd4b-4bfb-bc9f-418fb996740b:org.modelix.aspect\" version=\"0\" />\n+ <language slang=\"l:25fcb6ab-d05a-4950-8cdf-251526bdf513:org.modelix.notation\" version=\"0\" />\n+ <language slang=\"l:78874af2-5dd2-42a7-a21d-42fab3737d1d:org.modelix.ui.sm\" version=\"0\" />\n</languageVersions>\n<dependencyVersions>\n<module reference=\"3f233e7f-b8a6-46d2-a57f-795d56775243(Annotations)\" version=\"0\" />\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.ui.common/org.modelix.ui.common.msd",
"new_path": "mps/org.modelix.ui.common/org.modelix.ui.common.msd",
"diff": "</dependencies>\n<languageVersions>\n<language slang=\"l:f3061a53-9226-4cc5-a443-f952ceaf5816:jetbrains.mps.baseLanguage\" version=\"11\" />\n- <language slang=\"l:443f4c36-fcf5-4eb6-9500-8d06ed259e3e:jetbrains.mps.baseLanguage.classifiers\" version=\"0\" />\n<language slang=\"l:fd392034-7849-419d-9071-12563d152375:jetbrains.mps.baseLanguage.closures\" version=\"0\" />\n<language slang=\"l:83888646-71ce-4f1c-9c53-c54016f6ad4f:jetbrains.mps.baseLanguage.collections\" version=\"1\" />\n<language slang=\"l:f2801650-65d5-424e-bb1b-463a8781b786:jetbrains.mps.baseLanguage.javadoc\" version=\"2\" />\n<language slang=\"l:760a0a8c-eabb-4521-8bfd-65db761a9ba3:jetbrains.mps.baseLanguage.logging\" version=\"0\" />\n<language slang=\"l:a247e09e-2435-45ba-b8d2-07e93feba96a:jetbrains.mps.baseLanguage.tuples\" version=\"0\" />\n- <language slang=\"l:f61473f9-130f-42f6-b98d-6c438812c2f6:jetbrains.mps.baseLanguage.unitTest\" version=\"1\" />\n<language slang=\"l:ceab5195-25ea-4f22-9b92-103b95ca8c0c:jetbrains.mps.lang.core\" version=\"2\" />\n<language slang=\"l:446c26eb-2b7b-4bf0-9b35-f83fa582753e:jetbrains.mps.lang.modelapi\" version=\"0\" />\n<language slang=\"l:3a13115c-633c-4c5c-bbcc-75c4219e9555:jetbrains.mps.lang.quotation\" version=\"5\" />\n<language slang=\"l:7866978e-a0f0-4cc7-81bc-4d213d9375e1:jetbrains.mps.lang.smodel\" version=\"17\" />\n- <language slang=\"l:8585453e-6bfb-4d80-98de-b16074f1d86c:jetbrains.mps.lang.test\" version=\"5\" />\n<language slang=\"l:c7fb639f-be78-4307-89b0-b5959c3fa8c8:jetbrains.mps.lang.text\" version=\"0\" />\n<language slang=\"l:9ded098b-ad6a-4657-bfd9-48636cfe8bc3:jetbrains.mps.lang.traceable\" version=\"0\" />\n</languageVersions>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.ui.server/models/org.modelix.ui.server.plugin.mps",
"new_path": "mps/org.modelix.ui.server/models/org.modelix.ui.server.plugin.mps",
"diff": "<import index=\"3ju5\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.vfs(MPS.Core/)\" />\n<import index=\"j8aq\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.module(MPS.Core/)\" />\n<import index=\"18ew\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.util(MPS.Core/)\" />\n- <import index=\"m2xw\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.server(de.q60.mps.web.jetty/)\" />\n- <import index=\"cgcg\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.server.handler(de.q60.mps.web.jetty/)\" />\n- <import index=\"nwfd\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:javax.servlet.http(de.q60.mps.web.jetty/)\" />\n- <import index=\"opgt\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:javax.servlet(de.q60.mps.web.jetty/)\" />\n+ <import index=\"m2xw\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.server(org.modelix.jetty/)\" />\n+ <import index=\"cgcg\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.server.handler(org.modelix.jetty/)\" />\n+ <import index=\"nwfd\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:javax.servlet.http(org.modelix.jetty/)\" />\n+ <import index=\"opgt\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:javax.servlet(org.modelix.jetty/)\" />\n<import index=\"wyt6\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.lang(JDK/)\" />\n<import index=\"2qs1\" ref=\"r:f8990486-c591-4463-8538-99bfa890834b(org.modelix.ui.sm.server.plugin)\" />\n- <import index=\"ky10\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.servlet(de.q60.mps.web.jetty/)\" />\n- <import index=\"67a5\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.websocket.servlet(de.q60.mps.web.jetty/)\" />\n+ <import index=\"ky10\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.servlet(org.modelix.jetty/)\" />\n+ <import index=\"67a5\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.websocket.servlet(org.modelix.jetty/)\" />\n<import index=\"o8cn\" ref=\"r:7f6154b4-93e5-4a51-94de-d145e58184e7(org.modelix.ui.svg.plugin)\" />\n- <import index=\"xip3\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.rewrite.handler(de.q60.mps.web.jetty/)\" />\n+ <import index=\"xip3\" ref=\"fc3c2aa8-0d4b-463f-a774-40d450aa04a0/java:org.eclipse.jetty.rewrite.handler(org.modelix.jetty/)\" />\n<import index=\"w1kc\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.smodel(MPS.Core/)\" />\n<import index=\"lui2\" ref=\"8865b7a8-5271-43d3-884c-6fd1d9cfdd34/java:org.jetbrains.mps.openapi.module(MPS.OpenAPI/)\" />\n<import index=\"csg2\" ref=\"r:b0cc4f86-cf49-4ffc-b138-1f9973329ce1(org.modelix.model.mpsplugin)\" />\n"
},
{
"change_type": "RENAME",
"old_path": "mps/org.modelix.model.mpsplugin/models/[email protected]",
"new_path": "mps/test.org.modelix.model.mpsplugin/models/[email protected]",
"diff": "<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n-<model ref=\"r:92a82b5b-5630-4856-a488-8a8104e14777(org.modelix.model.mpsplugin@tests)\">\n+<model ref=\"r:84ae45e5-149c-4ef8-beb9-97212d1f3626(test.org.modelix.model.mpsplugin@tests)\">\n<persistence version=\"9\" />\n+ <attribute name=\"doNotGenerate\" value=\"false\" />\n<languages>\n<use id=\"8585453e-6bfb-4d80-98de-b16074f1d86c\" name=\"jetbrains.mps.lang.test\" version=\"5\" />\n<use id=\"f61473f9-130f-42f6-b98d-6c438812c2f6\" name=\"jetbrains.mps.baseLanguage.unitTest\" version=\"1\" />\n</node>\n</node>\n</node>\n+ <node concept=\"3s$Bmu\" id=\"6w3CrGw0qPT\" role=\"3s_gse\">\n+ <property role=\"3s$Bm0\" value=\"failingTest\" />\n+ <node concept=\"3cqZAl\" id=\"6w3CrGw0qPU\" role=\"3clF45\" />\n+ <node concept=\"3Tm1VV\" id=\"6w3CrGw0qPV\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"6w3CrGw0qPW\" role=\"3clF47\">\n+ <node concept=\"3xETmq\" id=\"6w3CrGw0rCn\" role=\"3cqZAp\">\n+ <node concept=\"3_1$Yv\" id=\"6w3CrGw0rCx\" role=\"3_9lra\">\n+ <node concept=\"Xl_RD\" id=\"6w3CrGw0rD9\" role=\"3_1BAH\">\n+ <property role=\"Xl_RC\" value=\"Just to make sure tests are executed\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n</node>\n</node>\n<node concept=\"1lH9Xt\" id=\"7zuOo8oNky1\">\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "mps/test.org.modelix.model.mpsplugin/test.org.modelix.model.mpsplugin.msd",
"diff": "+<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n+<solution name=\"test.org.modelix.model.mpsplugin\" uuid=\"ab3bc120-1b9c-4002-88fa-2617354a0d00\" moduleVersion=\"0\" compileInMPS=\"true\">\n+ <models>\n+ <modelRoot contentPath=\"${module}\" type=\"default\">\n+ <sourceRoot location=\"models\" />\n+ </modelRoot>\n+ </models>\n+ <facets>\n+ <facet type=\"java\">\n+ <classes generated=\"true\" path=\"${module}/classes_gen\" />\n+ </facet>\n+ </facets>\n+ <sourcePath />\n+ <dependencies>\n+ <dependency reexport=\"false\">0a2651ab-f212-45c2-a2f0-343e76cbc26b(org.modelix.model.client)</dependency>\n+ <dependency reexport=\"false\">6354ebe7-c22a-4a0f-ac54-50b52ab9b065(JDK)</dependency>\n+ <dependency reexport=\"false\">e55e6749-03cb-4ea7-9695-2322bab791c1(jetbrains.mps.lang.test.matcher)</dependency>\n+ <dependency reexport=\"false\">c5e5433e-201f-43e2-ad14-a6cba8c80cd6(org.modelix.model.mpsplugin)</dependency>\n+ <dependency reexport=\"false\">ceab5195-25ea-4f22-9b92-103b95ca8c0c(jetbrains.mps.lang.core)</dependency>\n+ <dependency reexport=\"false\">8865b7a8-5271-43d3-884c-6fd1d9cfdd34(MPS.OpenAPI)</dependency>\n+ <dependency reexport=\"false\">f3061a53-9226-4cc5-a443-f952ceaf5816(jetbrains.mps.baseLanguage)</dependency>\n+ <dependency reexport=\"false\">6ed54515-acc8-4d1e-a16c-9fd6cfe951ea(MPS.Core)</dependency>\n+ <dependency reexport=\"false\">5622e615-959d-4843-9df6-ef04ee578c18(org.modelix.model)</dependency>\n+ </dependencies>\n+ <languageVersions>\n+ <language slang=\"l:f3061a53-9226-4cc5-a443-f952ceaf5816:jetbrains.mps.baseLanguage\" version=\"11\" />\n+ <language slang=\"l:443f4c36-fcf5-4eb6-9500-8d06ed259e3e:jetbrains.mps.baseLanguage.classifiers\" version=\"0\" />\n+ <language slang=\"l:fd392034-7849-419d-9071-12563d152375:jetbrains.mps.baseLanguage.closures\" version=\"0\" />\n+ <language slang=\"l:83888646-71ce-4f1c-9c53-c54016f6ad4f:jetbrains.mps.baseLanguage.collections\" version=\"1\" />\n+ <language slang=\"l:f2801650-65d5-424e-bb1b-463a8781b786:jetbrains.mps.baseLanguage.javadoc\" version=\"2\" />\n+ <language slang=\"l:760a0a8c-eabb-4521-8bfd-65db761a9ba3:jetbrains.mps.baseLanguage.logging\" version=\"0\" />\n+ <language slang=\"l:a247e09e-2435-45ba-b8d2-07e93feba96a:jetbrains.mps.baseLanguage.tuples\" version=\"0\" />\n+ <language slang=\"l:f61473f9-130f-42f6-b98d-6c438812c2f6:jetbrains.mps.baseLanguage.unitTest\" version=\"1\" />\n+ <language slang=\"l:63650c59-16c8-498a-99c8-005c7ee9515d:jetbrains.mps.lang.access\" version=\"0\" />\n+ <language slang=\"l:ceab5195-25ea-4f22-9b92-103b95ca8c0c:jetbrains.mps.lang.core\" version=\"2\" />\n+ <language slang=\"l:446c26eb-2b7b-4bf0-9b35-f83fa582753e:jetbrains.mps.lang.modelapi\" version=\"0\" />\n+ <language slang=\"l:3a13115c-633c-4c5c-bbcc-75c4219e9555:jetbrains.mps.lang.quotation\" version=\"5\" />\n+ <language slang=\"l:7866978e-a0f0-4cc7-81bc-4d213d9375e1:jetbrains.mps.lang.smodel\" version=\"17\" />\n+ <language slang=\"l:8585453e-6bfb-4d80-98de-b16074f1d86c:jetbrains.mps.lang.test\" version=\"5\" />\n+ <language slang=\"l:c7fb639f-be78-4307-89b0-b5959c3fa8c8:jetbrains.mps.lang.text\" version=\"0\" />\n+ <language slang=\"l:9ded098b-ad6a-4657-bfd9-48636cfe8bc3:jetbrains.mps.lang.traceable\" version=\"0\" />\n+ </languageVersions>\n+ <dependencyVersions>\n+ <module reference=\"3f233e7f-b8a6-46d2-a57f-795d56775243(Annotations)\" version=\"0\" />\n+ <module reference=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065(JDK)\" version=\"0\" />\n+ <module reference=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea(MPS.Core)\" version=\"0\" />\n+ <module reference=\"1ed103c3-3aa6-49b7-9c21-6765ee11f224(MPS.Editor)\" version=\"0\" />\n+ <module reference=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5(MPS.IDEA)\" version=\"0\" />\n+ <module reference=\"8865b7a8-5271-43d3-884c-6fd1d9cfdd34(MPS.OpenAPI)\" version=\"0\" />\n+ <module reference=\"742f6602-5a2f-4313-aa6e-ae1cd4ffdc61(MPS.Platform)\" version=\"0\" />\n+ <module reference=\"95085166-3236-4dd7-bd8e-e753c8d20885(de.q60.mps.incremental.runtime)\" version=\"0\" />\n+ <module reference=\"ecfb9949-7433-4db5-85de-0f84d172e4ce(de.q60.mps.libs)\" version=\"0\" />\n+ <module reference=\"18463265-6d45-4514-82f1-cf7eb1222492(de.q60.mps.polymorphicfunctions.runtime)\" version=\"0\" />\n+ <module reference=\"e52a4835-844d-46a1-99f8-c06129db796f(de.q60.mps.shadowmodels.runtime)\" version=\"0\" />\n+ <module reference=\"f3061a53-9226-4cc5-a443-f952ceaf5816(jetbrains.mps.baseLanguage)\" version=\"0\" />\n+ <module reference=\"e39e4a59-8cb6-498e-860e-8fa8361c0d90(jetbrains.mps.baseLanguage.scopes)\" version=\"0\" />\n+ <module reference=\"2d3c70e9-aab2-4870-8d8d-6036800e4103(jetbrains.mps.kernel)\" version=\"0\" />\n+ <module reference=\"ceab5195-25ea-4f22-9b92-103b95ca8c0c(jetbrains.mps.lang.core)\" version=\"0\" />\n+ <module reference=\"9e98f4e2-decf-4e97-bf80-9109e8b759aa(jetbrains.mps.lang.feedback.context)\" version=\"0\" />\n+ <module reference=\"e55e6749-03cb-4ea7-9695-2322bab791c1(jetbrains.mps.lang.test.matcher)\" version=\"0\" />\n+ <module reference=\"9ded098b-ad6a-4657-bfd9-48636cfe8bc3(jetbrains.mps.lang.traceable)\" version=\"0\" />\n+ <module reference=\"87f4b21e-a3a5-459e-a54b-408fd9eb7350(org.modelix.lib)\" version=\"0\" />\n+ <module reference=\"5622e615-959d-4843-9df6-ef04ee578c18(org.modelix.model)\" version=\"0\" />\n+ <module reference=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b(org.modelix.model.client)\" version=\"0\" />\n+ <module reference=\"c5e5433e-201f-43e2-ad14-a6cba8c80cd6(org.modelix.model.mpsplugin)\" version=\"0\" />\n+ <module reference=\"ab3bc120-1b9c-4002-88fa-2617354a0d00(test.org.modelix.model.mpsplugin)\" version=\"0\" />\n+ </dependencyVersions>\n+</solution>\n+\n"
},
{
"change_type": "RENAME",
"old_path": "mps/org.modelix.ui.common/models/[email protected]",
"new_path": "mps/test.org.modelix.ui.common/models/[email protected]",
"diff": "<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n-<model ref=\"r:d5ec9a7f-2f2b-4a60-b698-75c71d42f043(org.modelix.ui.common@tests)\">\n+<model ref=\"r:07225b8f-c579-48a2-8ee5-904eee986cd0(test.org.modelix.ui.common@tests)\">\n<persistence version=\"9\" />\n+ <attribute name=\"doNotGenerate\" value=\"false\" />\n<languages>\n<use id=\"8585453e-6bfb-4d80-98de-b16074f1d86c\" name=\"jetbrains.mps.lang.test\" version=\"5\" />\n<use id=\"f61473f9-130f-42f6-b98d-6c438812c2f6\" name=\"jetbrains.mps.baseLanguage.unitTest\" version=\"1\" />\n<use id=\"f3061a53-9226-4cc5-a443-f952ceaf5816\" name=\"jetbrains.mps.baseLanguage\" version=\"11\" />\n- <use id=\"83888646-71ce-4f1c-9c53-c54016f6ad4f\" name=\"jetbrains.mps.baseLanguage.collections\" version=\"1\" />\n<devkit ref=\"fbc25dd2-5da4-483a-8b19-70928e1b62d7(jetbrains.mps.devkit.general-purpose)\" />\n</languages>\n<imports>\n<import index=\"qsto\" ref=\"r:6f19a603-f6b1-4c78-aaa5-6c24c7fbc333(de.q60.mps.web.ui.common)\" />\n- <import index=\"4bvh\" ref=\"87f4b21e-a3a5-459e-a54b-408fd9eb7350/java:com.esotericsoftware.kryo(org.modelix.lib/)\" />\n- <import index=\"nv3w\" ref=\"r:18e93978-2322-49a8-aaab-61c6faf67e2a(de.q60.mps.shadowmodels.runtime.engine)\" />\n- <import index=\"od2j\" ref=\"r:19d224b8-fac8-4b19-ae42-e7b119858f3b(de.q60.mps.polymorphicfunctions.runtime)\" />\n- <import index=\"wyt6\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.lang(JDK/)\" />\n- <import index=\"pxg7\" ref=\"87f4b21e-a3a5-459e-a54b-408fd9eb7350/java:com.esotericsoftware.kryo.io(org.modelix.lib/)\" />\n- <import index=\"mjcn\" ref=\"r:89ac1ee0-92ac-49e1-83e6-167854d2040e(de.q60.mps.shadowmodels.runtime.model)\" />\n- <import index=\"l6bp\" ref=\"r:97875f9c-321e-405e-a344-6d3deab2bdba(de.q60.mps.shadowmodels.runtime.smodel)\" />\n- <import index=\"mhbf\" ref=\"8865b7a8-5271-43d3-884c-6fd1d9cfdd34/java:org.jetbrains.mps.openapi.model(MPS.OpenAPI/)\" />\n- <import index=\"w1kc\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.smodel(MPS.Core/)\" />\n- <import index=\"3d38\" ref=\"r:bc160b50-5a4e-4f99-ba07-a7b7116dab7a(de.q60.mps.incremental.util)\" />\n- <import index=\"33ny\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.util(JDK/)\" />\n- <import index=\"lui2\" ref=\"8865b7a8-5271-43d3-884c-6fd1d9cfdd34/java:org.jetbrains.mps.openapi.module(MPS.OpenAPI/)\" />\n- <import index=\"7x5y\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.nio.charset(JDK/)\" />\n- <import index=\"zf81\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.net(JDK/)\" />\n- <import index=\"dush\" ref=\"8865b7a8-5271-43d3-884c-6fd1d9cfdd34/java:org.jetbrains.mps.openapi.persistence(MPS.OpenAPI/)\" />\n</imports>\n<registry>\n<language id=\"f3061a53-9226-4cc5-a443-f952ceaf5816\" name=\"jetbrains.mps.baseLanguage\">\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "mps/test.org.modelix.ui.common/test.org.modelix.ui.common.msd",
"diff": "+<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n+<solution name=\"test.org.modelix.ui.common\" uuid=\"eb5b2a8f-6709-4407-9391-5e34e6ed7fce\" moduleVersion=\"0\" compileInMPS=\"true\">\n+ <models>\n+ <modelRoot contentPath=\"${module}\" type=\"default\">\n+ <sourceRoot location=\"models\" />\n+ </modelRoot>\n+ </models>\n+ <facets>\n+ <facet type=\"java\">\n+ <classes generated=\"true\" path=\"${module}/classes_gen\" />\n+ </facet>\n+ </facets>\n+ <sourcePath />\n+ <dependencies>\n+ <dependency reexport=\"false\">da981293-1ec2-4df0-95e4-df162984154c(org.modelix.ui.common)</dependency>\n+ </dependencies>\n+ <languageVersions>\n+ <language slang=\"l:f3061a53-9226-4cc5-a443-f952ceaf5816:jetbrains.mps.baseLanguage\" version=\"11\" />\n+ <language slang=\"l:443f4c36-fcf5-4eb6-9500-8d06ed259e3e:jetbrains.mps.baseLanguage.classifiers\" version=\"0\" />\n+ <language slang=\"l:fd392034-7849-419d-9071-12563d152375:jetbrains.mps.baseLanguage.closures\" version=\"0\" />\n+ <language slang=\"l:83888646-71ce-4f1c-9c53-c54016f6ad4f:jetbrains.mps.baseLanguage.collections\" version=\"1\" />\n+ <language slang=\"l:f2801650-65d5-424e-bb1b-463a8781b786:jetbrains.mps.baseLanguage.javadoc\" version=\"2\" />\n+ <language slang=\"l:760a0a8c-eabb-4521-8bfd-65db761a9ba3:jetbrains.mps.baseLanguage.logging\" version=\"0\" />\n+ <language slang=\"l:a247e09e-2435-45ba-b8d2-07e93feba96a:jetbrains.mps.baseLanguage.tuples\" version=\"0\" />\n+ <language slang=\"l:f61473f9-130f-42f6-b98d-6c438812c2f6:jetbrains.mps.baseLanguage.unitTest\" version=\"1\" />\n+ <language slang=\"l:ceab5195-25ea-4f22-9b92-103b95ca8c0c:jetbrains.mps.lang.core\" version=\"2\" />\n+ <language slang=\"l:446c26eb-2b7b-4bf0-9b35-f83fa582753e:jetbrains.mps.lang.modelapi\" version=\"0\" />\n+ <language slang=\"l:3a13115c-633c-4c5c-bbcc-75c4219e9555:jetbrains.mps.lang.quotation\" version=\"5\" />\n+ <language slang=\"l:7866978e-a0f0-4cc7-81bc-4d213d9375e1:jetbrains.mps.lang.smodel\" version=\"17\" />\n+ <language slang=\"l:8585453e-6bfb-4d80-98de-b16074f1d86c:jetbrains.mps.lang.test\" version=\"5\" />\n+ <language slang=\"l:c7fb639f-be78-4307-89b0-b5959c3fa8c8:jetbrains.mps.lang.text\" version=\"0\" />\n+ <language slang=\"l:9ded098b-ad6a-4657-bfd9-48636cfe8bc3:jetbrains.mps.lang.traceable\" version=\"0\" />\n+ </languageVersions>\n+ <dependencyVersions>\n+ <module reference=\"da981293-1ec2-4df0-95e4-df162984154c(org.modelix.ui.common)\" version=\"0\" />\n+ <module reference=\"eb5b2a8f-6709-4407-9391-5e34e6ed7fce(test.org.modelix.ui.common)\" version=\"0\" />\n+ </dependencyVersions>\n+</solution>\n+\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | run tests in MPS with gradle |
426,496 | 20.08.2020 14:40:24 | -7,200 | 9f94d5dc5b96636e38b678693eba82f33dc3715f | Fail the build when there are failing MPS tests | [
{
"change_type": "MODIFY",
"old_path": "mps/build.gradle",
"new_path": "mps/build.gradle",
"diff": "@@ -108,4 +108,22 @@ task runMpsTests(type: TestLanguages, dependsOn: buildMpsModules) {\nscript new File(\"$rootDir/build/test.org.modelix/build-tests.xml\")\n}\n-test.dependsOn(runMpsTests)\n\\ No newline at end of file\n+task checkMpsTestOutput(dependsOn: runMpsTests) {\n+ ext.testResultFile = file(\"$rootDir/build/test.org.modelix/TEST-jetbrains.mps.testbench.junit.suites.AntModuleTestSuite0-all.xml\")\n+ inputs.file testResultFile\n+ doLast {\n+ def testResult = new XmlParser().parse(testResultFile)\n+ def failingTests = testResult.attribute(\"failures\")\n+ def totalTests = testResult.attribute(\"tests\")\n+ if (failingTests != \"0\") {\n+ def failures = testResult.testcase.failure\n+ for (failure in failures) {\n+ println(\"Failed test: \" + failure.parent().@classname + \" \" + failure.parent().@name)\n+ println(failure.text())\n+ }\n+ throw new RuntimeException(failingTests + \" of \" + totalTests + \" MPS tests are failing\")\n+ }\n+ }\n+}\n+\n+test.dependsOn(checkMpsTestOutput)\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/test.org.modelix.model.mpsplugin/models/[email protected]",
"new_path": "mps/test.org.modelix.model.mpsplugin/models/[email protected]",
"diff": "</node>\n</node>\n</node>\n- <node concept=\"3s$Bmu\" id=\"6w3CrGw0qPT\" role=\"3s_gse\">\n- <property role=\"3s$Bm0\" value=\"failingTest\" />\n- <node concept=\"3cqZAl\" id=\"6w3CrGw0qPU\" role=\"3clF45\" />\n- <node concept=\"3Tm1VV\" id=\"6w3CrGw0qPV\" role=\"1B3o_S\" />\n- <node concept=\"3clFbS\" id=\"6w3CrGw0qPW\" role=\"3clF47\">\n- <node concept=\"3xETmq\" id=\"6w3CrGw0rCn\" role=\"3cqZAp\">\n- <node concept=\"3_1$Yv\" id=\"6w3CrGw0rCx\" role=\"3_9lra\">\n- <node concept=\"Xl_RD\" id=\"6w3CrGw0rD9\" role=\"3_1BAH\">\n- <property role=\"Xl_RC\" value=\"Just to make sure tests are executed\" />\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n</node>\n</node>\n<node concept=\"1lH9Xt\" id=\"7zuOo8oNky1\">\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fail the build when there are failing MPS tests |
426,496 | 20.08.2020 15:14:44 | -7,200 | b6fbb6c7a91d1fadd65607a095dd3af70677d3bb | cache the downloaded nodejs/nvm on travis
The download fails very often. | [
{
"change_type": "ADD",
"old_path": null,
"new_path": ".nvmrc",
"diff": "+12.18.3\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": ".travis.yml",
"new_path": ".travis.yml",
"diff": "@@ -13,3 +13,5 @@ cache:\n- artifacts\n- $HOME/.m2\n- .gradle\n+ - ui-client/.gradle/nodejs\n+ - ui-client/.gradle/npm\n"
},
{
"change_type": "MODIFY",
"old_path": "ui-client/build.gradle",
"new_path": "ui-client/build.gradle",
"diff": "@@ -6,14 +6,9 @@ plugins {\napply plugin: 'base'\nnode {\n- /* gradle-node-plugin configuration\n- https://github.com/srs/gradle-node-plugin/blob/master/docs/node.md\n- Task name pattern:\n- ./gradlew npm_<command> Executes an NPM command.\n- */\n-\n- version = '12.18.1'\n- npmVersion = '6.14.5'\n+ // also change the .nvmrc file\n+ version = '12.18.3'\n+ npmVersion = '6.14.8'\ndownload = true\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | cache the downloaded nodejs/nvm on travis
The download fails very often. |
426,496 | 20.08.2020 21:27:09 | -7,200 | 7d4a2dbe5815b6b73a846586d8b7f473b436815a | uiproxy was not built by docker-build-all.sh | [
{
"change_type": "MODIFY",
"old_path": "docker-build-all.sh",
"new_path": "docker-build-all.sh",
"diff": "./docker-build-mps.sh\n./docker-build-ui.sh\n./docker-build-proxy.sh\n+./docker-build-uiproxy.sh\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/uiproxy-deployment.yaml",
"new_path": "kubernetes/common/uiproxy-deployment.yaml",
"diff": "@@ -23,7 +23,7 @@ spec:\nspec:\nserviceAccountName: uiproxy\ncontainers:\n- - image: modelix/modelix-uiproxy:latest\n+ - image: modelix/modelix-uiproxy:202006191556\nimagePullPolicy: IfNotPresent\nname: uiproxy\nports:\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | uiproxy was not built by docker-build-all.sh |
426,496 | 24.08.2020 13:45:20 | -7,200 | 063a56189b423160998385ecce7f4f64e44b0157 | Re-enable model client test | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"new_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"diff": "@@ -18,6 +18,7 @@ package org.modelix.model\nimport org.junit.After\nimport org.junit.Assert\nimport org.junit.Before\n+import org.junit.Test\nimport org.modelix.model.client.RestWebModelClient\nimport java.util.*\n@@ -55,8 +56,7 @@ class ModelClient_Test {\n// This test requires a running model server\n// It should be marked as a slow test and run separately from unit tests\n- // @Test\n- // disabled because it fails sometimes but not always on the CI server\n+ @Test\nfun test_t1() {\nval rand = Random(67845)\nval url = \"http://localhost:28101/\"\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Re-enable model client test |
426,496 | 24.08.2020 17:42:52 | -7,200 | ada930d7abd395d23a8523bb605f12a10f733087 | Fixed the MPS build and tests | [
{
"change_type": "MODIFY",
"old_path": "model-client/build.gradle",
"new_path": "model-client/build.gradle",
"diff": "@@ -123,11 +123,7 @@ spotless {\n}\n}\n-task deleteMpsLibs() {\n- delete \"$projectDir/../mps/org.modelix.model.client/lib\"\n-}\n-\n-task copyModelClientToMps(type: Copy, dependsOn: [deleteMpsLibs]) {\n+task copyModelClientToMps(type: Sync) {\nfrom configurations.jvmDefault\nfrom \"$buildDir/libs\"\ninto \"$projectDir/../mps/org.modelix.model.client/lib\"\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/build.gradle",
"new_path": "mps/build.gradle",
"diff": "@@ -92,6 +92,7 @@ task buildMpsModules(\nresolveMps,\nresolveMpsArtifacts,\n':ui-client:packageNpmApp',\n+ ':model-client:assemble',\n':model-client:copyModelClientToMps'\n]) {\nscriptArgs = defaultAntScriptArgs\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"diff": "<property role=\"TrG5h\" value=\"syncMuted\" />\n<property role=\"3TUv4t\" value=\"true\" />\n<node concept=\"3Tm6S6\" id=\"3l$kG67pCcz\" role=\"1B3o_S\" />\n- <node concept=\"3uibUv\" id=\"3l$kG67pFmY\" role=\"1tU5fm\">\n- <ref role=\"3uigEE\" to=\"i5cy:~AtomicBoolean\" resolve=\"AtomicBoolean\" />\n+ <node concept=\"3uibUv\" id=\"4KaF0n8PpHp\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"i5cy:~AtomicInteger\" resolve=\"AtomicInteger\" />\n</node>\n<node concept=\"2ShNRf\" id=\"3l$kG67pHZK\" role=\"33vP2m\">\n<node concept=\"1pGfFk\" id=\"3l$kG67pHk4\" role=\"2ShVmc\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.<init>(boolean)\" resolve=\"AtomicBoolean\" />\n- <node concept=\"3clFbT\" id=\"3l$kG67pJkn\" role=\"37wK5m\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.<init>(int)\" resolve=\"AtomicInteger\" />\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PB6F\" role=\"37wK5m\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"3l$kG67qkul\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"3l$kG67qwHj\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"3l$kG67qt35\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PDTR\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PFBI\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"3l$kG67qt35\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"3l$kG67qmUT\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n- <node concept=\"liA8E\" id=\"3l$kG67qvDF\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <node concept=\"liA8E\" id=\"4KaF0n8PDaZ\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4TPMxtdD_D_\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4TPMxtdD_DA\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4TPMxtdD_DB\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PGKA\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PIv1\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4TPMxtdD_DB\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4TPMxtdD_DC\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4TPMxtdD_DD\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4TPMxtdD_Em\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4TPMxtdD_En\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4TPMxtdD_Eo\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PIvY\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PJWw\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4TPMxtdD_Eo\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4TPMxtdD_Ep\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4TPMxtdD_Eq\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4TPMxtdD_E_\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4TPMxtdD_EA\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4TPMxtdD_EB\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PKDd\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PLvP\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4TPMxtdD_EB\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4TPMxtdD_EC\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4TPMxtdD_ED\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4TPMxtdD_Gp\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4TPMxtdD_Gq\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4TPMxtdD_Gr\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PN0c\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PNCg\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4TPMxtdD_Gr\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4TPMxtdD_Gs\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4TPMxtdD_Gt\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4$UNf1h81IL\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4$UNf1h81IM\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4$UNf1h81IN\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8POnB\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PPDG\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4$UNf1h81IN\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4$UNf1h81IO\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4$UNf1h81IP\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4$UNf1h7XPo\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4$UNf1h81Iz\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4$UNf1h80kZ\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PQM$\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PRBq\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4$UNf1h80kZ\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4$UNf1h7YVJ\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4$UNf1h819t\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4$UNf1h82sJ\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4$UNf1h82sK\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4$UNf1h82sL\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PS5q\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PSMo\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4$UNf1h82sL\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4$UNf1h82sM\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4$UNf1h82sN\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4$UNf1h83ag\" role=\"3clFbx\">\n<node concept=\"3cpWs6\" id=\"4$UNf1h83ah\" role=\"3cqZAp\" />\n</node>\n- <node concept=\"2OqwBi\" id=\"4$UNf1h83ai\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"4KaF0n8PU3S\" role=\"3clFbw\">\n+ <node concept=\"3cmrfG\" id=\"4KaF0n8PUK7\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"4$UNf1h83ai\" role=\"3uHU7B\">\n<node concept=\"37vLTw\" id=\"4$UNf1h83aj\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n<node concept=\"liA8E\" id=\"4$UNf1h83ak\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.get()\" resolve=\"get\" />\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.get()\" resolve=\"get\" />\n+ </node>\n</node>\n</node>\n</node>\n<node concept=\"3cqZAl\" id=\"3l$kG67pN9L\" role=\"3clF45\" />\n<node concept=\"3Tmbuc\" id=\"3l$kG67qgv3\" role=\"1B3o_S\" />\n<node concept=\"3clFbS\" id=\"3l$kG67pN9N\" role=\"3clF47\">\n- <node concept=\"3clFbJ\" id=\"3l$kG67q7Ew\" role=\"3cqZAp\">\n- <node concept=\"3clFbS\" id=\"3l$kG67q7Ey\" role=\"3clFbx\">\n+ <node concept=\"3clFbF\" id=\"4KaF0n8PWia\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"4KaF0n8PWic\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"4KaF0n8PWid\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"4KaF0n8PWie\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.incrementAndGet()\" resolve=\"incrementAndGet\" />\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"3J1_TO\" id=\"1$Bf1B1aHMD\" role=\"3cqZAp\">\n<node concept=\"3clFbS\" id=\"1$Bf1B1aHMF\" role=\"1zxBo7\">\n<node concept=\"3clFbF\" id=\"3l$kG67qe4X\" role=\"3cqZAp\">\n<node concept=\"37vLTw\" id=\"3l$kG67q9ot\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n</node>\n- <node concept=\"liA8E\" id=\"3l$kG67qcBv\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.set(boolean)\" resolve=\"set\" />\n- <node concept=\"3clFbT\" id=\"3l$kG67qdkO\" role=\"37wK5m\" />\n- </node>\n- </node>\n+ <node concept=\"liA8E\" id=\"4KaF0n8PWdG\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"i5cy:~AtomicInteger.decrementAndGet()\" resolve=\"decrementAndGet\" />\n</node>\n</node>\n</node>\n</node>\n</node>\n- <node concept=\"9aQIb\" id=\"3l$kG67qfhH\" role=\"9aQIa\">\n- <node concept=\"3clFbS\" id=\"3l$kG67qfhI\" role=\"9aQI4\">\n- <node concept=\"3clFbF\" id=\"3l$kG67qfZn\" role=\"3cqZAp\">\n- <node concept=\"2OqwBi\" id=\"3l$kG67qfZ_\" role=\"3clFbG\">\n- <node concept=\"37vLTw\" id=\"3l$kG67qfZm\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" node=\"3l$kG67pWGz\" resolve=\"r\" />\n- </node>\n- <node concept=\"1Bd96e\" id=\"3l$kG67qgmC\" role=\"2OqNvi\" />\n- </node>\n- </node>\n- </node>\n- </node>\n- <node concept=\"2OqwBi\" id=\"3l$kG67q2P$\" role=\"3clFbw\">\n- <node concept=\"37vLTw\" id=\"3l$kG67q1Gp\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" node=\"3l$kG67pCcy\" resolve=\"syncMuted\" />\n- </node>\n- <node concept=\"liA8E\" id=\"3l$kG67q56n\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"i5cy:~AtomicBoolean.compareAndSet(boolean,boolean)\" resolve=\"compareAndSet\" />\n- <node concept=\"3clFbT\" id=\"3l$kG67q5Ot\" role=\"37wK5m\" />\n- <node concept=\"3clFbT\" id=\"3l$kG67q6CG\" role=\"37wK5m\">\n- <property role=\"3clFbU\" value=\"true\" />\n- </node>\n- </node>\n- </node>\n</node>\n</node>\n</node>\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fixed the MPS build and tests |
426,496 | 24.08.2020 18:23:04 | -7,200 | e6e6f0343671fc3cc78d38f59dd35b24df67233f | Moved wiki pages into the main repository
This way it's easier to find the matching documentation for a version
of modelix. | [
{
"change_type": "MODIFY",
"old_path": "README.md",
"new_path": "README.md",
"diff": "@@ -10,9 +10,9 @@ The modelix project develops a next generation language workbench that is native\n# How to run modelix\n- At this time there are no builds or releases available. You have to clone the repo to use modelix.\n-- You can run modelix locally and in the Google cloud. The details are described [on this wiki page](https://github.com/modelix/modelix/wiki/Running-Modelix).\n-- Then check out some of the [samples](https://github.com/modelix/modelix/wiki/Samples).\n-- Or check out the [tutorials](https://github.com/modelix/modelix/wiki/Tutorials).\n+- You can run modelix locally and in the Google cloud. The details are described in [Running modelix](doc/running-modelix.md).\n+- Then check out some of the [samples](doc/samples.md).\n+- Or check out the [tutorials](doc/tutorials.md).\n# Editing the sources\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "doc/running-modelix.md",
"diff": "+In production modelix uses docker images running in a kubernetes cluster.\n+During development you can run the different components without docker/kubernetes.\n+You need a PostgreSQL database, the model server and the MPS plugin for the UI server.\n+\n+## Running without kubernetes\n+\n+- `./gradlew` in the root directory\n+- open the project in the folder \"mps\" with MPS 2020.1.1\n+- <http://localhost:33333/>\n+\n+This allows you to edit the models stored locally in MPS.\n+Optionally, you can run the model server and connect your MPS to it:\n+\n+- database\n+ - option 1: run the docker image\n+ - install docker: <https://docs.docker.com/get-docker/>\n+ - `./docker-build-db.sh`\n+ - `./docker-run-db.sh`\n+ - Change the port in [./model-server/src/main/resources/org/modelix/model/server/database.properties](./model-server/src/main/resources/org/modelix/model/server/database.properties) from 5432 to 54333\n+ - option 2: use your own PostgreSQL server\n+ - check the file [./db/initdb.sql](./db/initdb.sql) for the required schema\n+ - adjust the connection properties in [./model-server/src/main/resources/org/modelix/model/server/database.properties](./model-server/src/main/resources/org/modelix/model/server/database.properties)\n+- model server\n+ - `cd model-server`\n+ - `./gradlew run`\n+- connect MPS to the model server\n+ - open the \"Cloud\" view in the bottom left corner\n+ - In the context menu of the root node labeled \"Cloud\" choose \"Add Repository\"\n+ - type `http://localhost:28101/`\n+ - navigate to \"default tree (default)\" > \"data [master]\" > \"ROOT #1\" and choose \"Add Module\" from the context menu\n+ - add a model to that module using the context menu\n+ - choose \"Bind to Transient Module\" from the context menu of the module\n+ - you should now see that module at the end in the \"Project\" view\n+\n+## Running with minikube\n+\n+- `minikube start --cpus=4 --memory=8GB --disk-size=40GB`\n+- `./kubernetes-modelsecret.sh`\n+- SSL certificate\n+ - `cd ssl`\n+ - `./generate.sh`\n+ - `./kubernetes-create-secret.sh`\n+ - `cd ..`\n+- `eval $(minikube -p minikube docker-env)`\n+- `./docker-build-all.sh`\n+- `./kubernetes-apply-local.sh`\n+- Wait ~2 minutes. You can check the status of the cluster using `minikube dashboard` or `kubectl get all`\n+- `minikube service proxy`\n+- connect MPS to the model server: same steps as described at \"Running without kubernetes\", but use the URL you see when you executed `minikube service proxy` and append \"model/\" (e.g. http://192.168.64.2:31894/model/)\n+\n+## Running in the google cloud\n+\n+- https://console.cloud.google.com/kubernetes/list?project=webmps\n+- Create cluster\n+ - Name: modelix\n+ - Zone: europe-west-3c\n+ - Pool\n+ - Number of nodes: 1\n+ - Machine type: n1-standard-2\n+- `gcloud container clusters get-credentials modelix`\n+- `./gradlew`\n+- `./docker-build-all.sh`\n+- `./docker-push-hub.sh`\n+- `kubectl create secret generic cloudsql-instance-credentials --from-file=./kubernetes/secrets/cloudsql.json`\n+- `./kubernetes-modelsecret.sh`\n+- SSL certificate (not supported yet)\n+ - `cd ssl`\n+ - `./generate.sh`\n+ - `./kubernetes-create-secret.sh`\n+- `./kubernetes-apply-gcloud.sh`\n+- `watch kubectl get all -o wide`\n+- `kubectl delete horizontalpodautoscaler.autoscaling/ui-autoscaler`\n+- `kubectl delete deployment.apps/pgadmin`\n+- Entities example\n+ - `cd samples/entities/`\n+ - `./docker-build.sh`\n+ - `./docker-push.sh`\n+ - `kubectl apply -f deployment.yaml -f service.yaml`\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "doc/samples.md",
"diff": "+# Default Repository\n+\n+If you [run Modelix](https://github.com/modelix/modelix/wiki/Running-Modelix) and point your browser to http://localhost:33333/ you will see a list of all modules in the current MPS repo (not in the model server database). You can then click through to a particular node, for example\n+- module `de.itemis.mps.editor.collapsible`\n+- model `de.itemis.mps.editor.collapsible.structure`\n+- node `CellModel_Collapsible`\n+- the ultimate URL is http://localhost:33333/nodeAsHtml?nodeRef=MOcBcjpiY2EzOTkzYS0yZGM0LTQ0NDktYTY1NC1jOWYyZmE4NmRjOWMoZGUuaXRlbWlzLm1wcy5lZGl0b3IuY29sbGFwc2libGUuc3RydWN0dXJlKS80NzY3NjE1NDM1ODA3NzM3MzUw\n+\n+You will then see the SVG-based editor that \"transfers\" the MPS default editor to the browser. This is the current default behavior or modelix if you do not define a custom editor. It is readonly, because the model is readonly in MPS. If you navigate to a node that is \"in the project\", such as `org.modelix.model.runtimelang/org.modelix.model.runtimelang.structure/UsedModule`, you will be able to edit the code in the SVG-based editor. If you navigate to the same node in MPS natively you will see the change you made in the browser.\n+\n+\n+http://localhost:33333/nodeAsHtml?nodeRef=MOQBcjpmMWNjOTZmZS1kNmVmLTRhNTgtYjYwNy0xYjJlNGQwMmUxZGUob3JnLm1vZGVsaXgubW9kZWwucnVudGltZWxhbmcuc3RydWN0dXJlKS81Mjc2NzU1MjQ1OTQzNDM0OTc4\n+\n+# Entities Sample\n+\n+This sample showcases the situation where you define a custom editor for your language.\n+\n+- open the `org.modelix` project in the `mps` folder of the repo to make sure the web server runs\n+- and also start the database and the model server (see [Running Modelix](https://github.com/modelix/modelix/wiki/Running-Modelix))\n+- open the project in the `samples/entities` folder in a second MPS window\n+- point your browser here: http://localhost:33333/modelAsHtml?modelRef=r%3A5d56df86-9b89-40e7-a17f-675bb0dc9ae2%28org.modelix.samples.entities.sandbox%29\n+- click on one of the entities to see the textual editor\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "doc/tutorials.md",
"diff": "+# Hello Entities\n+\n+Open the entities sample as explained on the [samples](https://github.com/modelix/modelix/wiki/Samples) page.\n+\n+This sample uses a custom notation for entities designed for the web. To this end, it uses a new rotation definition language. It is defined in the `web` aspect of the `org.modelix.samples.entities` language. If you open this aspect, you will find a `Notation` module. Double click to edit. Here is the URL to this node: http://127.0.0.1:63320/node?ref=r%3Ac375c783-4874-43af-8c53-f088cba95e74%28org.modelix.samples.entities.web%29%2F7759120791677832452\n+\n+## Changing a keyword\n+\n+The simplest possible change is modifying the keyword of an `Entity`. Currently it is \"entity\", change it to something else. Rebuild the language by pressing `Ctrl-F9`, move over to the browser and reload the entities page. The keyword should change. This is the fundamental turnaround of modifying languages.\n+\n+## Adding a `public` flag\n+\n+A possible extension of the entities language is to be able to mark properties as `public`, optionally. If you look in the rotation definition at the initializer of the `Property`, then you will see that the notation language includes many ideas from the grammar cells extension for MPS. It also has direct support for flags where a particular keyword is shown if the flag is true and nothing otherwise.\n+\n+To add the `public` flag, first go to the `Structure` aspect of the language at at a Boolean `public` property to the concept `Property`. Notice that this is of course the normal MPS structure aspect, modelix does not change that. You can now go back to the notation, press `Shift-Enter` on the name of the property, press `control-space`, select the `flag` cell, at select the `public` property:\n+\n+`notation Property : [ flag/public name : type ? [ = initializer ] ]`\n+\n+Rebuilding the language and reloading the page will make the flag available to the end-user.\n+\n+## The Stuff around the editor\n+\n+If you play with the samples and tutorial, you will see various HTML pages \"around\" the core node editor. These pages are obviously also served by the web server that runs in MPS (`localhost:3333`). The pages are created through incremental transformations based on the Shadow Models framework. If you check out the `web` aspect of the `org.modelix.samples.entities` you can see two more relevant constructs.\n+\n+The `HttpPage` roots effectively define http endpoints. It defines a URL incl. parameters, a page title as well as the HTML page that is shown; that page is created via a transformation.\n+\n+```\n+http page /entities/model?model=... {\n+ path: /entities/model\n+ parameters: model : node<Model>\n+ title: \"Entities (\" + model.name + \")\"\n+ transformation: call EntitiesWebPages.entitiesPage model\n+}\n+```\n+\n+This transformation is located in `EntitiesWebPages`, an root that contains shadow model transformations. It builds the AST of a HTML page using concepts (defined as part of the modelix project) that represent HTML. Ultimately this HTML embeds the actual editor for an MPS node (`call pages.nodeEditor _ `). How this then exactly works will be explained later.\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Moved wiki pages into the main repository
This way it's easier to find the matching documentation for a version
of modelix. |
426,496 | 25.08.2020 11:10:44 | -7,200 | ee6f8cb19b78c16e47075a6c869483e2ad6370f8 | Attempt to fix the ModelClient_Test | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/RestWebModelClient.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/RestWebModelClient.kt",
"diff": "@@ -376,7 +376,7 @@ class RestWebModelClient @JvmOverloads constructor(var baseUrl: String? = null)\n// .readTimeout(1000, TimeUnit.MILLISECONDS)\n.register(ClientRequestFilter { ctx -> ctx.headers.add(HttpHeaders.AUTHORIZATION, \"Bearer $authToken\") }).build()\nsseClient = ClientBuilder.newBuilder()\n- // .connectTimeout(1000, TimeUnit.MILLISECONDS)\n+ .connectTimeout(1000, TimeUnit.MILLISECONDS)\n.register(ClientRequestFilter { ctx -> ctx.headers.add(HttpHeaders.AUTHORIZATION, \"Bearer $authToken\") }).build()\nidGenerator = IdGenerator(clientId)\nwatchDogTask = fixDelay(\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"new_path": "model-client/src/jvmTest/kotlin/org/modelix/model/ModelClient_Test.kt",
"diff": "@@ -18,8 +18,10 @@ package org.modelix.model\nimport org.junit.After\nimport org.junit.Assert\nimport org.junit.Before\n+import org.junit.Test\nimport org.modelix.model.client.RestWebModelClient\nimport java.util.*\n+import kotlin.test.fail\nclass ModelClient_Test {\n@@ -55,8 +57,7 @@ class ModelClient_Test {\n// This test requires a running model server\n// It should be marked as a slow test and run separately from unit tests\n- // @Test\n- // disabled because it fails sometimes but not always on the CI server\n+ @Test\nfun test_t1() {\nval rand = Random(67845)\nval url = \"http://localhost:28101/\"\n@@ -73,7 +74,7 @@ class ModelClient_Test {\nlisteners.add(l)\n}\n}\n- Thread.sleep(1000)\n+ Thread.sleep(2000)\nfor (i in 1..10) {\nprintln(\"Phase B: i=$i of 10\")\nif (!modelServer.isUp()) {\n@@ -91,15 +92,16 @@ class ModelClient_Test {\nAssert.assertEquals(expected[key], client[key])\n}\nprintln(\" verified\")\n- for (timeout in 0..1000) {\n+ for (timeout in 0..3000) {\nif (listeners.all { expected[it.key] == it.lastValue }) {\nprintln(\"All changes received after $timeout ms\")\nbreak\n}\nThread.sleep(1)\n}\n- for (l in listeners) {\n- Assert.assertEquals(expected[l.key], l.lastValue)\n+ val successfulListeners = listeners.filter { expected[it.key] == it.lastValue }.count()\n+ if (successfulListeners < listeners.size) {\n+ fail(\"change only received on $successfulListeners of ${listeners.size} listeners\")\n}\nprintln(\" verified also on listeners\")\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Attempt to fix the ModelClient_Test |
426,496 | 25.08.2020 11:32:02 | -7,200 | 153c9e9f23878d1447c94b2b4c9383c5bd7c0d4e | Use installed node version (attempt to fix the travis build) | [
{
"change_type": "MODIFY",
"old_path": "ui-client/build.gradle",
"new_path": "ui-client/build.gradle",
"diff": "@@ -7,9 +7,9 @@ apply plugin: 'base'\nnode {\n// also change the .nvmrc file\n- version = '12.18.3'\n- npmVersion = '6.14.8'\n- download = true\n+ // version = '12.18.3'\n+ // npmVersion = '6.14.8'\n+ // download = true\n}\nnpm_run_build {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Use installed node version (attempt to fix the travis build) |
426,496 | 25.08.2020 14:44:39 | -7,200 | 346f1e52346bd5e625841c8b779ee3c0e3625977 | More conflict resolution tests | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -71,8 +71,12 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nindexAdjustments.getAdjustedPosition(previous.childId, previous.targetPosition),\nPositionInRole(DETACHED_ROLE, 0)\n)\n+ if (moveOp.sourcePosition == moveOp.targetPosition) {\n+ listOf(adjusted())\n+ } else {\nindexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\nlistOf(moveOp, adjusted())\n+ }\n} else listOf(adjusted())\n}\nis SetPropertyOp -> listOf(adjusted())\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -27,7 +27,11 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n}\noverride fun apply(transaction: IWriteTransaction): IAppliedOperation {\n- val actualNode = transaction.getChildren(sourcePosition.nodeId, sourcePosition.role).toList()[sourcePosition.index]\n+ val children = transaction.getChildren(sourcePosition.nodeId, sourcePosition.role).toList()\n+ if (sourcePosition.index >= children.size) {\n+ throw RuntimeException(\"Invalid source index ${sourcePosition.index}. There are only ${children.size} children in ${sourcePosition.roleInNode}\")\n+ }\n+ val actualNode = children[sourcePosition.index]\nif (actualNode != childId) {\nthrow RuntimeException(\"Node at $sourcePosition is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n}\n@@ -63,14 +67,20 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n}\nis MoveNodeOp -> {\nif (previous.childId == childId) {\n-// indexAdjustments.removeAdjustment(previous)\n+ indexAdjustments.setKnownPosition(childId, targetPosition)\nlistOf(\nMoveNodeOp(\nchildId,\n- previous.targetPosition,\n+ previous.getActualTargetPosition(),\ntargetPosition\n)\n)\n+ } else if (previous.childId == this.targetPosition.nodeId && previous.targetPosition.nodeId == this.childId) {\n+ // This avoids the exception: ${previous.childId} is a descendant of ${this.childId}\n+ // This exception can still happen (if there are any intermediate ancestors),\n+ // but we don't have more information to prevent them.\n+ indexAdjustments.redirectedMove(this, sourcePosition, targetPosition, sourcePosition)\n+ listOf(NoOp())\n} else listOf(adjusted())\n}\nis SetPropertyOp -> listOf(adjusted())\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -8,6 +8,7 @@ import org.modelix.model.lazy.CLTree\nimport org.modelix.model.lazy.CLVersion\nimport org.modelix.model.operations.IAppliedOperation\nimport org.modelix.model.operations.OTBranch\n+import kotlin.random.Random\nimport kotlin.test.Test\nimport kotlin.test.fail\n@@ -33,17 +34,17 @@ class ConflictResolutionTest : TreeTestBase() {\nrandomTest(101, 2, 4)\n}\n-// @Test\n-// fun randomTest00() {\n-// for (i in 0..10000) {\n-// try {\n-// rand = Random(i)\n-// randomTest(10, 2, 3)\n-// } catch (ex: Exception) {\n-// throw RuntimeException(\"Failed for seed $i\", ex)\n-// }\n-// }\n-// }\n+ @Test\n+ fun randomTest00() {\n+ for (i in 0..110) {\n+ try {\n+ rand = Random(i)\n+ randomTest(10, 2, 3)\n+ } catch (ex: Exception) {\n+ throw RuntimeException(\"Failed for seed $i\", ex)\n+ }\n+ }\n+ }\nfun randomTest(baseChanges: Int, numBranches: Int, branchChanges: Int) {\nval merger = VersionMerger(storeCache, idGenerator)\n@@ -595,6 +596,54 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue25() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000001, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0x1, \"cRole2\", 1, 0xff00000001)\n+ },\n+ { t -> // 1\n+ t.moveChild(0x1, \"cRole2\", 1, 0xff00000001)\n+ }\n+ )\n+ }\n+\n+ @Test\n+ fun knownIssue26() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000002, null)\n+ t.addNewChild(0x1, \"cRole2\", 1, 0xff00000003, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000002, \"cRole3\", 0, 0xff00000003)\n+ },\n+ { t -> // 1\n+ t.moveChild(0xff00000003, \"cRole3\", 0, 0xff00000002)\n+ }\n+ )\n+ }\n+\n+ @Test\n+ fun knownIssue27() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole1\", 0, 0xff00000003, null)\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000004, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000004, \"cRole3\", 0, 0xff00000003)\n+ t.moveChild(0xff00000004, \"cRole2\", 0, 0xff00000003)\n+ },\n+ { t -> // 1\n+ t.deleteNode(0xff00000004)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests |
426,496 | 25.08.2020 17:34:10 | -7,200 | 8d0e6bdc95c66e8b7326c37e33acb03c6197fc2d | More conflict resolution tests (2) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -79,7 +79,9 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n// This avoids the exception: ${previous.childId} is a descendant of ${this.childId}\n// This exception can still happen (if there are any intermediate ancestors),\n// but we don't have more information to prevent them.\n+ val actualSourcePos = indexAdjustments.getAdjustedPosition(childId, sourcePosition)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, sourcePosition)\n+ indexAdjustments.setKnownPosition(childId, actualSourcePos)\nlistOf(NoOp())\n} else listOf(adjusted())\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -644,6 +644,25 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue28() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000001, null)\n+ t.addNewChild(0x1, \"cRole1\", 0, 0xff00000002, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000002, \"cRole2\", 0, 0xff00000001)\n+ t.deleteNode(0xff00000001)\n+ },\n+ { t -> // 1\n+ t.moveChild(0xff00000001, \"cRole1\", 0, 0xff00000002)\n+ t.addNewChild(0x1, \"cRole1\", 0, 0xff00000006, null)\n+ t.moveChild(0xff00000006, \"cRole3\", 0, 0xff00000002)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (2) |
426,496 | 25.08.2020 20:48:22 | -7,200 | 1059c8d36f3f1fbdf3dbe5923742d6389b0dc195 | More conflict resolution tests (3) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -56,7 +56,8 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nval moveOp = MoveNodeOp(\nprevious.childId,\nindexAdjustments.getAdjustedPosition(previous.childId, previous.position),\n- PositionInRole(DETACHED_ROLE, 0)\n+ PositionInRole(DETACHED_ROLE, 0),\n+ longArrayOf()\n)\nindexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\nlistOf(moveOp, adjusted())\n@@ -69,7 +70,8 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nval moveOp = MoveNodeOp(\nprevious.childId,\nindexAdjustments.getAdjustedPosition(previous.childId, previous.targetPosition),\n- PositionInRole(DETACHED_ROLE, 0)\n+ PositionInRole(DETACHED_ROLE, 0),\n+ longArrayOf()\n)\nif (moveOp.sourcePosition == moveOp.targetPosition) {\nlistOf(adjusted())\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -3,6 +3,25 @@ package org.modelix.model.operations\nclass IndexAdjustments {\nprivate val adjustments: MutableList<Adjustment> = ArrayList()\nprivate val knownPositions: MutableMap<Long, KnownPosition> = HashMap()\n+ private val knownParents: MutableMap<Long, Long> = HashMap()\n+\n+ fun setKnownParent(childId: Long, parentId: Long) {\n+ knownParents[childId] = parentId\n+ }\n+\n+ fun getKnownParent(childId: Long): Long {\n+ return knownParents[childId] ?: 0\n+ }\n+\n+ fun getKnownAncestors(childId: Long): LongArray {\n+ val ancestors: MutableList<Long> = ArrayList()\n+ var ancestor = getKnownParent(childId)\n+ while (ancestor != 0L) {\n+ ancestors.add(ancestor)\n+ ancestor = getKnownParent(ancestor)\n+ }\n+ return ancestors.toLongArray()\n+ }\nfun setKnownPosition(nodeId: Long, pos: PositionInRole, deleted: Boolean = false) {\nsetKnownPosition(nodeId, KnownPosition(pos, deleted))\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -17,12 +17,12 @@ package org.modelix.model.operations\nimport org.modelix.model.api.IWriteTransaction\n-class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targetPosition: PositionInRole) : AbstractOperation() {\n- fun withPos(newSource: PositionInRole, newTarget: PositionInRole): MoveNodeOp {\n- return if (newSource == sourcePosition && newTarget == targetPosition) {\n+class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targetPosition: PositionInRole, val targetAncestors: LongArray?) : AbstractOperation() {\n+ fun withPos(newSource: PositionInRole, newTarget: PositionInRole, newTargetAncestors: LongArray): MoveNodeOp {\n+ return if (newSource == sourcePosition && newTarget == targetPosition && newTargetAncestors.contentEquals(targetAncestors)) {\nthis\n} else {\n- MoveNodeOp(childId, newSource, newTarget)\n+ MoveNodeOp(childId, newSource, newTarget, newTargetAncestors)\n}\n}\n@@ -35,8 +35,14 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nif (actualNode != childId) {\nthrow RuntimeException(\"Node at $sourcePosition is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n}\n+ val sourceAncestors: MutableList<Long> = ArrayList()\n+ var ancestor: Long = transaction.getParent(sourcePosition.nodeId)\n+ while (ancestor != 0L) {\n+ sourceAncestors.add(ancestor)\n+ ancestor = transaction.getParent(ancestor)\n+ }\ntransaction.moveChild(targetPosition.nodeId, targetPosition.role, targetPosition.index, childId)\n- return Applied()\n+ return Applied(sourceAncestors.toLongArray())\n}\nfun getActualTargetPosition(): PositionInRole {\n@@ -48,10 +54,18 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\nval adjusted = {\nval a = withAdjustedPosition(indexAdjustments)\n- indexAdjustments.nodeMoved(a, false, sourcePosition, targetPosition)\n+ if (a.childId == a.targetPosition.nodeId || a.targetAncestors != null && a.targetAncestors.contains(a.childId)) {\n+ val actualSourcePos = indexAdjustments.getAdjustedPosition(childId, sourcePosition)\n+ indexAdjustments.redirectedMove(this, sourcePosition, targetPosition, sourcePosition)\n+ indexAdjustments.setKnownPosition(childId, actualSourcePos)\n+ NoOp()\n+ } else {\n+ indexAdjustments.nodeMoved(a, false, sourcePosition, a.getActualTargetPosition())\nindexAdjustments.setKnownPosition(childId, a.getActualTargetPosition())\n+ loadKnownParents(indexAdjustments)\na\n}\n+ }\nreturn when (previous) {\nis AddNewChildOp -> listOf(adjusted())\nis DeleteNodeOp -> {\n@@ -61,8 +75,15 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n} else if (targetPosition.nodeId == previous.childId) {\nval redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\nindexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\n+ val redirectedMoveOp = MoveNodeOp(\n+ childId,\n+ sourcePosition,\n+ redirectedTarget,\n+ indexAdjustments.getKnownAncestors(redirectedTarget.nodeId)\n+ )\nindexAdjustments.setKnownPosition(childId, redirectedTarget)\n- listOf(MoveNodeOp(childId, sourcePosition, redirectedTarget))\n+ redirectedMoveOp.loadKnownParents(indexAdjustments)\n+ listOf(redirectedMoveOp)\n} else listOf(adjusted())\n}\nis MoveNodeOp -> {\n@@ -72,17 +93,10 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nMoveNodeOp(\nchildId,\nprevious.getActualTargetPosition(),\n- targetPosition\n+ targetPosition,\n+ targetAncestors\n)\n)\n- } else if (previous.childId == this.targetPosition.nodeId && previous.targetPosition.nodeId == this.childId) {\n- // This avoids the exception: ${previous.childId} is a descendant of ${this.childId}\n- // This exception can still happen (if there are any intermediate ancestors),\n- // but we don't have more information to prevent them.\n- val actualSourcePos = indexAdjustments.getAdjustedPosition(childId, sourcePosition)\n- indexAdjustments.redirectedMove(this, sourcePosition, targetPosition, sourcePosition)\n- indexAdjustments.setKnownPosition(childId, actualSourcePos)\n- listOf(NoOp())\n} else listOf(adjusted())\n}\nis SetPropertyOp -> listOf(adjusted())\n@@ -95,12 +109,26 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\nindexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\nindexAdjustments.setKnownPosition(childId, getActualTargetPosition())\n+ loadKnownParents(indexAdjustments)\n+ }\n+\n+ private fun loadKnownParents(indexAdjustments: IndexAdjustments) {\n+ indexAdjustments.setKnownParent(childId, targetPosition.nodeId)\n+ if (targetAncestors != null) {\n+ var child = targetPosition.nodeId\n+ for (parent in targetAncestors) {\n+ indexAdjustments.setKnownParent(child, parent)\n+ child = parent\n+ }\n+ }\n}\noverride fun withAdjustedPosition(indexAdjustments: IndexAdjustments): MoveNodeOp {\n+ val newTargetPos = indexAdjustments.getAdjustedPositionForInsert(targetPosition)\nreturn withPos(\nindexAdjustments.getAdjustedPosition(childId, sourcePosition),\n- indexAdjustments.getAdjustedPositionForInsert(targetPosition)\n+ newTargetPos,\n+ indexAdjustments.getKnownAncestors(newTargetPos.nodeId)\n)\n}\n@@ -112,12 +140,12 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nreturn \"\"\"t.moveChild(0x${targetPosition.nodeId.toString(16)}, \"${targetPosition.role}\", ${targetPosition.index}, 0x${childId.toString(16)})\"\"\"\n}\n- inner class Applied : AbstractOperation.Applied(), IAppliedOperation {\n+ inner class Applied(val sourceAncestors: LongArray) : AbstractOperation.Applied(), IAppliedOperation {\noverride val originalOp: IOperation\nget() = this@MoveNodeOp\noverride fun invert(): IOperation {\n- return MoveNodeOp(childId, targetPosition, sourcePosition)\n+ return MoveNodeOp(childId, targetPosition, sourcePosition, sourceAncestors)\n}\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -40,7 +40,18 @@ class OTWriteTransaction(private val transaction: IWriteTransaction, private val\nif (newIndex == -1) {\nnewIndex = getChildren(newParentId, newRole).count()\n}\n- apply(MoveNodeOp(childId, PositionInRole(oldparent, oldRole, oldIndex), PositionInRole(newParentId, newRole, newIndex)))\n+ val targetAncestors: MutableList<Long> = ArrayList()\n+ var ancestor: Long = getParent(newParentId)\n+ while (ancestor != 0L) {\n+ targetAncestors.add(ancestor)\n+ ancestor = getParent(ancestor)\n+ }\n+ apply(MoveNodeOp(\n+ childId,\n+ PositionInRole(oldparent, oldRole, oldIndex),\n+ PositionInRole(newParentId, newRole, newIndex),\n+ targetAncestors.toLongArray()\n+ ))\n}\noverride fun setProperty(nodeId: Long, role: String, value: String?) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/OperationSerializer.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/OperationSerializer.kt",
"diff": "@@ -90,13 +90,28 @@ class OperationSerializer private constructor() {\nINSTANCE.registerSerializer(\nMoveNodeOp::class,\nobject : Serializer<MoveNodeOp> {\n+ val ANCESTORS_SEPARATOR = \".\"\noverride fun serialize(op: MoveNodeOp): String {\n- return longToHex(op.childId) + SEPARATOR + longToHex(op.sourcePosition.nodeId) + SEPARATOR + escape(op.sourcePosition.role) + SEPARATOR + op.sourcePosition.index + SEPARATOR + longToHex(op.targetPosition.nodeId) + SEPARATOR + escape(op.targetPosition.role) + SEPARATOR + op.targetPosition.index\n+ return longToHex(op.childId) + SEPARATOR +\n+ longToHex(op.sourcePosition.nodeId) + SEPARATOR +\n+ escape(op.sourcePosition.role) + SEPARATOR +\n+ op.sourcePosition.index + SEPARATOR +\n+ longToHex(op.targetPosition.nodeId) + SEPARATOR +\n+ escape(op.targetPosition.role) + SEPARATOR +\n+ op.targetPosition.index + SEPARATOR +\n+ if (op.targetAncestors == null || op.targetAncestors.isEmpty()) \"\" else op.targetAncestors\n+ .joinToString(ANCESTORS_SEPARATOR) { longToHex(it) }\n}\noverride fun deserialize(serialized: String): MoveNodeOp {\nval parts = serialized.split(SEPARATOR).dropLastWhile { it.isEmpty() }.toTypedArray()\n- return MoveNodeOp(longFromHex(parts[0]), PositionInRole(longFromHex(parts[1]), unescape(parts[2]), parts[3].toInt()), PositionInRole(longFromHex(parts[4]), unescape(parts[5]), parts[6].toInt()))\n+ return MoveNodeOp(\n+ longFromHex(parts[0]),\n+ PositionInRole(longFromHex(parts[1]), unescape(parts[2]), parts[3].toInt()),\n+ PositionInRole(longFromHex(parts[4]), unescape(parts[5]), parts[6].toInt()),\n+ if (parts.size <= 7) null else parts[7].split(ANCESTORS_SEPARATOR).filter { it.isNotEmpty() }\n+ .map { longFromHex(it) }.toLongArray()\n+ )\n}\n}\n)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -36,7 +36,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest00() {\n- for (i in 0..110) {\n+ for (i in 0..299) {\ntry {\nrand = Random(i)\nrandomTest(10, 2, 3)\n@@ -663,6 +663,23 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue29() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000002, null)\n+ t.addNewChild(0xff00000002, \"cRole2\", 0, 0xff00000001, null)\n+ t.addNewChild(0x1, \"cRole3\", 0, 0xff00000004, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000001, \"cRole3\", 0, 0xff00000004)\n+ },\n+ { t -> // 1\n+ t.moveChild(0xff00000004, \"cRole1\", 0, 0xff00000002)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (3) |
426,496 | 26.08.2020 12:11:31 | -7,200 | 80a756c39efaa724494d1bf69eddc174b430f702 | More conflict resolution tests (4) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -98,6 +98,8 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nvar operationsToApply: List<IOperation> = versionToApply.operations.toList()\nfor (concurrentAppliedOp in concurrentAppliedOps) {\nval indexAdjustments = IndexAdjustments()\n+ operationsToApply.forEach { it.loadKnownData(indexAdjustments) }\n+ concurrentAppliedOp.loadKnownData(indexAdjustments)\nconcurrentAppliedOp.loadAdjustment(indexAdjustments)\noperationsToApply = operationsToApply\n.flatMap { transformOperation(it, concurrentAppliedOp, indexAdjustments) }\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AbstractOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AbstractOperation.kt",
"diff": "@@ -29,6 +29,9 @@ abstract class AbstractOperation : IOperation {\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n}\n+ override fun loadKnownData(indexAdjustments: IndexAdjustments) {\n+ }\n+\noverride fun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation {\nreturn this\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -77,6 +77,8 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nlistOf(adjusted())\n} else {\nindexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\n+ indexAdjustments.setKnownPosition(moveOp.childId, moveOp.targetPosition)\n+ indexAdjustments.setKnownParent(moveOp.childId, moveOp.targetPosition.nodeId)\nlistOf(moveOp, adjusted())\n}\n} else listOf(adjusted())\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"diff": "@@ -30,6 +30,7 @@ interface IOperation {\nfun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation>\nfun loadAdjustment(indexAdjustments: IndexAdjustments)\n+ fun loadKnownData(indexAdjustments: IndexAdjustments)\nfun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "package org.modelix.model.operations\n+import org.modelix.model.api.ITree\n+\nclass IndexAdjustments {\nprivate val adjustments: MutableList<Adjustment> = ArrayList()\nprivate val knownPositions: MutableMap<Long, KnownPosition> = HashMap()\nprivate val knownParents: MutableMap<Long, Long> = HashMap()\n+ init {\n+ knownParents[ITree.ROOT_ID] = 0L\n+ }\n+\nfun setKnownParent(childId: Long, parentId: Long) {\nknownParents[childId] = parentId\n}\n@@ -15,7 +21,7 @@ class IndexAdjustments {\nfun getKnownAncestors(childId: Long): LongArray {\nval ancestors: MutableList<Long> = ArrayList()\n- var ancestor = getKnownParent(childId)\n+ var ancestor = knownParents[childId] ?: throw RuntimeException(\"Parent of ${childId.toString(16)} unknown\")\nwhile (ancestor != 0L) {\nancestors.add(ancestor)\nancestor = getKnownParent(ancestor)\n@@ -103,6 +109,7 @@ class IndexAdjustments {\nfun nodeRemoved(owner: IOperation, concurrentSide: Boolean, removedPos: PositionInRole, nodeId: Long) {\nadjustKnownPositions(removedPos.roleInNode) { if (it > removedPos.index) it - 1 else it }\nsetKnownPosition(nodeId, KnownPosition(removedPos, true))\n+ setKnownParent(nodeId, 0L)\naddAdjustment(NodeRemoveAdjustment(owner, concurrentSide, removedPos))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -35,14 +35,25 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nif (actualNode != childId) {\nthrow RuntimeException(\"Node at $sourcePosition is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n}\n- val sourceAncestors: MutableList<Long> = ArrayList()\n- var ancestor: Long = transaction.getParent(sourcePosition.nodeId)\n+\n+ val actualTargetAncestors = getAncestors(targetPosition.nodeId, transaction)\n+ if (!actualTargetAncestors.contentEquals(targetAncestors)) {\n+ throw RuntimeException(\"Ancestors expected to be [${targetAncestors?.joinToString(\", \") { it.toString(16) }}], but was [${actualTargetAncestors.joinToString(\", \") { it.toString(16) }}]\")\n+ }\n+\n+ val sourceAncestors = getAncestors(sourcePosition.nodeId, transaction)\n+ transaction.moveChild(targetPosition.nodeId, targetPosition.role, targetPosition.index, childId)\n+ return Applied(sourceAncestors)\n+ }\n+\n+ private fun getAncestors(nodeId: Long, transaction: IWriteTransaction): LongArray {\n+ val ancestors: MutableList<Long> = ArrayList()\n+ var ancestor: Long = transaction.getParent(nodeId)\nwhile (ancestor != 0L) {\n- sourceAncestors.add(ancestor)\n+ ancestors.add(ancestor)\nancestor = transaction.getParent(ancestor)\n}\n- transaction.moveChild(targetPosition.nodeId, targetPosition.role, targetPosition.index, childId)\n- return Applied(sourceAncestors.toLongArray())\n+ return ancestors.toLongArray()\n}\nfun getActualTargetPosition(): PositionInRole {\n@@ -86,19 +97,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nlistOf(redirectedMoveOp)\n} else listOf(adjusted())\n}\n- is MoveNodeOp -> {\n- if (previous.childId == childId) {\n- indexAdjustments.setKnownPosition(childId, targetPosition)\n- listOf(\n- MoveNodeOp(\n- childId,\n- previous.getActualTargetPosition(),\n- targetPosition,\n- targetAncestors\n- )\n- )\n- } else listOf(adjusted())\n- }\n+ is MoveNodeOp -> listOf(adjusted())\nis SetPropertyOp -> listOf(adjusted())\nis SetReferenceOp -> listOf(adjusted())\nis NoOp -> listOf(adjusted())\n@@ -109,11 +108,16 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\nindexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\nindexAdjustments.setKnownPosition(childId, getActualTargetPosition())\n+ indexAdjustments.setKnownParent(childId, targetPosition.nodeId)\n+ loadKnownParents(indexAdjustments)\n+ }\n+\n+ override fun loadKnownData(indexAdjustments: IndexAdjustments) {\n+ indexAdjustments.setKnownParent(childId, sourcePosition.nodeId)\nloadKnownParents(indexAdjustments)\n}\nprivate fun loadKnownParents(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.setKnownParent(childId, targetPosition.nodeId)\nif (targetAncestors != null) {\nvar child = targetPosition.nodeId\nfor (parent in targetAncestors) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -14,32 +14,12 @@ import kotlin.test.fail\nclass ConflictResolutionTest : TreeTestBase() {\n- @Test\n- fun randomTest01() {\n- randomTest(30, 3, 50)\n- }\n-\n- @Test\n- fun randomTest02() {\n- randomTest(10, 5, 10)\n- }\n-\n- @Test\n- fun randomTest03() {\n- randomTest(10, 5, 20)\n- }\n-\n- @Test\n- fun randomTest04() {\n- randomTest(101, 2, 4)\n- }\n-\n@Test\nfun randomTest00() {\n- for (i in 0..299) {\n+ for (i in 0..160) {\ntry {\nrand = Random(i)\n- randomTest(10, 2, 3)\n+ randomTest(5, 2, 3)\n} catch (ex: Exception) {\nthrow RuntimeException(\"Failed for seed $i\", ex)\n}\n@@ -52,7 +32,9 @@ class ConflictResolutionTest : TreeTestBase() {\nval baseBranch = OTBranch(PBranch(initialTree, idGenerator), idGenerator)\nlogDebug({ \"Random changes to base\" }, ConflictResolutionTest::class)\nfor (i in 0 until baseChanges) {\n- applyRandomChange(baseBranch, baseExpectedTreeData)\n+ RandomTreeChangeGenerator(idGenerator, rand)\n+ .addOperationOnly()\n+ .applyRandomChange(baseBranch, baseExpectedTreeData)\n}\nval baseVersion = createVersion(baseBranch.operationsAndTree, null)\n@@ -680,6 +662,44 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue30() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole3\", 0, 0xff00000003, null)\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000004, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000004, \"cRole1\", 0, 0xff00000003)\n+ },\n+ { t -> // 1\n+ t.deleteNode(0xff00000004)\n+ t.moveChild(0x1, \"cRole3\", 1, 0xff00000003)\n+ }\n+ )\n+ }\n+\n+ @Test\n+ fun knownIssue31() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000001, null)\n+ t.addNewChild(0xff00000001, \"cRole1\", 0, 0xff00000002, null)\n+ t.addNewChild(0xff00000002, \"cRole2\", 0, 0xff00000003, null)\n+ t.addNewChild(0xff00000001, \"cRole1\", 0, 0xff00000004, null)\n+ t.addNewChild(0xff00000003, \"cRole2\", 0, 0xff00000005, null)\n+ },\n+ { t -> // 0\n+ t.addNewChild(0xff00000002, \"cRole1\", 0, 0xff00000007, null)\n+ },\n+ { t -> // 1\n+ t.deleteNode(0xff00000005)\n+ t.moveChild(0xff00000004, \"cRole1\", 0, 0xff00000002)\n+ t.moveChild(0x1, \"cRole1\", 0, 0xff00000004)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/RandomTreeChangeGenerator.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/RandomTreeChangeGenerator.kt",
"diff": "@@ -90,6 +90,13 @@ class RandomTreeChangeGenerator(private val idGenerator: IdGenerator, private va\nreturn this\n}\n+ fun addOperationOnly(): RandomTreeChangeGenerator {\n+ operations = listOf(\n+ addNewOp\n+ )\n+ return this\n+ }\n+\nfun applyRandomChange(tree: ITree, expectedTree: ExpectedTreeData): ITree {\nval branch = PBranch(tree, idGenerator)\napplyRandomChange(branch, expectedTree)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (4) |
426,496 | 26.08.2020 12:19:53 | -7,200 | eddb78ef4655e2a9c597be8f99912474bd9fddeb | fixed TreeSerializationTest | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -36,10 +36,12 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nthrow RuntimeException(\"Node at $sourcePosition is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n}\n+ if (targetAncestors != null) {\nval actualTargetAncestors = getAncestors(targetPosition.nodeId, transaction)\nif (!actualTargetAncestors.contentEquals(targetAncestors)) {\nthrow RuntimeException(\"Ancestors expected to be [${targetAncestors?.joinToString(\", \") { it.toString(16) }}], but was [${actualTargetAncestors.joinToString(\", \") { it.toString(16) }}]\")\n}\n+ }\nval sourceAncestors = getAncestors(sourcePosition.nodeId, transaction)\ntransaction.moveChild(targetPosition.nodeId, targetPosition.role, targetPosition.index, childId)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | fixed TreeSerializationTest |
426,496 | 26.08.2020 12:28:41 | -7,200 | 23da5d06a82c0bcbd140896e7a2b102f67dcad6e | More conflict resolution tests (5) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -110,16 +110,19 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\nindexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\nindexAdjustments.setKnownPosition(childId, getActualTargetPosition())\n- indexAdjustments.setKnownParent(childId, targetPosition.nodeId)\nloadKnownParents(indexAdjustments)\n}\noverride fun loadKnownData(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.setKnownParent(childId, sourcePosition.nodeId)\n- loadKnownParents(indexAdjustments)\n+ loadKnownParents(indexAdjustments, false)\n}\n- private fun loadKnownParents(indexAdjustments: IndexAdjustments) {\n+ private fun loadKnownParents(indexAdjustments: IndexAdjustments, afterApply: Boolean = true) {\n+ if (afterApply) {\n+ indexAdjustments.setKnownParent(childId, targetPosition.nodeId)\n+ } else {\n+ indexAdjustments.setKnownParent(childId, sourcePosition.nodeId)\n+ }\nif (targetAncestors != null) {\nvar child = targetPosition.nodeId\nfor (parent in targetAncestors) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -16,7 +16,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest00() {\n- for (i in 0..160) {\n+ for (i in 0..257) {\ntry {\nrand = Random(i)\nrandomTest(5, 2, 3)\n@@ -700,6 +700,25 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue32() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole2\", 0, 0xff00000001, null)\n+ t.addNewChild(0xff00000001, \"cRole3\", 0, 0xff00000002, null)\n+ t.addNewChild(0x1, \"cRole2\", 1, 0xff00000003, null)\n+ t.addNewChild(0xff00000003, \"cRole3\", 0, 0xff00000004, null)\n+ },\n+ { t -> // 0\n+ t.moveChild(0xff00000004, \"cRole3\", 0, 0xff00000001)\n+ },\n+ { t -> // 1\n+ t.moveChild(0x1, \"cRole3\", 0, 0xff00000004)\n+ t.moveChild(0xff00000001, \"cRole3\", 1, 0xff00000002)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (5) |
426,496 | 26.08.2020 12:52:12 | -7,200 | 8e3f437f59bfa9ac36dc918c3aa7c18aca0dd1af | More conflict resolution tests (6) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -86,15 +86,14 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nindexAdjustments.nodeRemoved(this, true, targetPosition, childId)\nlistOf(NoOp())\n} else if (targetPosition.nodeId == previous.childId) {\n- val redirectedTarget = PositionInRole(DETACHED_ROLE, 0)\n- indexAdjustments.redirectedMove(this, sourcePosition, targetPosition, redirectedTarget)\nval redirectedMoveOp = MoveNodeOp(\nchildId,\n- sourcePosition,\n- redirectedTarget,\n- indexAdjustments.getKnownAncestors(redirectedTarget.nodeId)\n+ indexAdjustments.getAdjustedPosition(sourcePosition),\n+ PositionInRole(DETACHED_ROLE, 0),\n+ indexAdjustments.getKnownAncestors(DETACHED_ROLE.nodeId)\n)\n- indexAdjustments.setKnownPosition(childId, redirectedTarget)\n+ indexAdjustments.redirectedMove(this, redirectedMoveOp.sourcePosition, targetPosition, redirectedMoveOp.targetPosition)\n+ indexAdjustments.setKnownPosition(childId, redirectedMoveOp.targetPosition)\nredirectedMoveOp.loadKnownParents(indexAdjustments)\nlistOf(redirectedMoveOp)\n} else listOf(adjusted())\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -16,7 +16,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest00() {\n- for (i in 0..257) {\n+ for (i in 0..365) {\ntry {\nrand = Random(i)\nrandomTest(5, 2, 3)\n@@ -719,6 +719,23 @@ class ConflictResolutionTest : TreeTestBase() {\n)\n}\n+ @Test\n+ fun knownIssue33() {\n+ knownIssueTest(\n+ { t ->\n+ t.addNewChild(0x1, \"cRole3\", 0, 0xff00000001, null)\n+ t.addNewChild(0xff00000001, \"cRole3\", 0, 0xff00000002, null)\n+ t.addNewChild(0xff00000001, \"cRole3\", 1, 0xff00000003, null)\n+ },\n+ { t -> // 0\n+ t.deleteNode(0xff00000002)\n+ },\n+ { t -> // 1\n+ t.moveChild(0xff00000002, \"cRole3\", 0, 0xff00000003)\n+ }\n+ )\n+ }\n+\nfun createVersion(opsAndTree: Pair<List<IAppliedOperation>, ITree>, previousVersion: CLVersion?): CLVersion {\nreturn CLVersion(\nidGenerator.generate(),\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (6) |
426,496 | 27.08.2020 12:05:00 | -7,200 | ec5bc61076681789594b8466ba219ab0655a0739 | More conflict resolution tests (7) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -22,6 +22,7 @@ import org.modelix.model.api.PBranch\nimport org.modelix.model.lazy.CLTree\nimport org.modelix.model.lazy.CLVersion\nimport org.modelix.model.lazy.IDeserializingKeyValueStore\n+import org.modelix.model.operations.ConcurrentOperations\nimport org.modelix.model.operations.IAppliedOperation\nimport org.modelix.model.operations.IOperation\nimport org.modelix.model.operations.IndexAdjustments\n@@ -95,17 +96,16 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\n.filterKeys { !knownVersions.contains(it) }\n.flatMap { it.value }\n.map { it.originalOp }\n- var operationsToApply: List<IOperation> = versionToApply.operations.toList()\n- for (concurrentAppliedOp in concurrentAppliedOps) {\n- val indexAdjustments = IndexAdjustments()\n- operationsToApply.forEach { it.loadKnownData(indexAdjustments) }\n- concurrentAppliedOp.loadKnownData(indexAdjustments)\n- concurrentAppliedOp.loadAdjustment(indexAdjustments)\n- operationsToApply = operationsToApply\n- .flatMap { transformOperation(it, concurrentAppliedOp, indexAdjustments) }\n- .toList()\n- }\n- appliedOpsForVersion[versionToApply.id] = operationsToApply.map {\n+ val operationsToApply = ConcurrentOperations(concurrentAppliedOps, versionToApply.operations.toList())\n+ while (!operationsToApply.isConcurrentDone()) {\n+ logDebug({ \"with concurrent: ${operationsToApply.getConcurrentOp()}\" }, VersionMerger::class)\n+ while (!operationsToApply.isDone()) {\n+ operationsToApply.replace(operationsToApply.getCurrent()\n+ .transform(operationsToApply.getConcurrentOp(), operationsToApply))\n+ }\n+ operationsToApply.nextConcurrent()\n+ }\n+ appliedOpsForVersion[versionToApply.id] = operationsToApply.getAll().map {\ntry {\nit.apply(t)\n} catch (ex: Exception) {\n@@ -118,7 +118,7 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nversionToApply.author,\n(t.tree as CLTree).hash,\nif (mergedVersion != null) mergedVersion!!.hash else versionToApply.previousHash,\n- operationsToApply.toTypedArray(),\n+ operationsToApply.getAll().toTypedArray(),\nstoreCache\n)\n}\n@@ -132,12 +132,12 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nprotected fun transformOperation(\nopToTransform: IOperation,\npreviousOp: IOperation,\n- indexAdjustments: IndexAdjustments\n+ context: ConcurrentOperations\n): List<IOperation> {\n- val transformed = opToTransform.transform(previousOp, indexAdjustments)\n-// if (transformed.size != 1 || opToTransform.toString() != transformed[0].toString()) {\n-// logDebug({ \"transformed: $opToTransform --> $transformed ## $previousOp\" }, VersionMerger::class)\n-// }\n+ val transformed = opToTransform.transform(previousOp, context)\n+ if (transformed.size != 1 || opToTransform.toString() != transformed[0].toString()) {\n+ logDebug({ \"transformed: $opToTransform --> $transformed ## $previousOp\" }, VersionMerger::class)\n+ }\nreturn transformed\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AbstractOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AbstractOperation.kt",
"diff": "@@ -36,6 +36,10 @@ abstract class AbstractOperation : IOperation {\nreturn this\n}\n+ override fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation {\n+ return this\n+ }\n+\noverride fun toCode(): String {\nreturn \"\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"diff": "@@ -30,30 +30,17 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\nreturn Applied()\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n- val adjusted = {\n- val a = withAdjustedPosition(indexAdjustments)\n- indexAdjustments.nodeAdded(a, false, position, childId)\n- indexAdjustments.setKnownPosition(childId, a.position)\n- a\n- }\n- return when (previous) {\n- is AddNewChildOp -> listOf(adjusted())\n+ override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n+ when (previous) {\nis DeleteNodeOp -> {\nif (previous.childId == position.nodeId) {\nval redirected = AddNewChildOp(PositionInRole(DETACHED_ROLE, 0), this.childId, this.concept)\n- indexAdjustments.redirectedAdd(this, position, redirected.position, childId)\n- listOf(redirected)\n- } else {\n- listOf(adjusted())\n+ context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(redirected.position)) }\n+ return listOf(redirected)\n}\n}\n- is MoveNodeOp -> listOf(adjusted())\n- is SetPropertyOp -> listOf(adjusted())\n- is SetReferenceOp -> listOf(adjusted())\n- is NoOp -> listOf(adjusted())\n- else -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n+ return listOf(this)\n}\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n@@ -65,6 +52,10 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\nreturn withPosition(indexAdjustments.getAdjustedPositionForInsert(position))\n}\n+ override fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation {\n+ return withPosition(adjustment.adjust(position, true))\n+ }\n+\noverride fun toString(): String {\nreturn \"AddNewChildOp ${SerializationUtil.longToHex(childId)}, $position, $concept\"\n}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/ConcurrentOperations.kt",
"diff": "+package org.modelix.model.operations\n+\n+import org.modelix.model.VersionMerger\n+import org.modelix.model.logDebug\n+\n+class ConcurrentOperations {\n+ private var concurrentOps: MutableList<IOperation>\n+ private val opsToTransform: MutableList<IOperation>\n+ private var concurrentCursor: Int = 0\n+ private var cursor: Int = 0\n+\n+ constructor(concurrentOps: List<IOperation>, ops: List<IOperation>) {\n+ this.concurrentOps = ArrayList(concurrentOps)\n+ this.opsToTransform = ArrayList(ops)\n+ }\n+\n+ fun nextConcurrent() {\n+ this.concurrentCursor++\n+ cursor = 0\n+ }\n+\n+ fun replaceConcurrentOp(replacement: IOperation) {\n+ logDebug({ \"replaced concurrent: ${this.concurrentOps[concurrentCursor]} --> $replacement\" }, ConcurrentOperations::class)\n+ this.concurrentOps[concurrentCursor] = replacement\n+ }\n+\n+ fun getConcurrentOp(): IOperation = concurrentOps[concurrentCursor]\n+\n+ fun futureOps(): List<IOperation> = opsToTransform.drop(cursor + 1)\n+\n+ fun adjustFutureOps(f: (IOperation) -> IOperation) {\n+ for (i in cursor + 1 until opsToTransform.size) {\n+ val adjustedOp = f(opsToTransform[i])\n+ if (adjustedOp != opsToTransform[i]) {\n+ logDebug({ \"transformed future: ${opsToTransform[i]} --> $adjustedOp\" }, ConcurrentOperations::class)\n+ }\n+ opsToTransform[i] = adjustedOp\n+ }\n+ }\n+\n+ fun replace(replacement: List<IOperation>) {\n+ if (replacement.size != 1 || replacement[0] != getCurrent()) {\n+ logDebug({ \"transformed current: ${getCurrent()} --> $replacement\" }, ConcurrentOperations::class)\n+ opsToTransform.removeAt(cursor)\n+ opsToTransform.addAll(cursor, replacement)\n+ }\n+ cursor += replacement.size\n+ }\n+\n+ fun getCurrent(): IOperation = opsToTransform[cursor]\n+\n+ fun next() {\n+ cursor++\n+ }\n+\n+ fun isDone(): Boolean {\n+ return cursor >= opsToTransform.size\n+ }\n+\n+ fun isConcurrentDone(): Boolean {\n+ return concurrentCursor >= concurrentOps.size\n+ }\n+\n+ fun getAll(): List<IOperation> {\n+ return ArrayList(opsToTransform)\n+ }\n+}\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -38,57 +38,51 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nreturn Applied(concept)\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n- val adjusted = {\n- val a = withAdjustedPosition(indexAdjustments)\n- indexAdjustments.nodeRemoved(a, false, a.position, childId)\n- a\n- }\n- return when (previous) {\n+ override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n+ when (previous) {\nis DeleteNodeOp -> {\nif (previous.childId == childId) {\n- indexAdjustments.removeAdjustment(previous)\n- listOf(NoOp())\n- } else listOf(adjusted())\n+ return listOf(NoOp())\n+ }\n}\nis AddNewChildOp -> {\nif (previous.position.nodeId == childId) {\nval moveOp = MoveNodeOp(\nprevious.childId,\n- indexAdjustments.getAdjustedPosition(previous.childId, previous.position),\n+ previous.position,\nPositionInRole(DETACHED_ROLE, 0),\nlongArrayOf()\n)\n- indexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\n- listOf(moveOp, adjusted())\n- } else {\n- listOf(adjusted())\n+ context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(moveOp.targetPosition)) }\n+ return listOf(moveOp, this)\n}\n}\nis MoveNodeOp -> {\n- if (previous.targetPosition.nodeId == childId && !indexAdjustments.isDeleted(previous.childId)) {\n+ if (previous.targetPosition.nodeId == childId) {\nval moveOp = MoveNodeOp(\nprevious.childId,\n- indexAdjustments.getAdjustedPosition(previous.childId, previous.targetPosition),\n+ previous.targetPosition,\nPositionInRole(DETACHED_ROLE, 0),\nlongArrayOf()\n)\n- if (moveOp.sourcePosition == moveOp.targetPosition) {\n- listOf(adjusted())\n- } else {\n- indexAdjustments.nodeMoved(moveOp, true, moveOp.sourcePosition, moveOp.targetPosition)\n- indexAdjustments.setKnownPosition(moveOp.childId, moveOp.targetPosition)\n- indexAdjustments.setKnownParent(moveOp.childId, moveOp.targetPosition.nodeId)\n- listOf(moveOp, adjusted())\n+ if (moveOp.sourcePosition != moveOp.targetPosition) {\n+ context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(moveOp.targetPosition)) }\n+ context.adjustFutureOps {\n+ if (it is MoveNodeOp && it.childId == previous.childId) {\n+ it.withPos(\n+ moveOp.targetPosition,\n+ NodeRemoveAdjustment(previous.sourcePosition).adjust(it.targetPosition, true),\n+ it.targetAncestors\n+ )\n+ } else it\n+ }\n+ return listOf(moveOp, this)\n}\n- } else listOf(adjusted())\n}\n- is SetPropertyOp -> listOf(adjusted())\n- is SetReferenceOp -> listOf(adjusted())\n- is NoOp -> listOf(adjusted())\n- else -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n+ return listOf(this)\n+ }\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\nindexAdjustments.nodeRemoved(this, true, position, childId)\n@@ -99,6 +93,10 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\nreturn withPosition(indexAdjustments.getAdjustedPosition(childId, position))\n}\n+ override fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation {\n+ return withPosition(adjustment.adjust(position, false))\n+ }\n+\noverride fun toString(): String {\nreturn \"DeleteNodeOp ${SerializationUtil.longToHex(childId)}, $position\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"diff": "@@ -27,12 +27,13 @@ interface IOperation {\n* 'this' needs to be replaced with an operation that applies the same intended change\n* on a model that was modified by 'previous' in the mean time.\n*/\n- fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation>\n+ fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation>\nfun loadAdjustment(indexAdjustments: IndexAdjustments)\nfun loadKnownData(indexAdjustments: IndexAdjustments)\nfun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation\n+ fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation\nfun toCode(): String\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -3,7 +3,7 @@ package org.modelix.model.operations\nimport org.modelix.model.api.ITree\nclass IndexAdjustments {\n- private val adjustments: MutableList<Adjustment> = ArrayList()\n+ private val adjustments: MutableList<Adjustment_> = ArrayList()\nprivate val knownPositions: MutableMap<Long, KnownPosition> = HashMap()\nprivate val knownParents: MutableMap<Long, Long> = HashMap()\n@@ -66,7 +66,7 @@ class IndexAdjustments {\nfun isDeleted(nodeId: Long) = knownPositions[nodeId]?.deleted == true\n- fun addAdjustment(newAdjustment: Adjustment) {\n+ fun addAdjustment(newAdjustment: Adjustment_) {\nfor (i in adjustments.indices) {\nadjustments[i] = adjustments[i].adjustSelf(newAdjustment)\n}\n@@ -90,34 +90,34 @@ class IndexAdjustments {\nfun nodeAdded(owner: IOperation, concurrentSide: Boolean, addedPos: PositionInRole, nodeId: Long) {\nadjustKnownPositions(addedPos.roleInNode) { if (it >= addedPos.index) it + 1 else it }\n- addAdjustment(NodeInsertAdjustment(owner, concurrentSide, addedPos))\n+ addAdjustment(NodeInsertAdjustment_(owner, concurrentSide, addedPos))\n}\nfun redirectedAdd(owner: IOperation, originalPos: PositionInRole, redirectedPos: PositionInRole, nodeId: Long) {\nadjustKnownPositions(redirectedPos.roleInNode) { if (it >= redirectedPos.index) it + 1 else it }\nadjustKnownPositions(originalPos.roleInNode) { if (it > originalPos.index) it - 1 else it }\nsetKnownPosition(nodeId, redirectedPos, deleted = false)\n- addAdjustment(NodeInsertAdjustment(owner, false, redirectedPos))\n+ addAdjustment(NodeInsertAdjustment_(owner, false, redirectedPos))\n}\nfun redirectedMove(owner: IOperation, source: PositionInRole, originalTarget: PositionInRole, redirectedTarget: PositionInRole) {\nadjustKnownPositions(redirectedTarget.roleInNode) { if (it >= redirectedTarget.index) it + 1 else it }\n- addAdjustment(NodeInsertAdjustment(owner, false, redirectedTarget))\n- addAdjustment(NodeRemoveAdjustment(owner, false, originalTarget))\n+ addAdjustment(NodeInsertAdjustment_(owner, false, redirectedTarget))\n+ addAdjustment(NodeRemoveAdjustment_(owner, false, originalTarget))\n}\nfun nodeRemoved(owner: IOperation, concurrentSide: Boolean, removedPos: PositionInRole, nodeId: Long) {\nadjustKnownPositions(removedPos.roleInNode) { if (it > removedPos.index) it - 1 else it }\nsetKnownPosition(nodeId, KnownPosition(removedPos, true))\nsetKnownParent(nodeId, 0L)\n- addAdjustment(NodeRemoveAdjustment(owner, concurrentSide, removedPos))\n+ addAdjustment(NodeRemoveAdjustment_(owner, concurrentSide, removedPos))\n}\nfun nodeMoved(owner: IOperation, concurrentSide: Boolean, sourcePos: PositionInRole, targetPos: PositionInRole) {\nadjustKnownPositions(targetPos.roleInNode) { if (it >= targetPos.index) it + 1 else it }\nadjustKnownPositions(sourcePos.roleInNode) { if (it > sourcePos.index) it - 1 else it }\n- addAdjustment(NodeInsertAdjustment(owner, concurrentSide, targetPos))\n- addAdjustment(NodeRemoveAdjustment(owner, concurrentSide, sourcePos))\n+ addAdjustment(NodeInsertAdjustment_(owner, concurrentSide, targetPos))\n+ addAdjustment(NodeRemoveAdjustment_(owner, concurrentSide, sourcePos))\n}\n}\n@@ -125,13 +125,13 @@ data class KnownPosition(val position: PositionInRole, val deleted: Boolean) {\nfun withIndex(newIndex: Int) = KnownPosition(position.withIndex(newIndex), deleted)\n}\n-abstract class Adjustment(val owner: IOperation) {\n+abstract class Adjustment_(val owner: IOperation) {\nabstract fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole\nabstract fun isConcurrentSide(): Boolean\n- abstract fun adjustSelf(addedAdjustment: Adjustment): Adjustment\n+ abstract fun adjustSelf(addedAdjustment: Adjustment_): Adjustment_\n}\n-class NodeInsertAdjustment(owner: IOperation, val concurrentSide: Boolean, val insertedPos: PositionInRole) : Adjustment(owner) {\n+class NodeInsertAdjustment_(owner: IOperation, val concurrentSide: Boolean, val insertedPos: PositionInRole) : Adjustment_(owner) {\noverride fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\nreturn if (posToTransform.roleInNode == insertedPos.roleInNode) {\nif (posToTransform.index > insertedPos.index) {\n@@ -146,17 +146,17 @@ class NodeInsertAdjustment(owner: IOperation, val concurrentSide: Boolean, val i\n}\n}\n- override fun adjustSelf(addedAdjustment: Adjustment): Adjustment {\n+ override fun adjustSelf(addedAdjustment: Adjustment_): Adjustment_ {\nif (addedAdjustment.isConcurrentSide() == isConcurrentSide()) return this\nval adjustedPos = addedAdjustment.adjust(insertedPos, false)\nif (adjustedPos == insertedPos) return this\n- return NodeInsertAdjustment(owner, concurrentSide, adjustedPos)\n+ return NodeInsertAdjustment_(owner, concurrentSide, adjustedPos)\n}\noverride fun isConcurrentSide() = concurrentSide\n}\n-class NodeRemoveAdjustment(owner: IOperation, val concurrentSide: Boolean, val removedPos: PositionInRole) : Adjustment(owner) {\n+class NodeRemoveAdjustment_(owner: IOperation, val concurrentSide: Boolean, val removedPos: PositionInRole) : Adjustment_(owner) {\noverride fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\nreturn if (posToTransform.roleInNode == removedPos.roleInNode) {\nwhen {\n@@ -168,11 +168,58 @@ class NodeRemoveAdjustment(owner: IOperation, val concurrentSide: Boolean, val r\n}\n}\n- override fun adjustSelf(addedAdjustment: Adjustment): Adjustment {\n+ override fun adjustSelf(addedAdjustment: Adjustment_): Adjustment_ {\nif (addedAdjustment.isConcurrentSide() == isConcurrentSide()) return this\nval adjustedPos = addedAdjustment.adjust(removedPos, false)\nif (adjustedPos == removedPos) return this\n- return NodeRemoveAdjustment(owner, concurrentSide, adjustedPos)\n+ return NodeRemoveAdjustment_(owner, concurrentSide, adjustedPos)\n}\noverride fun isConcurrentSide() = concurrentSide\n}\n+\n+\n+interface IndexAdjustment {\n+ fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole\n+ fun plus(other: IndexAdjustment): IndexAdjustment\n+}\n+\n+class NodeInsertAdjustment(val insertedPos: PositionInRole) : IndexAdjustment {\n+ override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n+ return if (posToTransform.roleInNode == insertedPos.roleInNode) {\n+ if (posToTransform.index > insertedPos.index) {\n+ posToTransform.withIndex(posToTransform.index + 1)\n+ } else if (posToTransform.index == insertedPos.index && !forInsert) {\n+ posToTransform.withIndex(posToTransform.index + 1)\n+ } else {\n+ posToTransform\n+ }\n+ } else {\n+ posToTransform\n+ }\n+ }\n+\n+ override fun plus(other: IndexAdjustment) = CompositeAdjustment(this, other)\n+}\n+\n+class NodeRemoveAdjustment(val removedPos: PositionInRole) : IndexAdjustment {\n+ override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n+ return if (posToTransform.roleInNode == removedPos.roleInNode) {\n+ when {\n+ posToTransform.index > removedPos.index -> posToTransform.withIndex(posToTransform.index - 1)\n+ else -> posToTransform\n+ }\n+ } else {\n+ posToTransform\n+ }\n+ }\n+\n+ override fun plus(other: IndexAdjustment) = CompositeAdjustment(this, other)\n+}\n+\n+class CompositeAdjustment(val adjustment1: IndexAdjustment, val adjustment2: IndexAdjustment) : IndexAdjustment {\n+ override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n+ return adjustment2.adjust(adjustment1.adjust(posToTransform, forInsert), forInsert)\n+ }\n+\n+ override fun plus(other: IndexAdjustment) = CompositeAdjustment(this, other)\n+}\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -18,7 +18,7 @@ package org.modelix.model.operations\nimport org.modelix.model.api.IWriteTransaction\nclass MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targetPosition: PositionInRole, val targetAncestors: LongArray?) : AbstractOperation() {\n- fun withPos(newSource: PositionInRole, newTarget: PositionInRole, newTargetAncestors: LongArray): MoveNodeOp {\n+ fun withPos(newSource: PositionInRole, newTarget: PositionInRole, newTargetAncestors: LongArray?): MoveNodeOp {\nreturn if (newSource == sourcePosition && newTarget == targetPosition && newTargetAncestors.contentEquals(targetAncestors)) {\nthis\n} else {\n@@ -64,47 +64,32 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nelse targetPosition\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n- val adjusted = {\n- val a = withAdjustedPosition(indexAdjustments)\n- if (a.childId == a.targetPosition.nodeId || a.targetAncestors != null && a.targetAncestors.contains(a.childId)) {\n- val actualSourcePos = indexAdjustments.getAdjustedPosition(childId, sourcePosition)\n- indexAdjustments.redirectedMove(this, sourcePosition, targetPosition, sourcePosition)\n- indexAdjustments.setKnownPosition(childId, actualSourcePos)\n- NoOp()\n- } else {\n- indexAdjustments.nodeMoved(a, false, sourcePosition, a.getActualTargetPosition())\n- indexAdjustments.setKnownPosition(childId, a.getActualTargetPosition())\n- loadKnownParents(indexAdjustments)\n- a\n- }\n- }\n- return when (previous) {\n- is AddNewChildOp -> listOf(adjusted())\n+ override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n+ when (previous) {\nis DeleteNodeOp -> {\nif (previous.childId == childId) {\n- indexAdjustments.nodeRemoved(this, true, targetPosition, childId)\n- listOf(NoOp())\n+ context.adjustFutureOps { it.withAdjustedPositions(NodeRemoveAdjustment(previous.position)) }\n+ return listOf(NoOp())\n} else if (targetPosition.nodeId == previous.childId) {\nval redirectedMoveOp = MoveNodeOp(\nchildId,\n- indexAdjustments.getAdjustedPosition(sourcePosition),\n+ NodeRemoveAdjustment(previous.position).adjust(sourcePosition, false),\nPositionInRole(DETACHED_ROLE, 0),\n- indexAdjustments.getKnownAncestors(DETACHED_ROLE.nodeId)\n+ longArrayOf()\n)\n- indexAdjustments.redirectedMove(this, redirectedMoveOp.sourcePosition, targetPosition, redirectedMoveOp.targetPosition)\n- indexAdjustments.setKnownPosition(childId, redirectedMoveOp.targetPosition)\n- redirectedMoveOp.loadKnownParents(indexAdjustments)\n- listOf(redirectedMoveOp)\n- } else listOf(adjusted())\n+ context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(redirectedMoveOp.targetPosition)) }\n+ return listOf(redirectedMoveOp)\n+ } else {\n+ return listOf(withPos(\n+ NodeRemoveAdjustment(previous.position).adjust(sourcePosition, false),\n+ NodeRemoveAdjustment(previous.position).adjust(targetPosition, false),\n+ targetAncestors\n+ ))\n}\n- is MoveNodeOp -> listOf(adjusted())\n- is SetPropertyOp -> listOf(adjusted())\n- is SetReferenceOp -> listOf(adjusted())\n- is NoOp -> listOf(adjusted())\n- else -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n}\n+ return listOf(this)\n+ }\noverride fun loadAdjustment(indexAdjustments: IndexAdjustments) {\nindexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\n@@ -140,6 +125,14 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n)\n}\n+ override fun withAdjustedPositions(adjustment: IndexAdjustment): MoveNodeOp {\n+ return withPos(\n+ adjustment.adjust(sourcePosition, false),\n+ adjustment.adjust(targetPosition, true),\n+ targetAncestors\n+ )\n+ }\n+\noverride fun toString(): String {\nreturn \"MoveNodeOp ${childId.toString(16)}, $sourcePosition->$targetPosition\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"diff": "@@ -22,7 +22,7 @@ class NoOp : AbstractOperation(), IAppliedOperation {\nreturn this\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n+ override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\nreturn listOf(this)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -23,11 +23,12 @@ import org.modelix.model.api.INodeReference\nimport org.modelix.model.api.ITree\nimport org.modelix.model.api.IWriteTransaction\nimport org.modelix.model.api.PNodeAdapter\n+import org.modelix.model.logDebug\nclass OTWriteTransaction(private val transaction: IWriteTransaction, private val otBranch: OTBranch, protected var idGenerator: IIdGenerator) : IWriteTransaction {\nprotected fun apply(op: IOperation) {\n-// val opCode = op.toCode()\n-// if (opCode.isNotEmpty()) logDebug({ opCode }, OTWriteTransaction::class)\n+ val opCode = op.toString()\n+ if (opCode.isNotEmpty()) logDebug({ opCode }, OTWriteTransaction::class)\nval appliedOp = op.apply(transaction)\notBranch.operationApplied(appliedOp)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"diff": "@@ -25,22 +25,15 @@ class SetPropertyOp(val nodeId: Long, val role: String, val value: String?) : Ab\nreturn Applied(oldValue)\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n- return when (previous) {\n- is SetPropertyOp -> listOf(this)\n- is SetReferenceOp -> listOf(this)\n- is AddNewChildOp -> listOf(this)\n+ override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n+ when (previous) {\nis DeleteNodeOp -> {\nif (nodeId == previous.childId) {\n- listOf(NoOp())\n- } else {\n- listOf(this)\n+ return listOf(NoOp())\n}\n}\n- is MoveNodeOp -> listOf(this)\n- is NoOp -> listOf(this)\n- else -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n+ return listOf(this)\n}\noverride fun toString(): String {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"diff": "@@ -26,22 +26,15 @@ class SetReferenceOp(val sourceId: Long, val role: String, val target: INodeRefe\nreturn Applied(oldValue)\n}\n- override fun transform(previous: IOperation, indexAdjustments: IndexAdjustments): List<IOperation> {\n- return when (previous) {\n- is SetPropertyOp -> listOf(this)\n- is SetReferenceOp -> listOf(this)\n- is AddNewChildOp -> listOf(this)\n+ override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n+ when (previous) {\nis DeleteNodeOp -> {\nif (sourceId == previous.childId) {\n- listOf(NoOp())\n- } else {\n- listOf(this)\n+ return listOf(NoOp())\n}\n}\n- is MoveNodeOp -> listOf(this)\n- is NoOp -> listOf(this)\n- else -> throw RuntimeException(\"Unknown type: \" + previous::class.simpleName)\n}\n+ return listOf(this)\n}\noverride fun toString(): String {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (7) |
426,496 | 27.08.2020 17:06:40 | -7,200 | b838c586cd2d38f80530e2f7b02aaaedd70eb225 | More conflict resolution tests (9) cleanup | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"diff": "@@ -4,7 +4,8 @@ import kotlin.reflect.KClass\nexpect fun sleep(milliseconds: Long)\nexpect fun logError(message: String, exception: Exception, contextClass: KClass<*>)\n-expect fun logDebug(message: () -> String, contextClass: KClass<*>)\n+expect fun logDebug(message: () -> String?, contextClass: KClass<*>)\n+expect fun logTrace(message: () -> String?, contextClass: KClass<*>)\nexpect fun logWarning(message: String, exception: Exception, contextClass: KClass<*>)\nexpect fun bitCount(bits: Int): Int\nexpect fun <K, V> createLRUMap(size: Int): MutableMap<K, V>\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -99,9 +99,11 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nval transformed: List<IOperation>\ntry {\ntransformed = it.restoreIntend(t.tree)\n- if (transformed != it.getOriginalOp()) {\n- logDebug({ \"transformed: ${it.getOriginalOp()} --> $transformed\" }, VersionMerger::class)\n- }\n+ logTrace({\n+ if (transformed.size != 1 || transformed[0] != it.getOriginalOp())\n+ \"transformed: ${it.getOriginalOp()} --> $transformed\"\n+ else \"\"\n+ }, VersionMerger::class)\n} catch (ex: Exception) {\nthrow RuntimeException(\"Operation intend failed: ${it.getOriginalOp()}\", ex)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/ConcurrentOperations.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/ConcurrentOperations.kt",
"diff": "package org.modelix.model.operations\n-import org.modelix.model.VersionMerger\nimport org.modelix.model.logDebug\nclass ConcurrentOperations {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -23,12 +23,11 @@ import org.modelix.model.api.INodeReference\nimport org.modelix.model.api.ITree\nimport org.modelix.model.api.IWriteTransaction\nimport org.modelix.model.api.PNodeAdapter\n-import org.modelix.model.logDebug\n+import org.modelix.model.logTrace\nclass OTWriteTransaction(private val transaction: IWriteTransaction, private val otBranch: OTBranch, protected var idGenerator: IIdGenerator) : IWriteTransaction {\nprotected fun apply(op: IOperation) {\n- val opCode = op.toCode()\n- if (opCode.isNotEmpty()) logDebug({ opCode }, OTWriteTransaction::class)\n+ logTrace({ op.toString() }, OTWriteTransaction::class)\nval appliedOp = op.apply(transaction)\notBranch.operationApplied(appliedOp)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -16,7 +16,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest00() {\n- for (i in 0..365) {\n+ for (i in 0..1000) {\ntry {\nrand = Random(i)\nrandomTest(5, 2, 3)\n@@ -30,7 +30,7 @@ class ConflictResolutionTest : TreeTestBase() {\nval merger = VersionMerger(storeCache, idGenerator)\nval baseExpectedTreeData = ExpectedTreeData()\nval baseBranch = OTBranch(PBranch(initialTree, idGenerator), idGenerator)\n- logDebug({ \"Random changes to base\" }, ConflictResolutionTest::class)\n+ logTrace({ \"Random changes to base\" }, ConflictResolutionTest::class)\nfor (i in 0 until baseChanges) {\nRandomTreeChangeGenerator(idGenerator, rand)\n.addOperationOnly()\n@@ -42,7 +42,7 @@ class ConflictResolutionTest : TreeTestBase() {\nval branches = (0..maxIndex).map { OTBranch(PBranch(baseVersion.tree, idGenerator), idGenerator) }.toList()\nval versions = branches.mapIndexed { index, branch ->\nval expectedTreeData = baseExpectedTreeData.clone()\n- logDebug({ \"Random changes to branch $index\" }, ConflictResolutionTest::class)\n+ logTrace({ \"Random changes to branch $index\" }, ConflictResolutionTest::class)\nfor (i in 0 until branchChanges) {\napplyRandomChange(branch, expectedTreeData)\n}\n@@ -52,7 +52,7 @@ class ConflictResolutionTest : TreeTestBase() {\nfor (i in 0..maxIndex) for (i2 in 0..maxIndex) {\nif (i == i2) continue\n- logDebug({ \"Merge branch $i2 into $i\" }, ConflictResolutionTest::class)\n+ logTrace({ \"Merge branch $i2 into $i\" }, ConflictResolutionTest::class)\nmergedVersions[i] = merger.mergeChange(mergedVersions[i], mergedVersions[i2])\n}\n@@ -66,7 +66,7 @@ class ConflictResolutionTest : TreeTestBase() {\nval baseBranch = OTBranch(PBranch(initialTree, idGenerator), idGenerator)\nbaseBranch.runWrite {\n- logDebug({ \"Changes to base branch\" }, ConflictResolutionTest::class)\n+ logTrace({ \"Changes to base branch\" }, ConflictResolutionTest::class)\nbaseChanges(baseBranch.writeTransaction)\n}\n@@ -76,7 +76,7 @@ class ConflictResolutionTest : TreeTestBase() {\nval branches = (0..maxIndex).map { OTBranch(PBranch(baseVersion.tree, idGenerator), idGenerator) }.toList()\nfor (i in 0..maxIndex) {\nbranches[i].runWrite {\n- logDebug({ \"Changes to branch $i\" }, ConflictResolutionTest::class)\n+ logTrace({ \"Changes to branch $i\" }, ConflictResolutionTest::class)\nbranchChanges[i](branches[i].writeTransaction)\n}\n}\n@@ -88,7 +88,7 @@ class ConflictResolutionTest : TreeTestBase() {\nfor (i in 0..maxIndex) for (i2 in 0..maxIndex) {\nif (i == i2) continue\n- logDebug({ \"Merge branch $i2 into $i\" }, ConflictResolutionTest::class)\n+ logTrace({ \"Merge branch $i2 into $i\" }, ConflictResolutionTest::class)\nmergedVersions[i] = merger.mergeChange(mergedVersions[i], mergedVersions[i2])\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jsMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"new_path": "model-client/src/jsMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"diff": "@@ -14,8 +14,13 @@ actual fun logWarning(message: String, exception: Exception, contextClass: KClas\nconsole.warn(message, exception)\n}\n-actual fun logDebug(message: () -> String, contextClass: KClass<*>) {\n- console.log(message())\n+actual fun logDebug(message: () -> String?, contextClass: KClass<*>) {\n+ val msg = message()\n+ if (!msg.isNullOrEmpty()) console.log(msg)\n+}\n+\n+actual fun logTrace(message: () -> String?, contextClass: KClass<*>) {\n+// console.log(message())\n}\nactual fun bitCount(bits: Int): Int {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/PlatformSpecific.kt",
"diff": "@@ -17,9 +17,20 @@ actual fun logWarning(message: String, exception: Exception, contextClass: KClas\nLogger.getLogger(contextClass.java).warn(message, exception)\n}\n-actual fun logDebug(message: () -> String, contextClass: KClass<*>) {\n+actual fun logDebug(message: () -> String?, contextClass: KClass<*>) {\nval logger = Logger.getLogger(contextClass.java)\n- if (logger.isDebugEnabled) logger.debug(message())\n+ if (logger.isDebugEnabled) {\n+ val msg = message()\n+ if (!msg.isNullOrEmpty()) logger.debug(msg)\n+ }\n+}\n+\n+actual fun logTrace(message: () -> String?, contextClass: KClass<*>) {\n+ val logger = Logger.getLogger(contextClass.java)\n+ if (logger.isTraceEnabled) {\n+ val msg = message()\n+ if (!msg.isNullOrEmpty()) logger.trace(msg)\n+ }\n}\nactual fun bitCount(bits: Int): Int {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (9) cleanup |
426,496 | 27.08.2020 17:07:47 | -7,200 | 71e0ea583532654ce8de11edd056cd94a3b2c6fd | More conflict resolution tests (10) format | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -99,11 +99,14 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nval transformed: List<IOperation>\ntry {\ntransformed = it.restoreIntend(t.tree)\n- logTrace({\n+ logTrace(\n+ {\nif (transformed.size != 1 || transformed[0] != it.getOriginalOp())\n\"transformed: ${it.getOriginalOp()} --> $transformed\"\nelse \"\"\n- }, VersionMerger::class)\n+ },\n+ VersionMerger::class\n+ )\n} catch (ex: Exception) {\nthrow RuntimeException(\"Operation intend failed: ${it.getOriginalOp()}\", ex)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"diff": "@@ -74,7 +74,7 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\n}\noverride fun captureIntend(tree: ITree): IOperationIntend {\n- val children = tree.getChildren(position.nodeId, position.role);\n+ val children = tree.getChildren(position.nodeId, position.role)\nreturn Intend(\nCapturedInsertPosition(position.index, children.toList().toLongArray())\n)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/CapturedInsertPosition.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/CapturedInsertPosition.kt",
"diff": "package org.modelix.model.operations\nclass CapturedInsertPosition(val siblingsBefore: LongArray, val siblingsAfter: LongArray) {\n- constructor(index: Int, children: LongArray) : this(children.take(index).toLongArray(),\n- children.drop(index).toLongArray())\n+ constructor(index: Int, children: LongArray) : this(\n+ children.take(index).toLongArray(),\n+ children.drop(index).toLongArray()\n+ )\nfun findIndex(children: LongArray): Int {\nif (children.contentEquals(siblingsBefore + siblingsAfter)) return siblingsBefore.size\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -70,11 +70,13 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\ncontext.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(moveOp.targetPosition)) }\ncontext.adjustFutureOps { it.withAdjustedNodeLocation(moveOp.childId, moveOp.targetPosition) }\ncontext.adjustFutureConcurrentOps { it.withAdjustedNodeLocation(moveOp.childId, moveOp.targetPosition) }\n- context.replaceConcurrentOp(previous.withPos(\n+ context.replaceConcurrentOp(\n+ previous.withPos(\nprevious.sourcePosition,\nmoveOp.targetPosition,\nmoveOp.targetAncestors\n- ))\n+ )\n+ )\nreturn listOf(moveOp, this)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"diff": "@@ -177,7 +177,6 @@ class NodeRemoveAdjustment_(owner: IOperation, val concurrentSide: Boolean, val\noverride fun isConcurrentSide() = concurrentSide\n}\n-\ninterface IndexAdjustment {\nfun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole\nfun plus(other: IndexAdjustment): IndexAdjustment\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -81,11 +81,13 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\ncontext.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(redirectedMoveOp.targetPosition)) }\nreturn listOf(redirectedMoveOp)\n} else {\n- return listOf(withPos(\n+ return listOf(\n+ withPos(\nNodeRemoveAdjustment(previous.position).adjust(sourcePosition, false),\nNodeRemoveAdjustment(previous.position).adjust(targetPosition, false),\ntargetAncestors\n- ))\n+ )\n+ )\n}\n}\n}\n@@ -167,11 +169,13 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\noverride fun restoreIntend(tree: ITree): List<IOperation> {\nif (!tree.containsNode(childId)) return listOf(NoOp())\nval newSourcePosition = getNodePosition(tree, childId)\n- if (!tree.containsNode(targetPosition.nodeId)) return listOf(withPos(\n+ if (!tree.containsNode(targetPosition.nodeId)) return listOf(\n+ withPos(\nnewSourcePosition,\ngetDetachedNodesEndPosition(tree),\nnull\n- ))\n+ )\n+ )\nif (getAncestors(tree, targetPosition.nodeId).contains(childId)) return listOf(NoOp())\nval newTargetPosition = if (tree.containsNode(targetPosition.nodeId)) {\nval newTargetIndex = capturedTargetPosition.findIndex(tree.getChildren(targetPosition.nodeId, targetPosition.role).toList().toLongArray())\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (10) format |
426,496 | 27.08.2020 17:38:12 | -7,200 | bc0a8793dc35808c3036f2c218e452ee6f8a757b | More conflict resolution tests (11) cleanup | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -149,18 +149,6 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\n}\n}\n- protected fun transformOperation(\n- opToTransform: IOperation,\n- previousOp: IOperation,\n- context: ConcurrentOperations\n- ): List<IOperation> {\n- val transformed = opToTransform.transform(previousOp, context)\n- if (transformed.size != 1 || opToTransform.toString() != transformed[0].toString()) {\n- logDebug({ \"transformed: $opToTransform --> $transformed ## $previousOp\" }, VersionMerger::class)\n- }\n- return transformed\n- }\n-\n/**\n*\n*\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AbstractOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AbstractOperation.kt",
"diff": "@@ -26,24 +26,6 @@ abstract class AbstractOperation : IOperation {\n}\n}\n- override fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- }\n-\n- override fun loadKnownData(indexAdjustments: IndexAdjustments) {\n- }\n-\n- override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation {\n- return this\n- }\n-\n- override fun withAdjustedNodeLocation(nodeId: Long, position: PositionInRole): IOperation {\n- return this\n- }\n-\n- override fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation {\n- return this\n- }\n-\noverride fun toCode(): String {\nreturn \"\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"diff": "@@ -31,32 +31,6 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\nreturn Applied()\n}\n- override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n- when (previous) {\n- is DeleteNodeOp -> {\n- if (previous.childId == position.nodeId) {\n- val redirected = AddNewChildOp(PositionInRole(DETACHED_ROLE, 0), this.childId, this.concept)\n- context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(redirected.position)) }\n- return listOf(redirected)\n- }\n- }\n- }\n- return listOf(this)\n- }\n-\n- override fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.nodeAdded(this, true, position, childId)\n- indexAdjustments.setKnownPosition(childId, position)\n- }\n-\n- override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): AddNewChildOp {\n- return withPosition(indexAdjustments.getAdjustedPositionForInsert(position))\n- }\n-\n- override fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation {\n- return withPosition(adjustment.adjust(position, true))\n- }\n-\noverride fun toString(): String {\nreturn \"AddNewChildOp ${SerializationUtil.longToHex(childId)}, $position, $concept\"\n}\n@@ -69,7 +43,7 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\noverride fun getOriginalOp() = this@AddNewChildOp\noverride fun invert(): IOperation {\n- return DeleteNodeOp(position, childId)\n+ return DeleteNodeOp(childId)\n}\n}\n"
},
{
"change_type": "DELETE",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/ConcurrentOperations.kt",
"new_path": null,
"diff": "-package org.modelix.model.operations\n-\n-import org.modelix.model.logDebug\n-\n-class ConcurrentOperations {\n- private var concurrentOps: MutableList<IOperation>\n- private val opsToTransform: MutableList<IOperation>\n- private var concurrentCursor: Int = 0\n- private var cursor: Int = 0\n-\n- constructor(concurrentOps: List<IOperation>, ops: List<IOperation>) {\n- this.concurrentOps = ArrayList(concurrentOps)\n- this.opsToTransform = ArrayList(ops)\n- }\n-\n- fun nextConcurrent() {\n- this.concurrentCursor++\n- cursor = 0\n- }\n-\n- fun replaceConcurrentOp(replacement: IOperation) {\n- logDebug({ \"replaced concurrent: ${this.concurrentOps[concurrentCursor]} --> $replacement\" }, ConcurrentOperations::class)\n- this.concurrentOps[concurrentCursor] = replacement\n- }\n-\n- fun getConcurrentOp(): IOperation = concurrentOps[concurrentCursor]\n-\n- fun futureOps(): List<IOperation> = opsToTransform.drop(cursor + 1)\n-\n- fun adjustFutureOps(f: (IOperation) -> IOperation) {\n- for (i in cursor + 1 until opsToTransform.size) {\n- val adjustedOp = f(opsToTransform[i])\n- if (adjustedOp != opsToTransform[i]) {\n- logDebug({ \"transformed future: ${opsToTransform[i]} --> $adjustedOp\" }, ConcurrentOperations::class)\n- opsToTransform[i] = adjustedOp\n- }\n- }\n- }\n-\n- fun adjustFutureConcurrentOps(f: (IOperation) -> IOperation) {\n- for (i in concurrentCursor + 1 until concurrentOps.size) {\n- val adjustedOp = f(concurrentOps[i])\n- if (adjustedOp != concurrentOps[i]) {\n- logDebug({ \"transformed future concurrent: ${concurrentOps[i]} --> $adjustedOp\" }, ConcurrentOperations::class)\n- concurrentOps[i] = adjustedOp\n- }\n- }\n- }\n-\n- fun replace(replacement: List<IOperation>) {\n- if (replacement.size != 1 || replacement[0] != getCurrent()) {\n- logDebug({ \"transformed current: ${getCurrent()} --> $replacement\" }, ConcurrentOperations::class)\n- opsToTransform.removeAt(cursor)\n- opsToTransform.addAll(cursor, replacement)\n- }\n- cursor += replacement.size\n- }\n-\n- fun getCurrent(): IOperation = opsToTransform[cursor]\n-\n- fun next() {\n- cursor++\n- }\n-\n- fun isDone(): Boolean {\n- return cursor >= opsToTransform.size\n- }\n-\n- fun isConcurrentDone(): Boolean {\n- return concurrentCursor >= concurrentOps.size\n- }\n-\n- fun getAll(): List<IOperation> {\n- return ArrayList(opsToTransform)\n- }\n-}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "@@ -20,90 +20,21 @@ import org.modelix.model.api.ITree\nimport org.modelix.model.api.IWriteTransaction\nimport org.modelix.model.persistent.SerializationUtil\n-class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOperation(), IOperationIntend {\n- fun withPosition(newPos: PositionInRole): DeleteNodeOp {\n- return if (newPos == position) this else DeleteNodeOp(newPos, childId)\n- }\n+class DeleteNodeOp(val childId: Long) : AbstractOperation(), IOperationIntend {\noverride fun apply(transaction: IWriteTransaction): IAppliedOperation {\nif (transaction.getAllChildren(childId).count() != 0) {\nthrow RuntimeException(\"Attempt to delete non-leaf node: ${childId.toString(16)}\")\n}\n- val actualNode = transaction.getChildren(position.nodeId, position.role).toList()[position.index]\n- if (actualNode != childId) {\n- throw RuntimeException(\"Node at $position is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n- }\nval concept = transaction.getConcept(childId)\n+ val position = getNodePosition(transaction.tree, childId)\ntransaction.deleteNode(childId)\n- return Applied(concept)\n- }\n-\n- override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n- when (previous) {\n- is DeleteNodeOp -> {\n- if (previous.childId == childId) {\n- return listOf(NoOp())\n- }\n- }\n- is AddNewChildOp -> {\n- if (previous.position.nodeId == childId) {\n- val moveOp = MoveNodeOp(\n- previous.childId,\n- previous.position,\n- PositionInRole(DETACHED_ROLE, 0),\n- longArrayOf()\n- )\n- context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(moveOp.targetPosition)) }\n- return listOf(moveOp, this)\n- }\n- }\n- is MoveNodeOp -> {\n- if (previous.targetPosition.nodeId == childId) {\n- val moveOp = MoveNodeOp(\n- previous.childId,\n- previous.targetPosition,\n- PositionInRole(DETACHED_ROLE, 0),\n- longArrayOf()\n- )\n- if (moveOp.sourcePosition != moveOp.targetPosition) {\n- context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(moveOp.targetPosition)) }\n- context.adjustFutureOps { it.withAdjustedNodeLocation(moveOp.childId, moveOp.targetPosition) }\n- context.adjustFutureConcurrentOps { it.withAdjustedNodeLocation(moveOp.childId, moveOp.targetPosition) }\n- context.replaceConcurrentOp(\n- previous.withPos(\n- previous.sourcePosition,\n- moveOp.targetPosition,\n- moveOp.targetAncestors\n- )\n- )\n- return listOf(moveOp, this)\n- }\n- }\n- }\n- }\n- return listOf(this)\n- }\n-\n- override fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.nodeRemoved(this, true, position, childId)\n- indexAdjustments.setKnownPosition(childId, position, true)\n- }\n-\n- override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): DeleteNodeOp {\n- return withPosition(indexAdjustments.getAdjustedPosition(childId, position))\n- }\n-\n- override fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation {\n- return withPosition(adjustment.adjust(position, false))\n- }\n-\n- override fun withAdjustedNodeLocation(nodeId: Long, position: PositionInRole): IOperation {\n- return if (nodeId == this.childId) withPosition(position) else this\n+ return Applied(position, concept)\n}\noverride fun toString(): String {\n- return \"DeleteNodeOp ${SerializationUtil.longToHex(childId)}, $position\"\n+ return \"DeleteNodeOp ${SerializationUtil.longToHex(childId)}\"\n}\noverride fun toCode(): String {\n@@ -112,16 +43,15 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\noverride fun restoreIntend(tree: ITree): List<IOperation> {\nif (!tree.containsNode(childId)) return listOf(NoOp())\n- val adjustedDelete = withPosition(getNodePosition(tree, childId))\nval allChildren = tree.getAllChildren(childId).toList()\nif (allChildren.isNotEmpty()) {\nval targetPos = getDetachedNodesEndPosition(tree)\nreturn allChildren\n.reversed()\n- .map { MoveNodeOp(it, getNodePosition(tree, it), targetPos, null) }\n- .plus(adjustedDelete)\n+ .map { MoveNodeOp(it, targetPos) }\n+ .plus(this)\n}\n- return listOf(adjustedDelete)\n+ return listOf(this)\n}\noverride fun captureIntend(tree: ITree): IOperationIntend {\n@@ -130,7 +60,7 @@ class DeleteNodeOp(val position: PositionInRole, val childId: Long) : AbstractOp\noverride fun getOriginalOp() = this\n- inner class Applied(private val concept: IConcept?) : AbstractOperation.Applied(), IAppliedOperation {\n+ inner class Applied(val position: PositionInRole, private val concept: IConcept?) : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@DeleteNodeOp\noverride fun invert(): IOperation {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IOperation.kt",
"diff": "@@ -21,22 +21,5 @@ import org.modelix.model.api.IWriteTransaction\ninterface IOperation {\nfun apply(transaction: IWriteTransaction): IAppliedOperation\nfun captureIntend(tree: ITree): IOperationIntend\n-\n- /**\n- * The 'previous' operation is the one that is inserted before this operation\n- * in the history of operations applied to the model.\n- * 'this' operation was created for a version that doesn't have 'previous' applied and now\n- * 'this' needs to be replaced with an operation that applies the same intended change\n- * on a model that was modified by 'previous' in the mean time.\n- */\n- fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation>\n-\n- fun loadAdjustment(indexAdjustments: IndexAdjustments)\n- fun loadKnownData(indexAdjustments: IndexAdjustments)\n-\n- fun withAdjustedPosition(indexAdjustments: IndexAdjustments): IOperation\n- fun withAdjustedPositions(adjustment: IndexAdjustment): IOperation\n- fun withAdjustedNodeLocation(nodeId: Long, position: PositionInRole): IOperation\n-\nfun toCode(): String\n}\n"
},
{
"change_type": "DELETE",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IndexAdjustments.kt",
"new_path": null,
"diff": "-package org.modelix.model.operations\n-\n-import org.modelix.model.api.ITree\n-\n-class IndexAdjustments {\n- private val adjustments: MutableList<Adjustment_> = ArrayList()\n- private val knownPositions: MutableMap<Long, KnownPosition> = HashMap()\n- private val knownParents: MutableMap<Long, Long> = HashMap()\n-\n- init {\n- knownParents[ITree.ROOT_ID] = 0L\n- }\n-\n- fun setKnownParent(childId: Long, parentId: Long) {\n- knownParents[childId] = parentId\n- }\n-\n- fun getKnownParent(childId: Long): Long {\n- return knownParents[childId] ?: 0\n- }\n-\n- fun getKnownAncestors(childId: Long): LongArray {\n- val ancestors: MutableList<Long> = ArrayList()\n- var ancestor = knownParents[childId] ?: throw RuntimeException(\"Parent of ${childId.toString(16)} unknown\")\n- while (ancestor != 0L) {\n- ancestors.add(ancestor)\n- ancestor = getKnownParent(ancestor)\n- }\n- return ancestors.toLongArray()\n- }\n-\n- fun setKnownPosition(nodeId: Long, pos: PositionInRole, deleted: Boolean = false) {\n- setKnownPosition(nodeId, KnownPosition(pos, deleted))\n- }\n-\n- fun setKnownPosition(nodeId: Long, newPosition: KnownPosition) {\n- knownPositions[nodeId] = newPosition\n- }\n-\n- fun getAdjustedIndex(position: PositionInRole, forInsert: Boolean = false): Int {\n- return getAdjustedPosition(position, forInsert).index\n- }\n-\n- fun getAdjustedPositionForInsert(position: PositionInRole): PositionInRole {\n- return getAdjustedPosition(position, true)\n- }\n-\n- fun getAdjustedPosition(position: PositionInRole, forInsert: Boolean = false): PositionInRole {\n- var result = position\n- for (adj in adjustments) {\n- if (adj.isConcurrentSide()) {\n- result = adj.adjust(result, forInsert)\n- }\n- }\n- return result\n- }\n-\n- fun getAdjustedPosition(nodeId: Long, lastKnownPosition: PositionInRole): PositionInRole {\n- val knownPosition = knownPositions[nodeId]\n- if (knownPosition != null) {\n- if (knownPosition.deleted) throw RuntimeException(\"Node ${nodeId.toString(16)} is deleted\")\n- return knownPosition.position\n- }\n- return getAdjustedPosition(lastKnownPosition)\n- }\n-\n- fun isDeleted(nodeId: Long) = knownPositions[nodeId]?.deleted == true\n-\n- fun addAdjustment(newAdjustment: Adjustment_) {\n- for (i in adjustments.indices) {\n- adjustments[i] = adjustments[i].adjustSelf(newAdjustment)\n- }\n- adjustments.add(newAdjustment)\n- }\n-\n- fun removeAdjustment(owner: IOperation) {\n- adjustments.removeAll { it.owner == owner }\n- }\n-\n- private fun adjustKnownPositions(role: RoleInNode, entryAdjustment: (index: Int) -> Int) {\n- for (entry in knownPositions.entries) {\n- if (entry.value.position.roleInNode == role) {\n- val newIndex = entryAdjustment(entry.value.position.index)\n- if (newIndex != entry.value.position.index) {\n- entry.setValue(entry.value.withIndex(newIndex))\n- }\n- }\n- }\n- }\n-\n- fun nodeAdded(owner: IOperation, concurrentSide: Boolean, addedPos: PositionInRole, nodeId: Long) {\n- adjustKnownPositions(addedPos.roleInNode) { if (it >= addedPos.index) it + 1 else it }\n- addAdjustment(NodeInsertAdjustment_(owner, concurrentSide, addedPos))\n- }\n-\n- fun redirectedAdd(owner: IOperation, originalPos: PositionInRole, redirectedPos: PositionInRole, nodeId: Long) {\n- adjustKnownPositions(redirectedPos.roleInNode) { if (it >= redirectedPos.index) it + 1 else it }\n- adjustKnownPositions(originalPos.roleInNode) { if (it > originalPos.index) it - 1 else it }\n- setKnownPosition(nodeId, redirectedPos, deleted = false)\n- addAdjustment(NodeInsertAdjustment_(owner, false, redirectedPos))\n- }\n-\n- fun redirectedMove(owner: IOperation, source: PositionInRole, originalTarget: PositionInRole, redirectedTarget: PositionInRole) {\n- adjustKnownPositions(redirectedTarget.roleInNode) { if (it >= redirectedTarget.index) it + 1 else it }\n- addAdjustment(NodeInsertAdjustment_(owner, false, redirectedTarget))\n- addAdjustment(NodeRemoveAdjustment_(owner, false, originalTarget))\n- }\n-\n- fun nodeRemoved(owner: IOperation, concurrentSide: Boolean, removedPos: PositionInRole, nodeId: Long) {\n- adjustKnownPositions(removedPos.roleInNode) { if (it > removedPos.index) it - 1 else it }\n- setKnownPosition(nodeId, KnownPosition(removedPos, true))\n- setKnownParent(nodeId, 0L)\n- addAdjustment(NodeRemoveAdjustment_(owner, concurrentSide, removedPos))\n- }\n-\n- fun nodeMoved(owner: IOperation, concurrentSide: Boolean, sourcePos: PositionInRole, targetPos: PositionInRole) {\n- adjustKnownPositions(targetPos.roleInNode) { if (it >= targetPos.index) it + 1 else it }\n- adjustKnownPositions(sourcePos.roleInNode) { if (it > sourcePos.index) it - 1 else it }\n- addAdjustment(NodeInsertAdjustment_(owner, concurrentSide, targetPos))\n- addAdjustment(NodeRemoveAdjustment_(owner, concurrentSide, sourcePos))\n- }\n-}\n-\n-data class KnownPosition(val position: PositionInRole, val deleted: Boolean) {\n- fun withIndex(newIndex: Int) = KnownPosition(position.withIndex(newIndex), deleted)\n-}\n-\n-abstract class Adjustment_(val owner: IOperation) {\n- abstract fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole\n- abstract fun isConcurrentSide(): Boolean\n- abstract fun adjustSelf(addedAdjustment: Adjustment_): Adjustment_\n-}\n-\n-class NodeInsertAdjustment_(owner: IOperation, val concurrentSide: Boolean, val insertedPos: PositionInRole) : Adjustment_(owner) {\n- override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n- return if (posToTransform.roleInNode == insertedPos.roleInNode) {\n- if (posToTransform.index > insertedPos.index) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else if (posToTransform.index == insertedPos.index && !forInsert) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else {\n- posToTransform\n- }\n- } else {\n- posToTransform\n- }\n- }\n-\n- override fun adjustSelf(addedAdjustment: Adjustment_): Adjustment_ {\n- if (addedAdjustment.isConcurrentSide() == isConcurrentSide()) return this\n- val adjustedPos = addedAdjustment.adjust(insertedPos, false)\n- if (adjustedPos == insertedPos) return this\n- return NodeInsertAdjustment_(owner, concurrentSide, adjustedPos)\n- }\n-\n- override fun isConcurrentSide() = concurrentSide\n-}\n-\n-class NodeRemoveAdjustment_(owner: IOperation, val concurrentSide: Boolean, val removedPos: PositionInRole) : Adjustment_(owner) {\n- override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n- return if (posToTransform.roleInNode == removedPos.roleInNode) {\n- when {\n- posToTransform.index > removedPos.index -> posToTransform.withIndex(posToTransform.index - 1)\n- else -> posToTransform\n- }\n- } else {\n- posToTransform\n- }\n- }\n-\n- override fun adjustSelf(addedAdjustment: Adjustment_): Adjustment_ {\n- if (addedAdjustment.isConcurrentSide() == isConcurrentSide()) return this\n- val adjustedPos = addedAdjustment.adjust(removedPos, false)\n- if (adjustedPos == removedPos) return this\n- return NodeRemoveAdjustment_(owner, concurrentSide, adjustedPos)\n- }\n- override fun isConcurrentSide() = concurrentSide\n-}\n-\n-interface IndexAdjustment {\n- fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole\n- fun plus(other: IndexAdjustment): IndexAdjustment\n-}\n-\n-class NodeInsertAdjustment(val insertedPos: PositionInRole) : IndexAdjustment {\n- override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n- return if (posToTransform.roleInNode == insertedPos.roleInNode) {\n- if (posToTransform.index > insertedPos.index) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else if (posToTransform.index == insertedPos.index && !forInsert) {\n- posToTransform.withIndex(posToTransform.index + 1)\n- } else {\n- posToTransform\n- }\n- } else {\n- posToTransform\n- }\n- }\n-\n- override fun plus(other: IndexAdjustment) = CompositeAdjustment(this, other)\n-}\n-\n-class NodeRemoveAdjustment(val removedPos: PositionInRole) : IndexAdjustment {\n- override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n- return if (posToTransform.roleInNode == removedPos.roleInNode) {\n- when {\n- posToTransform.index > removedPos.index -> posToTransform.withIndex(posToTransform.index - 1)\n- else -> posToTransform\n- }\n- } else {\n- posToTransform\n- }\n- }\n-\n- override fun plus(other: IndexAdjustment) = CompositeAdjustment(this, other)\n-}\n-\n-class CompositeAdjustment(val adjustment1: IndexAdjustment, val adjustment2: IndexAdjustment) : IndexAdjustment {\n- override fun adjust(posToTransform: PositionInRole, forInsert: Boolean): PositionInRole {\n- return adjustment2.adjust(adjustment1.adjust(posToTransform, forInsert), forInsert)\n- }\n-\n- override fun plus(other: IndexAdjustment) = CompositeAdjustment(this, other)\n-}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -18,141 +18,34 @@ package org.modelix.model.operations\nimport org.modelix.model.api.ITree\nimport org.modelix.model.api.IWriteTransaction\n-class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targetPosition: PositionInRole, val targetAncestors: LongArray?) : AbstractOperation() {\n- fun withPos(newSource: PositionInRole, newTarget: PositionInRole, newTargetAncestors: LongArray?): MoveNodeOp {\n- return if (newSource == sourcePosition && newTarget == targetPosition && newTargetAncestors.contentEquals(targetAncestors)) {\n+class MoveNodeOp(val childId: Long, val targetPosition: PositionInRole) : AbstractOperation() {\n+ fun withPos(newTarget: PositionInRole): MoveNodeOp {\n+ return if (newTarget == targetPosition) {\nthis\n} else {\n- MoveNodeOp(childId, newSource, newTarget, newTargetAncestors)\n+ MoveNodeOp(childId, newTarget)\n}\n}\noverride fun apply(transaction: IWriteTransaction): IAppliedOperation {\n- val children = transaction.getChildren(sourcePosition.nodeId, sourcePosition.role).toList()\n- if (sourcePosition.index >= children.size) {\n- throw RuntimeException(\"Invalid source index ${sourcePosition.index}. There are only ${children.size} children in ${sourcePosition.roleInNode}\")\n- }\n- val actualNode = children[sourcePosition.index]\n- if (actualNode != childId) {\n- throw RuntimeException(\"Node at $sourcePosition is expected to be ${childId.toString(16)}, but was ${actualNode.toString(16)}\")\n- }\n-\n- if (targetAncestors != null) {\n- val actualTargetAncestors = getAncestors(targetPosition.nodeId, transaction)\n- if (!actualTargetAncestors.contentEquals(targetAncestors)) {\n- throw RuntimeException(\"Ancestors expected to be [${targetAncestors?.joinToString(\", \") { it.toString(16) }}], but was [${actualTargetAncestors.joinToString(\", \") { it.toString(16) }}]\")\n- }\n- }\n-\n- val sourceAncestors = getAncestors(sourcePosition.nodeId, transaction)\n+ val sourcePosition = getNodePosition(transaction.tree, childId)\ntransaction.moveChild(targetPosition.nodeId, targetPosition.role, targetPosition.index, childId)\n- return Applied(sourceAncestors)\n- }\n-\n- private fun getAncestors(nodeId: Long, transaction: IWriteTransaction): LongArray {\n- val ancestors: MutableList<Long> = ArrayList()\n- var ancestor: Long = transaction.getParent(nodeId)\n- while (ancestor != 0L) {\n- ancestors.add(ancestor)\n- ancestor = transaction.getParent(ancestor)\n- }\n- return ancestors.toLongArray()\n- }\n-\n- fun getActualTargetPosition(): PositionInRole {\n- return if (sourcePosition.roleInNode == targetPosition.roleInNode && targetPosition.index > sourcePosition.index)\n- targetPosition.withIndex(targetPosition.index - 1)\n- else targetPosition\n- }\n-\n- override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n- when (previous) {\n- is DeleteNodeOp -> {\n- if (previous.childId == childId) {\n- context.adjustFutureOps { it.withAdjustedPositions(NodeRemoveAdjustment(previous.position)) }\n- return listOf(NoOp())\n- } else if (targetPosition.nodeId == previous.childId) {\n- val redirectedMoveOp = MoveNodeOp(\n- childId,\n- NodeRemoveAdjustment(previous.position).adjust(sourcePosition, false),\n- PositionInRole(DETACHED_ROLE, 0),\n- longArrayOf()\n- )\n- context.adjustFutureOps { it.withAdjustedPositions(NodeInsertAdjustment(redirectedMoveOp.targetPosition)) }\n- return listOf(redirectedMoveOp)\n- } else {\n- return listOf(\n- withPos(\n- NodeRemoveAdjustment(previous.position).adjust(sourcePosition, false),\n- NodeRemoveAdjustment(previous.position).adjust(targetPosition, false),\n- targetAncestors\n- )\n- )\n- }\n- }\n- }\n- return listOf(this)\n- }\n-\n- override fun loadAdjustment(indexAdjustments: IndexAdjustments) {\n- indexAdjustments.nodeMoved(this, true, sourcePosition, targetPosition)\n- indexAdjustments.setKnownPosition(childId, getActualTargetPosition())\n- loadKnownParents(indexAdjustments)\n- }\n-\n- override fun loadKnownData(indexAdjustments: IndexAdjustments) {\n- loadKnownParents(indexAdjustments, false)\n- }\n-\n- private fun loadKnownParents(indexAdjustments: IndexAdjustments, afterApply: Boolean = true) {\n- if (afterApply) {\n- indexAdjustments.setKnownParent(childId, targetPosition.nodeId)\n- } else {\n- indexAdjustments.setKnownParent(childId, sourcePosition.nodeId)\n- }\n- if (targetAncestors != null) {\n- var child = targetPosition.nodeId\n- for (parent in targetAncestors) {\n- indexAdjustments.setKnownParent(child, parent)\n- child = parent\n- }\n- }\n- }\n-\n- override fun withAdjustedPosition(indexAdjustments: IndexAdjustments): MoveNodeOp {\n- val newTargetPos = indexAdjustments.getAdjustedPositionForInsert(targetPosition)\n- return withPos(\n- indexAdjustments.getAdjustedPosition(childId, sourcePosition),\n- newTargetPos,\n- indexAdjustments.getKnownAncestors(newTargetPos.nodeId)\n- )\n- }\n-\n- override fun withAdjustedPositions(adjustment: IndexAdjustment): MoveNodeOp {\n- return withPos(\n- adjustment.adjust(sourcePosition, false),\n- adjustment.adjust(targetPosition, true),\n- targetAncestors\n- )\n- }\n-\n- override fun withAdjustedNodeLocation(nodeId: Long, position: PositionInRole): IOperation {\n- return if (nodeId == this.childId) withPos(position, targetPosition, targetAncestors) else this\n+ return Applied(sourcePosition)\n}\noverride fun toString(): String {\n- return \"MoveNodeOp ${childId.toString(16)}, $sourcePosition->$targetPosition\"\n+ return \"MoveNodeOp ${childId.toString(16)}->$targetPosition\"\n}\noverride fun toCode(): String {\nreturn \"\"\"t.moveChild(0x${targetPosition.nodeId.toString(16)}, \"${targetPosition.role}\", ${targetPosition.index}, 0x${childId.toString(16)})\"\"\"\n}\n- inner class Applied(val sourceAncestors: LongArray) : AbstractOperation.Applied(), IAppliedOperation {\n+ inner class Applied(val sourcePosition: PositionInRole) : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@MoveNodeOp\noverride fun invert(): IOperation {\n- return MoveNodeOp(childId, targetPosition, sourcePosition, sourceAncestors)\n+ return MoveNodeOp(childId, sourcePosition)\n}\n}\n@@ -170,11 +63,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\nif (!tree.containsNode(childId)) return listOf(NoOp())\nval newSourcePosition = getNodePosition(tree, childId)\nif (!tree.containsNode(targetPosition.nodeId)) return listOf(\n- withPos(\n- newSourcePosition,\n- getDetachedNodesEndPosition(tree),\n- null\n- )\n+ withPos(getDetachedNodesEndPosition(tree))\n)\nif (getAncestors(tree, targetPosition.nodeId).contains(childId)) return listOf(NoOp())\nval newTargetPosition = if (tree.containsNode(targetPosition.nodeId)) {\n@@ -183,7 +72,7 @@ class MoveNodeOp(val childId: Long, val sourcePosition: PositionInRole, val targ\n} else {\ngetDetachedNodesEndPosition(tree)\n}\n- return listOf(withPos(newSourcePosition, newTargetPosition, null))\n+ return listOf(withPos(newTargetPosition))\n}\noverride fun getOriginalOp() = this@MoveNodeOp\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"diff": "@@ -23,10 +23,6 @@ class NoOp : AbstractOperation(), IAppliedOperation, IOperationIntend {\nreturn this\n}\n- override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n- return listOf(this)\n- }\n-\noverride fun invert(): IOperation {\nreturn this\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -46,14 +46,7 @@ class OTWriteTransaction(private val transaction: IWriteTransaction, private val\ntargetAncestors.add(ancestor)\nancestor = getParent(ancestor)\n}\n- apply(\n- MoveNodeOp(\n- childId,\n- PositionInRole(oldparent, oldRole, oldIndex),\n- PositionInRole(newParentId, newRole, newIndex),\n- targetAncestors.toLongArray()\n- )\n- )\n+ apply(MoveNodeOp(childId, PositionInRole(newParentId, newRole, newIndex)))\n}\noverride fun setProperty(nodeId: Long, role: String, value: String?) {\n@@ -74,11 +67,7 @@ class OTWriteTransaction(private val transaction: IWriteTransaction, private val\noverride fun deleteNode(nodeId: Long) {\ngetAllChildren(nodeId).forEach { deleteNode(it) }\n-\n- val parent = getParent(nodeId)\n- val role = getRole(nodeId)\n- val index = getChildren(parent, role).indexOf(nodeId)\n- apply(DeleteNodeOp(PositionInRole(parent, role, index), nodeId))\n+ apply(DeleteNodeOp(nodeId))\n}\noverride fun addNewChild(parentId: Long, role: String?, index: Int, concept: IConcept?): Long {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"diff": "@@ -26,17 +26,6 @@ class SetPropertyOp(val nodeId: Long, val role: String, val value: String?) : Ab\nreturn Applied(oldValue)\n}\n- override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n- when (previous) {\n- is DeleteNodeOp -> {\n- if (nodeId == previous.childId) {\n- return listOf(NoOp())\n- }\n- }\n- }\n- return listOf(this)\n- }\n-\noverride fun toString(): String {\nreturn \"SetPropertOp ${SerializationUtil.longToHex(nodeId)}.$role = $value\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"diff": "@@ -27,17 +27,6 @@ class SetReferenceOp(val sourceId: Long, val role: String, val target: INodeRefe\nreturn Applied(oldValue)\n}\n- override fun transform(previous: IOperation, context: ConcurrentOperations): List<IOperation> {\n- when (previous) {\n- is DeleteNodeOp -> {\n- if (sourceId == previous.childId) {\n- return listOf(NoOp())\n- }\n- }\n- }\n- return listOf(this)\n- }\n-\noverride fun toString(): String {\nreturn \"SetReferenceOp ${SerializationUtil.longToHex(sourceId)}.$role = $target\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/OperationSerializer.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/OperationSerializer.kt",
"diff": "@@ -78,12 +78,16 @@ class OperationSerializer private constructor() {\nDeleteNodeOp::class,\nobject : Serializer<DeleteNodeOp> {\noverride fun serialize(op: DeleteNodeOp): String {\n- return longToHex(op.position.nodeId) + SEPARATOR + escape(op.position.role) + SEPARATOR + op.position.index + SEPARATOR + longToHex(op.childId)\n+ return longToHex(op.childId)\n}\noverride fun deserialize(serialized: String): DeleteNodeOp {\n- val parts = serialized.split(SEPARATOR).dropLastWhile { it.isEmpty() }.toTypedArray()\n- return DeleteNodeOp(PositionInRole(longFromHex(parts[0]), unescape(parts[1]), parts[2].toInt()), longFromHex(parts[3]))\n+ val parts = serialized.split(SEPARATOR)\n+ return if (parts.size == 1) {\n+ DeleteNodeOp(longFromHex(parts[0]))\n+ } else {\n+ DeleteNodeOp(longFromHex(parts[3]))\n+ }\n}\n}\n)\n@@ -93,27 +97,26 @@ class OperationSerializer private constructor() {\nval ANCESTORS_SEPARATOR = \".\"\noverride fun serialize(op: MoveNodeOp): String {\nreturn longToHex(op.childId) + SEPARATOR +\n- longToHex(op.sourcePosition.nodeId) + SEPARATOR +\n- escape(op.sourcePosition.role) + SEPARATOR +\n- op.sourcePosition.index + SEPARATOR +\nlongToHex(op.targetPosition.nodeId) + SEPARATOR +\nescape(op.targetPosition.role) + SEPARATOR +\n- op.targetPosition.index + SEPARATOR +\n- if (op.targetAncestors == null || op.targetAncestors.isEmpty()) \"\" else op.targetAncestors\n- .joinToString(ANCESTORS_SEPARATOR) { longToHex(it) }\n+ op.targetPosition.index\n}\noverride fun deserialize(serialized: String): MoveNodeOp {\n- val parts = serialized.split(SEPARATOR).dropLastWhile { it.isEmpty() }.toTypedArray()\n- return MoveNodeOp(\n+ val parts = serialized.split(SEPARATOR)\n+ return if (parts.size == 4) {\n+ MoveNodeOp(\nlongFromHex(parts[0]),\nPositionInRole(longFromHex(parts[1]), unescape(parts[2]), parts[3].toInt()),\n+ )\n+ } else {\n+ MoveNodeOp(\n+ longFromHex(parts[0]),\nPositionInRole(longFromHex(parts[4]), unescape(parts[5]), parts[6].toInt()),\n- if (parts.size <= 7) null else parts[7].split(ANCESTORS_SEPARATOR).filter { it.isNotEmpty() }\n- .map { longFromHex(it) }.toLongArray()\n)\n}\n}\n+ }\n)\nINSTANCE.registerSerializer<NoOp>(\nNoOp::class,\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/TreeSerializationTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/TreeSerializationTest.kt",
"diff": "@@ -137,6 +137,38 @@ class TreeSerializationTest {\nassertStore(mapStore)\n}\n+ @Test\n+ fun backwardCompatibility03() {\n+ val mapStore = MapBaseStore()\n+ mapStore.putAll(\n+ mapOf(\n+ \"28qw_8mh6MRLX7Nd526swBVOVqAy3XDoCVrsDy_55KI\" to \"tree01/1/8CWGz4xb5f0hIqbgLctavtpFrptCuG94XdUGe2-4KGQ\",\n+ \"8CWGz4xb5f0hIqbgLctavtpFrptCuG94XdUGe2-4KGQ\" to \"I/6/UIMGKdVn9fN98Umsj6GXO1bvR-Gl6Vifq8AIPxh1wHc,zQ6juYpdIcbV9hgUZcNOogQ3ryPXenGlDm-xekru4xo\",\n+ \"CTVRwa6KXJ4o7uzGlp-kUosxpyRf4fUpHnLokG9T86A\" to \"1/%00/0/%00///\",\n+ \"EK-Xkb6hABfavQBI__ZHUelBB0m8SeTeegfvMcMOs8E\" to \"I/1/XPrUAyo9rG5h4isIUDaW7SdOYIzylCAi9JOmci-JoA0\",\n+ \"EY904QKlzAcwpfBtyw110a9HK9viRJYUEM0oNG-oCqs\" to \"L/7fffffff00000001/fKGCFwU73YLn6ErIfxsHPVMne2LZQu2FbEVm4h540e4\",\n+ \"Et95z_OAINGqgFr3DvKVtdBGEa3gUNjkZF77F7CQQf0\" to \"7fffffff00000002/%00/1/c1///\",\n+ \"GRFx8EF0BKDiQcyf-ROk_8o1Q9yJcBZnImK5B_SF4Pg\" to \"I/1/kfYlO4jkKrILND4kPS79iWlce7jLxEko-caUZQ0bJik\",\n+ \"NeGBxjWC7eRlsRZ1-oYjDnO7-bRL6dIrZhWZw5JT8qI\" to \"1/%00/%00/28qw_8mh6MRLX7Nd526swBVOVqAy3XDoCVrsDy_55KI/swOiu-pMGokZMvRT5eARK8nvnypbHwBECd-aGdNPcSg/AddNewChildOp;1;c1;0;7fffffff00000001;%00,AddNewChildOp;7fffffff00000001;c2;0;7fffffff00000002;%00,AddNewChildOp;1;c3;0;7fffffff00000003;%00,MoveNodeOp;7fffffff00000003;7fffffff00000002;c3;0,DeleteNodeOp;7fffffff00000003,MoveNodeOp;7fffffff00000002;1;c1;1,SetPropertyOp;7fffffff00000001;p1;a-%E2%93%9C,SetPropertyOp;7fffffff00000001;p2;b-%E2%93%9C,SetReferenceOp;7fffffff00000001;r1;7fffffff00000001,SetReferenceOp;7fffffff00000001;r2;7fffffff00000002/10\",\n+ \"UIMGKdVn9fN98Umsj6GXO1bvR-Gl6Vifq8AIPxh1wHc\" to \"I/1/UgHUFRBNmQ5rNlhuQUsYP-LX9WLDvXHrInsRhQCgjBg\",\n+ \"UgHUFRBNmQ5rNlhuQUsYP-LX9WLDvXHrInsRhQCgjBg\" to \"I/1/EK-Xkb6hABfavQBI__ZHUelBB0m8SeTeegfvMcMOs8E\",\n+ \"XPrUAyo9rG5h4isIUDaW7SdOYIzylCAi9JOmci-JoA0\" to \"I/1/GRFx8EF0BKDiQcyf-ROk_8o1Q9yJcBZnImK5B_SF4Pg\",\n+ \"Y3o9miTq6zAHXUcahYCqooOnN7EZon9FkT6fXEiwgVI\" to \"L/1/pdFUBoUqfKisgMWISa51tIYiGSQSEktOwmH5CmWsqP8\",\n+ \"branch_master\" to \"NeGBxjWC7eRlsRZ1-oYjDnO7-bRL6dIrZhWZw5JT8qI\",\n+ \"fKGCFwU73YLn6ErIfxsHPVMne2LZQu2FbEVm4h540e4\" to \"7fffffff00000001/%00/1/c1//p1=a-%E2%93%9C,p2=b-%E2%93%9C/r1=7fffffff00000001,r2=7fffffff00000002\",\n+ \"i_qLKIEhmzECtAZE4n4tRdqBN1ZZljmH9hGVQd9Ywxo\" to \"tree01/1/xeeMfgxyAcWthtSJLaMGxcCZGiIogYozw1rf4uxgmM4\",\n+ \"kfYlO4jkKrILND4kPS79iWlce7jLxEko-caUZQ0bJik\" to \"I/10000001/Y3o9miTq6zAHXUcahYCqooOnN7EZon9FkT6fXEiwgVI,EY904QKlzAcwpfBtyw110a9HK9viRJYUEM0oNG-oCqs\",\n+ \"pdFUBoUqfKisgMWISa51tIYiGSQSEktOwmH5CmWsqP8\" to \"1/%00/0/%00/7fffffff00000001,7fffffff00000002//\",\n+ \"swOiu-pMGokZMvRT5eARK8nvnypbHwBECd-aGdNPcSg\" to \"1/%00/%00/i_qLKIEhmzECtAZE4n4tRdqBN1ZZljmH9hGVQd9Ywxo///0\",\n+ \"uGTpQ2TJtRyelfhmZVWIIF4M9svxcMZtU4WTlHPFKsM\" to \"L/1/CTVRwa6KXJ4o7uzGlp-kUosxpyRf4fUpHnLokG9T86A\",\n+ \"xeeMfgxyAcWthtSJLaMGxcCZGiIogYozw1rf4uxgmM4\" to \"I/2/uGTpQ2TJtRyelfhmZVWIIF4M9svxcMZtU4WTlHPFKsM\",\n+ \"zQ6juYpdIcbV9hgUZcNOogQ3ryPXenGlDm-xekru4xo\" to \"L/7fffffff00000002/Et95z_OAINGqgFr3DvKVtdBGEa3gUNjkZF77F7CQQf0\",\n+ )\n+ )\n+\n+ assertStore(mapStore)\n+ }\n+\nfun assertStore(store: IKeyValueStore) {\nval deserializedVersion = CLVersion(store[\"branch_master\"]!!, ObjectStoreCache(GarbageFilteringStore(store)))\nval deserializedTree = deserializedVersion.tree\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | More conflict resolution tests (11) cleanup |
426,496 | 27.08.2020 17:47:43 | -7,200 | 7afed70d63a852038603f2df8922794e71cb6e17 | Reduce number of random tests to not avoid the JS timeout (10 s) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -16,7 +16,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest00() {\n- for (i in 0..1000) {\n+ for (i in 0..500) {\ntry {\nrand = Random(i)\nrandomTest(5, 2, 3)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Reduce number of random tests to not avoid the JS timeout (10 s) |
426,496 | 27.08.2020 19:34:07 | -7,200 | e94161bed80294596f95138903722b0bbc6fc0c8 | tests for index transformation | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/CapturedInsertPosition.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/CapturedInsertPosition.kt",
"diff": "@@ -9,16 +9,25 @@ class CapturedInsertPosition(val siblingsBefore: LongArray, val siblingsAfter: L\nfun findIndex(children: LongArray): Int {\nif (children.contentEquals(siblingsBefore + siblingsAfter)) return siblingsBefore.size\n- var bestIndex: Int = 0\n- var bestRating: Int = -1\n- for (i in children.indices) {\n- val rating = children.take(i).filter { siblingsBefore.contains(it) }.size +\n- children.drop(i).filter { siblingsAfter.contains(it) }.size\n- if (rating >= bestRating) {\n- bestRating = rating\n- bestIndex = i\n+ var leftIndex = 0\n+ var rightIndex = children.size\n+\n+ for (sibling in siblingsBefore.reversed()) {\n+ val index = children.indexOf(sibling)\n+ if (index != -1) {\n+ leftIndex = index + 1\n+ break\n+ }\n}\n+\n+ for (sibling in siblingsAfter) {\n+ val index = children.indexOf(sibling)\n+ if (index != -1) {\n+ rightIndex = index\n+ break\n}\n- return bestIndex\n+ }\n+\n+ return if (leftIndex < rightIndex) rightIndex else leftIndex\n}\n}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/CapturedInsertPositionTest.kt",
"diff": "+package org.modelix.model\n+\n+import org.modelix.model.operations.CapturedInsertPosition\n+import kotlin.test.Test\n+import kotlin.test.assertEquals\n+\n+class CapturedInsertPositionTest {\n+\n+ @Test\n+ fun noChange() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 1L, -2L, 2L, 3L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun insertBefore_1() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(1, -1L)\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, -1L, 1L, -2L, 2L, 3L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun insertAfter_3() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(3, -1L)\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 1L, -2L, 2L, -1L, 3L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun insertAtSamePosition() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(2, -1L)\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 1L, -1L, -2L, 2L, 3L, 4L, 5L), list)\n+ // also valid: 0L, 1L, -2L, -1L, 2L, 3L, 4L, 5L\n+ }\n+\n+ @Test\n+ fun moveAfter_1_3() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(3 - 1, list.removeAt(1))\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 2L, 1L, -2L, 3L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun moveAfter_0_4() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(4 - 1, list.removeAt(0))\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(1L, -2L, 2L, 3L, 0L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun moveBefore_2_1() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(1, list.removeAt(2))\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 2L, 1L, -2L, 3L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun moveBefore_3_2() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(2, list.removeAt(3))\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 1L, 3L, -2L, 2L, 4L, 5L), list)\n+ // also valid: 0L, 1L, -2L, 3L, 2L, 4L, 5L\n+ }\n+\n+ @Test\n+ fun moveBefore_3_1() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(1, list.removeAt(3))\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(0L, 3L, 1L, -2L, 2L, 4L, 5L), list)\n+ }\n+\n+ @Test\n+ fun moveBefore_4_0() {\n+ val list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list.add(0, list.removeAt(4))\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(4L, 0L, 1L, -2L, 2L, 3L, 5L), list)\n+ }\n+\n+ @Test\n+ fun moveMultiple_2_5() {\n+ var list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list = mutableListOf(2L, 3L, 4L, 5L, 0L, 1L)\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(2L, 3L, 4L, 5L, 0L, 1L, -2L), list)\n+ // also valid: -2L, 2L, 3L, 4L, 5L, 0L, 1L\n+ }\n+\n+ @Test\n+ fun moveMultiple_3_5() {\n+ var list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list = mutableListOf(3L, 4L, 5L, 0L, 1L, 2L)\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(3L, 4L, 5L, 0L, 1L, -2L, 2L), list)\n+ }\n+\n+ @Test\n+ fun moveMultiple_4_5() {\n+ var list = (0L..5L).toMutableList()\n+ val captured = CapturedInsertPosition(2, list.toLongArray())\n+ list = mutableListOf(4L, 5L, 0L, 1L, 2L, 3L)\n+ list.add(captured.findIndex(list.toLongArray()), -2L)\n+ assertEquals(listOf(4L, 5L, 0L, 1L, -2L, 2L, 3L), list)\n+ }\n+\n+}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | tests for index transformation |
426,496 | 27.08.2020 23:15:18 | -7,200 | 8bbd243543a4ab24e7b6a3687e518a82341623d8 | Store reference to original version after a merge
So that we still know the original operations before they were
transformed. | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -75,8 +75,6 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nval t = branch.writeTransaction\nval appliedOpsForVersion: MutableMap<Long, List<IAppliedOperation>> = LinkedHashMap()\nval appliedVersionIds: MutableSet<Long> = LinkedHashSet()\n- val leftKnownVersions = leftHistory.map { it.id }.toSet()\n- val rightKnownVersions = rightHistory.map { it.id }.toSet()\nwhile (leftHistory.isNotEmpty() || rightHistory.isNotEmpty()) {\nval useLeft = when {\nrightHistory.isEmpty() -> true\n@@ -88,11 +86,6 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\ncontinue\n}\nappliedVersionIds.add(versionToApply.id)\n- val knownVersions = if (useLeft) leftKnownVersions else rightKnownVersions\n- val concurrentAppliedOps = appliedOpsForVersion\n- .filterKeys { !knownVersions.contains(it) }\n- .flatMap { it.value }\n- .map { it.getOriginalOp() }\nval operationsToApply = captureIntend(versionToApply)\nval appliedOps = operationsToApply.flatMap {\n@@ -125,6 +118,7 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\nversionToApply.author,\n(t.tree as CLTree).hash,\nif (mergedVersion != null) mergedVersion!!.hash else versionToApply.previousHash,\n+ versionToApply.data?.originalVersion ?: versionToApply.hash,\nappliedOps.map { it.getOriginalOp() }.toTypedArray(),\nstoreCache\n)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLVersion.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLVersion.kt",
"diff": "@@ -24,14 +24,14 @@ class CLVersion {\nvar data: CPVersion? = null\nprivate set\n- constructor(id: Long, time: String?, author: String?, treeHash: String?, previousVersion: String?, operations: Array<IOperation>, store: IDeserializingKeyValueStore) {\n+ constructor(id: Long, time: String?, author: String?, treeHash: String?, previousVersion: String?, originalVersion: String?, operations: Array<IOperation>, store: IDeserializingKeyValueStore) {\nthis.store = store\nif (operations.size <= 10) {\n- data = CPVersion(id, time, author, treeHash, previousVersion, operations, null, operations.size)\n+ data = CPVersion(id, time, author, treeHash, previousVersion, originalVersion, operations, null, operations.size)\n} else {\nval opsList = CPOperationsList(operations)\nIDeserializingKeyValueStore_extensions.put(store, opsList, opsList.serialize())\n- data = CPVersion(id, time, author, treeHash, previousVersion, null, opsList.hash, operations.size)\n+ data = CPVersion(id, time, author, treeHash, previousVersion, originalVersion, null, opsList.hash, operations.size)\n}\nIDeserializingKeyValueStore_extensions.put(store, data!!, data!!.serialize())\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPVersion.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPVersion.kt",
"diff": "@@ -22,7 +22,7 @@ import org.modelix.model.persistent.SerializationUtil.longFromHex\nimport org.modelix.model.persistent.SerializationUtil.longToHex\nimport org.modelix.model.persistent.SerializationUtil.unescape\n-class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, previousVersion: String?, operations: Array<IOperation>?, operationsHash: String?, numberOfOperations: Int) {\n+class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, previousVersion: String?, originalVersion: String?, operations: Array<IOperation>?, operationsHash: String?, numberOfOperations: Int) {\nval id: Long\nval time: String?\nval author: String?\n@@ -32,6 +32,11 @@ class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, pre\n*/\nval treeHash: String?\nval previousVersion: String?\n+\n+ /**\n+ * The version created by the original author before is was rewritten during a merge\n+ */\n+ val originalVersion: String?\nval operations: Array<IOperation>?\nval operationsHash: String?\nval numberOfOperations: Int\n@@ -40,16 +45,14 @@ class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, pre\n?: if (operations!!.isEmpty()) \"\" else operations\n.map { OperationSerializer.INSTANCE.serialize(it) }\n.reduce { a: String, b: String -> \"$a,$b\" }\n- var serialized = longToHex(id) +\n+ return longToHex(id) +\n\"/\" + escape(time) +\n\"/\" + escape(author) +\n\"/\" + nullAsEmptyString(treeHash) +\n\"/\" + nullAsEmptyString(previousVersion) +\n- \"/\" + opsPart\n- if (numberOfOperations >= 0) {\n- serialized += \"/$numberOfOperations\"\n- }\n- return serialized\n+ \"/\" + opsPart +\n+ \"/\" + numberOfOperations +\n+ \"/\" + nullAsEmptyString(originalVersion)\n}\nval hash: String\n@@ -69,13 +72,14 @@ class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, pre\n.map { serialized: String -> OperationSerializer.INSTANCE.deserialize(serialized) }\n.toTypedArray()\n}\n- val numOps = if (parts.size >= 7) parts[6].toInt() else -1\n+ val numOps = if (parts.size > 6) parts[6].toInt() else -1\nreturn CPVersion(\nlongFromHex(parts[0]),\nunescape(parts[1]),\nunescape(parts[2]),\nemptyStringAsNull(parts[3]),\nemptyStringAsNull(parts[4]),\n+ if (parts.size > 7) emptyStringAsNull(parts[7]) else null,\nops,\nopsHash,\nnumOps\n@@ -96,6 +100,7 @@ class CPVersion(id: Long, time: String?, author: String?, treeHash: String?, pre\nthis.id = id\nthis.author = author\nthis.previousVersion = previousVersion\n+ this.originalVersion = originalVersion\nthis.time = time\nthis.treeHash = treeHash\nthis.operations = operations\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -784,6 +784,7 @@ class ConflictResolutionTest : TreeTestBase() {\nnull,\n(opsAndTree.second as CLTree).hash,\npreviousVersion?.hash,\n+ null,\nopsAndTree.first.map { it.getOriginalOp() }.toTypedArray(),\nstoreCache\n)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/TreeSerializationTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/TreeSerializationTest.kt",
"diff": "@@ -47,6 +47,7 @@ class TreeSerializationTest {\nnull,\ninitialTree.hash,\nnull,\n+ null,\narrayOf(),\nobjectStore\n)\n@@ -60,6 +61,7 @@ class TreeSerializationTest {\nnull,\n(tree as CLTree).hash,\ninitialVersion.hash,\n+ null,\nops.map { it.getOriginalOp() }.toTypedArray(),\nobjectStore\n)\n@@ -169,6 +171,38 @@ class TreeSerializationTest {\nassertStore(mapStore)\n}\n+ @Test\n+ fun backwardCompatibility04() {\n+ val mapStore = MapBaseStore()\n+ mapStore.putAll(\n+ mapOf(\n+ \"28qw_8mh6MRLX7Nd526swBVOVqAy3XDoCVrsDy_55KI\" to \"tree01/1/8CWGz4xb5f0hIqbgLctavtpFrptCuG94XdUGe2-4KGQ\",\n+ \"8CWGz4xb5f0hIqbgLctavtpFrptCuG94XdUGe2-4KGQ\" to \"I/6/UIMGKdVn9fN98Umsj6GXO1bvR-Gl6Vifq8AIPxh1wHc,zQ6juYpdIcbV9hgUZcNOogQ3ryPXenGlDm-xekru4xo\",\n+ \"CTVRwa6KXJ4o7uzGlp-kUosxpyRf4fUpHnLokG9T86A\" to \"1/%00/0/%00///\",\n+ \"EK-Xkb6hABfavQBI__ZHUelBB0m8SeTeegfvMcMOs8E\" to \"I/1/XPrUAyo9rG5h4isIUDaW7SdOYIzylCAi9JOmci-JoA0\",\n+ \"EY904QKlzAcwpfBtyw110a9HK9viRJYUEM0oNG-oCqs\" to \"L/7fffffff00000001/fKGCFwU73YLn6ErIfxsHPVMne2LZQu2FbEVm4h540e4\",\n+ \"Et95z_OAINGqgFr3DvKVtdBGEa3gUNjkZF77F7CQQf0\" to \"7fffffff00000002/%00/1/c1///\",\n+ \"GRFx8EF0BKDiQcyf-ROk_8o1Q9yJcBZnImK5B_SF4Pg\" to \"I/1/kfYlO4jkKrILND4kPS79iWlce7jLxEko-caUZQ0bJik\",\n+ \"UIMGKdVn9fN98Umsj6GXO1bvR-Gl6Vifq8AIPxh1wHc\" to \"I/1/UgHUFRBNmQ5rNlhuQUsYP-LX9WLDvXHrInsRhQCgjBg\",\n+ \"UgHUFRBNmQ5rNlhuQUsYP-LX9WLDvXHrInsRhQCgjBg\" to \"I/1/EK-Xkb6hABfavQBI__ZHUelBB0m8SeTeegfvMcMOs8E\",\n+ \"XPrUAyo9rG5h4isIUDaW7SdOYIzylCAi9JOmci-JoA0\" to \"I/1/GRFx8EF0BKDiQcyf-ROk_8o1Q9yJcBZnImK5B_SF4Pg\",\n+ \"Y3o9miTq6zAHXUcahYCqooOnN7EZon9FkT6fXEiwgVI\" to \"L/1/pdFUBoUqfKisgMWISa51tIYiGSQSEktOwmH5CmWsqP8\",\n+ \"branch_master\" to \"wf8TLLXCNeHYAWmOqpGMrfNrSXchl2-XU6xUoQdFH6w\",\n+ \"fKGCFwU73YLn6ErIfxsHPVMne2LZQu2FbEVm4h540e4\" to \"7fffffff00000001/%00/1/c1//p1=a-%E2%93%9C,p2=b-%E2%93%9C/r1=7fffffff00000001,r2=7fffffff00000002\",\n+ \"i_qLKIEhmzECtAZE4n4tRdqBN1ZZljmH9hGVQd9Ywxo\" to \"tree01/1/xeeMfgxyAcWthtSJLaMGxcCZGiIogYozw1rf4uxgmM4\",\n+ \"ikCeRQZueRYEc3SoY6FLfIqGQPaxszBySFXcBVNxz5M\" to \"1/%00/%00/i_qLKIEhmzECtAZE4n4tRdqBN1ZZljmH9hGVQd9Ywxo///0/\",\n+ \"kfYlO4jkKrILND4kPS79iWlce7jLxEko-caUZQ0bJik\" to \"I/10000001/Y3o9miTq6zAHXUcahYCqooOnN7EZon9FkT6fXEiwgVI,EY904QKlzAcwpfBtyw110a9HK9viRJYUEM0oNG-oCqs\",\n+ \"pdFUBoUqfKisgMWISa51tIYiGSQSEktOwmH5CmWsqP8\" to \"1/%00/0/%00/7fffffff00000001,7fffffff00000002//\",\n+ \"uGTpQ2TJtRyelfhmZVWIIF4M9svxcMZtU4WTlHPFKsM\" to \"L/1/CTVRwa6KXJ4o7uzGlp-kUosxpyRf4fUpHnLokG9T86A\",\n+ \"wf8TLLXCNeHYAWmOqpGMrfNrSXchl2-XU6xUoQdFH6w\" to \"1/%00/%00/28qw_8mh6MRLX7Nd526swBVOVqAy3XDoCVrsDy_55KI/ikCeRQZueRYEc3SoY6FLfIqGQPaxszBySFXcBVNxz5M/AddNewChildOp;1;c1;0;7fffffff00000001;%00,AddNewChildOp;7fffffff00000001;c2;0;7fffffff00000002;%00,AddNewChildOp;1;c3;0;7fffffff00000003;%00,MoveNodeOp;7fffffff00000003;7fffffff00000002;c3;0,DeleteNodeOp;7fffffff00000003,MoveNodeOp;7fffffff00000002;1;c1;1,SetPropertyOp;7fffffff00000001;p1;a-%E2%93%9C,SetPropertyOp;7fffffff00000001;p2;b-%E2%93%9C,SetReferenceOp;7fffffff00000001;r1;7fffffff00000001,SetReferenceOp;7fffffff00000001;r2;7fffffff00000002/10/\",\n+ \"xeeMfgxyAcWthtSJLaMGxcCZGiIogYozw1rf4uxgmM4\" to \"I/2/uGTpQ2TJtRyelfhmZVWIIF4M9svxcMZtU4WTlHPFKsM\",\n+ \"zQ6juYpdIcbV9hgUZcNOogQ3ryPXenGlDm-xekru4xo\" to \"L/7fffffff00000002/Et95z_OAINGqgFr3DvKVtdBGEa3gUNjkZF77F7CQQf0\",\n+ )\n+ )\n+\n+ assertStore(mapStore)\n+ }\n+\nfun assertStore(store: IKeyValueStore) {\nval deserializedVersion = CLVersion(store[\"branch_master\"]!!, ObjectStoreCache(GarbageFilteringStore(store)))\nval deserializedTree = deserializedVersion.tree\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -194,7 +194,16 @@ actual open class ReplicatedTree actual constructor(private val client: IModelCl\nfun createVersion(tree: CLTree, operations: Array<IOperation>, previousVersion: String?): CLVersion {\ncheckDisposed()\nval time = LocalDateTime.now().toString()\n- return CLVersion(client.idGenerator!!.generate(), time, user(), tree.hash, previousVersion, operations, client.storeCache!!)\n+ return CLVersion(\n+ client.idGenerator!!.generate(),\n+ time,\n+ user(),\n+ tree.hash,\n+ previousVersion,\n+ null,\n+ operations,\n+ client.storeCache!!\n+ )\n}\nactual open fun dispose() {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Store reference to original version after a merge
So that we still know the original operations before they were
transformed. |
426,496 | 27.08.2020 23:33:41 | -7,200 | 47eab0422772b8362acd6c384659b4cf7e725305 | Test for merging more than 2 branches | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -15,7 +15,7 @@ import kotlin.test.fail\nclass ConflictResolutionTest : TreeTestBase() {\n@Test\n- fun randomTest00() {\n+ fun randomTest2Branches() {\nfor (i in 0..500) {\ntry {\nrand = Random(i)\n@@ -26,6 +26,18 @@ class ConflictResolutionTest : TreeTestBase() {\n}\n}\n+ @Test\n+ fun randomTest5Branches() {\n+ for (i in 10000..10050) {\n+ try {\n+ rand = Random(i)\n+ randomTest(5, 5, 5)\n+ } catch (ex: Exception) {\n+ throw RuntimeException(\"Failed for seed $i\", ex)\n+ }\n+ }\n+ }\n+\nfun randomTest(baseChanges: Int, numBranches: Int, branchChanges: Int) {\nval merger = VersionMerger(storeCache, idGenerator)\nval baseExpectedTreeData = ExpectedTreeData()\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Test for merging more than 2 branches |
426,496 | 28.08.2020 08:17:52 | -7,200 | 22cb94cd1e0866af4fc388ce4d0194bd705c8da5 | Deleted CLElement/CPElement
They were used when there were the sub classes CLProperty and
CLReference in addition to CLNode, but now there is only CLNode and
CLElement can be merged with CLNode. | [
{
"change_type": "DELETE",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLElement.kt",
"new_path": null,
"diff": "-/*\n- * Licensed under the Apache License, Version 2.0 (the \"License\");\n- * you may not use this file except in compliance with the License.\n- * You may obtain a copy of the License at\n- *\n- * http://www.apache.org/licenses/LICENSE-2.0\n- *\n- * Unless required by applicable law or agreed to in writing,\n- * software distributed under the License is distributed on an\n- * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n- * KIND, either express or implied. See the License for the\n- * specific language governing permissions and limitations\n- * under the License.\n- */\n-\n-package org.modelix.model.lazy\n-\n-import org.modelix.model.api.ITree\n-import org.modelix.model.persistent.CPElement\n-import org.modelix.model.persistent.CPNode\n-import kotlin.jvm.JvmStatic\n-\n-abstract class CLElement(protected val tree_: CLTree, protected val data_: CPElement) {\n- open fun getData(): CPElement {\n- return data_\n- }\n-\n- val id: Long\n- get() = data_.id\n-\n- fun getTree(): ITree {\n- return tree_\n- }\n-\n- val parent: CLNode\n- get() = tree_.resolveElement(data_.parentId) as CLNode\n-\n- val roleInParent: String?\n- get() = data_.roleInParent\n-\n- val ref: CLElementRef\n- get() = CLElementRef(id)\n-\n- companion object {\n- @JvmStatic\n- fun create(tree: CLTree?, data: CPElement?): CLNode? {\n- return if (data == null) {\n- null\n- } else CLNode(tree, data as CPNode?)\n- }\n- }\n-}\n"
},
{
"change_type": "DELETE",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLElementRef.kt",
"new_path": null,
"diff": "-/*\n- * Licensed under the Apache License, Version 2.0 (the \"License\");\n- * you may not use this file except in compliance with the License.\n- * You may obtain a copy of the License at\n- *\n- * http://www.apache.org/licenses/LICENSE-2.0\n- *\n- * Unless required by applicable law or agreed to in writing,\n- * software distributed under the License is distributed on an\n- * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n- * KIND, either express or implied. See the License for the\n- * specific language governing permissions and limitations\n- * under the License.\n- */\n-\n-package org.modelix.model.lazy\n-\n-class CLElementRef(val id: Long) {\n-\n- override fun equals(o: Any?): Boolean {\n- if (this === o) {\n- return true\n- }\n- if (o == null || this::class != o::class) {\n- return false\n- }\n- val that = o as CLElementRef\n- return if (id != that.id) {\n- false\n- } else true\n- }\n-\n- override fun hashCode(): Int {\n- var result = 0\n- result = 31 * result + (id xor (id shr 32)).toInt()\n- return result\n- }\n-}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLHamtNode.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLHamtNode.kt",
"diff": "package org.modelix.model.lazy\n-import org.modelix.model.persistent.CPElement\nimport org.modelix.model.persistent.CPHamtInternal\nimport org.modelix.model.persistent.CPHamtLeaf\nimport org.modelix.model.persistent.CPHamtNode\n+import org.modelix.model.persistent.CPNode\nimport kotlin.jvm.JvmStatic\nabstract class CLHamtNode<E : CPHamtNode?>(protected var store: IDeserializingKeyValueStore) {\n@@ -41,11 +41,11 @@ abstract class CLHamtNode<E : CPHamtNode?>(protected var store: IDeserializingKe\nreturn put(key, value, 0)\n}\n- fun put(element: CLElement): CLHamtNode<*>? {\n+ fun put(element: CLNode): CLHamtNode<*>? {\nreturn put(element.id, element.getData()!!.hash)\n}\n- fun put(data: CPElement): CLHamtNode<*>? {\n+ fun put(data: CPNode): CLHamtNode<*>? {\nreturn put(data.id, data.hash)\n}\n@@ -53,7 +53,7 @@ abstract class CLHamtNode<E : CPHamtNode?>(protected var store: IDeserializingKe\nreturn remove(key, 0)\n}\n- fun remove(element: CLElement): CLHamtNode<*>? {\n+ fun remove(element: CLNode): CLHamtNode<*>? {\nreturn remove(element.id)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLNode.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLNode.kt",
"diff": "package org.modelix.model.lazy\n-import org.modelix.model.persistent.CPElementRef\n+import org.modelix.model.api.ITree\nimport org.modelix.model.persistent.CPNode\n+import org.modelix.model.persistent.CPNodeRef\n+import kotlin.jvm.JvmStatic\n-class CLNode(tree: CLTree?, data: CPNode?) : CLElement(tree!!, data!!) {\n- constructor(tree: CLTree?, id: Long, concept: String?, parentId: Long, roleInParent: String?, childrenIds: LongArray?, propertyRoles: Array<String?>?, propertyValues: Array<String?>?, referenceRoles: Array<String?>?, referenceTargets: Array<CPElementRef?>?) :\n+class CLNode(private val tree: CLTree, private val data: CPNode) {\n+ constructor(tree: CLTree, id: Long, concept: String?, parentId: Long, roleInParent: String?, childrenIds: LongArray?, propertyRoles: Array<String?>?, propertyValues: Array<String?>?, referenceRoles: Array<String?>?, referenceTargets: Array<CPNodeRef?>?) :\nthis(\ntree,\nCPNode.create(\nid, concept, parentId, roleInParent, childrenIds!!,\npropertyRoles as Array<String?>, propertyValues as Array<String?>,\n- referenceRoles as Array<String?>, referenceTargets as Array<CPElementRef?>\n+ referenceRoles as Array<String?>, referenceTargets as Array<CPNodeRef?>\n)\n) {}\n- override fun getData(): CPNode {\n- return super.getData() as CPNode\n+ val id: Long\n+ get() = data.id\n+\n+ fun getTree(): ITree {\n+ return tree\n+ }\n+\n+ val parent: CLNode\n+ get() = tree.resolveElement(data.parentId) as CLNode\n+\n+ val roleInParent: String?\n+ get() = data.roleInParent\n+\n+ val ref: CLNodeRef\n+ get() = CLNodeRef(id)\n+\n+ fun getData(): CPNode {\n+ return data\n}\nfun getChildren(bulkQuery: IBulkQuery): IBulkQuery.Value<Iterable<CLNode>> {\n@@ -54,4 +72,11 @@ class CLNode(tree: CLTree?, data: CPNode?) : CLElement(tree!!, data!!) {\nval concept: String?\nget() = getData().concept\n+\n+ companion object {\n+ @JvmStatic\n+ fun create(tree: CLTree, data: CPNode?): CLNode? {\n+ return data?.let { CLNode(tree, data) }\n+ }\n+ }\n}\n"
},
{
"change_type": "RENAME",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPElement.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLNodeRef.kt",
"diff": "* under the License.\n*/\n-package org.modelix.model.persistent\n+package org.modelix.model.lazy\n-import org.modelix.model.persistent.HashUtil.sha256\n-\n-abstract class CPElement(val id: Long, val parentId: Long, val roleInParent: String?) {\n-\n- abstract fun serialize(): String?\n- val hash: String\n- get() = sha256(serialize()!!)\n-\n- companion object {\n- open fun deserialize(input: String?): CPElement {\n- return CPNode.deserialize(input!!)\n- }\n- }\n-}\n+data class CLNodeRef(val id: Long)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLTree.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLTree.kt",
"diff": "@@ -20,8 +20,8 @@ import org.modelix.model.lazy.CLHamtNode.Companion.create\nimport org.modelix.model.lazy.IDeserializingKeyValueStore_extensions.put\nimport org.modelix.model.lazy.TreeId.Companion.random\nimport org.modelix.model.persistent.*\n-import org.modelix.model.persistent.CPElementRef.Companion.local\nimport org.modelix.model.persistent.CPNode.Companion.create\n+import org.modelix.model.persistent.CPNodeRef.Companion.local\nimport org.modelix.model.persistent.HashUtil.sha256\nimport org.modelix.model.util.pmap.COWArrays.add\nimport org.modelix.model.util.pmap.COWArrays.insert\n@@ -74,12 +74,12 @@ class CLTree : ITree {\nval id: String\nget() = data.id\n- protected fun storeElement(element: CLElement, id2hash: CLHamtNode<*>): CLHamtNode<*> {\n- val data = element.getData()\n+ protected fun storeElement(node: CLNode, id2hash: CLHamtNode<*>): CLHamtNode<*> {\n+ val data = node.getData()\nval serialized = data.serialize()\nval hash = sha256(serialized!!)\nstore.put(hash, data, serialized)\n- var newMap = id2hash.put(element.id, hash)\n+ var newMap = id2hash.put(node.id, hash)\nif (newMap == null) {\nnewMap = CLHamtInternal(store)\n}\n@@ -139,7 +139,7 @@ class CLTree : ITree {\nchildData.propertyRoles as Array<String?>,\nchildData.propertyValues as Array<String?>,\nchildData.referenceRoles as Array<String?>,\n- childData.referenceTargets as Array<CPElementRef?>\n+ childData.referenceTargets as Array<CPNodeRef?>\n)\nnewIdToHash = newIdToHash!!.put(newChildData)\nput(store, newChildData)\n@@ -169,7 +169,7 @@ class CLTree : ITree {\nparent.getData().propertyRoles as Array<String?>,\nparent.getData().propertyValues as Array<String?>,\nparent.getData().referenceRoles as Array<String?>,\n- parent.getData().referenceTargets as Array<CPElementRef?>\n+ parent.getData().referenceTargets as Array<CPNodeRef?>\n)\nnewIdToHash = newIdToHash!!.put(newParentData)\nput(store, newParentData)\n@@ -178,7 +178,7 @@ class CLTree : ITree {\noverride fun setReferenceTarget(sourceId: Long, role: String, targetRef: INodeReference?): ITree {\nval source = resolveElement(sourceId)!!\n- val refData: CPElementRef? = when (targetRef) {\n+ val refData: CPNodeRef? = when (targetRef) {\nnull -> null\nis PNodeReference -> {\nlocal(targetRef.id)\n@@ -212,7 +212,7 @@ class CLTree : ITree {\nparent.getData().propertyRoles as Array<String?>,\nparent.getData().propertyValues as Array<String?>,\nparent.getData().referenceRoles as Array<String?>,\n- parent.getData().referenceTargets as Array<CPElementRef?>\n+ parent.getData().referenceTargets as Array<CPNodeRef?>\n)\nnewIdToHash = newIdToHash.put(newParentData)\n?: throw RuntimeException(\"Unexpected empty nodes map. There should be at least the root node.\")\n@@ -375,23 +375,21 @@ class CLTree : ITree {\n)\n}\n- protected fun deleteElements(element: CPElement, idToHash: CLHamtNode<*>): CLHamtNode<*>? {\n+ protected fun deleteElements(node: CPNode, idToHash: CLHamtNode<*>): CLHamtNode<*>? {\nvar newIdToHash: CLHamtNode<*>? = idToHash\n- if (element is CPNode) {\n- for (childId in element.getChildrenIds()) {\n+ for (childId in node.getChildrenIds()) {\nif (newIdToHash == null) throw RuntimeException(\"node $childId not found\")\nval childHash: String = newIdToHash[childId] ?: throw RuntimeException(\"node $childId not found\")\n- val child = store.get(childHash) { CPElement.deserialize(it) }\n+ val child = store.get(childHash) { CPNode.deserialize(it) }\n?: throw RuntimeException(\"element with hash $childHash not found\")\nnewIdToHash = deleteElements(child, newIdToHash)\n}\n- }\n- if (newIdToHash == null) throw RuntimeException(\"node ${element.id} not found\")\n- newIdToHash = newIdToHash.remove(element.id)\n+ if (newIdToHash == null) throw RuntimeException(\"node ${node.id} not found\")\n+ newIdToHash = newIdToHash.remove(node.id)\nreturn newIdToHash\n}\n- fun resolveElement(ref: CLElementRef?): CLNode? {\n+ fun resolveElement(ref: CLNodeRef?): CLNode? {\nif (ref == null) {\nreturn null\n}\n@@ -399,7 +397,7 @@ class CLTree : ITree {\nreturn resolveElement(id)\n}\n- fun resolveElement(ref: CPElementRef?): CLNode? {\n+ fun resolveElement(ref: CPNodeRef?): CLNode? {\nif (ref == null) {\nreturn null\n}\n@@ -440,7 +438,7 @@ class CLTree : ITree {\n}\nCPNode.deserialize(s)\n}\n- ].map { n: CPNode? -> CLElement.create(this@CLTree, n) }\n+ ].map { n: CPNode? -> CLNode.create(this@CLTree, n) }\n}\nfun createElement(hash: String?): CLNode? {\n@@ -456,7 +454,7 @@ class CLTree : ITree {\n}\nCPNode.deserialize(s)\n}\n- ].map { n: CPNode? -> CLElement.create(this@CLTree, n)!! }\n+ ].map { n -> CLNode.create(this@CLTree, n)!! }\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/IDeserializingKeyValueStore_extensions.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/IDeserializingKeyValueStore_extensions.kt",
"diff": "package org.modelix.model.lazy\n-import org.modelix.model.persistent.CPElement\n+import org.modelix.model.persistent.CPNode\nimport org.modelix.model.persistent.HashUtil\nimport kotlin.jvm.JvmStatic\n@@ -25,7 +25,7 @@ object IDeserializingKeyValueStore_extensions {\n}\n@JvmStatic\n- fun put(_this: IDeserializingKeyValueStore, element: CPElement) {\n+ fun put(_this: IDeserializingKeyValueStore, element: CPNode) {\nput(_this, element, element.serialize())\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPNode.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPNode.kt",
"diff": "package org.modelix.model.persistent\n-import org.modelix.model.persistent.CPElementRef.Companion.fromString\n+import org.modelix.model.persistent.CPNodeRef.Companion.fromString\nimport org.modelix.model.persistent.SerializationUtil.escape\nimport org.modelix.model.persistent.SerializationUtil.longFromHex\nimport org.modelix.model.persistent.SerializationUtil.longToHex\n@@ -26,8 +26,18 @@ import org.modelix.model.util.pmap.COWArrays.removeAt\nimport org.modelix.model.util.pmap.COWArrays.set\nimport kotlin.jvm.JvmStatic\n-class CPNode protected constructor(id1: Long, val concept: String?, parentId1: Long, roleInParent1: String?, private val childrenIds: LongArray, val propertyRoles: Array<String>, val propertyValues: Array<String>, val referenceRoles: Array<String>, val referenceTargets: Array<CPElementRef>) : CPElement(id1, parentId1, roleInParent1) {\n- override fun serialize(): String? {\n+class CPNode protected constructor(\n+ val id: Long,\n+ val concept: String?,\n+ val parentId: Long,\n+ val roleInParent: String?,\n+ private val childrenIds: LongArray,\n+ val propertyRoles: Array<String>,\n+ val propertyValues: Array<String>,\n+ val referenceRoles: Array<String>,\n+ val referenceTargets: Array<CPNodeRef>\n+) {\n+ fun serialize(): String? {\nval sb = StringBuilder()\nsb.append(longToHex(id))\nsb.append(\"/\")\n@@ -62,7 +72,7 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\nval role_it = referenceRoles.iterator()\nval value_it = referenceTargets.iterator()\nvar role_var: String?\n- var value_var: CPElementRef\n+ var value_var: CPNodeRef\nwhile (role_it.hasNext() && value_it.hasNext()) {\nrole_var = role_it.next()\nvalue_var = value_it.next()\n@@ -87,6 +97,9 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\nval childrenSize: Int\nget() = childrenIds.size\n+ val hash: String\n+ get() = HashUtil.sha256(serialize()!!)\n+\nfun getChildId(index: Int): Long {\nreturn childrenIds[index]\n}\n@@ -96,7 +109,7 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\nreturn if (index < 0) null else propertyValues[index]\n}\n- fun getReferenceTarget(role: String?): CPElementRef? {\n+ fun getReferenceTarget(role: String?): CPNodeRef? {\nval index = referenceRoles.asList().binarySearch(role)\nreturn if (index < 0) null else referenceTargets[index]\n}\n@@ -109,7 +122,7 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\n} else {\ncreate(\nid, concept, parentId, roleInParent, childrenIds, removeAt(propertyRoles, index) as Array<String?>, removeAt(propertyValues, index) as Array<String?>,\n- referenceRoles as Array<String?>, referenceTargets as Array<CPElementRef?>\n+ referenceRoles as Array<String?>, referenceTargets as Array<CPNodeRef?>\n)\n}\n} else {\n@@ -119,20 +132,20 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\nid, concept, parentId, roleInParent, childrenIds,\ninsert(propertyRoles, index, role) as Array<String?>,\ninsert(propertyValues, index, value) as Array<String?>,\n- referenceRoles as Array<String?>, referenceTargets as Array<CPElementRef?>\n+ referenceRoles as Array<String?>, referenceTargets as Array<CPNodeRef?>\n)\n} else {\ncreate(\nid, concept, parentId, roleInParent, childrenIds,\npropertyRoles as Array<String?>,\nset(propertyValues, index, value) as Array<String?>,\n- referenceRoles as Array<String?>, referenceTargets as Array<CPElementRef?>\n+ referenceRoles as Array<String?>, referenceTargets as Array<CPNodeRef?>\n)\n}\n}\n}\n- fun withReferenceTarget(role: String, target: CPElementRef?): CPNode {\n+ fun withReferenceTarget(role: String, target: CPNodeRef?): CPNode {\nvar index = referenceRoles.asList().binarySearch(role)\nreturn if (target == null) {\nif (index < 0) {\n@@ -141,7 +154,7 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\ncreate(\nid, concept, parentId, roleInParent, childrenIds,\npropertyRoles as Array<String?>, propertyValues as Array<String?>,\n- removeAt(referenceRoles, index) as Array<String?>, removeAt(referenceTargets, index) as Array<CPElementRef?>\n+ removeAt(referenceRoles, index) as Array<String?>, removeAt(referenceTargets, index) as Array<CPNodeRef?>\n)\n}\n} else {\n@@ -151,13 +164,13 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\nid, concept, parentId, roleInParent, childrenIds,\npropertyRoles as Array<String?>, propertyValues as Array<String?>,\ninsert(referenceRoles, index, role) as Array<String?>,\n- insert(referenceTargets, index, target) as Array<CPElementRef?>\n+ insert(referenceTargets, index, target) as Array<CPNodeRef?>\n)\n} else {\ncreate(\nid, concept, parentId, roleInParent, childrenIds,\npropertyRoles as Array<String?>, propertyValues as Array<String?>,\n- referenceRoles as Array<String?>, set(referenceTargets, index, target) as Array<CPElementRef?>\n+ referenceRoles as Array<String?>, set(referenceTargets, index, target) as Array<CPNodeRef?>\n)\n}\n}\n@@ -167,14 +180,14 @@ class CPNode protected constructor(id1: Long, val concept: String?, parentId1: L\nprivate val EMPTY_LONG_ARRAY = LongArray(0)\nval DESERIALIZER = { s: String -> deserialize(s) }\n@JvmStatic\n- fun create(id: Long, concept: String?, parentId: Long, roleInParent: String?, childrenIds: LongArray, propertyRoles: Array<String?>, propertyValues: Array<String?>, referenceRoles: Array<String?>, referenceTargets: Array<CPElementRef?>): CPNode {\n+ fun create(id: Long, concept: String?, parentId: Long, roleInParent: String?, childrenIds: LongArray, propertyRoles: Array<String?>, propertyValues: Array<String?>, referenceRoles: Array<String?>, referenceTargets: Array<CPNodeRef?>): CPNode {\ncheckForDuplicates(childrenIds)\nrequire(propertyRoles.size == propertyValues.size) { propertyRoles.size.toString() + \" != \" + propertyValues.size }\nrequire(referenceRoles.size == referenceTargets.size) { referenceRoles.size.toString() + \" != \" + referenceTargets.size }\nreturn CPNode(\nid, concept, parentId, roleInParent, childrenIds,\npropertyRoles as Array<String>, propertyValues as Array<String>,\n- referenceRoles as Array<String>, referenceTargets as Array<CPElementRef>\n+ referenceRoles as Array<String>, referenceTargets as Array<CPNodeRef>\n)\n}\n"
},
{
"change_type": "RENAME",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPElementRef.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPNodeRef.kt",
"diff": "package org.modelix.model.persistent\n-abstract class CPElementRef /*package*/\n+abstract class CPNodeRef\ninternal constructor() {\nabstract val isGlobal: Boolean\nabstract val isLocal: Boolean\nabstract val elementId: Long\nabstract val treeId: String?\n- private class LocalRef(private val id: Long) : CPElementRef() {\n+ private class LocalRef(private val id: Long) : CPNodeRef() {\noverride fun toString(): String {\nreturn \"\" + id.toString(16)\n}\n@@ -59,7 +59,7 @@ internal constructor() {\n}\n}\n- private class GlobalRef(treeId1: String, elementId1: Long) : CPElementRef() {\n+ private class GlobalRef(treeId1: String, elementId1: Long) : CPNodeRef() {\noverride val treeId: String?\noverride val elementId: Long\noverride fun toString(): String {\n@@ -99,7 +99,7 @@ internal constructor() {\n}\n}\n- class MpsRef(ref: String) : CPElementRef() {\n+ class MpsRef(ref: String) : CPNodeRef() {\nval serializedRef: String?\noverride fun toString(): String {\n@@ -145,19 +145,19 @@ internal constructor() {\n}\ncompanion object {\n- fun local(elementId: Long): CPElementRef {\n+ fun local(elementId: Long): CPNodeRef {\nreturn LocalRef(elementId)\n}\n- fun global(treeId: String, elementId: Long): CPElementRef {\n+ fun global(treeId: String, elementId: Long): CPNodeRef {\nreturn GlobalRef(treeId, elementId)\n}\n- fun mps(pointer: String): CPElementRef {\n+ fun mps(pointer: String): CPNodeRef {\nreturn MpsRef(pointer)\n}\n- fun fromString(str: String): CPElementRef {\n+ fun fromString(str: String): CPNodeRef {\nreturn when {\nstr[0] == 'G' -> {\nval i = str.lastIndexOf(\"#\")\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Deleted CLElement/CPElement
They were used when there were the sub classes CLProperty and
CLReference in addition to CLNode, but now there is only CLNode and
CLElement can be merged with CLNode. |
426,496 | 28.08.2020 14:12:15 | -7,200 | 7ed3a2f8029138a0179a6e97bc184f74eb25e0b6 | further reduce nubmer of random conflict resolution tests
Increasing the timeout would also help, but 10 seconds is already very
high for unit tests. | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"new_path": "model-client/src/commonTest/kotlin/org/modelix/model/ConflictResolutionTest.kt",
"diff": "@@ -16,7 +16,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest2Branches() {\n- for (i in 0..500) {\n+ for (i in 1000..1100) {\ntry {\nrand = Random(i)\nrandomTest(5, 2, 3)\n@@ -28,7 +28,7 @@ class ConflictResolutionTest : TreeTestBase() {\n@Test\nfun randomTest5Branches() {\n- for (i in 10000..10050) {\n+ for (i in 10000..10010) {\ntry {\nrand = Random(i)\nrandomTest(5, 5, 5)\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | further reduce nubmer of random conflict resolution tests
Increasing the timeout would also help, but 10 seconds is already very
high for unit tests. |
426,496 | 31.08.2020 21:18:05 | -7,200 | a0a67a6c879eb8765bc95e2c38d2cc19ab103073 | The model server now rejects writes where referenced keys don't exist | [
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"new_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"diff": "@@ -216,46 +216,17 @@ public class RestModelServer {\n@Override\nprotected void doPut(HttpServletRequest req, HttpServletResponse resp)\nthrows ServletException, IOException {\n- try {\nif (!checkAuthorization(storeClient, req, resp)) return;\nString key = req.getPathInfo().substring(1);\n- if (REPOSITORY_ID_KEY.equals(key)) {\n- throw new RuntimeException(\n- \"Changing '\" + key + \"' is not allowed\");\n- }\n- if (key.startsWith(PROTECTED_PREFIX)) {\n- throw new RuntimeException(\n- \"No permission to access \" + key);\n- }\nString value =\nIOUtils.toString(\nreq.getInputStream(), StandardCharsets.UTF_8);\n- try {\n- storeClient.put(key, value);\n- } catch (Throwable t) {\n- System.err.println(\"failed to write value\");\n- t.printStackTrace();\n- resp.setStatus(\n- HttpServletResponse.SC_INTERNAL_SERVER_ERROR);\n- resp.setContentType(TEXT_PLAIN);\n- resp.setCharacterEncoding(\n- StandardCharsets.UTF_8.toString());\n- resp.getWriter()\n- .print(\n- \"Put failed on server side: \"\n- + t.getMessage());\n- return;\n- }\n+ putEntry(key, value);\nresp.setStatus(HttpServletResponse.SC_OK);\nresp.setContentType(TEXT_PLAIN);\nresp.setCharacterEncoding(StandardCharsets.UTF_8.toString());\nresp.getWriter().print(\"OK\");\n- } catch (Exception e) {\n- e.printStackTrace();\n- resp.setStatus(HttpServletResponse.SC_INTERNAL_SERVER_ERROR);\n- resp.getWriter().print(e.getMessage());\n- }\n}\n}),\n\"/put/*\");\n@@ -275,24 +246,10 @@ public class RestModelServer {\nint writtenEntries = 0;\nfor (Object entry_ : json) {\nJSONObject entry = (JSONObject) entry_;\n- if (!entry.has(\"key\") || !entry.has(\"value\")) {\n- // We skip invalid entries instead of failing because we do\n- // not\n- // want to fail after having written some entries\n- LOG.warn(\"Skipping invalid entry: \" + entry);\n- continue;\n- }\nString key = entry.getString(\"key\");\nString value = entry.getString(\"value\");\n- if (REPOSITORY_ID_KEY.equals(key)) {\n- LOG.warn(\"Changing '\" + key + \"' is not allowed\");\n- continue;\n- }\n- if (key.startsWith(PROTECTED_PREFIX)) {\n- LOG.warn(\"No permission to access \" + key);\n- continue;\n- }\n+ putEntry(key, value);\nstoreClient.put(key, value);\nwrittenEntries++;\n}\n@@ -417,6 +374,25 @@ public class RestModelServer {\n\"/subscribe/*\");\n}\n+ protected void putEntry(String key, String value) {\n+ if (REPOSITORY_ID_KEY.equals(key)) {\n+ throw new RuntimeException(\"Changing '\" + key + \"' is not allowed\");\n+ }\n+ if (key.startsWith(PROTECTED_PREFIX)) {\n+ throw new RuntimeException(\"No permission to access \" + key);\n+ }\n+ if (value != null) {\n+ Matcher matcher = HASH_PATTERN.matcher(value);\n+ while (matcher.find()) {\n+ String foundKey = matcher.group();\n+ if (storeClient.get(foundKey) == null) {\n+ throw new RuntimeException(\"Attempt to write entry \" + key + \"=\" + value + \" with non-existent referenced key \" + foundKey);\n+ }\n+ }\n+ }\n+ storeClient.put(key, value);\n+ }\n+\npublic JSONArray collect(String rootKey) {\nJSONArray result = new JSONArray();\nSet<String> processed = new HashSet<>();\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | The model server now rejects writes where referenced keys don't exist |
426,496 | 01.09.2020 09:49:36 | -7,200 | 709c816df371f5363e4d6b49bb91713ce959779c | Fixed references to MPS nodes (any reference outside the tree) | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLTree.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/CLTree.kt",
"diff": "@@ -21,6 +21,7 @@ import org.modelix.model.lazy.IDeserializingKeyValueStore_extensions.put\nimport org.modelix.model.lazy.TreeId.Companion.random\nimport org.modelix.model.persistent.*\nimport org.modelix.model.persistent.CPNode.Companion.create\n+import org.modelix.model.persistent.CPNodeRef.Companion.foreign\nimport org.modelix.model.persistent.CPNodeRef.Companion.local\nimport org.modelix.model.persistent.HashUtil.sha256\nimport org.modelix.model.util.pmap.COWArrays.add\n@@ -205,7 +206,7 @@ class CLTree : ITree {\nlocal(target.id)\n}\n// is SNodeReferenceAdapter -> CPElementRef.mps(SNodePointer.serialize(((SNodeReferenceAdapter) targetRef).getReference()))\n- else -> throw RuntimeException(\"Unsupported reference type: \" + target::class.simpleName)\n+ else -> foreign(INodeReferenceSerializer.serialize(target))\n}\nvar newIdToHash = nodesMap\nval newNodeData = source.getData().withReferenceTarget(role, refData)\n@@ -308,8 +309,7 @@ class CLTree : ITree {\nreturn when {\ntargetRef == null -> null\ntargetRef.isLocal -> PNodeReference(targetRef.elementId)\n- // } else if (targetRef instanceof CPElementRef.MpsRef) {\n- // return new SNodeReferenceAdapter(SNodePointer.deserialize(((CPElementRef.MpsRef) targetRef).getSerializedRef()));\n+ targetRef is CPNodeRef.ForeignRef -> INodeReferenceSerializer.deserialize(targetRef.serializedRef)\nelse -> throw UnsupportedOperationException(\"Unsupported reference: $targetRef\")\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/IConceptSerializer.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/IConceptSerializer.kt",
"diff": "@@ -29,6 +29,10 @@ interface IConceptSerializer {\nserializers.add(serializer)\n}\n+ fun unregister(serializer: IConceptSerializer) {\n+ serializers.remove(serializer)\n+ }\n+\nfun serialize(concept: IConcept?): String? {\nif (concept == null) return null\nreturn serializers.map { it.serialize(concept) }.firstOrNull { it != null }\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/lazy/INodeReferenceSerializer.kt",
"diff": "+/*\n+ * Licensed under the Apache License, Version 2.0 (the \"License\");\n+ * you may not use this file except in compliance with the License.\n+ * You may obtain a copy of the License at\n+ *\n+ * http://www.apache.org/licenses/LICENSE-2.0\n+ *\n+ * Unless required by applicable law or agreed to in writing,\n+ * software distributed under the License is distributed on an\n+ * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n+ * KIND, either express or implied. See the License for the\n+ * specific language governing permissions and limitations\n+ * under the License.\n+ */\n+\n+package org.modelix.model.lazy\n+\n+import org.modelix.model.api.INodeReference\n+\n+interface INodeReferenceSerializer {\n+\n+ fun serialize(ref: INodeReference): String?\n+ fun deserialize(serialized: String): INodeReference?\n+\n+ companion object {\n+ private val serializers: MutableSet<INodeReferenceSerializer> = HashSet()\n+\n+ fun register(serializer: INodeReferenceSerializer) {\n+ serializers.add(serializer)\n+ }\n+\n+ fun unregister(serializer: INodeReferenceSerializer) {\n+ serializers.remove(serializer)\n+ }\n+\n+ fun serialize(ref: INodeReference): String {\n+ return serializers.map { it.serialize(ref) }.firstOrNull { it != null }\n+ ?: throw RuntimeException(\"No serializer found for ${ref::class}\")\n+ }\n+\n+ fun deserialize(serialized: String): INodeReference {\n+ return serializers.map { it.deserialize(serialized) }.firstOrNull { it != null }\n+ ?: throw RuntimeException(\"No deserializer found for: $serialized\")\n+ }\n+ }\n+}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPNodeRef.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/CPNodeRef.kt",
"diff": "@@ -61,7 +61,7 @@ internal constructor() {\n}\n}\n- data class MpsRef(val serializedRef: String) : CPNodeRef() {\n+ data class ForeignRef(val serializedRef: String) : CPNodeRef() {\noverride fun toString(): String {\nreturn \"M$serializedRef\"\n@@ -75,12 +75,12 @@ internal constructor() {\noverride val elementId: Long\nget() {\n- throw RuntimeException(\"MPS reference\")\n+ throw RuntimeException(\"Foreign reference\")\n}\noverride val treeId: String?\nget() {\n- throw RuntimeException(\"MPS reference\")\n+ throw RuntimeException(\"Foreign reference\")\n}\n}\n@@ -93,8 +93,8 @@ internal constructor() {\nreturn GlobalRef(treeId, elementId)\n}\n- fun mps(pointer: String): CPNodeRef {\n- return MpsRef(pointer)\n+ fun foreign(pointer: String): CPNodeRef {\n+ return ForeignRef(pointer)\n}\nfun fromString(str: String): CPNodeRef {\n@@ -104,7 +104,7 @@ internal constructor() {\nglobal(str.substring(1, i), str.substring(i + 1).toLong())\n}\nstr[0] == 'M' -> {\n- mps(str.substring(1))\n+ foreign(str.substring(1))\n}\nelse -> {\nlocal(str.toLong(16))\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/OperationSerializer.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/persistent/OperationSerializer.kt",
"diff": "@@ -19,6 +19,7 @@ import org.modelix.model.api.IConcept\nimport org.modelix.model.api.INodeReference\nimport org.modelix.model.api.PNodeReference\nimport org.modelix.model.lazy.IConceptSerializer\n+import org.modelix.model.lazy.INodeReferenceSerializer\nimport org.modelix.model.operations.*\nimport org.modelix.model.persistent.SerializationUtil.escape\nimport org.modelix.model.persistent.SerializationUtil.longFromHex\n@@ -39,25 +40,19 @@ class OperationSerializer private constructor() {\n}\nfun serializeReference(obj: INodeReference?): String {\n- return if (obj == null) {\n- \"\"\n- } else if (obj is PNodeReference) {\n- longToHex(obj.id)\n-// } else if (object instanceof SNodeReferenceAdapter) {\n-// return SerializationUtil.escape(SNodePointer.serialize(((SNodeReferenceAdapter) object).getReference()));\n- } else {\n- throw RuntimeException(\"Unknown reference type: \" + obj::class.simpleName)\n+ return when (obj) {\n+ null -> \"\"\n+ is PNodeReference -> longToHex(obj.id)\n+ else -> escape(INodeReferenceSerializer.serialize(obj))\n}\n}\nfun deserializeReference(serialized: String?): INodeReference? {\n- if (serialized == null || serialized.isEmpty()) {\n- return null\n- }\n- if (serialized.matches(Regex(\"[a-fA-F0-9]+\"))) {\n- return PNodeReference(longFromHex(serialized))\n+ return when {\n+ serialized.isNullOrEmpty() -> null\n+ serialized.matches(Regex(\"[a-fA-F0-9]+\")) -> PNodeReference(longFromHex(serialized))\n+ else -> unescape(serialized)?.let { INodeReferenceSerializer.deserialize(it) }\n}\n- throw RuntimeException(\"Cannot deserialize concept: $serialized\")\n}\ninit {\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model/models/org.modelix.model.mps.mps",
"new_path": "mps/org.modelix.model/models/org.modelix.model.mps.mps",
"diff": "<child id=\"1163668934364\" name=\"ifFalse\" index=\"3K4GZi\" />\n</concept>\n<concept id=\"1082113931046\" name=\"jetbrains.mps.baseLanguage.structure.ContinueStatement\" flags=\"nn\" index=\"3N13vt\" />\n- <concept id=\"1221737317277\" name=\"jetbrains.mps.baseLanguage.structure.StaticInitializer\" flags=\"lg\" index=\"1Pe0a1\">\n- <child id=\"1221737317278\" name=\"statementList\" index=\"1Pe0a2\" />\n- </concept>\n<concept id=\"6329021646629104954\" name=\"jetbrains.mps.baseLanguage.structure.SingleLineComment\" flags=\"nn\" index=\"3SKdUt\">\n<child id=\"8356039341262087992\" name=\"line\" index=\"1aUNEU\" />\n</concept>\n</registry>\n<node concept=\"312cEu\" id=\"5gTrVpGjuL2\">\n<property role=\"TrG5h\" value=\"SConceptAdapter\" />\n- <node concept=\"2tJIrI\" id=\"5gTrVpGjFmG\" role=\"jymVt\" />\n- <node concept=\"1Pe0a1\" id=\"1m9roGC3$t_\" role=\"jymVt\">\n- <node concept=\"3clFbS\" id=\"1m9roGC3$tB\" role=\"1Pe0a2\">\n- <node concept=\"3clFbF\" id=\"4SOqQDg$rv1\" role=\"3cqZAp\">\n- <node concept=\"2OqwBi\" id=\"4SOqQDg$rDL\" role=\"3clFbG\">\n- <node concept=\"10M0yZ\" id=\"4SOqQDg$ryo\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" to=\"xkhl:~IConceptSerializer.Companion\" resolve=\"Companion\" />\n- <ref role=\"1PxDUh\" to=\"xkhl:~IConceptSerializer\" resolve=\"IConceptSerializer\" />\n- </node>\n- <node concept=\"liA8E\" id=\"4SOqQDg$rJm\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"xkhl:~IConceptSerializer$Companion.register(org.modelix.model.lazy.IConceptSerializer)\" resolve=\"register\" />\n- <node concept=\"2ShNRf\" id=\"1cGcLVgvDI$\" role=\"37wK5m\">\n- <node concept=\"YeOm9\" id=\"1cGcLVgvFr_\" role=\"2ShVmc\">\n- <node concept=\"1Y3b0j\" id=\"1cGcLVgvFrC\" role=\"YeSDq\">\n+ <node concept=\"Wx3nA\" id=\"2lTt2KMwucw\" role=\"jymVt\">\n+ <property role=\"3TUv4t\" value=\"true\" />\n+ <property role=\"TrG5h\" value=\"SERIALIZER\" />\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwubE\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwubF\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"xkhl:~IConceptSerializer\" resolve=\"IConceptSerializer\" />\n+ </node>\n+ <node concept=\"2ShNRf\" id=\"2lTt2KMwubG\" role=\"33vP2m\">\n+ <node concept=\"YeOm9\" id=\"2lTt2KMwubH\" role=\"2ShVmc\">\n+ <node concept=\"1Y3b0j\" id=\"2lTt2KMwubI\" role=\"YeSDq\">\n<property role=\"2bfB8j\" value=\"true\" />\n<ref role=\"1Y3XeK\" to=\"xkhl:~IConceptSerializer\" resolve=\"IConceptSerializer\" />\n<ref role=\"37wK5l\" to=\"wyt6:~Object.<init>()\" resolve=\"Object\" />\n- <node concept=\"3Tm1VV\" id=\"1cGcLVgvFrD\" role=\"1B3o_S\" />\n- <node concept=\"3clFb_\" id=\"1cGcLVgvFrI\" role=\"jymVt\">\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwubJ\" role=\"1B3o_S\" />\n+ <node concept=\"3clFb_\" id=\"2lTt2KMwubK\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"serialize\" />\n- <node concept=\"3Tm1VV\" id=\"1cGcLVgvFrJ\" role=\"1B3o_S\" />\n- <node concept=\"2AHcQZ\" id=\"1cGcLVgvFrL\" role=\"2AJF6D\">\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwubL\" role=\"1B3o_S\" />\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwubM\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"mhfm:~Nullable\" resolve=\"Nullable\" />\n</node>\n- <node concept=\"17QB3L\" id=\"1cGcLVgvGst\" role=\"3clF45\" />\n- <node concept=\"37vLTG\" id=\"1cGcLVgvFrN\" role=\"3clF46\">\n+ <node concept=\"17QB3L\" id=\"2lTt2KMwubN\" role=\"3clF45\" />\n+ <node concept=\"37vLTG\" id=\"2lTt2KMwubO\" role=\"3clF46\">\n<property role=\"TrG5h\" value=\"concept\" />\n- <node concept=\"3uibUv\" id=\"1cGcLVgvFrO\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwubP\" role=\"1tU5fm\">\n<ref role=\"3uigEE\" to=\"jks5:~IConcept\" resolve=\"IConcept\" />\n</node>\n- <node concept=\"2AHcQZ\" id=\"1cGcLVgvFrP\" role=\"2AJF6D\">\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwubQ\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n</node>\n</node>\n- <node concept=\"3clFbS\" id=\"1cGcLVgvFrQ\" role=\"3clF47\">\n- <node concept=\"3clFbF\" id=\"1cGcLVgvIEd\" role=\"3cqZAp\">\n- <node concept=\"2EnYce\" id=\"1cGcLVgvOkJ\" role=\"3clFbG\">\n- <node concept=\"1eOMI4\" id=\"1cGcLVgvPoO\" role=\"2Oq$k0\">\n- <node concept=\"10QFUN\" id=\"1cGcLVgvPoN\" role=\"1eOMHV\">\n- <node concept=\"2EnYce\" id=\"1cGcLVgvPoI\" role=\"10QFUP\">\n- <node concept=\"0kSF2\" id=\"1cGcLVgvPoJ\" role=\"2Oq$k0\">\n- <node concept=\"3uibUv\" id=\"1cGcLVgvPoK\" role=\"0kSFW\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwubR\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"2lTt2KMwubS\" role=\"3cqZAp\">\n+ <node concept=\"2EnYce\" id=\"2lTt2KMwubT\" role=\"3clFbG\">\n+ <node concept=\"1eOMI4\" id=\"2lTt2KMwubU\" role=\"2Oq$k0\">\n+ <node concept=\"10QFUN\" id=\"2lTt2KMwubV\" role=\"1eOMHV\">\n+ <node concept=\"2EnYce\" id=\"2lTt2KMwubW\" role=\"10QFUP\">\n+ <node concept=\"0kSF2\" id=\"2lTt2KMwubX\" role=\"2Oq$k0\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwubY\" role=\"0kSFW\">\n<ref role=\"3uigEE\" node=\"5gTrVpGjuL2\" resolve=\"SConceptAdapter\" />\n</node>\n- <node concept=\"37vLTw\" id=\"1cGcLVgvPoL\" role=\"0kSFX\">\n- <ref role=\"3cqZAo\" node=\"1cGcLVgvFrN\" resolve=\"concept\" />\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwubZ\" role=\"0kSFX\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwubO\" resolve=\"concept\" />\n</node>\n</node>\n- <node concept=\"liA8E\" id=\"1cGcLVgvPoM\" role=\"2OqNvi\">\n+ <node concept=\"liA8E\" id=\"2lTt2KMwuc0\" role=\"2OqNvi\">\n<ref role=\"37wK5l\" node=\"5gTrVpGqz6x\" resolve=\"getAdapted\" />\n</node>\n</node>\n- <node concept=\"3uibUv\" id=\"1cGcLVgvPP1\" role=\"10QFUM\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwuc1\" role=\"10QFUM\">\n<ref role=\"3uigEE\" to=\"vxxo:~SAbstractConceptAdapter\" resolve=\"SAbstractConceptAdapter\" />\n</node>\n</node>\n</node>\n- <node concept=\"liA8E\" id=\"1cGcLVgvOUv\" role=\"2OqNvi\">\n+ <node concept=\"liA8E\" id=\"2lTt2KMwuc2\" role=\"2OqNvi\">\n<ref role=\"37wK5l\" to=\"vxxo:~SAbstractConceptAdapter.serialize()\" resolve=\"serialize\" />\n</node>\n</node>\n</node>\n</node>\n- <node concept=\"2AHcQZ\" id=\"1cGcLVgvFrS\" role=\"2AJF6D\">\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwuc3\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n</node>\n</node>\n- <node concept=\"2tJIrI\" id=\"1cGcLVgvFrT\" role=\"jymVt\" />\n- <node concept=\"3clFb_\" id=\"1cGcLVgvFrU\" role=\"jymVt\">\n+ <node concept=\"2tJIrI\" id=\"2lTt2KMwuc4\" role=\"jymVt\" />\n+ <node concept=\"3clFb_\" id=\"2lTt2KMwuc5\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"deserialize\" />\n- <node concept=\"3Tm1VV\" id=\"1cGcLVgvFrV\" role=\"1B3o_S\" />\n- <node concept=\"2AHcQZ\" id=\"1cGcLVgvFrX\" role=\"2AJF6D\">\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwuc6\" role=\"1B3o_S\" />\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwuc7\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"mhfm:~Nullable\" resolve=\"Nullable\" />\n</node>\n- <node concept=\"3uibUv\" id=\"1cGcLVgvFrY\" role=\"3clF45\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwuc8\" role=\"3clF45\">\n<ref role=\"3uigEE\" to=\"jks5:~IConcept\" resolve=\"IConcept\" />\n</node>\n- <node concept=\"37vLTG\" id=\"1cGcLVgvFrZ\" role=\"3clF46\">\n+ <node concept=\"37vLTG\" id=\"2lTt2KMwuc9\" role=\"3clF46\">\n<property role=\"TrG5h\" value=\"serialized\" />\n- <node concept=\"17QB3L\" id=\"1cGcLVgvG6r\" role=\"1tU5fm\" />\n- <node concept=\"2AHcQZ\" id=\"1cGcLVgvFs1\" role=\"2AJF6D\">\n+ <node concept=\"17QB3L\" id=\"2lTt2KMwuca\" role=\"1tU5fm\" />\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwucb\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n</node>\n</node>\n- <node concept=\"3clFbS\" id=\"1cGcLVgvFs2\" role=\"3clF47\">\n- <node concept=\"3J1_TO\" id=\"1cGcLVgvSjO\" role=\"3cqZAp\">\n- <node concept=\"3uVAMA\" id=\"1cGcLVgvSkj\" role=\"1zxBo5\">\n- <node concept=\"XOnhg\" id=\"1cGcLVgvSkk\" role=\"1zc67B\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwucc\" role=\"3clF47\">\n+ <node concept=\"3J1_TO\" id=\"2lTt2KMwucd\" role=\"3cqZAp\">\n+ <node concept=\"3uVAMA\" id=\"2lTt2KMwuce\" role=\"1zxBo5\">\n+ <node concept=\"XOnhg\" id=\"2lTt2KMwucf\" role=\"1zc67B\">\n<property role=\"TrG5h\" value=\"ex\" />\n- <node concept=\"nSUau\" id=\"1cGcLVgvSkl\" role=\"1tU5fm\">\n- <node concept=\"3uibUv\" id=\"1cGcLVgvSv$\" role=\"nSUat\">\n+ <node concept=\"nSUau\" id=\"2lTt2KMwucg\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwuch\" role=\"nSUat\">\n<ref role=\"3uigEE\" to=\"2k9e:~FormatException\" resolve=\"FormatException\" />\n</node>\n</node>\n</node>\n- <node concept=\"3clFbS\" id=\"1cGcLVgvSkm\" role=\"1zc67A\">\n- <node concept=\"RRSsy\" id=\"1dOSuFb0kT9\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwuci\" role=\"1zc67A\">\n+ <node concept=\"RRSsy\" id=\"2lTt2KMwucj\" role=\"3cqZAp\">\n<property role=\"RRSoG\" value=\"gZ5fh_4/error\" />\n- <node concept=\"3cpWs3\" id=\"1dOSuFb0lt4\" role=\"RRSoy\">\n- <node concept=\"37vLTw\" id=\"1dOSuFb0lz3\" role=\"3uHU7w\">\n- <ref role=\"3cqZAo\" node=\"1cGcLVgvFrZ\" resolve=\"serialized\" />\n+ <node concept=\"3cpWs3\" id=\"2lTt2KMwuck\" role=\"RRSoy\">\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwucl\" role=\"3uHU7w\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwuc9\" resolve=\"serialized\" />\n</node>\n- <node concept=\"Xl_RD\" id=\"1dOSuFb0kTb\" role=\"3uHU7B\">\n+ <node concept=\"Xl_RD\" id=\"2lTt2KMwucm\" role=\"3uHU7B\">\n<property role=\"Xl_RC\" value=\"Failed to deserialize \" />\n</node>\n</node>\n- <node concept=\"37vLTw\" id=\"1dOSuFb0l81\" role=\"RRSow\">\n- <ref role=\"3cqZAo\" node=\"1cGcLVgvSkk\" resolve=\"ex\" />\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwucn\" role=\"RRSow\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwucf\" resolve=\"ex\" />\n</node>\n</node>\n- <node concept=\"3cpWs6\" id=\"1cGcLVgvSEZ\" role=\"3cqZAp\">\n- <node concept=\"10Nm6u\" id=\"1cGcLVgvSI2\" role=\"3cqZAk\" />\n+ <node concept=\"3cpWs6\" id=\"2lTt2KMwuco\" role=\"3cqZAp\">\n+ <node concept=\"10Nm6u\" id=\"2lTt2KMwucp\" role=\"3cqZAk\" />\n</node>\n</node>\n</node>\n- <node concept=\"3clFbS\" id=\"1cGcLVgvSjQ\" role=\"1zxBo7\">\n- <node concept=\"3cpWs6\" id=\"1cGcLVgvTls\" role=\"3cqZAp\">\n- <node concept=\"1rXfSq\" id=\"1cGcLVgvTlu\" role=\"3cqZAk\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwucq\" role=\"1zxBo7\">\n+ <node concept=\"3cpWs6\" id=\"2lTt2KMwucr\" role=\"3cqZAp\">\n+ <node concept=\"1rXfSq\" id=\"2lTt2KMwucs\" role=\"3cqZAk\">\n<ref role=\"37wK5l\" node=\"3ECE8iPOmg5\" resolve=\"wrap\" />\n- <node concept=\"2YIFZM\" id=\"1cGcLVgvTlv\" role=\"37wK5m\">\n+ <node concept=\"2YIFZM\" id=\"2lTt2KMwuct\" role=\"37wK5m\">\n<ref role=\"1Pybhc\" to=\"vxxo:~SAbstractConceptAdapter\" resolve=\"SAbstractConceptAdapter\" />\n<ref role=\"37wK5l\" to=\"vxxo:~SAbstractConceptAdapter.deserialize(java.lang.String)\" resolve=\"deserialize\" />\n- <node concept=\"37vLTw\" id=\"1cGcLVgvTlw\" role=\"37wK5m\">\n- <ref role=\"3cqZAo\" node=\"1cGcLVgvFrZ\" resolve=\"serialized\" />\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwucu\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwuc9\" resolve=\"serialized\" />\n</node>\n</node>\n</node>\n</node>\n</node>\n</node>\n- <node concept=\"2AHcQZ\" id=\"1cGcLVgvFs4\" role=\"2AJF6D\">\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwucv\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n</node>\n</node>\n</node>\n</node>\n</node>\n- </node>\n- </node>\n- </node>\n- </node>\n- <node concept=\"2tJIrI\" id=\"1dOSuFb0JWi\" role=\"jymVt\" />\n- <node concept=\"2YIFZL\" id=\"1dOSuFb0O_c\" role=\"jymVt\">\n- <property role=\"TrG5h\" value=\"init\" />\n- <node concept=\"3clFbS\" id=\"1dOSuFb0MwZ\" role=\"3clF47\">\n- <node concept=\"3SKdUt\" id=\"1dOSuFb0QuT\" role=\"3cqZAp\">\n- <node concept=\"1PaTwC\" id=\"1dOSuFb0QuU\" role=\"1aUNEU\">\n- <node concept=\"3oM_SD\" id=\"1dOSuFb0QuV\" role=\"1PaTwD\">\n- <property role=\"3oM_SC\" value=\"ensures\" />\n- </node>\n- <node concept=\"3oM_SD\" id=\"1dOSuFb0Qv8\" role=\"1PaTwD\">\n- <property role=\"3oM_SC\" value=\"the\" />\n- </node>\n- <node concept=\"3oM_SD\" id=\"1dOSuFb0Qvb\" role=\"1PaTwD\">\n- <property role=\"3oM_SC\" value=\"static\" />\n- </node>\n- <node concept=\"3oM_SD\" id=\"1dOSuFb0Qvn\" role=\"1PaTwD\">\n- <property role=\"3oM_SC\" value=\"initializer\" />\n- </node>\n- <node concept=\"3oM_SD\" id=\"1dOSuFb0Qv$\" role=\"1PaTwD\">\n- <property role=\"3oM_SC\" value=\"is\" />\n- </node>\n- <node concept=\"3oM_SD\" id=\"1dOSuFb0QvU\" role=\"1PaTwD\">\n- <property role=\"3oM_SC\" value=\"executed\" />\n- </node>\n- </node>\n- </node>\n- </node>\n- <node concept=\"3cqZAl\" id=\"1dOSuFb0MwX\" role=\"3clF45\" />\n- <node concept=\"3Tm1VV\" id=\"1dOSuFb0MwY\" role=\"1B3o_S\" />\n- </node>\n<node concept=\"2tJIrI\" id=\"1m9roGC3zKn\" role=\"jymVt\" />\n<node concept=\"2YIFZL\" id=\"3ECE8iPIttW\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"unwrap\" />\n<node concept=\"312cEu\" id=\"5gTrVpGyZdS\">\n<property role=\"2bfB8j\" value=\"false\" />\n<property role=\"TrG5h\" value=\"SNodeReferenceAdapter\" />\n+ <node concept=\"Wx3nA\" id=\"2lTt2KMwrxP\" role=\"jymVt\">\n+ <property role=\"3TUv4t\" value=\"true\" />\n+ <property role=\"TrG5h\" value=\"SERIALIZER\" />\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwrwS\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwrwT\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"xkhl:~INodeReferenceSerializer\" resolve=\"INodeReferenceSerializer\" />\n+ </node>\n+ <node concept=\"2ShNRf\" id=\"2lTt2KMwrwU\" role=\"33vP2m\">\n+ <node concept=\"YeOm9\" id=\"2lTt2KMwrwV\" role=\"2ShVmc\">\n+ <node concept=\"1Y3b0j\" id=\"2lTt2KMwrwW\" role=\"YeSDq\">\n+ <property role=\"2bfB8j\" value=\"true\" />\n+ <ref role=\"1Y3XeK\" to=\"xkhl:~INodeReferenceSerializer\" resolve=\"INodeReferenceSerializer\" />\n+ <ref role=\"37wK5l\" to=\"wyt6:~Object.<init>()\" resolve=\"Object\" />\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwrwX\" role=\"1B3o_S\" />\n+ <node concept=\"3clFb_\" id=\"2lTt2KMwrwY\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"serialize\" />\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwrwZ\" role=\"1B3o_S\" />\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwrx0\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~Nullable\" resolve=\"Nullable\" />\n+ </node>\n+ <node concept=\"17QB3L\" id=\"2lTt2KMwrx1\" role=\"3clF45\" />\n+ <node concept=\"37vLTG\" id=\"2lTt2KMwrx2\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"ref\" />\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwrx3\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"jks5:~INodeReference\" resolve=\"INodeReference\" />\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwrx4\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwrx5\" role=\"3clF47\">\n+ <node concept=\"3clFbJ\" id=\"2lTt2KMwrx6\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwrx7\" role=\"3clFbx\">\n+ <node concept=\"3cpWs6\" id=\"2lTt2KMwrx8\" role=\"3cqZAp\">\n+ <node concept=\"2YIFZM\" id=\"2lTt2KMwrx9\" role=\"3cqZAk\">\n+ <ref role=\"37wK5l\" to=\"w1kc:~SNodePointer.serialize(org.jetbrains.mps.openapi.model.SNodeReference)\" resolve=\"serialize\" />\n+ <ref role=\"1Pybhc\" to=\"w1kc:~SNodePointer\" resolve=\"SNodePointer\" />\n+ <node concept=\"2OqwBi\" id=\"2lTt2KMwrxa\" role=\"37wK5m\">\n+ <node concept=\"1eOMI4\" id=\"2lTt2KMwrxb\" role=\"2Oq$k0\">\n+ <node concept=\"10QFUN\" id=\"2lTt2KMwrxc\" role=\"1eOMHV\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwrxd\" role=\"10QFUM\">\n+ <ref role=\"3uigEE\" node=\"5gTrVpGyZdS\" resolve=\"SNodeReferenceAdapter\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwrxe\" role=\"10QFUP\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwrx2\" resolve=\"ref\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2OwXpG\" id=\"2lTt2KMwrxf\" role=\"2OqNvi\">\n+ <ref role=\"2Oxat5\" node=\"5gTrVpGz1Wj\" resolve=\"ref\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2ZW3vV\" id=\"2lTt2KMwrxg\" role=\"3clFbw\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwrxh\" role=\"2ZW6by\">\n+ <ref role=\"3uigEE\" node=\"5gTrVpGyZdS\" resolve=\"SNodeReferenceAdapter\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwrxi\" role=\"2ZW6bz\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwrx2\" resolve=\"ref\" />\n+ </node>\n+ </node>\n+ <node concept=\"9aQIb\" id=\"2lTt2KMwrxj\" role=\"9aQIa\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwrxk\" role=\"9aQI4\">\n+ <node concept=\"3cpWs6\" id=\"2lTt2KMwrxl\" role=\"3cqZAp\">\n+ <node concept=\"10Nm6u\" id=\"2lTt2KMwrxm\" role=\"3cqZAk\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwrxn\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ <node concept=\"2tJIrI\" id=\"2lTt2KMwrxo\" role=\"jymVt\" />\n+ <node concept=\"3clFb_\" id=\"2lTt2KMwrxp\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"deserialize\" />\n+ <node concept=\"3Tm1VV\" id=\"2lTt2KMwrxq\" role=\"1B3o_S\" />\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwrxr\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~Nullable\" resolve=\"Nullable\" />\n+ </node>\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwrxs\" role=\"3clF45\">\n+ <ref role=\"3uigEE\" to=\"jks5:~INodeReference\" resolve=\"INodeReference\" />\n+ </node>\n+ <node concept=\"37vLTG\" id=\"2lTt2KMwrxt\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"serialized\" />\n+ <node concept=\"17QB3L\" id=\"2lTt2KMwrxu\" role=\"1tU5fm\" />\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwrxv\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwrxw\" role=\"3clF47\">\n+ <node concept=\"3J1_TO\" id=\"2lTt2KMwrxx\" role=\"3cqZAp\">\n+ <node concept=\"3uVAMA\" id=\"2lTt2KMwrxy\" role=\"1zxBo5\">\n+ <node concept=\"XOnhg\" id=\"2lTt2KMwrxz\" role=\"1zc67B\">\n+ <property role=\"TrG5h\" value=\"ex\" />\n+ <node concept=\"nSUau\" id=\"2lTt2KMwrx$\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"2lTt2KMwrx_\" role=\"nSUat\">\n+ <ref role=\"3uigEE\" to=\"2k9e:~FormatException\" resolve=\"FormatException\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwrxA\" role=\"1zc67A\">\n+ <node concept=\"RRSsy\" id=\"2lTt2KMwrxB\" role=\"3cqZAp\">\n+ <property role=\"RRSoG\" value=\"gZ5fh_4/error\" />\n+ <node concept=\"3cpWs3\" id=\"2lTt2KMwrxC\" role=\"RRSoy\">\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwrxD\" role=\"3uHU7w\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwrxt\" resolve=\"serialized\" />\n+ </node>\n+ <node concept=\"Xl_RD\" id=\"2lTt2KMwrxE\" role=\"3uHU7B\">\n+ <property role=\"Xl_RC\" value=\"Failed to deserialize \" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwrxF\" role=\"RRSow\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwrxz\" resolve=\"ex\" />\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs6\" id=\"2lTt2KMwrxG\" role=\"3cqZAp\">\n+ <node concept=\"10Nm6u\" id=\"2lTt2KMwrxH\" role=\"3cqZAk\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwrxI\" role=\"1zxBo7\">\n+ <node concept=\"3cpWs6\" id=\"2lTt2KMwrxJ\" role=\"3cqZAp\">\n+ <node concept=\"2ShNRf\" id=\"2lTt2KMwrxK\" role=\"3cqZAk\">\n+ <node concept=\"1pGfFk\" id=\"2lTt2KMwrxL\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" node=\"5gTrVpGz3n8\" resolve=\"SNodeReferenceAdapter\" />\n+ <node concept=\"2YIFZM\" id=\"2lTt2KMwrxM\" role=\"37wK5m\">\n+ <ref role=\"37wK5l\" to=\"w1kc:~SNodePointer.deserialize(java.lang.String)\" resolve=\"deserialize\" />\n+ <ref role=\"1Pybhc\" to=\"w1kc:~SNodePointer\" resolve=\"SNodePointer\" />\n+ <node concept=\"37vLTw\" id=\"2lTt2KMwrxN\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"2lTt2KMwrxt\" resolve=\"serialized\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"2lTt2KMwrxO\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2tJIrI\" id=\"6X40W0GCZNu\" role=\"jymVt\" />\n<node concept=\"312cEg\" id=\"5gTrVpGz1Wj\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"ref\" />\n<node concept=\"3Tm6S6\" id=\"5gTrVpGz1Wk\" role=\"1B3o_S\" />\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model/models/org.modelix.model.plugin.mps",
"new_path": "mps/org.modelix.model/models/org.modelix.model.plugin.mps",
"diff": "</languages>\n<imports>\n<import index=\"xxte\" ref=\"r:a79f28f8-6055-40c6-bc5e-47a42a3b97e8(org.modelix.model.mps)\" />\n+ <import index=\"xkhl\" ref=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b/java:org.modelix.model.lazy(org.modelix.model.client/)\" />\n</imports>\n<registry>\n<language id=\"ef7bf5ac-d06c-4342-b11d-e42104eb9343\" name=\"jetbrains.mps.lang.plugin.standalone\">\n<concept id=\"481983775135178851\" name=\"jetbrains.mps.lang.plugin.standalone.structure.ApplicationPluginInitBlock\" flags=\"in\" index=\"2uRRBj\" />\n<concept id=\"481983775135178840\" name=\"jetbrains.mps.lang.plugin.standalone.structure.ApplicationPluginDeclaration\" flags=\"ng\" index=\"2uRRBC\">\n<child id=\"481983775135178842\" name=\"initBlock\" index=\"2uRRBE\" />\n+ <child id=\"481983775135178843\" name=\"disposeBlock\" index=\"2uRRBF\" />\n</concept>\n+ <concept id=\"481983775135178846\" name=\"jetbrains.mps.lang.plugin.standalone.structure.ApplicationPluginDisposeBlock\" flags=\"in\" index=\"2uRRBI\" />\n<concept id=\"7520713872864775836\" name=\"jetbrains.mps.lang.plugin.standalone.structure.StandalonePluginDescriptor\" flags=\"ng\" index=\"2DaZZR\" />\n</language>\n<language id=\"f3061a53-9226-4cc5-a443-f952ceaf5816\" name=\"jetbrains.mps.baseLanguage\">\n+ <concept id=\"1202948039474\" name=\"jetbrains.mps.baseLanguage.structure.InstanceMethodCallOperation\" flags=\"nn\" index=\"liA8E\" />\n+ <concept id=\"1197027756228\" name=\"jetbrains.mps.baseLanguage.structure.DotExpression\" flags=\"nn\" index=\"2OqwBi\">\n+ <child id=\"1197027771414\" name=\"operand\" index=\"2Oq$k0\" />\n+ <child id=\"1197027833540\" name=\"operation\" index=\"2OqNvi\" />\n+ </concept>\n<concept id=\"1137021947720\" name=\"jetbrains.mps.baseLanguage.structure.ConceptFunction\" flags=\"in\" index=\"2VMwT0\">\n<child id=\"1137022507850\" name=\"body\" index=\"2VODD2\" />\n</concept>\n- <concept id=\"1081236700937\" name=\"jetbrains.mps.baseLanguage.structure.StaticMethodCall\" flags=\"nn\" index=\"2YIFZM\">\n- <reference id=\"1144433194310\" name=\"classConcept\" index=\"1Pybhc\" />\n+ <concept id=\"1070533707846\" name=\"jetbrains.mps.baseLanguage.structure.StaticFieldReference\" flags=\"nn\" index=\"10M0yZ\">\n+ <reference id=\"1144433057691\" name=\"classifier\" index=\"1PxDUh\" />\n+ </concept>\n+ <concept id=\"1068498886296\" name=\"jetbrains.mps.baseLanguage.structure.VariableReference\" flags=\"nn\" index=\"37vLTw\">\n+ <reference id=\"1068581517664\" name=\"variableDeclaration\" index=\"3cqZAo\" />\n</concept>\n<concept id=\"1068580123155\" name=\"jetbrains.mps.baseLanguage.structure.ExpressionStatement\" flags=\"nn\" index=\"3clFbF\">\n<child id=\"1068580123156\" name=\"expression\" index=\"3clFbG\" />\n</concept>\n<concept id=\"1204053956946\" name=\"jetbrains.mps.baseLanguage.structure.IMethodCall\" flags=\"ng\" index=\"1ndlxa\">\n<reference id=\"1068499141037\" name=\"baseMethodDeclaration\" index=\"37wK5l\" />\n+ <child id=\"1068499141038\" name=\"actualArgument\" index=\"37wK5m\" />\n</concept>\n</language>\n<language id=\"ceab5195-25ea-4f22-9b92-103b95ca8c0c\" name=\"jetbrains.mps.lang.core\">\n<property role=\"TrG5h\" value=\"ApplicationPlugin\" />\n<node concept=\"2uRRBj\" id=\"1dOSuFb0JB0\" role=\"2uRRBE\">\n<node concept=\"3clFbS\" id=\"1dOSuFb0JB1\" role=\"2VODD2\">\n- <node concept=\"3clFbF\" id=\"1dOSuFb0JKu\" role=\"3cqZAp\">\n- <node concept=\"2YIFZM\" id=\"1dOSuFb0PZv\" role=\"3clFbG\">\n- <ref role=\"37wK5l\" to=\"xxte:1dOSuFb0O_c\" resolve=\"init\" />\n- <ref role=\"1Pybhc\" to=\"xxte:5gTrVpGjuL2\" resolve=\"SConceptAdapter\" />\n+ <node concept=\"3clFbF\" id=\"3QWa2a1DX6L\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"3QWa2a1DXnM\" role=\"3clFbG\">\n+ <node concept=\"10M0yZ\" id=\"3QWa2a1DXi7\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" to=\"xkhl:~INodeReferenceSerializer.Companion\" resolve=\"Companion\" />\n+ <ref role=\"1PxDUh\" to=\"xkhl:~INodeReferenceSerializer\" resolve=\"INodeReferenceSerializer\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"3QWa2a1DXxd\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"xkhl:~INodeReferenceSerializer$Companion.register(org.modelix.model.lazy.INodeReferenceSerializer)\" resolve=\"register\" />\n+ <node concept=\"10M0yZ\" id=\"2lTt2KMwsgL\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" to=\"xxte:2lTt2KMwrxP\" resolve=\"SERIALIZER\" />\n+ <ref role=\"1PxDUh\" to=\"xxte:5gTrVpGyZdS\" resolve=\"SNodeReferenceAdapter\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"4SOqQDg$rv1\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"4SOqQDg$rDL\" role=\"3clFbG\">\n+ <node concept=\"10M0yZ\" id=\"4SOqQDg$ryo\" role=\"2Oq$k0\">\n+ <ref role=\"1PxDUh\" to=\"xkhl:~IConceptSerializer\" resolve=\"IConceptSerializer\" />\n+ <ref role=\"3cqZAo\" to=\"xkhl:~IConceptSerializer.Companion\" resolve=\"Companion\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"4SOqQDg$rJm\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"xkhl:~IConceptSerializer$Companion.register(org.modelix.model.lazy.IConceptSerializer)\" resolve=\"register\" />\n+ <node concept=\"10M0yZ\" id=\"2lTt2KMw_Rm\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" to=\"xxte:2lTt2KMwucw\" resolve=\"SERIALIZER\" />\n+ <ref role=\"1PxDUh\" to=\"xxte:5gTrVpGjuL2\" resolve=\"SConceptAdapter\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2uRRBI\" id=\"2lTt2KMwsxI\" role=\"2uRRBF\">\n+ <node concept=\"3clFbS\" id=\"2lTt2KMwsxJ\" role=\"2VODD2\">\n+ <node concept=\"3clFbF\" id=\"1k1g6j0hQXJ\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"1k1g6j0hQXK\" role=\"3clFbG\">\n+ <node concept=\"10M0yZ\" id=\"1k1g6j0hQXL\" role=\"2Oq$k0\">\n+ <ref role=\"1PxDUh\" to=\"xkhl:~INodeReferenceSerializer\" resolve=\"INodeReferenceSerializer\" />\n+ <ref role=\"3cqZAo\" to=\"xkhl:~INodeReferenceSerializer.Companion\" resolve=\"Companion\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"1k1g6j0hQXM\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"xkhl:~INodeReferenceSerializer$Companion.unregister(org.modelix.model.lazy.INodeReferenceSerializer)\" resolve=\"unregister\" />\n+ <node concept=\"10M0yZ\" id=\"1k1g6j0hQXN\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" to=\"xxte:2lTt2KMwrxP\" resolve=\"SERIALIZER\" />\n+ <ref role=\"1PxDUh\" to=\"xxte:5gTrVpGyZdS\" resolve=\"SNodeReferenceAdapter\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"1k1g6j0hQXO\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"1k1g6j0hQXP\" role=\"3clFbG\">\n+ <node concept=\"10M0yZ\" id=\"1k1g6j0hQXQ\" role=\"2Oq$k0\">\n+ <ref role=\"1PxDUh\" to=\"xkhl:~IConceptSerializer\" resolve=\"IConceptSerializer\" />\n+ <ref role=\"3cqZAo\" to=\"xkhl:~IConceptSerializer.Companion\" resolve=\"Companion\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"1k1g6j0hQXR\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"xkhl:~IConceptSerializer$Companion.unregister(org.modelix.model.lazy.IConceptSerializer)\" resolve=\"unregister\" />\n+ <node concept=\"10M0yZ\" id=\"1k1g6j0hQXS\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" to=\"xxte:2lTt2KMwucw\" resolve=\"SERIALIZER\" />\n+ <ref role=\"1PxDUh\" to=\"xxte:5gTrVpGjuL2\" resolve=\"SConceptAdapter\" />\n+ </node>\n+ </node>\n</node>\n</node>\n</node>\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fixed references to MPS nodes (any reference outside the tree) |
426,496 | 01.09.2020 09:50:35 | -7,200 | 3853ad5f98635343cdd5acd524ce38a0435018fe | fixed the iets3 docker image | [
{
"change_type": "MODIFY",
"old_path": "samples/iets3/build.gradle",
"new_path": "samples/iets3/build.gradle",
"diff": "@@ -15,8 +15,8 @@ buildscript {\n}\n}\n-group 'de.q60.mps.web'\n-description = \"CloudMPS UI server with IETS3 plugins\"\n+group 'org.modelix'\n+description = \"modelix UI server with IETS3 plugins\"\ndefaultTasks 'assemble'\n@@ -65,14 +65,14 @@ configurations {\nlibs\n}\n-ext.mpsVersion = '2019.3.1'\n+ext.mpsVersion = '2020.1.1'\ndependencies {\nant_lib \"org.apache.ant:ant-junit:1.10.1\"\nmps \"com.jetbrains:mps:$mpsVersion\"\n- mpsArtifacts \"de.itemis.mps:extensions:2019.3+\"\n- mpsArtifacts \"com.mbeddr:platform:2019.3+\"\n- mpsArtifacts \"org.iets3:opensource:2019.3+\"\n+ mpsArtifacts \"de.itemis.mps:extensions:2020.1+\"\n+ mpsArtifacts \"com.mbeddr:platform:2020.1+\"\n+ mpsArtifacts \"org.iets3:opensource:2020.1+\"\nlibs \"de.itemis.mps.build.example:javalib:1.0+\"\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "samples/iets3/docker-build.sh",
"new_path": "samples/iets3/docker-build.sh",
"diff": "#!/bin/sh\n-docker build --no-cache -f Dockerfile -t modelix-iets3 .\n\\ No newline at end of file\n+docker build --no-cache -f Dockerfile -t modelix/modelix-iets3 .\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | fixed the iets3 docker image |
426,496 | 01.09.2020 09:51:25 | -7,200 | 585e909289288f607c81d05721e3098fc90c834d | Support for editable models packaged into the docker image (for demo purposes) | [
{
"change_type": "MODIFY",
"old_path": "ui-server/src/main/java/org/modelix/ui/server/Main.java",
"new_path": "ui-server/src/main/java/org/modelix/ui/server/Main.java",
"diff": "@@ -19,6 +19,7 @@ public class Main {\nSystem.out.println(\"env: \" + System.getenv());\nSystem.out.println(\"properties: \" + System.getProperties());\n+ File editableModulesDir = null;\nFile gitRepoDir = null;\nString gitRepoUri = getPropertyOrEnv(\"GIT_REPO_URI\");\n@@ -40,15 +41,22 @@ public class Main {\nSystem.out.println(\"Checkout \" + gitCommitId);\ngit.checkout().setName(gitCommitId).call();\n}\n- Set<File> files = new HashSet<>();\n- System.out.println(\"Searching in \" + gitRepoDir);\n- collectMPSFiles(gitRepoDir, files);\n- files.forEach(f -> System.out.println(\"MPS related file found: \" + f));\n+ editableModulesDir = gitRepoDir;\n+ }\n+ if (editableModulesDir == null) {\n+ File sandboxDir = new File(\"/usr/modelix-ui/sandbox/\");\n+ if (sandboxDir.exists()) editableModulesDir = sandboxDir;\n+ }\n+ if (editableModulesDir != null) {\n+ Set<File> files = new HashSet<>();\n+ System.out.println(\"Searching in \" + editableModulesDir);\n+ collectMPSFiles(editableModulesDir, files);\n+ files.forEach(f -> System.out.println(\"MPS related file found: \" + f));\n}\n- Project mpsProject = EnvironmentLoader.loadEnvironment(gitRepoDir);\n+ Project mpsProject = EnvironmentLoader.loadEnvironment(editableModulesDir);\nLOG.debug(\"idea.load.plugins.id: \" + System.getProperty(\"idea.load.plugins.id\"));\n} catch (Exception ex) {\nLOG.error(\"\", ex);\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Support for editable models packaged into the docker image (for demo purposes) |
426,496 | 01.09.2020 09:52:43 | -7,200 | 4aabe6b62313a4528f50312e0f990a8bb3e301b8 | The client changed a branch without sending the data for the version | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -237,7 +237,7 @@ actual open class ReplicatedTree actual constructor(private val client: IModelCl\nif (initialVersion == null) {\ninitialTree.setValue(CLTree(treeId, client.storeCache!!))\ninitialVersion = createVersion(initialTree.value, arrayOf(), null)\n- client.put(treeId.getBranchKey(branchName), initialVersion.hash)\n+ client.asyncStore!!.put(treeId.getBranchKey(branchName), initialVersion.hash)\n} else {\ninitialTree.setValue(CLTree(initialVersion.treeHash, client.storeCache!!))\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"new_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"diff": "@@ -21,8 +21,11 @@ import java.net.UnknownHostException;\nimport java.nio.charset.StandardCharsets;\nimport java.util.ArrayList;\nimport java.util.HashSet;\n+import java.util.LinkedHashMap;\nimport java.util.List;\n+import java.util.Map;\nimport java.util.Set;\n+import java.util.SortedMap;\nimport java.util.UUID;\nimport java.util.regex.Matcher;\nimport java.util.regex.Pattern;\n@@ -244,13 +247,16 @@ public class RestModelServer {\nreq.getInputStream(), StandardCharsets.UTF_8);\nJSONArray json = new JSONArray(jsonStr);\nint writtenEntries = 0;\n+ Map<String, String> entries = new LinkedHashMap<>();\nfor (Object entry_ : json) {\nJSONObject entry = (JSONObject) entry_;\nString key = entry.getString(\"key\");\nString value = entry.getString(\"value\");\n-\n- putEntry(key, value);\n- storeClient.put(key, value);\n+ entries.put(key, value);\n+ }\n+ entries = sortByDependency(entries);\n+ for (Map.Entry<String, String> entry : entries.entrySet()) {\n+ putEntry(entry.getKey(), entry.getValue());\nwrittenEntries++;\n}\nresp.setStatus(HttpServletResponse.SC_OK);\n@@ -413,21 +419,48 @@ public class RestModelServer {\nentry.put(\"value\", value);\nresult.put(entry);\n- if (value != null) {\n- Matcher matcher = HASH_PATTERN.matcher(value);\n- while (matcher.find()) {\n- String foundKey = matcher.group();\n+ for (String foundKey : extractHashes(value)) {\nif (!processed.contains(foundKey)) {\npending.add(foundKey);\n}\n}\n}\n}\n+\n+ return result;\n}\n+ private List<String> extractHashes(String input) {\n+ List<String> result = new ArrayList<>();\n+ if (input != null) {\n+ Matcher matcher = HASH_PATTERN.matcher(input);\n+ while (matcher.find()) {\n+ result.add(matcher.group());\n+ }\n+ }\nreturn result;\n}\n+ private Map<String, String> sortByDependency(final Map<String, String> unsorted) {\n+ Map<String, String> sorted = new LinkedHashMap<>();\n+ new Object() {\n+ void fill(String key) {\n+ if (sorted.containsKey(key)) return;\n+ String value = unsorted.get(key);\n+ sorted.put(key, value);\n+ for (String referencedKey : extractHashes(value)) {\n+ if (unsorted.containsKey(referencedKey)) fill(referencedKey);\n+ }\n+ }\n+ void fill() {\n+ for (Map.Entry<String, String> entry : unsorted.entrySet()) {\n+ fill(entry.getKey());\n+ }\n+ }\n+ }.fill();\n+ return sorted;\n+ }\n+\nprivate boolean checkAuthorization(\nIStoreClient store, HttpServletRequest req, HttpServletResponse resp)\nthrows IOException {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | The client changed a branch without sending the data for the version |
426,496 | 01.09.2020 09:53:17 | -7,200 | a9b62e1c68dc131e3ac978a5f28a0e1f6c7a286d | include uiproxy in docker-push-hub.sh | [
{
"change_type": "MODIFY",
"old_path": "docker-push-hub.sh",
"new_path": "docker-push-hub.sh",
"diff": "@@ -9,26 +9,31 @@ docker tag modelix/modelix-model:latest \"modelix/modelix-model:${TAG}\"\ndocker tag modelix/modelix-mps:latest \"modelix/modelix-mps:${TAG}\"\ndocker tag modelix/modelix-ui:latest \"modelix/modelix-ui:${TAG}\"\ndocker tag modelix/modelix-proxy:latest \"modelix/modelix-proxy:${TAG}\"\n+docker tag modelix/modelix-uiproxy:latest \"modelix/modelix-uiproxy:${TAG}\"\ndocker push \"modelix/modelix-db:${TAG}\"\ndocker push \"modelix/modelix-model:${TAG}\"\ndocker push \"modelix/modelix-mps:${TAG}\"\ndocker push \"modelix/modelix-ui:${TAG}\"\ndocker push \"modelix/modelix-proxy:${TAG}\"\n+docker push \"modelix/modelix-uiproxy:${TAG}\"\ndocker push \"modelix/modelix-db:latest\"\ndocker push \"modelix/modelix-model:latest\"\ndocker push \"modelix/modelix-mps:latest\"\ndocker push \"modelix/modelix-ui:latest\"\ndocker push \"modelix/modelix-proxy:latest\"\n+docker push \"modelix/modelix-uiproxy:latest\"\necho \"Pushed tag ${TAG}\"\nsed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/local/db-deployment.yaml\n-sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/ui-deployment.yaml\nsed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/model-deployment.yaml\n+sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/ui-deployment.yaml\nsed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/proxy-deployment.yaml\n+sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/uiproxy-deployment.yaml\nrm kubernetes/local/db-deployment.yaml-E\n-rm kubernetes/common/ui-deployment.yaml-E\nrm kubernetes/common/model-deployment.yaml-E\n+rm kubernetes/common/ui-deployment.yaml-E\nrm kubernetes/common/proxy-deployment.yaml-E\n+rm kubernetes/common/uiproxy-deployment.yaml-E\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | include uiproxy in docker-push-hub.sh |
426,496 | 01.09.2020 09:54:21 | -7,200 | 13e56f06d925bc90a6f79e91d2f93c8478cb9d4c | migrated the db-deployment for gcloud to kubernetes 1.6 | [
{
"change_type": "MODIFY",
"old_path": "kubernetes/gcloud/db-deployment.yaml",
"new_path": "kubernetes/gcloud/db-deployment.yaml",
"diff": "-apiVersion: extensions/v1beta1\n+apiVersion: apps/v1\nkind: Deployment\nmetadata:\nannotations:\n@@ -10,6 +10,9 @@ spec:\nreplicas: 1\nstrategy:\ntype: Recreate\n+ selector:\n+ matchLabels:\n+ app: db\ntemplate:\nmetadata:\ncreationTimestamp: null\n@@ -20,7 +23,7 @@ spec:\n- name: cloudsql-proxy\nimage: gcr.io/cloudsql-docker/gce-proxy:1.11\ncommand: [\"/cloud_sql_proxy\",\n- \"-instances=webmps:europe-west3:cloudmps=tcp:0.0.0.0:5432\",\n+ \"-instances=webmps:europe-west3:modelix=tcp:0.0.0.0:5432\",\n\"-credential_file=/secrets/cloudsql/cloudsql.json\"]\nsecurityContext:\nrunAsUser: 2 # non-root user\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | migrated the db-deployment for gcloud to kubernetes 1.6 |
426,496 | 01.09.2020 11:01:25 | -7,200 | e28aef1b1de78923d7031d991f46d14ab3c8ab18 | fixed model-server funtional tests | [
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"new_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"diff": "@@ -250,7 +250,7 @@ public class RestModelServer {\nfor (Object entry_ : json) {\nJSONObject entry = (JSONObject) entry_;\nString key = entry.getString(\"key\");\n- String value = entry.getString(\"value\");\n+ String value = entry.optString(\"value\", null);\nentries.put(key, value);\n}\nentries = sortByDependency(entries);\n@@ -459,8 +459,8 @@ public class RestModelServer {\n}\nvoid fill() {\n- for (Map.Entry<String, String> entry : unsorted.entrySet()) {\n- fill(entry.getKey());\n+ for (String key : unsorted.keySet()) {\n+ fill(key);\n}\n}\n}.fill();\n"
},
{
"change_type": "MODIFY",
"old_path": "model-server/src/test/resources/functionaltests/storing.feature",
"new_path": "model-server/src/test/resources/functionaltests/storing.feature",
"diff": "@@ -52,7 +52,7 @@ Feature: Storing routes\nGiven the server has been started with in-memory storage\nWhen I PUT on \"/putAll\" the value \"[{'value': 'value1', 'key': 'aaa'}, {'key': 'bbb'}, {'value': 'value3', 'key': 'ccc'}]\"\nThen I should get an OK response\n- And the text of the page should be \"2 entries written\"\n+ And the text of the page should be \"3 entries written\"\nScenario: Putting multiple keys\nGiven the server has been started with in-memory storage\n@@ -63,8 +63,8 @@ Feature: Storing routes\nScenario: Get recursively\nGiven the server has been started with in-memory storage\n- And I PUT on \"/put/existingKey\" the value \"hash-0123456789-0123456789-0123456789-00001\"\nAnd I PUT on \"/put/hash-0123456789-0123456789-0123456789-00001\" the value \"bar\"\n+ And I PUT on \"/put/existingKey\" the value \"hash-0123456789-0123456789-0123456789-00001\"\nWhen I visit \"/getRecursively/existingKey\"\nThen I should get an OK response\nAnd the text of the page should be this JSON \"[{'value': 'hash-0123456789-0123456789-0123456789-00001', 'key': 'existingKey'}, {'key': 'hash-0123456789-0123456789-0123456789-00001', 'value': 'bar'}]\"\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | fixed model-server funtional tests |
426,496 | 01.09.2020 11:36:48 | -7,200 | 20185cf6c01470c3d4994d152b58afd35de9a952 | fixed sorting of keys in /putAll | [
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"new_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"diff": "@@ -448,14 +448,16 @@ public class RestModelServer {\nprivate Map<String, String> sortByDependency(final Map<String, String> unsorted) {\nMap<String, String> sorted = new LinkedHashMap<>();\n+ Set<String> processed = new HashSet<>();\nnew Object() {\nvoid fill(String key) {\n- if (sorted.containsKey(key)) return;\n+ if (processed.contains(key)) return;\n+ processed.add(key);\nString value = unsorted.get(key);\n- sorted.put(key, value);\nfor (String referencedKey : extractHashes(value)) {\nif (unsorted.containsKey(referencedKey)) fill(referencedKey);\n}\n+ sorted.put(key, value);\n}\nvoid fill() {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | fixed sorting of keys in /putAll |
426,496 | 01.09.2020 11:40:38 | -7,200 | 56c11a9dd1eadd594e30d424af90771e503b00bf | changed default port of the database to 54333
This is the port used by docker-run-db.sh and when executed in
kubernetes JDBC URL is overriden anyway. | [
{
"change_type": "MODIFY",
"old_path": "doc/running-modelix.md",
"new_path": "doc/running-modelix.md",
"diff": "@@ -16,7 +16,6 @@ Optionally, you can run the model server and connect your MPS to it:\n- install docker: <https://docs.docker.com/get-docker/>\n- `./docker-build-db.sh`\n- `./docker-run-db.sh`\n- - Change the port in [./model-server/src/main/resources/org/modelix/model/server/database.properties](./model-server/src/main/resources/org/modelix/model/server/database.properties) from 5432 to 54333\n- option 2: use your own PostgreSQL server\n- check the file [./db/initdb.sql](./db/initdb.sql) for the required schema\n- adjust the connection properties in [./model-server/src/main/resources/org/modelix/model/server/database.properties](./model-server/src/main/resources/org/modelix/model/server/database.properties)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/resources/org/modelix/model/server/database.properties",
"new_path": "model-server/src/main/resources/org/modelix/model/server/database.properties",
"diff": "jdbc.driver=org.postgresql.Driver\n-jdbc.url=jdbc:postgresql://localhost:5432/\n+jdbc.url=jdbc:postgresql://localhost:54333/\njdbc.schema=modelix\njdbc.user=modelix\njdbc.pw=modelix\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | changed default port of the database to 54333
This is the port used by docker-run-db.sh and when executed in
kubernetes JDBC URL is overriden anyway. |
426,496 | 01.09.2020 12:40:44 | -7,200 | 626b300a0dcf6ec4d79ffe29b4bcaa1037215836 | Update docker image versions to the latest ones available on docker hub | [
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/model-deployment.yaml",
"new_path": "kubernetes/common/model-deployment.yaml",
"diff": "@@ -27,7 +27,7 @@ spec:\n- env:\n- name: jdbc_url\nvalue: jdbc:postgresql://db:5432/\n- image: modelix/modelix-model:202006191556\n+ image: modelix/modelix-model:202009011201\nimagePullPolicy: IfNotPresent\nname: model\nports:\n"
},
{
"change_type": "DELETE",
"old_path": "kubernetes/common/pgadmin-deployment.yaml",
"new_path": null,
"diff": "-apiVersion: apps/v1\n-kind: Deployment\n-metadata:\n- annotations:\n- creationTimestamp: null\n- labels:\n- app: pgadmin\n- name: pgadmin\n-spec:\n- replicas: 1\n- strategy: {}\n- selector:\n- matchLabels:\n- app: pgadmin\n- template:\n- metadata:\n- creationTimestamp: null\n- labels:\n- app: pgadmin\n- spec:\n- containers:\n- - env:\n- - name: DEFAULT_USER\n- value: modelix\n- - name: DEFAULT_PASSWORD\n- value: modelix\n- image: fenglc/pgadmin4\n- imagePullPolicy: IfNotPresent\n- name: pgadmin\n- ports:\n- - containerPort: 5050\n- resources: {}\n- readinessProbe:\n- tcpSocket:\n- port: 5050\n- initialDelaySeconds: 1\n- periodSeconds: 3\n- failureThreshold: 20\n- livenessProbe:\n- tcpSocket:\n- port: 5050\n- initialDelaySeconds: 60\n- periodSeconds: 10\n- restartPolicy: Always\n-status: {}\n-\n-\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/proxy-deployment.yaml",
"new_path": "kubernetes/common/proxy-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: proxy\n- image: modelix/modelix-proxy:202006191556\n+ image: modelix/modelix-proxy:202009011201\nimagePullPolicy: IfNotPresent\nenv:\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/ui-deployment.yaml",
"new_path": "kubernetes/common/ui-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: ui\n- image: modelix/modelix-ui:202006191556\n+ image: modelix/modelix-ui:202009011201\nimagePullPolicy: IfNotPresent\nenv:\n- name: MODEL_URI\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/uiproxy-deployment.yaml",
"new_path": "kubernetes/common/uiproxy-deployment.yaml",
"diff": "@@ -23,7 +23,7 @@ spec:\nspec:\nserviceAccountName: uiproxy\ncontainers:\n- - image: modelix/modelix-uiproxy:202006191556\n+ - image: modelix/modelix-uiproxy:202009011201\nimagePullPolicy: IfNotPresent\nname: uiproxy\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/local/db-deployment.yaml",
"new_path": "kubernetes/local/db-deployment.yaml",
"diff": "@@ -29,7 +29,7 @@ spec:\nvalue: modelix\n- name: PGDATA\nvalue: /var/lib/postgresql/data/pgdata\n- image: modelix/modelix-db:202006191556\n+ image: modelix/modelix-db:202009011201\nimagePullPolicy: IfNotPresent\nname: db\nresources: {}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Update docker image versions to the latest ones available on docker hub |
426,496 | 01.09.2020 14:50:18 | -7,200 | 0e5c5b79c882b9df2329b0b41724099d99b06675 | clients were able to access the model server without authorization
No login is required for client from a local network, but it was also
possible for other clients. | [
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/model-deployment.yaml",
"new_path": "kubernetes/common/model-deployment.yaml",
"diff": "@@ -27,7 +27,7 @@ spec:\n- env:\n- name: jdbc_url\nvalue: jdbc:postgresql://db:5432/\n- image: modelix/modelix-model:202009011201\n+ image: modelix/modelix-model:202009011358\nimagePullPolicy: IfNotPresent\nname: model\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/RestWebModelClient.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/RestWebModelClient.kt",
"diff": "@@ -51,7 +51,7 @@ import kotlin.collections.ArrayList\nimport kotlin.collections.HashMap\nimport kotlin.collections.LinkedHashMap\n-class RestWebModelClient @JvmOverloads constructor(var baseUrl: String? = null) : IModelClient {\n+class RestWebModelClient @JvmOverloads constructor(var baseUrl: String? = null, authToken_: String? = null) : IModelClient {\ncompanion object {\nprivate val LOG = LogManager.getLogger(RestWebModelClient::class.java)\nconst val MODEL_URI_VAR_NAME = \"MODEL_URI\"\n@@ -109,7 +109,7 @@ class RestWebModelClient @JvmOverloads constructor(var baseUrl: String? = null)\noverride lateinit var idGenerator: IIdGenerator\nprivate set\nprivate val watchDogTask: ScheduledFuture<*>\n- private var authToken = defaultToken\n+ private var authToken = authToken_ ?: defaultToken\nfun dispose() {\nwatchDogTask.cancel(false)\n@@ -211,12 +211,10 @@ class RestWebModelClient @JvmOverloads constructor(var baseUrl: String? = null)\n}\n}\nval url = baseUrl + \"put/\" + URLEncoder.encode(key, StandardCharsets.UTF_8)\n- println(\"put with url $url\")\ntry {\nval response = client.target(url).request(MediaType.TEXT_PLAIN).put(Entity.text(value))\n- println(\"put with url $url got response $response\")\nif (response.statusInfo.family != Response.Status.Family.SUCCESSFUL) {\n- throw RuntimeException(\"Failed to store entry (${response.statusInfo} ${response.status}) $key = $value. URL: $url\")\n+ throw RuntimeException(\"Failed to store entry (${response.statusInfo} ${response.status}) $key = $value. \" + response.readEntity(String::class.java))\n}\n} catch (e: Exception) {\nthrow RuntimeException(\"Failed executing a put to $url\", e)\n@@ -228,14 +226,16 @@ class RestWebModelClient @JvmOverloads constructor(var baseUrl: String? = null)\nif (LOG.isDebugEnabled) {\nLOG.debug(\"PUT batch of \" + json.length() + \" entries\")\n}\n- val response = client.target(baseUrl + \"putAll\").request(MediaType.APPLICATION_JSON).put(Entity.text(json.toString()))\n+ val response = client.target(baseUrl + \"putAll\").request(MediaType.TEXT_PLAIN).put(Entity.text(json.toString()))\nif (response.statusInfo.family != Response.Status.Family.SUCCESSFUL) {\n+\nthrow RuntimeException(\nString.format(\n- \"Failed to store %d entries (%s) %s\",\n+ \"Failed to store %d entries (%s) %s: %s\",\nentries.size,\nresponse.statusInfo,\n- entries.entries.stream().map { e: Map.Entry<String?, String?> -> e.key.toString() + \" = \" + e.value + \", ...\" }.findFirst().orElse(\"\")\n+ entries.entries.stream().map { e: Map.Entry<String?, String?> -> e.key.toString() + \" = \" + e.value + \", ...\" }.findFirst().orElse(\"\"),\n+ response.readEntity(String::class.java)\n)\n)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"new_path": "model-server/src/main/java/org/modelix/model/server/RestModelServer.java",
"diff": "@@ -20,14 +20,18 @@ import java.net.InetAddress;\nimport java.net.UnknownHostException;\nimport java.nio.charset.StandardCharsets;\nimport java.util.ArrayList;\n+import java.util.Collections;\nimport java.util.HashSet;\nimport java.util.LinkedHashMap;\nimport java.util.List;\nimport java.util.Map;\n+import java.util.Objects;\nimport java.util.Set;\nimport java.util.UUID;\nimport java.util.regex.Matcher;\nimport java.util.regex.Pattern;\n+import java.util.stream.Collectors;\n+import java.util.stream.Stream;\nimport javax.servlet.ServletException;\nimport javax.servlet.ServletRequest;\nimport javax.servlet.http.HttpServlet;\n@@ -100,6 +104,27 @@ public class RestModelServer {\n}),\n\"/health\");\n+ servletHandler.addServlet(\n+ new ServletHolder(\n+ new HttpServlet() {\n+ private String HEALTH_KEY = PROTECTED_PREFIX + \"health2\";\n+\n+ @Override\n+ protected void doGet(HttpServletRequest req, HttpServletResponse resp)\n+ throws ServletException, IOException {\n+ resp.setStatus(HttpServletResponse.SC_OK);\n+ resp.setContentType(TEXT_PLAIN);\n+\n+ for (String headerName : Collections.list(req.getHeaderNames())) {\n+ resp.getWriter().print(headerName);\n+ resp.getWriter().print(\": \");\n+ resp.getWriter().println(req.getHeader(headerName));\n+ }\n+\n+ }\n+ }),\n+ \"/headers\");\n+\nservletHandler.addServlet(\nnew ServletHolder(\nnew HttpServlet() {\n@@ -483,7 +508,9 @@ public class RestModelServer {\n}\nprivate boolean isValidAuthorization(IStoreClient store, HttpServletRequest req) {\n- if (isTrustedAddress(req)) return true;\n+ if (isTrustedAddress(req)\n+ && parseXForwardedFor(req.getHeader(\"X-Forwarded-For\")).stream()\n+ .allMatch(RestModelServer::isTrustedAddress)) return true;\nString header = req.getHeader(\"Authorization\");\nif (header == null) {\n@@ -512,18 +539,37 @@ public class RestModelServer {\nreturn true;\n}\n+ private static List<InetAddress> parseXForwardedFor(String value) {\n+ List<InetAddress> result = new ArrayList<>();\n+ if (value != null) {\n+ return Stream.of(value.split(\",\")).map(v -> {\n+ try {\n+ return InetAddress.getByName(v.trim());\n+ } catch (UnknownHostException e) {\n+ LOG.warn(\"Failed to parse IP address: \" + v, e);\n+ return null;\n+ }\n+ }).filter(Objects::nonNull).collect(Collectors.toList());\n+ }\n+ return result;\n+ }\n+\nprivate static boolean isTrustedAddress(ServletRequest req) {\ntry {\nInetAddress addr = InetAddress.getByName(req.getRemoteAddr());\n- return addr.isLoopbackAddress()\n- || addr.isLinkLocalAddress()\n- || addr.isSiteLocalAddress();\n+ return isTrustedAddress(addr);\n} catch (UnknownHostException e) {\nLOG.error(\"\", e);\nreturn false;\n}\n}\n+ private static boolean isTrustedAddress(InetAddress addr) {\n+ return addr.isLoopbackAddress()\n+ || addr.isLinkLocalAddress()\n+ || addr.isSiteLocalAddress();\n+ }\n+\nprivate static String extractToken(HttpServletRequest req) {\nString header = req.getHeader(\"Authorization\");\nif (header == null) return null;\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"diff": "<node concept=\"37vLTI\" id=\"2EzI5qKrki7\" role=\"3clFbG\">\n<node concept=\"2ShNRf\" id=\"2EzI5qKrki8\" role=\"37vLTx\">\n<node concept=\"1pGfFk\" id=\"2EzI5qKrki9\" role=\"2ShVmc\">\n- <ref role=\"37wK5l\" to=\"5440:~RestWebModelClient.<init>(java.lang.String)\" resolve=\"RestWebModelClient\" />\n+ <ref role=\"37wK5l\" to=\"5440:~RestWebModelClient.<init>(java.lang.String,java.lang.String)\" resolve=\"RestWebModelClient\" />\n<node concept=\"37vLTw\" id=\"2EzI5qKrkia\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"6aRQr1WPbDO\" resolve=\"baseUrl\" />\n</node>\n+ <node concept=\"37vLTw\" id=\"4DbirjtxD0V\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"2EzI5qKmJsA\" resolve=\"authToken\" />\n+ </node>\n</node>\n</node>\n<node concept=\"37vLTw\" id=\"2EzI5qKrkib\" role=\"37vLTJ\">\n<node concept=\"10Nm6u\" id=\"2EzI5qKn8DK\" role=\"3uHU7w\" />\n</node>\n</node>\n- <node concept=\"3clFbJ\" id=\"2EzI5qKmSeM\" role=\"3cqZAp\">\n- <node concept=\"3clFbS\" id=\"2EzI5qKmSeO\" role=\"3clFbx\">\n- <node concept=\"3clFbF\" id=\"2EzI5qKmOO_\" role=\"3cqZAp\">\n- <node concept=\"2OqwBi\" id=\"2EzI5qKmPCV\" role=\"3clFbG\">\n- <node concept=\"37vLTw\" id=\"2EzI5qKmOOz\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" node=\"6aRQr1WVnku\" resolve=\"client\" />\n- </node>\n- <node concept=\"liA8E\" id=\"2EzI5qKmQjy\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"5440:~RestWebModelClient.setAuthToken(java.lang.String)\" resolve=\"setAuthToken\" />\n- <node concept=\"37vLTw\" id=\"2EzI5qKmRcJ\" role=\"37wK5m\">\n- <ref role=\"3cqZAo\" node=\"2EzI5qKmJsA\" resolve=\"authToken\" />\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- <node concept=\"3y3z36\" id=\"2EzI5qKmTTf\" role=\"3clFbw\">\n- <node concept=\"10Nm6u\" id=\"2EzI5qKmU4X\" role=\"3uHU7w\" />\n- <node concept=\"37vLTw\" id=\"2EzI5qKmTcp\" role=\"3uHU7B\">\n- <ref role=\"3cqZAo\" node=\"2EzI5qKmJsA\" resolve=\"authToken\" />\n- </node>\n- </node>\n- </node>\n<node concept=\"3clFbF\" id=\"4rrX99oearq\" role=\"3cqZAp\">\n<node concept=\"37vLTI\" id=\"4rrX99oeb88\" role=\"3clFbG\">\n<node concept=\"37vLTw\" id=\"4rrX99oearo\" role=\"37vLTJ\">\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | clients were able to access the model server without authorization
No login is required for client from a local network, but it was also
possible for other clients. |
426,496 | 01.09.2020 15:26:54 | -7,200 | 4b4cb5b7ebe30421c8c5280bcb766f59175fd399 | detached nodes weren't deleted at the end of an MPS write action | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ActiveBranch.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ActiveBranch.kt",
"diff": "@@ -71,7 +71,7 @@ open class ActiveBranch(client: IModelClient, tree: TreeId, branchName: String?,\nbranchName = name\nreplicatedTree!!.branch.removeListener(forwardingListener)\nreplicatedTree!!.dispose()\n- replicatedTree = ReplicatedTree(client, tree, branchName!!, user)\n+ replicatedTree = createReplicatedTree(client, tree, branchName!!, user)\nreplicatedTree!!.branch.addListener(forwardingListener)\nval b = replicatedTree!!.branch\nval newTree = b.computeRead { b.transaction.tree }\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"diff": "<node concept=\"3clFbF\" id=\"6aRQr1X2cnS\" role=\"3cqZAp\">\n<node concept=\"37vLTI\" id=\"6aRQr1X2cuN\" role=\"3clFbG\">\n<node concept=\"2ShNRf\" id=\"6aRQr1X2cQB\" role=\"37vLTx\">\n- <node concept=\"1pGfFk\" id=\"6aRQr1X2cEg\" role=\"2ShVmc\">\n+ <node concept=\"YeOm9\" id=\"7IyD6pkwvJ1\" role=\"2ShVmc\">\n+ <node concept=\"1Y3b0j\" id=\"7IyD6pkwvJ4\" role=\"YeSDq\">\n+ <property role=\"2bfB8j\" value=\"true\" />\n<ref role=\"37wK5l\" to=\"5440:~ActiveBranch.<init>(org.modelix.model.client.IModelClient,org.modelix.model.lazy.TreeId,java.lang.String,kotlin.jvm.functions.Function0)\" resolve=\"ActiveBranch\" />\n+ <ref role=\"1Y3XeK\" to=\"5440:~ActiveBranch\" resolve=\"ActiveBranch\" />\n+ <node concept=\"3Tm1VV\" id=\"7IyD6pkwvJ5\" role=\"1B3o_S\" />\n<node concept=\"37vLTw\" id=\"6aRQr1X2d2U\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"6aRQr1WVnku\" resolve=\"client\" />\n</node>\n</node>\n</node>\n</node>\n+ <node concept=\"3clFb_\" id=\"7IyD6pkwvXO\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"createReplicatedTree\" />\n+ <node concept=\"3Tmbuc\" id=\"7IyD6pkwvXP\" role=\"1B3o_S\" />\n+ <node concept=\"2AHcQZ\" id=\"7IyD6pkwvXR\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ <node concept=\"3uibUv\" id=\"7IyD6pkwvXS\" role=\"3clF45\">\n+ <ref role=\"3uigEE\" to=\"5440:~ReplicatedTree\" resolve=\"ReplicatedTree\" />\n+ </node>\n+ <node concept=\"37vLTG\" id=\"7IyD6pkwvXT\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"client\" />\n+ <node concept=\"3uibUv\" id=\"7IyD6pkwvXU\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"5440:~IModelClient\" resolve=\"IModelClient\" />\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"7IyD6pkwvXV\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTG\" id=\"7IyD6pkwvXW\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"treeId\" />\n+ <node concept=\"3uibUv\" id=\"7IyD6pkwvXX\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"xkhl:~TreeId\" resolve=\"TreeId\" />\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"7IyD6pkwvXY\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTG\" id=\"7IyD6pkwvXZ\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"branchName\" />\n+ <node concept=\"17QB3L\" id=\"7IyD6pkx22Q\" role=\"1tU5fm\" />\n+ <node concept=\"2AHcQZ\" id=\"7IyD6pkwvY1\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTG\" id=\"7IyD6pkwvY2\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"user\" />\n+ <node concept=\"3uibUv\" id=\"7IyD6pkwvY3\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"ouht:~Function0\" resolve=\"Function0\" />\n+ <node concept=\"17QB3L\" id=\"7IyD6pkx2ok\" role=\"11_B2D\" />\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"7IyD6pkwvY5\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"mhfm:~NotNull\" resolve=\"NotNull\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"7IyD6pkwvY7\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"7IyD6pkwMW4\" role=\"3cqZAp\">\n+ <node concept=\"2ShNRf\" id=\"7IyD6pkwMW0\" role=\"3clFbG\">\n+ <node concept=\"1pGfFk\" id=\"7IyD6pkwY3r\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" node=\"6aRQr1WXtj7\" resolve=\"MpsReplicatedTree\" />\n+ <node concept=\"37vLTw\" id=\"7IyD6pkwY7W\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"7IyD6pkwvXT\" resolve=\"client\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"7IyD6pkwY7X\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"7IyD6pkwvXW\" resolve=\"treeId\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"7IyD6pkwY7Y\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"7IyD6pkwvXZ\" resolve=\"branchName\" />\n+ </node>\n+ <node concept=\"1bVj0M\" id=\"7IyD6pkwZVa\" role=\"37wK5m\">\n+ <node concept=\"3clFbS\" id=\"7IyD6pkwZVc\" role=\"1bW5cS\">\n+ <node concept=\"3clFbF\" id=\"7IyD6pkx0_s\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"7IyD6pkx1s2\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"7IyD6pkx0_r\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"7IyD6pkwvY2\" resolve=\"user\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"7IyD6pkx1Ua\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"ouht:~Function0.invoke()\" resolve=\"invoke\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"7IyD6pkwvY8\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ </node>\n</node>\n</node>\n<node concept=\"37vLTw\" id=\"6aRQr1X2cnQ\" role=\"37vLTJ\">\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | detached nodes weren't deleted at the end of an MPS write action |
426,496 | 29.08.2020 08:48:17 | -7,200 | cde76d6acc3998ed863d3d2ae5bde5b89000a0c0 | The inverse of DeleteNodeOp also has to set properties and references
And not just add the node back | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/ITransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/ITransaction.kt",
"diff": "@@ -26,4 +26,6 @@ interface ITransaction {\nfun getReferenceTarget(sourceId: Long, role: String): INodeReference?\nfun getChildren(parentId: Long, role: String?): Iterable<Long>\nfun getAllChildren(parentId: Long): Iterable<Long>\n+ fun getReferenceRoles(sourceId: Long): Iterable<String>\n+ fun getPropertyRoles(sourceId: Long): Iterable<String>\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/Transaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/api/Transaction.kt",
"diff": "@@ -17,35 +17,15 @@ package org.modelix.model.api\nabstract class Transaction(override val branch: IBranch) : ITransaction {\n- override fun containsNode(nodeId: Long): Boolean {\n- return tree.containsNode(nodeId)\n- }\n-\n- override fun getConcept(nodeId: Long): IConcept? {\n- return tree.getConcept(nodeId)\n- }\n-\n- override fun getParent(nodeId: Long): Long {\n- return tree.getParent(nodeId)\n- }\n-\n- override fun getRole(nodeId: Long): String? {\n- return tree.getRole(nodeId)\n- }\n-\n- override fun getProperty(nodeId: Long, role: String): String? {\n- return tree.getProperty(nodeId, role)\n- }\n-\n- override fun getReferenceTarget(sourceId: Long, role: String): INodeReference? {\n- return tree.getReferenceTarget(sourceId, role)\n- }\n-\n- override fun getChildren(parentId: Long, role: String?): Iterable<Long> {\n- return tree.getChildren(parentId, role)\n- }\n-\n- override fun getAllChildren(parentId: Long): Iterable<Long> {\n- return tree.getAllChildren(parentId)\n- }\n+ override fun containsNode(nodeId: Long): Boolean = tree.containsNode(nodeId)\n+ override fun getConcept(nodeId: Long): IConcept? = tree.getConcept(nodeId)\n+ override fun getParent(nodeId: Long): Long = tree.getParent(nodeId)\n+ override fun getRole(nodeId: Long): String? = tree.getRole(nodeId)\n+ override fun getProperty(nodeId: Long, role: String): String? = tree.getProperty(nodeId, role)\n+ override fun getReferenceTarget(sourceId: Long, role: String): INodeReference? =\n+ tree.getReferenceTarget(sourceId, role)\n+ override fun getChildren(parentId: Long, role: String?): Iterable<Long> = tree.getChildren(parentId, role)\n+ override fun getAllChildren(parentId: Long): Iterable<Long> = tree.getAllChildren(parentId)\n+ override fun getReferenceRoles(sourceId: Long): Iterable<String> = tree.getReferenceRoles(sourceId)\n+ override fun getPropertyRoles(sourceId: Long): Iterable<String> = tree.getPropertyRoles(sourceId)\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/AddNewChildOp.kt",
"diff": "@@ -42,8 +42,8 @@ class AddNewChildOp(val position: PositionInRole, val childId: Long, val concept\ninner class Applied : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@AddNewChildOp\n- override fun invert(): IOperation {\n- return DeleteNodeOp(childId)\n+ override fun invert(): List<IOperation> {\n+ return listOf(DeleteNodeOp(childId))\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/DeleteNodeOp.kt",
"diff": "package org.modelix.model.operations\nimport org.modelix.model.api.IConcept\n+import org.modelix.model.api.INodeReference\nimport org.modelix.model.api.ITree\nimport org.modelix.model.api.IWriteTransaction\nimport org.modelix.model.persistent.SerializationUtil\nclass DeleteNodeOp(val childId: Long) : AbstractOperation(), IOperationIntend {\n- override fun apply(transaction: IWriteTransaction): IAppliedOperation {\n- if (transaction.getAllChildren(childId).count() != 0) {\n+ override fun apply(t: IWriteTransaction): IAppliedOperation {\n+ if (t.getAllChildren(childId).count() != 0) {\nthrow RuntimeException(\"Attempt to delete non-leaf node: ${childId.toString(16)}\")\n}\n- val concept = transaction.getConcept(childId)\n- val position = getNodePosition(transaction.tree, childId)\n- transaction.deleteNode(childId)\n- return Applied(position, concept)\n+ val concept = t.getConcept(childId)\n+ val position = getNodePosition(t.tree, childId)\n+ val properties = t.getPropertyRoles(childId).associateWith { t.getProperty(childId, it) }\n+ val references = t.getReferenceRoles(childId).associateWith { t.getReferenceTarget(childId, it) }\n+ t.deleteNode(childId)\n+ return Applied(position, concept, properties, references)\n}\noverride fun toString(): String {\n@@ -60,11 +63,18 @@ class DeleteNodeOp(val childId: Long) : AbstractOperation(), IOperationIntend {\noverride fun getOriginalOp() = this\n- inner class Applied(val position: PositionInRole, private val concept: IConcept?) : AbstractOperation.Applied(), IAppliedOperation {\n+ inner class Applied(\n+ val position: PositionInRole,\n+ val concept: IConcept?,\n+ val properties: Map<String, String?>,\n+ val references: Map<String, INodeReference?>\n+ ) : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@DeleteNodeOp\n- override fun invert(): IOperation {\n- return AddNewChildOp(position, childId, concept)\n+ override fun invert(): List<IOperation> {\n+ return listOf(AddNewChildOp(position, childId, concept)) +\n+ properties.map { SetPropertyOp(childId, it.key, it.value) } +\n+ references.map { SetReferenceOp(childId, it.key, it.value) }\n}\noverride fun toString(): String {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IAppliedOperation.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/IAppliedOperation.kt",
"diff": "@@ -17,5 +17,5 @@ package org.modelix.model.operations\ninterface IAppliedOperation {\nfun getOriginalOp(): IOperation\n- fun invert(): IOperation\n+ fun invert(): List<IOperation>\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/MoveNodeOp.kt",
"diff": "@@ -44,8 +44,8 @@ class MoveNodeOp(val childId: Long, val targetPosition: PositionInRole) : Abstra\ninner class Applied(val sourcePosition: PositionInRole) : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@MoveNodeOp\n- override fun invert(): IOperation {\n- return MoveNodeOp(childId, sourcePosition)\n+ override fun invert(): List<IOperation> {\n+ return listOf(MoveNodeOp(childId, sourcePosition))\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/NoOp.kt",
"diff": "@@ -23,8 +23,8 @@ class NoOp : AbstractOperation(), IAppliedOperation, IOperationIntend {\nreturn this\n}\n- override fun invert(): IOperation {\n- return this\n+ override fun invert(): List<IOperation> {\n+ return listOf(this)\n}\noverride fun toString(): String {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -111,6 +111,14 @@ class OTWriteTransaction(private val transaction: IWriteTransaction, private val\nreturn transaction.getRole(nodeId)\n}\n+ override fun getReferenceRoles(sourceId: Long): Iterable<String> {\n+ return transaction.getReferenceRoles(sourceId)\n+ }\n+\n+ override fun getPropertyRoles(sourceId: Long): Iterable<String> {\n+ return transaction.getPropertyRoles(sourceId)\n+ }\n+\noverride var tree: ITree\nget() = transaction.tree\nset(tree) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetPropertyOp.kt",
"diff": "@@ -41,8 +41,8 @@ class SetPropertyOp(val nodeId: Long, val role: String, val value: String?) : Ab\ninner class Applied(private val oldValue: String?) : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@SetPropertyOp\n- override fun invert(): IOperation {\n- return SetPropertyOp(nodeId, role, oldValue)\n+ override fun invert(): List<IOperation> {\n+ return listOf(SetPropertyOp(nodeId, role, oldValue))\n}\noverride fun toString(): String {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/SetReferenceOp.kt",
"diff": "@@ -42,8 +42,8 @@ class SetReferenceOp(val sourceId: Long, val role: String, val target: INodeRefe\ninner class Applied(private val oldValue: INodeReference?) : AbstractOperation.Applied(), IAppliedOperation {\noverride fun getOriginalOp() = this@SetReferenceOp\n- override fun invert(): IOperation {\n- return SetReferenceOp(sourceId, role, oldValue)\n+ override fun invert(): List<IOperation> {\n+ return listOf(SetReferenceOp(sourceId, role, oldValue))\n}\noverride fun toString(): String {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | The inverse of DeleteNodeOp also has to set properties and references
And not just add the node back |
426,503 | 03.09.2020 12:00:27 | -7,200 | 714a2e881c2ef99521ecc21d14840dfb702e1d65 | Fix URL for custom textual editor. | [
{
"change_type": "MODIFY",
"old_path": "doc/samples.md",
"new_path": "doc/samples.md",
"diff": "@@ -18,5 +18,5 @@ This sample showcases the situation where you define a custom editor for your la\n- open the `org.modelix` project in the `mps` folder of the repo to make sure the web server runs\n- and also start the database and the model server (see [Running Modelix](https://github.com/modelix/modelix/wiki/Running-Modelix))\n- open the project in the `samples/entities` folder in a second MPS window\n-- point your browser here: http://localhost:33333/modelAsHtml?modelRef=r%3A5d56df86-9b89-40e7-a17f-675bb0dc9ae2%28org.modelix.samples.entities.sandbox%29\n-- click on one of the entities to see the textual editor\n+- point your browser here: http://localhost:33333/entities\n+- click on one of the entities to see the custom textual editor for all entity nodes in your MPS workspace\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fix URL for custom textual editor. |
426,503 | 03.09.2020 12:05:36 | -7,200 | 6f9db6fc16c0c5f261969ed4119afb9caecdbcc4 | Fix link to samples page. | [
{
"change_type": "MODIFY",
"old_path": "doc/tutorials.md",
"new_path": "doc/tutorials.md",
"diff": "# Hello Entities\n-Open the entities sample as explained on the [samples](https://github.com/modelix/modelix/wiki/Samples) page.\n+Open the entities sample as explained on the [samples](https://github.com/modelix/modelix/blob/master/doc/samples.md) page.\nThis sample uses a custom notation for entities designed for the web. To this end, it uses a new notation definition language. It is defined in the `web` aspect of the `org.modelix.samples.entities` language. If you open this aspect, you will find a `Notation` module. Double click to edit. Here is the URL to this node: http://127.0.0.1:63320/node?ref=r%3Ac375c783-4874-43af-8c53-f088cba95e74%28org.modelix.samples.entities.web%29%2F7759120791677832452\n@@ -10,9 +10,9 @@ The simplest possible change is modifying the keyword of an `Entity`. Currently\n## Adding a `public` flag\n-A possible extension of the entities language is to be able to mark properties as `public`, optionally. If you look in the rotation definition at the initializer of the `Property`, then you will see that the notation language includes many ideas from the grammar cells extension for MPS. It also has direct support for flags where a particular keyword is shown if the flag is true and nothing otherwise.\n+A possible extension of the entities language is to be able to mark properties as `public`, optionally. If you look in the notation definition at the initializer of the `Property`, then you will see that the notation language includes many ideas from the grammar cells extension for MPS. It also has direct support for flags where a particular keyword is shown if the flag is true and nothing otherwise.\n-To add the `public` flag, first go to the `Structure` aspect of the language at at a Boolean `public` property to the concept `Property`. Notice that this is of course the normal MPS structure aspect, modelix does not change that. You can now go back to the notation, press `Shift-Enter` on the name of the property, press `control-space`, select the `flag` cell, at select the `public` property:\n+To add the `public` flag, first go to the `Structure` aspect of the language at at a Boolean `public` property to the concept `Property`. Notice that this is of course the normal MPS structure aspect, modelix does not change that. You can now go back to the notation, press `Shift-Enter` on the name of the property, press `control-space`, select the `flag` cell, and finally select the `public` property:\n`notation Property : [ flag/public name : type ? [ = initializer ] ]`\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fix link to samples page. |
426,503 | 03.09.2020 12:38:37 | -7,200 | f08b5639ebd70268ee1ec0848b7c6f8060ca1fb2 | Add remarks on how to populate a model-server model with new root nodes. | [
{
"change_type": "MODIFY",
"old_path": "doc/running-modelix.md",
"new_path": "doc/running-modelix.md",
"diff": "@@ -29,7 +29,9 @@ Optionally, you can run the model server and connect your MPS to it:\n- navigate to \"default tree (default)\" > \"data [master]\" > \"ROOT #1\" and choose \"Add Module\" from the context menu\n- add a model to that module using the context menu\n- choose \"Bind to Transient Module\" from the context menu of the module\n- - you should now see that module at the end in the \"Project\" view\n+ - you should now see that module and the new model in the \"Cloud\" section at the end in the \"Project\" view\n+ - open the \"Model Properties\" of the new model and add at least one language dependency\n+ - now you are able to add new root nodes to the model from the MPS \"Project\" view\n## Running with minikube\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Add remarks on how to populate a model-server model with new root nodes. |
426,503 | 03.09.2020 12:48:47 | -7,200 | d2d7937a76d5cbbe7ddf1dc40de388c3727a6cea | Fixen broken link | [
{
"change_type": "MODIFY",
"old_path": "doc/samples.md",
"new_path": "doc/samples.md",
"diff": "@@ -16,7 +16,7 @@ http://localhost:33333/nodeAsHtml?nodeRef=MOQBcjpmMWNjOTZmZS1kNmVmLTRhNTgtYjYwNy\nThis sample showcases the situation where you define a custom editor for your language.\n- open the `org.modelix` project in the `mps` folder of the repo to make sure the web server runs\n-- and also start the database and the model server (see [Running Modelix](https://github.com/modelix/modelix/wiki/Running-Modelix))\n+- and also start the database and the model server (see [Running Modelix](https://github.com/modelix/modelix/blob/master/doc/running-modelix.md))\n- open the project in the `samples/entities` folder in a second MPS window\n- point your browser here: http://localhost:33333/entities\n- click on one of the entities to see the custom textual editor for all entity nodes in your MPS workspace\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fixen broken link |
426,503 | 03.09.2020 12:50:38 | -7,200 | 0be1aa33a19bd54edf73cb1c445b885d25593ece | Correct path in docs | [
{
"change_type": "MODIFY",
"old_path": "doc/running-modelix.md",
"new_path": "doc/running-modelix.md",
"diff": "@@ -21,7 +21,7 @@ Optionally, you can run the model server and connect your MPS to it:\n- adjust the connection properties in [./model-server/src/main/resources/org/modelix/model/server/database.properties](./model-server/src/main/resources/org/modelix/model/server/database.properties)\n- model server\n- `cd model-server`\n- - `./gradlew run`\n+ - `../gradlew run`\n- connect MPS to the model server\n- open the \"Cloud\" view in the bottom left corner\n- In the context menu of the root node labeled \"Cloud\" choose \"Add Repository\"\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Correct path in docs |
426,496 | 03.09.2020 13:15:55 | -7,200 | de3149cb9251708327c52352ae1d54c528a9a680 | Update README.md
fixed description of gradle-plugin in the README | [
{
"change_type": "MODIFY",
"old_path": "README.md",
"new_path": "README.md",
"diff": "@@ -88,7 +88,7 @@ It's an operation that happens all the time.\nFile | Description\n---|---\n[db](db) | Files for building the PostgreSQL docker image\n-[gradle-plugin](gradle-plugin) | files for building the PostgreSQL docker image\n+[gradle-plugin](gradle-plugin) | gradle plugin for downloading a model from the model server to an MPS model file\n[gradle-plugin-test](gradle-plugin-test) | Demo project that uses the gradle plugin.\n[kubernetes](kubernetes) | YAML configuration files for running modelix in a kubernetes cluster\n[model-server](model-server) | Java project that implements a REST API on top of an [Apache Ignite](https://ignite.apache.org/) key value store. It is very generic and lightweight and doesn't know anything about models and their storage format. The mapping between the model data structure and the key value entries happens in MPS.\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Update README.md
fixed description of gradle-plugin in the README |
426,496 | 09.09.2020 14:34:02 | -7,200 | 14c466151827bb2b41f620b3d852439d78510ba8 | Undo in MPS is working. In some cases ... . Still in progress. | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ActiveBranch.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ActiveBranch.kt",
"diff": "@@ -43,7 +43,7 @@ open class ActiveBranch(client: IModelClient, tree: TreeId, branchName: String?,\nget() = replicatedTree!!.branch\nval version: CLVersion\n- get() = replicatedTree!!.version!!\n+ get() = replicatedTree!!.localVersion!!\nopen fun dispose() {\nreplicatedTree!!.branch.removeListener(forwardingListener)\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -5,7 +5,7 @@ import org.modelix.model.lazy.CLVersion\nimport org.modelix.model.lazy.TreeId\nexpect class ReplicatedTree(client: IModelClient, treeId: TreeId, branchName: String, user: () -> String) {\n- var version: CLVersion?\n+ var localVersion: CLVersion?\nval branch: IBranch\nfun dispose()\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/operations/OTWriteTransaction.kt",
"diff": "@@ -32,7 +32,7 @@ class OTWriteTransaction(\nprivate var idGenerator: IIdGenerator,\nprivate val store: IDeserializingKeyValueStore\n) : IWriteTransaction {\n- protected fun apply(op: IOperation) {\n+ fun apply(op: IOperation) {\nlogTrace({ op.toString() }, OTWriteTransaction::class)\nval appliedOp = op.apply(transaction, store)\notBranch.operationApplied(appliedOp)\n@@ -40,9 +40,6 @@ class OTWriteTransaction(\noverride fun moveChild(newParentId: Long, newRole: String?, newIndex: Int, childId: Long) {\nvar newIndex = newIndex\n- val oldparent = getParent(childId)\n- val oldRole = getRole(childId)\n- val oldIndex = getChildren(oldparent, oldRole).indexOf(childId)\nif (newIndex == -1) {\nnewIndex = getChildren(newParentId, newRole).count()\n}\n@@ -64,11 +61,11 @@ class OTWriteTransaction(\n}\noverride fun addNewChild(parentId: Long, role: String?, index: Int, childId: Long, concept: IConcept?) {\n- var index = index\n- if (index == -1) {\n- index = getChildren(parentId, role).count().toInt()\n+ var index_ = index\n+ if (index_ == -1) {\n+ index_ = getChildren(parentId, role).count()\n}\n- apply(AddNewChildOp(PositionInRole(parentId, role, index), childId, concept))\n+ apply(AddNewChildOp(PositionInRole(parentId, role, index_), childId, concept))\n}\noverride fun deleteNode(nodeId: Long) {\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jsMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/jsMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -9,7 +9,7 @@ actual class ReplicatedTree {\nTODO(\"Not yet implemented\")\n}\n- actual var version: CLVersion?\n+ actual var localVersion: CLVersion?\nget() = TODO(\"Not yet implemented\")\nset(value) {}\nactual val branch: IBranch\n"
},
{
"change_type": "MODIFY",
"old_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"new_path": "model-client/src/jvmMain/kotlin/org/modelix/model/client/ReplicatedTree.kt",
"diff": "@@ -49,7 +49,7 @@ actual open class ReplicatedTree actual constructor(\nprivate val merger: VersionMerger\n@Volatile\n- actual var version: CLVersion?\n+ actual var localVersion: CLVersion?\nprivate set\n@Volatile\n@@ -75,12 +75,12 @@ actual open class ReplicatedTree actual constructor(\n/**\n* Call this at the end of an edit operation in the editor\n*/\n- fun endEdit() {\n- if (disposed) return\n+ fun endEdit(): CLVersion? {\n+ if (disposed) return null\ntry {\nsynchronized(mergeLock) {\ndeleteDetachedNodes()\n- createAndMergeLocalVersion()\n+ return createAndMergeLocalVersion()\n}\n} finally {\nisEditing.set(false)\n@@ -89,35 +89,35 @@ actual open class ReplicatedTree actual constructor(\nprotected fun deleteDetachedNodes() {\nval hasDetachedNodes = localOTBranch.computeRead {\n- localOTBranch.transaction!!\n- .getChildren(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE)!!.iterator().hasNext()\n+ localOTBranch.transaction\n+ .getChildren(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE).iterator().hasNext()\n}\n// avoid unnecessary write\nif (hasDetachedNodes) {\nlocalOTBranch.runWrite {\n// clear detached nodes\n- val t: IWriteTransaction = localOTBranch.writeTransaction!!\n- t.getChildren(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE)!!.forEach { nodeId: Long -> t.deleteNode(nodeId) }\n+ val t: IWriteTransaction = localOTBranch.writeTransaction\n+ t.getChildren(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE).forEach { nodeId: Long -> t.deleteNode(nodeId) }\n}\n}\n}\n- protected fun createAndMergeLocalVersion() {\n+ protected fun createAndMergeLocalVersion(): CLVersion? {\ncheckDisposed()\nvar opsAndTree: Pair<List<IAppliedOperation>, ITree>\nvar localBase: CLVersion?\n- val remoteBase = MutableObject<CLVersion?>()\n- val newLocalVersion = MutableObject<CLVersion>()\n+ var remoteBase: CLVersion?\n+ var newLocalVersion: CLVersion\nsynchronized(mergeLock) {\nopsAndTree = localOTBranch.operationsAndTree\n- localBase = version\n- remoteBase.setValue(remoteVersion)\n+ localBase = localVersion\n+ remoteBase = remoteVersion\nval ops: Array<IOperation> = opsAndTree.first.map { it.getOriginalOp() }.toTypedArray()\nif (ops.isEmpty()) {\n- return\n+ return null\n}\n- newLocalVersion.setValue(createVersion(opsAndTree.second as CLTree, ops, localBase!!.hash))\n- version = newLocalVersion.value\n+ newLocalVersion = createVersion(opsAndTree.second as CLTree, ops, localBase!!.hash)\n+ localVersion = newLocalVersion\ndivergenceTime = 0\n}\nSharedExecutors.FIXED.execute(object : Runnable {\n@@ -127,13 +127,13 @@ actual open class ReplicatedTree actual constructor(\nvar mergedVersion: CLVersion\ntry {\n- mergedVersion = merger.mergeChange(remoteBase.value!!, newLocalVersion.value)\n+ mergedVersion = merger.mergeChange(remoteBase!!, newLocalVersion)\nif (LOG.isDebugEnabled) {\nLOG.debug(\nString.format(\n\"Merged local %s with remote %s -> %s\",\n- newLocalVersion.value.hash,\n- remoteBase.value!!.hash,\n+ newLocalVersion.hash,\n+ remoteBase!!.hash,\nmergedVersion.hash\n)\n)\n@@ -142,15 +142,15 @@ actual open class ReplicatedTree actual constructor(\nif (LOG.isEnabledFor(Level.ERROR)) {\nLOG.error(\"\", ex)\n}\n- mergedVersion = newLocalVersion.value\n+ mergedVersion = newLocalVersion\n}\nsynchronized(mergeLock) {\n- writeLocalVersion(version)\n- if (remoteVersion == remoteBase.value) {\n+ writeLocalVersion(localVersion)\n+ if (remoteVersion == remoteBase) {\nwriteRemoteVersion(mergedVersion)\nreturn true\n} else {\n- remoteBase.setValue(remoteVersion)\n+ remoteBase = remoteVersion\nreturn false\n}\n}\n@@ -164,11 +164,12 @@ actual open class ReplicatedTree actual constructor(\n}\n}\nsynchronized(mergeLock) {\n- remoteBase.setValue(remoteVersion)\n+ remoteBase = remoteVersion\ndoMerge.get()\n}\n}\n})\n+ return newLocalVersion\n}\nprotected fun writeRemoteVersion(newVersion: CLVersion) {\n@@ -182,8 +183,8 @@ actual open class ReplicatedTree actual constructor(\nprotected fun writeLocalVersion(newVersion: CLVersion?) {\nsynchronized(mergeLock) {\n- if (newVersion!!.hash != this.version!!.hash) {\n- this.version = newVersion\n+ if (newVersion!!.hash != this.localVersion!!.hash) {\n+ this.localVersion = newVersion\ndivergenceTime = 0\nlocalBranch.runWrite {\nval newTree = newVersion.tree\n@@ -200,7 +201,7 @@ actual open class ReplicatedTree actual constructor(\ncheckDisposed()\nval time = LocalDateTime.now().toString()\nreturn CLVersion.createRegularVersion(\n- id = client.idGenerator!!.generate(),\n+ id = client.idGenerator.generate(),\ntime = time,\nauthor = user(),\ntreeHash = tree.hash,\n@@ -248,7 +249,7 @@ actual open class ReplicatedTree actual constructor(\n// prefetch to avoid HTTP request in command listener\nSharedExecutors.FIXED.execute { initialTree.value.getChildren(ITree.ROOT_ID, ITree.DETACHED_NODES_ROLE) }\n- version = initialVersion\n+ localVersion = initialVersion\nremoteVersion = initialVersion\nlocalBranch = PBranch(initialTree.value, client.idGenerator)\nlocalOTBranch = OTBranch(localBranch, client.idGenerator, client.storeCache!!)\n@@ -267,7 +268,7 @@ actual open class ReplicatedTree actual constructor(\nval newRemoteVersion = loadFromHash(newVersionHash, client.storeCache!!) ?: return\nval localBase = MutableObject<CLVersion?>()\nsynchronized(mergeLock) {\n- localBase.setValue(version)\n+ localBase.setValue(localVersion)\nremoteVersion = newRemoteVersion\n}\nval doMerge = object : Supplier<Boolean> {\n@@ -294,12 +295,12 @@ actual open class ReplicatedTree actual constructor(\nval mergedTree = mergedVersion.tree\nsynchronized(mergeLock) {\nremoteVersion = mergedVersion\n- if (version == localBase.value) {\n+ if (localVersion == localBase.value) {\nwriteLocalVersion(mergedVersion)\nwriteRemoteVersion(mergedVersion)\nreturn true\n} else {\n- localBase.setValue(version)\n+ localBase.setValue(localVersion)\nreturn false\n}\n}\n@@ -313,7 +314,7 @@ actual open class ReplicatedTree actual constructor(\n}\n}\nsynchronized(mergeLock) {\n- localBase.setValue(version)\n+ localBase.setValue(localVersion)\ndoMerge.get()\n}\n}\n@@ -338,7 +339,7 @@ actual open class ReplicatedTree actual constructor(\n1000,\nobject : Runnable {\noverride fun run() {\n- val localHash = if (version == null) null else version!!.hash\n+ val localHash = if (localVersion == null) null else localVersion!!.hash\nval remoteHash = if (remoteVersion == null) null else remoteVersion!!.hash\nif (localHash == remoteHash) {\ndivergenceTime = 0\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"diff": "<import index=\"fbzs\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.awt.geom(JDK/)\" />\n<import index=\"v18h\" ref=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b/java:kotlin(org.modelix.model.client/)\" />\n<import index=\"ouht\" ref=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b/java:kotlin.jvm.functions(org.modelix.model.client/)\" />\n+ <import index=\"54q7\" ref=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5/java:com.intellij.openapi.command.undo(MPS.IDEA/)\" />\n+ <import index=\"alof\" ref=\"742f6602-5a2f-4313-aa6e-ae1cd4ffdc61/java:jetbrains.mps.ide.project(MPS.Platform/)\" />\n+ <import index=\"z1c4\" ref=\"742f6602-5a2f-4313-aa6e-ae1cd4ffdc61/java:jetbrains.mps.project(MPS.Platform/)\" />\n+ <import index=\"yai9\" ref=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b/java:org.modelix.model.operations(org.modelix.model.client/)\" />\n+ <import index=\"4iir\" ref=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5/java:com.intellij.openapi.command(MPS.IDEA/)\" />\n+ <import index=\"4nm9\" ref=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5/java:com.intellij.openapi.project(MPS.IDEA/)\" />\n</imports>\n<registry>\n<language id=\"f3061a53-9226-4cc5-a443-f952ceaf5816\" name=\"jetbrains.mps.baseLanguage\">\n<concept id=\"1068580123132\" name=\"jetbrains.mps.baseLanguage.structure.BaseMethodDeclaration\" flags=\"ng\" index=\"3clF44\">\n<property id=\"4276006055363816570\" name=\"isSynchronized\" index=\"od$2w\" />\n<property id=\"1181808852946\" name=\"isFinal\" index=\"DiZV1\" />\n+ <child id=\"1164879685961\" name=\"throwsItem\" index=\"Sfmx6\" />\n<child id=\"1068580123133\" name=\"returnType\" index=\"3clF45\" />\n<child id=\"1068580123134\" name=\"parameter\" index=\"3clF46\" />\n<child id=\"1068580123135\" name=\"body\" index=\"3clF47\" />\n<node concept=\"312cEg\" id=\"2lKlK7f4xlJ\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"commandListener\" />\n<node concept=\"3Tm6S6\" id=\"2lKlK7f4xlK\" role=\"1B3o_S\" />\n- <node concept=\"3uibUv\" id=\"2lKlK7f4xlL\" role=\"1tU5fm\">\n- <ref role=\"3uigEE\" to=\"nvd4:~CommandListener\" resolve=\"CommandListener\" />\n- </node>\n<node concept=\"2ShNRf\" id=\"2lKlK7f4xlM\" role=\"33vP2m\">\n<node concept=\"YeOm9\" id=\"2lKlK7f4xlN\" role=\"2ShVmc\">\n<node concept=\"1Y3b0j\" id=\"2lKlK7f4xlO\" role=\"YeSDq\">\n<node concept=\"3Tm1VV\" id=\"2lKlK7f4xlX\" role=\"1B3o_S\" />\n<node concept=\"3cqZAl\" id=\"2lKlK7f4xlY\" role=\"3clF45\" />\n<node concept=\"3clFbS\" id=\"2lKlK7f4xlZ\" role=\"3clF47\">\n- <node concept=\"3clFbF\" id=\"47nE3z_w6c6\" role=\"3cqZAp\">\n- <node concept=\"1rXfSq\" id=\"47nE3z_w6c1\" role=\"3clFbG\">\n+ <node concept=\"3cpWs8\" id=\"3H1ZR7sLwTg\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"3H1ZR7sLwTh\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"version\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sLvB7\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"xkhl:~CLVersion\" resolve=\"CLVersion\" />\n+ </node>\n+ <node concept=\"1rXfSq\" id=\"3H1ZR7sLwTi\" role=\"33vP2m\">\n<ref role=\"37wK5l\" to=\"5440:~ReplicatedTree.endEdit()\" resolve=\"endEdit\" />\n</node>\n</node>\n</node>\n+ <node concept=\"3clFbJ\" id=\"3H1ZR7sMhgH\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMhgJ\" role=\"3clFbx\">\n+ <node concept=\"3cpWs6\" id=\"3H1ZR7sMiTq\" role=\"3cqZAp\" />\n+ </node>\n+ <node concept=\"3clFbC\" id=\"3H1ZR7sMi9E\" role=\"3clFbw\">\n+ <node concept=\"10Nm6u\" id=\"3H1ZR7sMiwz\" role=\"3uHU7w\" />\n+ <node concept=\"37vLTw\" id=\"3H1ZR7sMhED\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sLwTh\" resolve=\"version\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"3H1ZR7sMduP\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"3H1ZR7sMduQ\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"project\" />\n+ <node concept=\"3uibUv\" id=\"1Y$yRl03DQf\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"4nm9:~Project\" resolve=\"Project\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"1Y$yRl03CJf\" role=\"33vP2m\">\n+ <node concept=\"2YIFZM\" id=\"1Y$yRl03CBX\" role=\"2Oq$k0\">\n+ <ref role=\"37wK5l\" to=\"4iir:~CommandProcessor.getInstance()\" resolve=\"getInstance\" />\n+ <ref role=\"1Pybhc\" to=\"4iir:~CommandProcessor\" resolve=\"CommandProcessor\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"1Y$yRl03CSP\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"4iir:~CommandProcessor.getCurrentCommandProject()\" resolve=\"getCurrentCommandProject\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbJ\" id=\"3H1ZR7sMjjG\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMjjI\" role=\"3clFbx\">\n+ <node concept=\"3cpWs6\" id=\"3H1ZR7sMlrf\" role=\"3cqZAp\" />\n+ </node>\n+ <node concept=\"3clFbC\" id=\"3H1ZR7sMkF7\" role=\"3clFbw\">\n+ <node concept=\"10Nm6u\" id=\"3H1ZR7sMl2y\" role=\"3uHU7w\" />\n+ <node concept=\"37vLTw\" id=\"3H1ZR7sMjHr\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sMduQ\" resolve=\"project\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"3H1ZR7sMdZ$\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"3H1ZR7sMdZ_\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"undoManager\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMdWY\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"54q7:~UndoManager\" resolve=\"UndoManager\" />\n+ </node>\n+ <node concept=\"2YIFZM\" id=\"3H1ZR7sMdZA\" role=\"33vP2m\">\n+ <ref role=\"37wK5l\" to=\"54q7:~UndoManager.getInstance(com.intellij.openapi.project.Project)\" resolve=\"getInstance\" />\n+ <ref role=\"1Pybhc\" to=\"54q7:~UndoManager\" resolve=\"UndoManager\" />\n+ <node concept=\"37vLTw\" id=\"3H1ZR7sMdZB\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sMduQ\" resolve=\"project\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"3H1ZR7sMmgA\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"3H1ZR7sMmIS\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"3H1ZR7sMmg$\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sMdZ_\" resolve=\"undoManager\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"3H1ZR7sMmRO\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"54q7:~UndoManager.undoableActionPerformed(com.intellij.openapi.command.undo.UndoableAction)\" resolve=\"undoableActionPerformed\" />\n+ <node concept=\"2ShNRf\" id=\"3H1ZR7sMBCs\" role=\"37wK5m\">\n+ <node concept=\"1pGfFk\" id=\"3H1ZR7sMMw1\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" node=\"3H1ZR7sMK2C\" resolve=\"MpsReplicatedTree.ModelixUndoableAction\" />\n+ <node concept=\"37vLTw\" id=\"3H1ZR7sMMWn\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sLwTh\" resolve=\"version\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"2AHcQZ\" id=\"2lKlK7f4xoz\" role=\"2AJF6D\">\n<ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n</node>\n</node>\n</node>\n</node>\n+ <node concept=\"3uibUv\" id=\"2lKlK7f4xlL\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"nvd4:~CommandListener\" resolve=\"CommandListener\" />\n+ </node>\n</node>\n<node concept=\"2tJIrI\" id=\"2lKlK7f4wvb\" role=\"jymVt\" />\n<node concept=\"3clFbW\" id=\"6aRQr1WXtj7\" role=\"jymVt\">\n</node>\n<node concept=\"liA8E\" id=\"2lKlK7f4Jar\" role=\"2OqNvi\">\n<ref role=\"37wK5l\" to=\"lui2:~ModelAccess.addCommandListener(org.jetbrains.mps.openapi.repository.CommandListener)\" resolve=\"addCommandListener\" />\n- <node concept=\"37vLTw\" id=\"2lKlK7f4JxG\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"1Y$yRl03_1L\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"2lKlK7f4xlJ\" resolve=\"commandListener\" />\n</node>\n</node>\n</node>\n<node concept=\"liA8E\" id=\"2lKlK7f4JHT\" role=\"2OqNvi\">\n<ref role=\"37wK5l\" to=\"lui2:~ModelAccess.removeCommandListener(org.jetbrains.mps.openapi.repository.CommandListener)\" resolve=\"removeCommandListener\" />\n- <node concept=\"37vLTw\" id=\"2lKlK7f4JHU\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"1Y$yRl03_8P\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"2lKlK7f4xlJ\" resolve=\"commandListener\" />\n</node>\n</node>\n</node>\n</node>\n</node>\n+ <node concept=\"2tJIrI\" id=\"3H1ZR7sM_DY\" role=\"jymVt\" />\n+ <node concept=\"312cEu\" id=\"3H1ZR7sMA5d\" role=\"jymVt\">\n+ <property role=\"2bfB8j\" value=\"true\" />\n+ <property role=\"TrG5h\" value=\"ModelixUndoableAction\" />\n+ <node concept=\"312cEg\" id=\"3H1ZR7sMJpZ\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"version\" />\n+ <node concept=\"3Tm6S6\" id=\"3H1ZR7sMJq0\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMJKk\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"xkhl:~CLVersion\" resolve=\"CLVersion\" />\n+ </node>\n+ </node>\n+ <node concept=\"3Tm1VV\" id=\"3H1ZR7sMA5e\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMAId\" role=\"EKbjA\">\n+ <ref role=\"3uigEE\" to=\"54q7:~UndoableAction\" resolve=\"UndoableAction\" />\n+ </node>\n+ <node concept=\"3clFbW\" id=\"3H1ZR7sMK2C\" role=\"jymVt\">\n+ <node concept=\"3cqZAl\" id=\"3H1ZR7sMK2D\" role=\"3clF45\" />\n+ <node concept=\"3Tm1VV\" id=\"3H1ZR7sMK2E\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMK2G\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"3H1ZR7sMK2K\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"3H1ZR7sMK2M\" role=\"3clFbG\">\n+ <node concept=\"2OqwBi\" id=\"3H1ZR7sMK2Q\" role=\"37vLTJ\">\n+ <node concept=\"Xjq3P\" id=\"3H1ZR7sMK2R\" role=\"2Oq$k0\" />\n+ <node concept=\"2OwXpG\" id=\"3H1ZR7sMK2S\" role=\"2OqNvi\">\n+ <ref role=\"2Oxat5\" node=\"3H1ZR7sMJpZ\" resolve=\"version\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTw\" id=\"3H1ZR7sMK2T\" role=\"37vLTx\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sMK2J\" resolve=\"version\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"37vLTG\" id=\"3H1ZR7sMK2J\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"version\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMK2I\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"xkhl:~CLVersion\" resolve=\"CLVersion\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"3H1ZR7sMAQX\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"undo\" />\n+ <node concept=\"3Tm1VV\" id=\"3H1ZR7sMAQY\" role=\"1B3o_S\" />\n+ <node concept=\"3cqZAl\" id=\"3H1ZR7sMAR0\" role=\"3clF45\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMAR1\" role=\"Sfmx6\">\n+ <ref role=\"3uigEE\" to=\"54q7:~UnexpectedUndoException\" resolve=\"UnexpectedUndoException\" />\n+ </node>\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMAR2\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"3pKWniXZ0MJ\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"3pKWniXZ0Xg\" role=\"3clFbG\">\n+ <node concept=\"1rXfSq\" id=\"3pKWniXZ0MI\" role=\"2Oq$k0\">\n+ <ref role=\"37wK5l\" to=\"5440:~ReplicatedTree.getBranch()\" resolve=\"getBranch\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"3pKWniXZ17G\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"jks5:~IBranch.runWrite(kotlin.jvm.functions.Function0)\" resolve=\"runWrite\" />\n+ <node concept=\"2ShNRf\" id=\"3pKWniXZ1xY\" role=\"37wK5m\">\n+ <node concept=\"YeOm9\" id=\"3pKWniXZhfe\" role=\"2ShVmc\">\n+ <node concept=\"1Y3b0j\" id=\"3pKWniXZhfh\" role=\"YeSDq\">\n+ <property role=\"2bfB8j\" value=\"true\" />\n+ <ref role=\"1Y3XeK\" to=\"ouht:~Function0\" resolve=\"Function0\" />\n+ <ref role=\"37wK5l\" to=\"wyt6:~Object.<init>()\" resolve=\"Object\" />\n+ <node concept=\"3Tm1VV\" id=\"3pKWniXZhfi\" role=\"1B3o_S\" />\n+ <node concept=\"3clFb_\" id=\"3pKWniXZhfo\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"invoke\" />\n+ <node concept=\"3Tm1VV\" id=\"3pKWniXZhfp\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"3pKWniXZhf$\" role=\"3clF45\">\n+ <ref role=\"3uigEE\" to=\"v18h:~Unit\" resolve=\"Unit\" />\n+ </node>\n+ <node concept=\"3clFbS\" id=\"3pKWniXZhfs\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"3pKWniXZloN\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"3pKWniXZno0\" role=\"3clFbG\">\n+ <node concept=\"1eOMI4\" id=\"3pKWniXZn8Z\" role=\"2Oq$k0\">\n+ <node concept=\"10QFUN\" id=\"3pKWniXZlTg\" role=\"1eOMHV\">\n+ <node concept=\"2OqwBi\" id=\"3pKWniXZlTd\" role=\"10QFUP\">\n+ <node concept=\"1rXfSq\" id=\"3pKWniXZlTe\" role=\"2Oq$k0\">\n+ <ref role=\"37wK5l\" to=\"5440:~ReplicatedTree.getBranch()\" resolve=\"getBranch\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"3pKWniXZlTf\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"jks5:~IBranch.getWriteTransaction()\" resolve=\"getWriteTransaction\" />\n+ </node>\n+ </node>\n+ <node concept=\"3uibUv\" id=\"3pKWniXZn0Q\" role=\"10QFUM\">\n+ <ref role=\"3uigEE\" to=\"yai9:~OTWriteTransaction\" resolve=\"OTWriteTransaction\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"liA8E\" id=\"3pKWniXZnB_\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"yai9:~OTWriteTransaction.apply(org.modelix.model.operations.IOperation)\" resolve=\"apply\" />\n+ <node concept=\"2ShNRf\" id=\"3pKWniXZoyx\" role=\"37wK5m\">\n+ <node concept=\"1pGfFk\" id=\"3pKWniXZs7E\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" to=\"yai9:~UndoOp.<init>(java.lang.String)\" resolve=\"UndoOp\" />\n+ <node concept=\"2OqwBi\" id=\"3pKWniXZu75\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"3pKWniXZt4S\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"3H1ZR7sMJpZ\" resolve=\"version\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"3pKWniXZunc\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"xkhl:~CLVersion.getHash()\" resolve=\"getHash\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs6\" id=\"3pKWniXZipS\" role=\"3cqZAp\">\n+ <node concept=\"10M0yZ\" id=\"3pKWniXZjxm\" role=\"3cqZAk\">\n+ <ref role=\"3cqZAo\" to=\"v18h:~Unit.INSTANCE\" resolve=\"INSTANCE\" />\n+ <ref role=\"1PxDUh\" to=\"v18h:~Unit\" resolve=\"Unit\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"3pKWniXZhfu\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ <node concept=\"3uibUv\" id=\"3pKWniXZhfz\" role=\"2Ghqu4\">\n+ <ref role=\"3uigEE\" to=\"v18h:~Unit\" resolve=\"Unit\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"3H1ZR7sMAR3\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"3H1ZR7sMAR4\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"redo\" />\n+ <node concept=\"3Tm1VV\" id=\"3H1ZR7sMAR5\" role=\"1B3o_S\" />\n+ <node concept=\"3cqZAl\" id=\"3H1ZR7sMAR7\" role=\"3clF45\" />\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMAR8\" role=\"Sfmx6\">\n+ <ref role=\"3uigEE\" to=\"54q7:~UnexpectedUndoException\" resolve=\"UnexpectedUndoException\" />\n+ </node>\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMAR9\" role=\"3clF47\">\n+ <node concept=\"YS8fn\" id=\"3H1ZR7sMFeR\" role=\"3cqZAp\">\n+ <node concept=\"2ShNRf\" id=\"3H1ZR7sMGmu\" role=\"YScLw\">\n+ <node concept=\"1pGfFk\" id=\"3H1ZR7sMIql\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" to=\"54q7:~UnexpectedUndoException.<init>(java.lang.String)\" resolve=\"UnexpectedUndoException\" />\n+ <node concept=\"Xl_RD\" id=\"3H1ZR7sMINn\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"Not supported yet\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"3H1ZR7sMARa\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"3H1ZR7sMARb\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"getAffectedDocuments\" />\n+ <node concept=\"3Tm1VV\" id=\"3H1ZR7sMARc\" role=\"1B3o_S\" />\n+ <node concept=\"10Q1$e\" id=\"3H1ZR7sMARe\" role=\"3clF45\">\n+ <node concept=\"3uibUv\" id=\"3H1ZR7sMARf\" role=\"10Q1$1\">\n+ <ref role=\"3uigEE\" to=\"54q7:~DocumentReference\" resolve=\"DocumentReference\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMARg\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"3H1ZR7sMEpm\" role=\"3cqZAp\">\n+ <node concept=\"10Nm6u\" id=\"3H1ZR7sMEpl\" role=\"3clFbG\" />\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"3H1ZR7sMARh\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"3H1ZR7sMARi\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"isGlobal\" />\n+ <node concept=\"3Tm1VV\" id=\"3H1ZR7sMARj\" role=\"1B3o_S\" />\n+ <node concept=\"10P_77\" id=\"3H1ZR7sMARl\" role=\"3clF45\" />\n+ <node concept=\"3clFbS\" id=\"3H1ZR7sMARm\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"3H1ZR7sMEMD\" role=\"3cqZAp\">\n+ <node concept=\"3clFbT\" id=\"3H1ZR7sMEMC\" role=\"3clFbG\">\n+ <property role=\"3clFbU\" value=\"true\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2AHcQZ\" id=\"3H1ZR7sMARn\" role=\"2AJF6D\">\n+ <ref role=\"2AI5Lk\" to=\"wyt6:~Override\" resolve=\"Override\" />\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"3Tm1VV\" id=\"6aRQr1WXt20\" role=\"1B3o_S\" />\n<node concept=\"3uibUv\" id=\"47nE3z_w2JU\" role=\"1zkMxy\">\n<ref role=\"3uigEE\" to=\"5440:~ReplicatedTree\" resolve=\"ReplicatedTree\" />\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Undo in MPS is working. In some cases ... . Still in progress. |
426,496 | 10.09.2020 16:56:56 | -7,200 | f34fa5071cea5148daf74a52ad39f61bee752054 | Undo now works for CloudTransientModels | [
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.build/models/org.modelix.build.mps",
"new_path": "mps/org.modelix.build/models/org.modelix.build.mps",
"diff": "</node>\n<node concept=\"1SiIV0\" id=\"7gF2HTviNQm\" role=\"3bR37C\">\n<node concept=\"3bR9La\" id=\"7gF2HTviNQn\" role=\"1SiIV1\">\n+ <property role=\"3bR36h\" value=\"true\" />\n<ref role=\"3bR37D\" to=\"ffeo:1ia2VB5guYy\" resolve=\"MPS.IDEA\" />\n</node>\n</node>\n</node>\n<node concept=\"1SiIV0\" id=\"7Hbm57D_IGC\" role=\"3bR37C\">\n<node concept=\"3bR9La\" id=\"7Hbm57D_IGD\" role=\"1SiIV1\">\n+ <property role=\"3bR36h\" value=\"true\" />\n<ref role=\"3bR37D\" node=\"7Hbm57D_FL9\" resolve=\"org.modelix.model.client\" />\n</node>\n</node>\n<node concept=\"3LEDTy\" id=\"7BujJjYSJ9v\" role=\"3LEDUa\">\n<ref role=\"3LEDTV\" node=\"7gF2HTviNPn\" resolve=\"org.modelix.ui.sm\" />\n</node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrG\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6L2l\" resolve=\"jetbrains.mps.baseLanguage.logging\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrH\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"90a9:4iIKqJTZ5Hg\" resolve=\"de.q60.mps.shadowmodels.gen.afterPF\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrI\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"90a9:4iIKqJTZ5Hs\" resolve=\"de.q60.mps.polymorphicfunctions\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrJ\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6KZ0\" resolve=\"jetbrains.mps.baseLanguageInternal\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrK\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:14x5$qAUbkb\" resolve=\"jetbrains.mps.lang.access\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrL\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6L4j\" resolve=\"jetbrains.mps.lang.actions\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrM\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"90a9:7c10t$7lQIA\" resolve=\"de.q60.mps.shadowmodels.gen.typesystem\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrN\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6L2F\" resolve=\"jetbrains.mps.baseLanguage.tuples\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrO\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6L0h\" resolve=\"jetbrains.mps.baseLanguage.collections\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrP\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"90a9:4iIKqJTZ5HO\" resolve=\"de.q60.mps.shadowmodels.transformation\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrQ\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6KYb\" resolve=\"jetbrains.mps.baseLanguage\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrR\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6L9O\" resolve=\"jetbrains.mps.lang.smodel\" />\n- </node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrS\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"90a9:2$QnGbtLXzL\" resolve=\"de.q60.mps.shadowmodels.gen.desugar\" />\n+ <node concept=\"3LEDTy\" id=\"3VJPrUeMoqp\" role=\"3LEDUa\">\n+ <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6L9c\" resolve=\"jetbrains.mps.lang.quotation\" />\n</node>\n- <node concept=\"3LEDTy\" id=\"1KzYa3AmFrT\" role=\"3LEDUa\">\n- <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6KZG\" resolve=\"jetbrains.mps.baseLanguage.closures\" />\n+ <node concept=\"3LEDTy\" id=\"3VJPrUeMoqq\" role=\"3LEDUa\">\n+ <ref role=\"3LEDTV\" to=\"ffeo:7Kfy9QB6KZc\" resolve=\"jetbrains.mps.baseLanguage.checkedDots\" />\n</node>\n</node>\n<node concept=\"1E1JtD\" id=\"7BujJjXYVmv\" role=\"2G$12L\">\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"diff": "<import index=\"yai9\" ref=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b/java:org.modelix.model.operations(org.modelix.model.client/)\" />\n<import index=\"4iir\" ref=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5/java:com.intellij.openapi.command(MPS.IDEA/)\" />\n<import index=\"4nm9\" ref=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5/java:com.intellij.openapi.project(MPS.IDEA/)\" />\n+ <import index=\"kip1\" ref=\"742f6602-5a2f-4313-aa6e-ae1cd4ffdc61/java:jetbrains.mps.nodefs(MPS.Platform/)\" />\n+ <import index=\"j532\" ref=\"742f6602-5a2f-4313-aa6e-ae1cd4ffdc61/java:jetbrains.mps.ide.undo(MPS.Platform/)\" />\n+ <import index=\"s9o5\" ref=\"498d89d2-c2e9-11e2-ad49-6cf049e62fe5/java:com.intellij.openapi.editor(MPS.IDEA/)\" />\n</imports>\n<registry>\n<language id=\"a247e09e-2435-45ba-b8d2-07e93feba96a\" name=\"jetbrains.mps.baseLanguage.tuples\">\n<child id=\"1163668934364\" name=\"ifFalse\" index=\"3K4GZi\" />\n</concept>\n<concept id=\"1082113931046\" name=\"jetbrains.mps.baseLanguage.structure.ContinueStatement\" flags=\"nn\" index=\"3N13vt\" />\n+ <concept id=\"1208890769693\" name=\"jetbrains.mps.baseLanguage.structure.ArrayLengthOperation\" flags=\"nn\" index=\"1Rwk04\" />\n<concept id=\"6329021646629104954\" name=\"jetbrains.mps.baseLanguage.structure.SingleLineComment\" flags=\"nn\" index=\"3SKdUt\">\n<child id=\"8356039341262087992\" name=\"line\" index=\"1aUNEU\" />\n</concept>\n<child id=\"1151689745422\" name=\"elementType\" index=\"A3Ik2\" />\n</concept>\n<concept id=\"1151702311717\" name=\"jetbrains.mps.baseLanguage.collections.structure.ToListOperation\" flags=\"nn\" index=\"ANE8D\" />\n+ <concept id=\"1226934395923\" name=\"jetbrains.mps.baseLanguage.collections.structure.ClearSetOperation\" flags=\"nn\" index=\"2EZike\" />\n<concept id=\"1153943597977\" name=\"jetbrains.mps.baseLanguage.collections.structure.ForEachStatement\" flags=\"nn\" index=\"2Gpval\">\n<child id=\"1153944400369\" name=\"variable\" index=\"2Gsz3X\" />\n<child id=\"1153944424730\" name=\"inputSequence\" index=\"2GsD0m\" />\n<concept id=\"1225727723840\" name=\"jetbrains.mps.baseLanguage.collections.structure.FindFirstOperation\" flags=\"nn\" index=\"1z4cxt\" />\n<concept id=\"1202120902084\" name=\"jetbrains.mps.baseLanguage.collections.structure.WhereOperation\" flags=\"nn\" index=\"3zZkjj\" />\n<concept id=\"1202128969694\" name=\"jetbrains.mps.baseLanguage.collections.structure.SelectOperation\" flags=\"nn\" index=\"3$u5V9\" />\n+ <concept id=\"1184963466173\" name=\"jetbrains.mps.baseLanguage.collections.structure.ToArrayOperation\" flags=\"nn\" index=\"3_kTaI\" />\n<concept id=\"1240824834947\" name=\"jetbrains.mps.baseLanguage.collections.structure.ValueAccessOperation\" flags=\"nn\" index=\"3AV6Ez\" />\n<concept id=\"1240825616499\" name=\"jetbrains.mps.baseLanguage.collections.structure.KeyAccessOperation\" flags=\"nn\" index=\"3AY5_j\" />\n<concept id=\"1197932370469\" name=\"jetbrains.mps.baseLanguage.collections.structure.MapElement\" flags=\"nn\" index=\"3EllGN\">\n<ref role=\"3uigEE\" to=\"g3l6:~TransientSModel\" resolve=\"TransientSModel\" />\n</node>\n<node concept=\"2tJIrI\" id=\"7Zr9caIGWDR\" role=\"jymVt\" />\n- <node concept=\"312cEg\" id=\"4QZGLsLEOdP\" role=\"jymVt\">\n- <property role=\"34CwA1\" value=\"false\" />\n- <property role=\"eg7rD\" value=\"false\" />\n- <property role=\"TrG5h\" value=\"myReadOnly\" />\n- <property role=\"3TUv4t\" value=\"true\" />\n- <node concept=\"10P_77\" id=\"4QZGLsLEOdR\" role=\"1tU5fm\" />\n- <node concept=\"3Tm6S6\" id=\"4QZGLsLEOdS\" role=\"1B3o_S\" />\n- </node>\n- <node concept=\"312cEg\" id=\"4QZGLsLEOdT\" role=\"jymVt\">\n- <property role=\"34CwA1\" value=\"false\" />\n- <property role=\"eg7rD\" value=\"false\" />\n- <property role=\"TrG5h\" value=\"myTrackUndo\" />\n- <property role=\"3TUv4t\" value=\"true\" />\n- <node concept=\"10P_77\" id=\"4QZGLsLEOdV\" role=\"1tU5fm\" />\n- <node concept=\"3Tm6S6\" id=\"4QZGLsLEOdW\" role=\"1B3o_S\" />\n- </node>\n<node concept=\"312cEg\" id=\"4j_LshTVllu\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"userObjects\" />\n<node concept=\"3Tm6S6\" id=\"4j_LshTVllv\" role=\"1B3o_S\" />\n</node>\n</node>\n</node>\n- <node concept=\"3clFbF\" id=\"4QZGLsLEOe6\" role=\"3cqZAp\">\n- <node concept=\"37vLTI\" id=\"4QZGLsLEOe7\" role=\"3clFbG\">\n- <node concept=\"37vLTw\" id=\"4QZGLsLEOe8\" role=\"37vLTJ\">\n- <ref role=\"3cqZAo\" node=\"4QZGLsLEOdP\" resolve=\"myReadOnly\" />\n- </node>\n- <node concept=\"3clFbT\" id=\"4QZGLsLEXoW\" role=\"37vLTx\" />\n- </node>\n- </node>\n- <node concept=\"3clFbF\" id=\"4QZGLsLEOea\" role=\"3cqZAp\">\n- <node concept=\"37vLTI\" id=\"4QZGLsLEOeb\" role=\"3clFbG\">\n- <node concept=\"37vLTw\" id=\"4QZGLsLEOec\" role=\"37vLTJ\">\n- <ref role=\"3cqZAo\" node=\"4QZGLsLEOdT\" resolve=\"myTrackUndo\" />\n- </node>\n- <node concept=\"3clFbT\" id=\"4QZGLsLEW6G\" role=\"37vLTx\" />\n- </node>\n- </node>\n- <node concept=\"3clFbH\" id=\"7Zr9caICdFj\" role=\"3cqZAp\" />\n<node concept=\"3clFbF\" id=\"4TPMxtdDRTF\" role=\"3cqZAp\">\n<node concept=\"37vLTI\" id=\"4TPMxtdDT2s\" role=\"3clFbG\">\n<node concept=\"2ShNRf\" id=\"4TPMxtdDULl\" role=\"37vLTx\">\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4QZGLsLEOeL\" role=\"3clF47\">\n- <node concept=\"3clFbJ\" id=\"4QZGLsLEOeM\" role=\"3cqZAp\">\n- <node concept=\"37vLTw\" id=\"4QZGLsLEOeN\" role=\"3clFbw\">\n- <ref role=\"3cqZAo\" node=\"4QZGLsLEOdT\" resolve=\"myTrackUndo\" />\n- </node>\n- <node concept=\"3clFbS\" id=\"4QZGLsLEOeP\" role=\"3clFbx\">\n- <node concept=\"3clFbF\" id=\"4QZGLsLEOeQ\" role=\"3cqZAp\">\n- <node concept=\"3nyPlj\" id=\"4QZGLsLEOeR\" role=\"3clFbG\">\n- <ref role=\"37wK5l\" to=\"w1kc:~SModel.performUndoableAction(jetbrains.mps.smodel.SNodeUndoableAction)\" resolve=\"performUndoableAction\" />\n- <node concept=\"37vLTw\" id=\"4QZGLsLEOeS\" role=\"37wK5m\">\n+ <node concept=\"3J1_TO\" id=\"26DjJYlUWlW\" role=\"3cqZAp\">\n+ <node concept=\"3uVAMA\" id=\"26DjJYlUWq1\" role=\"1zxBo5\">\n+ <node concept=\"XOnhg\" id=\"26DjJYlUWq2\" role=\"1zc67B\">\n+ <property role=\"TrG5h\" value=\"ex\" />\n+ <node concept=\"nSUau\" id=\"26DjJYlUWq3\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"26DjJYlUXWb\" role=\"nSUat\">\n+ <ref role=\"3uigEE\" to=\"wyt6:~Exception\" resolve=\"Exception\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"26DjJYlUWq4\" role=\"1zc67A\">\n+ <node concept=\"RRSsy\" id=\"26DjJYlV3FV\" role=\"3cqZAp\">\n+ <property role=\"RRSoG\" value=\"gZ5fh_4/error\" />\n+ <node concept=\"Xl_RD\" id=\"26DjJYlV3FX\" role=\"RRSoy\" />\n+ <node concept=\"37vLTw\" id=\"26DjJYlV4X1\" role=\"RRSow\">\n+ <ref role=\"3cqZAo\" node=\"26DjJYlUWq2\" resolve=\"ex\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"26DjJYlUWlY\" role=\"1zxBo7\">\n+ <node concept=\"3cpWs8\" id=\"5kXF$$peIX\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5kXF$$peIY\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"project\" />\n+ <node concept=\"3uibUv\" id=\"5kXF$$peFQ\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"4nm9:~Project\" resolve=\"Project\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"5kXF$$peIZ\" role=\"33vP2m\">\n+ <node concept=\"2YIFZM\" id=\"5kXF$$peJ0\" role=\"2Oq$k0\">\n+ <ref role=\"1Pybhc\" to=\"4iir:~CommandProcessor\" resolve=\"CommandProcessor\" />\n+ <ref role=\"37wK5l\" to=\"4iir:~CommandProcessor.getInstance()\" resolve=\"getInstance\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5kXF$$peJ1\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"4iir:~CommandProcessor.getCurrentCommandProject()\" resolve=\"getCurrentCommandProject\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbJ\" id=\"5kXF$$pl6j\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"5kXF$$pl6l\" role=\"3clFbx\">\n+ <node concept=\"3cpWs6\" id=\"5kXF$$pqzD\" role=\"3cqZAp\" />\n+ </node>\n+ <node concept=\"3clFbC\" id=\"5kXF$$po1D\" role=\"3clFbw\">\n+ <node concept=\"10Nm6u\" id=\"5kXF$$pphe\" role=\"3uHU7w\" />\n+ <node concept=\"37vLTw\" id=\"5kXF$$pmr_\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5kXF$$peIY\" resolve=\"project\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"5kXF$$pSS1\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5kXF$$pSS2\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"repository\" />\n+ <node concept=\"3uibUv\" id=\"5kXF$$pSNW\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"lui2:~SRepository\" resolve=\"SRepository\" />\n+ </node>\n+ <node concept=\"2YIFZM\" id=\"5kXF$$pSS3\" role=\"33vP2m\">\n+ <ref role=\"37wK5l\" to=\"alof:~ProjectHelper.getProjectRepository(com.intellij.openapi.project.Project)\" resolve=\"getProjectRepository\" />\n+ <ref role=\"1Pybhc\" to=\"alof:~ProjectHelper\" resolve=\"ProjectHelper\" />\n+ <node concept=\"37vLTw\" id=\"5kXF$$pSS4\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5kXF$$peIY\" resolve=\"project\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbJ\" id=\"5kXF$$pX$K\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"5kXF$$pX$M\" role=\"3clFbx\">\n+ <node concept=\"3cpWs6\" id=\"5kXF$$q465\" role=\"3cqZAp\" />\n+ </node>\n+ <node concept=\"3clFbC\" id=\"5kXF$$q1zY\" role=\"3clFbw\">\n+ <node concept=\"10Nm6u\" id=\"5kXF$$q2Nz\" role=\"3uHU7w\" />\n+ <node concept=\"37vLTw\" id=\"5kXF$$q0aK\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5kXF$$pSS2\" resolve=\"repository\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"5kXF$$pxwD\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5kXF$$pxwE\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"affectedNode\" />\n+ <node concept=\"3uibUv\" id=\"5kXF$$ps73\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"mhbf:~SNode\" resolve=\"SNode\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"5kXF$$pxwF\" role=\"33vP2m\">\n+ <node concept=\"37vLTw\" id=\"5kXF$$pxwG\" role=\"2Oq$k0\">\n<ref role=\"3cqZAo\" node=\"4QZGLsLEOeI\" resolve=\"action\" />\n</node>\n+ <node concept=\"liA8E\" id=\"5kXF$$pxwH\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"w1kc:~SNodeUndoableAction.getAffectedNode()\" resolve=\"getAffectedNode\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbJ\" id=\"5kXF$$pz2e\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"5kXF$$pz2g\" role=\"3clFbx\">\n+ <node concept=\"3cpWs6\" id=\"5kXF$$pDJQ\" role=\"3cqZAp\" />\n+ </node>\n+ <node concept=\"3clFbC\" id=\"5kXF$$pDM1\" role=\"3clFbw\">\n+ <node concept=\"37vLTw\" id=\"5kXF$$p_BI\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5kXF$$pxwE\" resolve=\"affectedNode\" />\n+ </node>\n+ <node concept=\"10Nm6u\" id=\"5kXF$$pCrS\" role=\"3uHU7w\" />\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"26DjJYlUchE\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"26DjJYlUchF\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"rootNode\" />\n+ <node concept=\"3uibUv\" id=\"26DjJYlUcfV\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"mhbf:~SNode\" resolve=\"SNode\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"26DjJYlUchG\" role=\"33vP2m\">\n+ <node concept=\"37vLTw\" id=\"5kXF$$pxwI\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5kXF$$pxwE\" resolve=\"affectedNode\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"26DjJYlUchK\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mhbf:~SNode.getContainingRoot()\" resolve=\"getContainingRoot\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"26DjJYlUJUC\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"26DjJYlUJUD\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"doc\" />\n+ <node concept=\"3uibUv\" id=\"26DjJYlUJP3\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"s9o5:~Document\" resolve=\"Document\" />\n+ </node>\n+ <node concept=\"2YIFZM\" id=\"26DjJYlUJUE\" role=\"33vP2m\">\n+ <ref role=\"1Pybhc\" to=\"j532:~MPSUndoUtil\" resolve=\"MPSUndoUtil\" />\n+ <ref role=\"37wK5l\" to=\"j532:~MPSUndoUtil.getDoc(org.jetbrains.mps.openapi.module.SRepository,org.jetbrains.mps.openapi.model.SNodeReference)\" resolve=\"getDoc\" />\n+ <node concept=\"37vLTw\" id=\"5kXF$$pSS5\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5kXF$$pSS2\" resolve=\"repository\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"26DjJYlULvB\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"26DjJYlUJUG\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"26DjJYlUchF\" resolve=\"rootNode\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"26DjJYlULEq\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mhbf:~SNode.getReference()\" resolve=\"getReference\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"26DjJYlUOpg\" role=\"3cqZAp\">\n+ <node concept=\"2YIFZM\" id=\"26DjJYlUOvj\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" node=\"6CisxuPrJce\" resolve=\"documentChanged\" />\n+ <ref role=\"1Pybhc\" node=\"6aRQr1WXt1Z\" resolve=\"MpsReplicatedTree\" />\n+ <node concept=\"2YIFZM\" id=\"26DjJYlUSrd\" role=\"37wK5m\">\n+ <ref role=\"37wK5l\" to=\"j532:~MPSUndoUtil.getRefForDoc(com.intellij.openapi.editor.Document)\" resolve=\"getRefForDoc\" />\n+ <ref role=\"1Pybhc\" to=\"j532:~MPSUndoUtil\" resolve=\"MPSUndoUtil\" />\n+ <node concept=\"37vLTw\" id=\"26DjJYlUTFf\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"26DjJYlUJUD\" resolve=\"doc\" />\n+ </node>\n+ </node>\n</node>\n</node>\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"4QZGLsLEOft\" role=\"3clF47\">\n<node concept=\"3cpWs6\" id=\"4QZGLsLEOfu\" role=\"3cqZAp\">\n- <node concept=\"37vLTw\" id=\"4QZGLsLEOfv\" role=\"3cqZAk\">\n- <ref role=\"3cqZAo\" node=\"4QZGLsLEOdP\" resolve=\"myReadOnly\" />\n- </node>\n+ <node concept=\"3clFbT\" id=\"6CisxuPrVLF\" role=\"3cqZAk\" />\n</node>\n</node>\n<node concept=\"3Tm1VV\" id=\"4QZGLsLEOfw\" role=\"1B3o_S\" />\n<node concept=\"312cEu\" id=\"6aRQr1WXt1Z\">\n<property role=\"TrG5h\" value=\"MpsReplicatedTree\" />\n<node concept=\"2tJIrI\" id=\"6aRQr1WXt2X\" role=\"jymVt\" />\n+ <node concept=\"Wx3nA\" id=\"6CisxuPrCEB\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"affectedDocuments\" />\n+ <node concept=\"2hMVRd\" id=\"6CisxuPrCmQ\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"6CisxuPrCmR\" role=\"2hN53Y\">\n+ <ref role=\"3uigEE\" to=\"54q7:~DocumentReference\" resolve=\"DocumentReference\" />\n+ </node>\n+ </node>\n+ <node concept=\"3Tm6S6\" id=\"6CisxuPrBMn\" role=\"1B3o_S\" />\n+ <node concept=\"2ShNRf\" id=\"6CisxuPrDeL\" role=\"33vP2m\">\n+ <node concept=\"2i4dXS\" id=\"6CisxuPrDeC\" role=\"2ShVmc\">\n+ <node concept=\"3uibUv\" id=\"6CisxuPrDeD\" role=\"HW$YZ\">\n+ <ref role=\"3uigEE\" to=\"54q7:~DocumentReference\" resolve=\"DocumentReference\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2tJIrI\" id=\"6CisxuPrBil\" role=\"jymVt\" />\n+ <node concept=\"2YIFZL\" id=\"6CisxuPrJce\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"documentChanged\" />\n+ <node concept=\"3clFbS\" id=\"6CisxuPrGwc\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"6CisxuPrJKa\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"6CisxuPrKuV\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"6CisxuPrJK9\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrCEB\" resolve=\"affectedDocuments\" />\n+ </node>\n+ <node concept=\"TSZUe\" id=\"6CisxuPrL05\" role=\"2OqNvi\">\n+ <node concept=\"37vLTw\" id=\"6CisxuPrLl4\" role=\"25WWJ7\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrIEh\" resolve=\"doc\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"37vLTG\" id=\"6CisxuPrIEh\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"doc\" />\n+ <node concept=\"3uibUv\" id=\"6CisxuPrJ5J\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"54q7:~DocumentReference\" resolve=\"DocumentReference\" />\n+ </node>\n+ </node>\n+ <node concept=\"3cqZAl\" id=\"6CisxuPrGwa\" role=\"3clF45\" />\n+ <node concept=\"3Tm1VV\" id=\"6CisxuPrGwb\" role=\"1B3o_S\" />\n+ </node>\n+ <node concept=\"2tJIrI\" id=\"6CisxuPrG2q\" role=\"jymVt\" />\n<node concept=\"312cEg\" id=\"2lKlK7f4xlJ\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"commandListener\" />\n<node concept=\"3Tm6S6\" id=\"2lKlK7f4xlK\" role=\"1B3o_S\" />\n<node concept=\"3Tm1VV\" id=\"2lKlK7f4xlR\" role=\"1B3o_S\" />\n<node concept=\"3cqZAl\" id=\"2lKlK7f4xlS\" role=\"3clF45\" />\n<node concept=\"3clFbS\" id=\"2lKlK7f4xlT\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"6CisxuPrE5$\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"6CisxuPrF2t\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"6CisxuPrE5y\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrCEB\" resolve=\"affectedDocuments\" />\n+ </node>\n+ <node concept=\"2EZike\" id=\"6CisxuPrFCR\" role=\"2OqNvi\" />\n+ </node>\n+ </node>\n<node concept=\"3clFbF\" id=\"47nE3z_w5o7\" role=\"3cqZAp\">\n<node concept=\"1rXfSq\" id=\"47nE3z_w5o2\" role=\"3clFbG\">\n<ref role=\"37wK5l\" to=\"5440:~ReplicatedTree.startEdit()\" resolve=\"startEdit\" />\n<node concept=\"37vLTw\" id=\"3H1ZR7sMMWn\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"3H1ZR7sLwTh\" resolve=\"version\" />\n</node>\n+ <node concept=\"37vLTw\" id=\"6CisxuPrRO8\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrCEB\" resolve=\"affectedDocuments\" />\n+ </node>\n</node>\n</node>\n</node>\n<ref role=\"3uigEE\" to=\"xkhl:~CLVersion\" resolve=\"CLVersion\" />\n</node>\n</node>\n+ <node concept=\"312cEg\" id=\"6CisxuPrM6J\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"documents\" />\n+ <node concept=\"3Tm6S6\" id=\"6CisxuPrM6K\" role=\"1B3o_S\" />\n+ <node concept=\"10Q1$e\" id=\"6CisxuPrNW5\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"6CisxuPrMEt\" role=\"10Q1$1\">\n+ <ref role=\"3uigEE\" to=\"54q7:~DocumentReference\" resolve=\"DocumentReference\" />\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"3Tm1VV\" id=\"3H1ZR7sMA5e\" role=\"1B3o_S\" />\n<node concept=\"3uibUv\" id=\"3H1ZR7sMAId\" role=\"EKbjA\">\n<ref role=\"3uigEE\" to=\"54q7:~UndoableAction\" resolve=\"UndoableAction\" />\n</node>\n</node>\n</node>\n+ <node concept=\"3clFbF\" id=\"6CisxuPrPfp\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"6CisxuPrPFf\" role=\"3clFbG\">\n+ <node concept=\"2OqwBi\" id=\"6CisxuPrQC8\" role=\"37vLTx\">\n+ <node concept=\"37vLTw\" id=\"6CisxuPrQ32\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrO3e\" resolve=\"docs\" />\n+ </node>\n+ <node concept=\"3_kTaI\" id=\"6CisxuPrQYe\" role=\"2OqNvi\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"6CisxuPrPoC\" role=\"37vLTJ\">\n+ <node concept=\"Xjq3P\" id=\"6CisxuPrPfn\" role=\"2Oq$k0\" />\n+ <node concept=\"2OwXpG\" id=\"6CisxuPrPyF\" role=\"2OqNvi\">\n+ <ref role=\"2Oxat5\" node=\"6CisxuPrM6J\" resolve=\"documents\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n</node>\n<node concept=\"37vLTG\" id=\"3H1ZR7sMK2J\" role=\"3clF46\">\n<property role=\"TrG5h\" value=\"version\" />\n<ref role=\"3uigEE\" to=\"xkhl:~CLVersion\" resolve=\"CLVersion\" />\n</node>\n</node>\n+ <node concept=\"37vLTG\" id=\"6CisxuPrO3e\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"docs\" />\n+ <node concept=\"A3Dl8\" id=\"6CisxuPrOqp\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"6CisxuPrOGM\" role=\"A3Ik2\">\n+ <ref role=\"3uigEE\" to=\"54q7:~DocumentReference\" resolve=\"DocumentReference\" />\n+ </node>\n+ </node>\n+ </node>\n</node>\n<node concept=\"3clFb_\" id=\"3H1ZR7sMAQX\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"undo\" />\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"3H1ZR7sMARg\" role=\"3clF47\">\n- <node concept=\"3clFbF\" id=\"3H1ZR7sMEpm\" role=\"3cqZAp\">\n- <node concept=\"10Nm6u\" id=\"3H1ZR7sMEpl\" role=\"3clFbG\" />\n+ <node concept=\"3clFbF\" id=\"6CisxuPrNFd\" role=\"3cqZAp\">\n+ <node concept=\"3K4zz7\" id=\"26DjJYlWTfN\" role=\"3clFbG\">\n+ <node concept=\"10Nm6u\" id=\"26DjJYlWTGt\" role=\"3K4E3e\" />\n+ <node concept=\"37vLTw\" id=\"26DjJYlWUQd\" role=\"3K4GZi\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrM6J\" resolve=\"documents\" />\n+ </node>\n+ <node concept=\"3clFbC\" id=\"26DjJYlWS8r\" role=\"3K4Cdx\">\n+ <node concept=\"3cmrfG\" id=\"26DjJYlWT2L\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"26DjJYlWR5P\" role=\"3uHU7B\">\n+ <node concept=\"37vLTw\" id=\"6CisxuPrNFc\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrM6J\" resolve=\"documents\" />\n+ </node>\n+ <node concept=\"1Rwk04\" id=\"26DjJYlWRbT\" role=\"2OqNvi\" />\n+ </node>\n+ </node>\n+ </node>\n</node>\n</node>\n<node concept=\"2AHcQZ\" id=\"3H1ZR7sMARh\" role=\"2AJF6D\">\n<node concept=\"3Tm1VV\" id=\"3H1ZR7sMARj\" role=\"1B3o_S\" />\n<node concept=\"10P_77\" id=\"3H1ZR7sMARl\" role=\"3clF45\" />\n<node concept=\"3clFbS\" id=\"3H1ZR7sMARm\" role=\"3clF47\">\n- <node concept=\"3clFbF\" id=\"3H1ZR7sMEMD\" role=\"3cqZAp\">\n- <node concept=\"3clFbT\" id=\"3H1ZR7sMEMC\" role=\"3clFbG\">\n- <property role=\"3clFbU\" value=\"true\" />\n+ <node concept=\"3clFbF\" id=\"26DjJYlWm0c\" role=\"3cqZAp\">\n+ <node concept=\"3clFbC\" id=\"26DjJYlWo48\" role=\"3clFbG\">\n+ <node concept=\"3cmrfG\" id=\"26DjJYlWoUS\" role=\"3uHU7w\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"26DjJYlWmwp\" role=\"3uHU7B\">\n+ <node concept=\"37vLTw\" id=\"26DjJYlWm09\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"6CisxuPrM6J\" resolve=\"documents\" />\n+ </node>\n+ <node concept=\"1Rwk04\" id=\"26DjJYlWn46\" role=\"2OqNvi\" />\n+ </node>\n</node>\n</node>\n</node>\n<ref role=\"37wK5l\" to=\"bd8o:~Application.executeOnPooledThread(java.lang.Runnable)\" resolve=\"executeOnPooledThread\" />\n<node concept=\"1bVj0M\" id=\"2a45eKor40q\" role=\"37wK5m\">\n<node concept=\"3clFbS\" id=\"2a45eKor40r\" role=\"1bW5cS\">\n- <node concept=\"3clFbF\" id=\"2a45eKor40s\" role=\"3cqZAp\">\n- <node concept=\"2OqwBi\" id=\"2a45eKor40t\" role=\"3clFbG\">\n- <node concept=\"37vLTw\" id=\"2a45eKor40u\" role=\"2Oq$k0\">\n+ <node concept=\"3clFbF\" id=\"5kXF$$q$E0\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5kXF$$q$Ye\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5kXF$$q$DY\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"2a45eKor401\" resolve=\"modelAccess\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5kXF$$q_b8\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"lui2:~ModelAccess.runWriteAction(java.lang.Runnable)\" resolve=\"runWriteAction\" />\n+ <node concept=\"37vLTw\" id=\"5kXF$$q_qA\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"2a45eKor3RB\" resolve=\"body\" />\n</node>\n- <node concept=\"liA8E\" id=\"2a45eKor40v\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"wyt6:~Runnable.run()\" resolve=\"run\" />\n</node>\n</node>\n</node>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/org.modelix.model.mpsplugin.msd",
"new_path": "mps/org.modelix.model.mpsplugin/org.modelix.model.mpsplugin.msd",
"diff": "<dependency reexport=\"false\">6354ebe7-c22a-4a0f-ac54-50b52ab9b065(JDK)</dependency>\n<dependency reexport=\"false\">86441d7a-e194-42da-81a5-2161ec62a379(MPS.Workbench)</dependency>\n<dependency reexport=\"false\">742f6602-5a2f-4313-aa6e-ae1cd4ffdc61(MPS.Platform)</dependency>\n- <dependency reexport=\"false\">498d89d2-c2e9-11e2-ad49-6cf049e62fe5(MPS.IDEA)</dependency>\n+ <dependency reexport=\"true\">498d89d2-c2e9-11e2-ad49-6cf049e62fe5(MPS.IDEA)</dependency>\n<dependency reexport=\"false\">f3061a53-9226-4cc5-a443-f952ceaf5816(jetbrains.mps.baseLanguage)</dependency>\n<dependency reexport=\"false\">ecfb9949-7433-4db5-85de-0f84d172e4ce(de.q60.mps.libs)</dependency>\n<dependency reexport=\"false\">ceab5195-25ea-4f22-9b92-103b95ca8c0c(jetbrains.mps.lang.core)</dependency>\n<dependency reexport=\"false\">b6980ebd-f01d-459d-a952-38740f6313b4(org.modelix.model.runtimelang)</dependency>\n<dependency reexport=\"false\">acf6d2e2-4f00-4425-b7e9-fbf011feddf1(org.modelix.common)</dependency>\n<dependency reexport=\"false\">e4fb5bb5-0ad9-4e08-9867-6c5a4b9d9246(de.q60.mps.util)</dependency>\n- <dependency reexport=\"false\">0a2651ab-f212-45c2-a2f0-343e76cbc26b(org.modelix.model.client)</dependency>\n+ <dependency reexport=\"true\">0a2651ab-f212-45c2-a2f0-343e76cbc26b(org.modelix.model.client)</dependency>\n<dependency reexport=\"false\">0bf7bc3b-b11d-42e4-b160-93d72af96397(de.q60.mps.shadowmodels.runtimelang)</dependency>\n<dependency reexport=\"false\">5622e615-959d-4843-9df6-ef04ee578c18(org.modelix.model)</dependency>\n</dependencies>\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Undo now works for CloudTransientModels |
426,496 | 24.09.2020 16:08:29 | -7,200 | ebacd56500952ae722d5e6eda2aa25b16e0f0cea | Support errors markers in headless mode | [
{
"change_type": "MODIFY",
"old_path": "Dockerfile-mps",
"new_path": "Dockerfile-mps",
"diff": "FROM openjdk:11\nWORKDIR /usr/modelix-ui\nCOPY artifacts/mps/ /usr/modelix-ui/mps/\n+\n+# Enable error markers in headless mode\n+RUN apt update && apt install -y zip\n+RUN mkdir -p /tmp/mps-workbench\n+RUN unzip /usr/modelix-ui/mps/lib/mps-workbench.jar -d /tmp/mps-workbench/\n+RUN sed -i '/jetbrains.mps.nodeEditor.EmptyHighlighter/d' /tmp/mps-workbench/META-INF/MPSEditor.xml\n+RUN rm /usr/modelix-ui/mps/lib/mps-workbench.jar\n+WORKDIR /tmp/mps-workbench/\n+RUN zip -r /usr/modelix-ui/mps/lib/mps-workbench.jar ./*\n+RUN rm -rf /tmp/mps-workbench/\n"
},
{
"change_type": "MODIFY",
"old_path": "ui-server/src/main/java/org/modelix/ui/server/EnvironmentLoader.java",
"new_path": "ui-server/src/main/java/org/modelix/ui/server/EnvironmentLoader.java",
"diff": "@@ -4,6 +4,8 @@ import com.intellij.ide.plugins.IdeaPluginDescriptorImpl;\nimport com.intellij.ide.plugins.PluginManager;\nimport com.intellij.ide.plugins.PluginManagerCore;\nimport com.intellij.util.ReflectionUtil;\n+import jetbrains.mps.RuntimeFlags;\n+import jetbrains.mps.TestMode;\nimport jetbrains.mps.project.Project;\nimport jetbrains.mps.tool.environment.Environment;\nimport jetbrains.mps.tool.environment.EnvironmentConfig;\n@@ -63,6 +65,7 @@ public class EnvironmentLoader {\nloadLangJars(config, new File(homePath,\"languages\"));\nloadLangJars(config, new File(homePath,\"plugins\"));\nenvironment = new IdeaEnvironment(config, false);\n+ RuntimeFlags.setTestMode(TestMode.NONE);\n((IdeaEnvironment) environment).init();\nourProject = environment.createEmptyProject();\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Support errors markers in headless mode |
426,496 | 28.09.2020 15:48:54 | -7,200 | 39819b5432ce48c511c8c603e55d608467dfb2d9 | Pushed updated docker images to docker hub | [
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/model-deployment.yaml",
"new_path": "kubernetes/common/model-deployment.yaml",
"diff": "@@ -27,7 +27,7 @@ spec:\n- env:\n- name: jdbc_url\nvalue: jdbc:postgresql://db:5432/\n- image: modelix/modelix-model:202009011358\n+ image: modelix/modelix-model:202009281455\nimagePullPolicy: IfNotPresent\nname: model\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/proxy-deployment.yaml",
"new_path": "kubernetes/common/proxy-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: proxy\n- image: modelix/modelix-proxy:202009011201\n+ image: modelix/modelix-proxy:202009281455\nimagePullPolicy: IfNotPresent\nenv:\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/ui-deployment.yaml",
"new_path": "kubernetes/common/ui-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: ui\n- image: modelix/modelix-ui:202009011201\n+ image: modelix/modelix-ui:202009281455\nimagePullPolicy: IfNotPresent\nenv:\n- name: MODEL_URI\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/uiproxy-deployment.yaml",
"new_path": "kubernetes/common/uiproxy-deployment.yaml",
"diff": "@@ -23,7 +23,7 @@ spec:\nspec:\nserviceAccountName: uiproxy\ncontainers:\n- - image: modelix/modelix-uiproxy:202009011201\n+ - image: modelix/modelix-uiproxy:202009281455\nimagePullPolicy: IfNotPresent\nname: uiproxy\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/local/db-deployment.yaml",
"new_path": "kubernetes/local/db-deployment.yaml",
"diff": "@@ -29,7 +29,7 @@ spec:\nvalue: modelix\n- name: PGDATA\nvalue: /var/lib/postgresql/data/pgdata\n- image: modelix/modelix-db:202009011201\n+ image: modelix/modelix-db:202009281455\nimagePullPolicy: IfNotPresent\nname: db\nresources: {}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Pushed updated docker images to docker hub |
426,496 | 30.09.2020 15:56:09 | -7,200 | 4f60e8195d2b34b6531a0ce76a6166edffb957e9 | Tooltips for error messages in the editor | [
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.ui.svg/models/org.modelix.ui.svg.plugin.mps",
"new_path": "mps/org.modelix.ui.svg/models/org.modelix.ui.svg.plugin.mps",
"diff": "<concept id=\"1225271177708\" name=\"jetbrains.mps.baseLanguage.structure.StringType\" flags=\"in\" index=\"17QB3L\" />\n<concept id=\"1225271221393\" name=\"jetbrains.mps.baseLanguage.structure.NPENotEqualsExpression\" flags=\"nn\" index=\"17QLQc\" />\n<concept id=\"1225271283259\" name=\"jetbrains.mps.baseLanguage.structure.NPEEqualsExpression\" flags=\"nn\" index=\"17R0WA\" />\n+ <concept id=\"1225271369338\" name=\"jetbrains.mps.baseLanguage.structure.IsEmptyOperation\" flags=\"nn\" index=\"17RlXB\" />\n<concept id=\"4972933694980447171\" name=\"jetbrains.mps.baseLanguage.structure.BaseVariableDeclaration\" flags=\"ng\" index=\"19Szcq\">\n<child id=\"5680397130376446158\" name=\"type\" index=\"1tU5fm\" />\n</concept>\n+ <concept id=\"4269842503726207156\" name=\"jetbrains.mps.baseLanguage.structure.LongLiteral\" flags=\"nn\" index=\"1adDum\">\n+ <property id=\"4269842503726207157\" name=\"value\" index=\"1adDun\" />\n+ </concept>\n<concept id=\"1111509017652\" name=\"jetbrains.mps.baseLanguage.structure.FloatingPointConstant\" flags=\"nn\" index=\"3b6qkQ\">\n<property id=\"1113006610751\" name=\"value\" index=\"$nhwW\" />\n</concept>\n</node>\n</node>\n<node concept=\"2tJIrI\" id=\"2D2$TMZrOgM\" role=\"jymVt\" />\n+ <node concept=\"312cEg\" id=\"5T3RZQ95ndl\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"tooltip\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ95ndm\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"5T3RZQ95uP$\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" node=\"5T3RZQ93ztz\" resolve=\"RenderSession.RemoteTooltip\" />\n+ </node>\n+ <node concept=\"2ShNRf\" id=\"5T3RZQ95w5X\" role=\"33vP2m\">\n+ <node concept=\"1pGfFk\" id=\"5T3RZQ95vOh\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" node=\"5T3RZQ9596I\" resolve=\"RenderSession.RemoteTooltip\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2tJIrI\" id=\"5T3RZQ95cej\" role=\"jymVt\" />\n<node concept=\"312cEg\" id=\"7tTb3N6JEBz\" role=\"jymVt\">\n<property role=\"TrG5h\" value=\"sendLock\" />\n<property role=\"3TUv4t\" value=\"true\" />\n<node concept=\"3cqZAl\" id=\"1qbCJZsJ6hG\" role=\"3clF45\" />\n<node concept=\"3Tm1VV\" id=\"1qbCJZsJ6hH\" role=\"1B3o_S\" />\n<node concept=\"3clFbS\" id=\"1qbCJZsJ6hI\" role=\"3clF47\">\n+ <node concept=\"3clFbJ\" id=\"5T3RZQ95aX9\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"5T3RZQ95aXb\" role=\"3clFbx\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ95EiZ\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ95Ev2\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ95EiX\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ95ndl\" resolve=\"tooltip\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ95EHd\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" node=\"5T3RZQ93TfE\" resolve=\"dispose\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3y3z36\" id=\"5T3RZQ95Dmg\" role=\"3clFbw\">\n+ <node concept=\"10Nm6u\" id=\"5T3RZQ95DZN\" role=\"3uHU7w\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ95CBY\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ95ndl\" resolve=\"tooltip\" />\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"3clFbJ\" id=\"2D2$TMZuRih\" role=\"3cqZAp\">\n<node concept=\"3clFbS\" id=\"2D2$TMZuRij\" role=\"3clFbx\">\n<node concept=\"3clFbF\" id=\"2D2$TMZuTF9\" role=\"3cqZAp\">\n</node>\n</node>\n</node>\n+ <node concept=\"3eNFk2\" id=\"5T3RZQ90_Qo\" role=\"3eNLev\">\n+ <node concept=\"3clFbS\" id=\"5T3RZQ90_Qp\" role=\"3eOfB_\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ96tMu\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ96uRz\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ96tMs\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ95ndl\" resolve=\"tooltip\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ96v4u\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" node=\"5T3RZQ93Fgo\" resolve=\"mouseMove\" />\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ96vp0\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ96vp1\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"1qbCJZsJ6kV\" resolve=\"data\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ96vp2\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.getInt(java.lang.String)\" resolve=\"getInt\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ96vp3\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"x\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ96y1X\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ96y1Y\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"1qbCJZsJ6kV\" resolve=\"data\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ96y1Z\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.getInt(java.lang.String)\" resolve=\"getInt\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ96y20\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"y\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"17R0WA\" id=\"5T3RZQ90_Qx\" role=\"3eO9$A\">\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ90_Qy\" role=\"3uHU7w\">\n+ <property role=\"Xl_RC\" value=\"mousemove\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ90_Qz\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"1qbCJZsJ6l2\" resolve=\"type\" />\n+ </node>\n+ </node>\n+ </node>\n<node concept=\"3eNFk2\" id=\"1qbCJZsJ6lS\" role=\"3eNLev\">\n<node concept=\"3clFbS\" id=\"1qbCJZsJ6lT\" role=\"3eOfB_\">\n<node concept=\"3clFbF\" id=\"1qbCJZsJ6lU\" role=\"3cqZAp\">\n</node>\n</node>\n<node concept=\"2tJIrI\" id=\"7tTb3N6IDkn\" role=\"jymVt\" />\n+ <node concept=\"312cEu\" id=\"5T3RZQ93ztz\" role=\"jymVt\">\n+ <property role=\"2bfB8j\" value=\"true\" />\n+ <property role=\"TrG5h\" value=\"RemoteTooltip\" />\n+ <node concept=\"312cEg\" id=\"5T3RZQ93Pzn\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"timer\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ93Pzo\" role=\"1B3o_S\" />\n+ <node concept=\"3uibUv\" id=\"5T3RZQ93Rwx\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"dxuu:~Timer\" resolve=\"Timer\" />\n+ </node>\n+ <node concept=\"2ShNRf\" id=\"5T3RZQ93Qr3\" role=\"33vP2m\">\n+ <node concept=\"1pGfFk\" id=\"5T3RZQ93Qr4\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" to=\"dxuu:~Timer.<init>(int,java.awt.event.ActionListener)\" resolve=\"Timer\" />\n+ <node concept=\"3cmrfG\" id=\"5T3RZQ93Qr5\" role=\"37wK5m\">\n+ <property role=\"3cmrfH\" value=\"100\" />\n+ </node>\n+ <node concept=\"1bVj0M\" id=\"5T3RZQ93Qr6\" role=\"37wK5m\">\n+ <node concept=\"37vLTG\" id=\"5T3RZQ93Qr7\" role=\"1bW2Oz\">\n+ <property role=\"TrG5h\" value=\"e\" />\n+ <node concept=\"3uibUv\" id=\"5T3RZQ93Qr8\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"hyam:~ActionEvent\" resolve=\"ActionEvent\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"5T3RZQ93Qr9\" role=\"1bW5cS\">\n+ <node concept=\"3J1_TO\" id=\"5T3RZQ93Qra\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"5T3RZQ93Qrb\" role=\"1zxBo7\">\n+ <node concept=\"1HWtB8\" id=\"5T3RZQ95$FQ\" role=\"3cqZAp\">\n+ <node concept=\"Xjq3P\" id=\"5T3RZQ95Bys\" role=\"1HWFw0\" />\n+ <node concept=\"3clFbS\" id=\"5T3RZQ95$FU\" role=\"1HWHxc\">\n+ <node concept=\"3clFbJ\" id=\"5T3RZQ94VTn\" role=\"3cqZAp\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94WjV\" role=\"3clFbw\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94GCP\" resolve=\"myVisible\" />\n+ </node>\n+ <node concept=\"3clFbS\" id=\"5T3RZQ94VTp\" role=\"3clFbx\">\n+ <node concept=\"3clFbJ\" id=\"5T3RZQ954_x\" role=\"3cqZAp\">\n+ <node concept=\"2dkUwp\" id=\"5T3RZQ956e0\" role=\"3clFbw\">\n+ <node concept=\"2YIFZM\" id=\"5T3RZQ956Py\" role=\"3uHU7w\">\n+ <ref role=\"37wK5l\" to=\"wyt6:~System.currentTimeMillis()\" resolve=\"currentTimeMillis\" />\n+ <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ9558O\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93WIt\" resolve=\"myHideTime\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"5T3RZQ954_z\" role=\"3clFbx\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ957oW\" role=\"3cqZAp\">\n+ <node concept=\"1rXfSq\" id=\"5T3RZQ957oV\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" node=\"5T3RZQ94O7N\" resolve=\"hideTooltip\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"9aQIb\" id=\"5T3RZQ94WCH\" role=\"9aQIa\">\n+ <node concept=\"3clFbS\" id=\"5T3RZQ94WCI\" role=\"9aQI4\">\n+ <node concept=\"3clFbJ\" id=\"5T3RZQ94WWa\" role=\"3cqZAp\">\n+ <node concept=\"1Wc70l\" id=\"5T3RZQ94XOt\" role=\"3clFbw\">\n+ <node concept=\"3y3z36\" id=\"5T3RZQ950Um\" role=\"3uHU7B\">\n+ <node concept=\"10Nm6u\" id=\"5T3RZQ9515x\" role=\"3uHU7w\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94YrY\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94gCB\" resolve=\"myText\" />\n+ </node>\n+ </node>\n+ <node concept=\"2dkUwp\" id=\"5T3RZQ952fP\" role=\"3uHU7w\">\n+ <node concept=\"2YIFZM\" id=\"5T3RZQ952K5\" role=\"3uHU7w\">\n+ <ref role=\"37wK5l\" to=\"wyt6:~System.currentTimeMillis()\" resolve=\"currentTimeMillis\" />\n+ <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94Xoh\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Z3x\" resolve=\"myShowTime\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"5T3RZQ94WWc\" role=\"3clFbx\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ953IN\" role=\"3cqZAp\">\n+ <node concept=\"1rXfSq\" id=\"5T3RZQ953IM\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" node=\"5T3RZQ946C5\" resolve=\"showTooltip\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3uVAMA\" id=\"5T3RZQ93Qre\" role=\"1zxBo5\">\n+ <node concept=\"XOnhg\" id=\"5T3RZQ93Qrf\" role=\"1zc67B\">\n+ <property role=\"3TUv4t\" value=\"false\" />\n+ <property role=\"TrG5h\" value=\"ex\" />\n+ <node concept=\"nSUau\" id=\"5T3RZQ93Qrg\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"5T3RZQ93Qrh\" role=\"nSUat\">\n+ <ref role=\"3uigEE\" to=\"wyt6:~Exception\" resolve=\"Exception\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"5T3RZQ93Qri\" role=\"1zc67A\">\n+ <node concept=\"RRSsy\" id=\"5T3RZQ93Qrj\" role=\"3cqZAp\">\n+ <property role=\"RRSoG\" value=\"gZ5fh_4/error\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ93Qrk\" role=\"RRSoy\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93Qrl\" role=\"RRSow\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Qrf\" resolve=\"ex\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"312cEg\" id=\"5T3RZQ93WIt\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"myHideTime\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ93WIu\" role=\"1B3o_S\" />\n+ <node concept=\"3cpWsb\" id=\"5T3RZQ94$8t\" role=\"1tU5fm\" />\n+ <node concept=\"3cmrfG\" id=\"5T3RZQ93XZF\" role=\"33vP2m\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ </node>\n+ <node concept=\"312cEg\" id=\"5T3RZQ93Z3x\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"myShowTime\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ93Z3y\" role=\"1B3o_S\" />\n+ <node concept=\"3cpWsb\" id=\"5T3RZQ94$j9\" role=\"1tU5fm\" />\n+ <node concept=\"3cmrfG\" id=\"5T3RZQ93ZU3\" role=\"33vP2m\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ </node>\n+ <node concept=\"312cEg\" id=\"5T3RZQ94eo_\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"myX\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ94eoA\" role=\"1B3o_S\" />\n+ <node concept=\"10Oyi0\" id=\"5T3RZQ94f0K\" role=\"1tU5fm\" />\n+ </node>\n+ <node concept=\"312cEg\" id=\"5T3RZQ94f35\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"myY\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ94f36\" role=\"1B3o_S\" />\n+ <node concept=\"10Oyi0\" id=\"5T3RZQ94f37\" role=\"1tU5fm\" />\n+ </node>\n+ <node concept=\"312cEg\" id=\"5T3RZQ94gCB\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"myText\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ94gCC\" role=\"1B3o_S\" />\n+ <node concept=\"17QB3L\" id=\"5T3RZQ94s5s\" role=\"1tU5fm\" />\n+ </node>\n+ <node concept=\"312cEg\" id=\"5T3RZQ94GCP\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"myVisible\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ94GCQ\" role=\"1B3o_S\" />\n+ <node concept=\"10P_77\" id=\"5T3RZQ94HQe\" role=\"1tU5fm\" />\n+ <node concept=\"3clFbT\" id=\"5T3RZQ94I78\" role=\"33vP2m\" />\n+ </node>\n+ <node concept=\"2tJIrI\" id=\"5T3RZQ957SQ\" role=\"jymVt\" />\n+ <node concept=\"3clFbW\" id=\"5T3RZQ9596I\" role=\"jymVt\">\n+ <node concept=\"3cqZAl\" id=\"5T3RZQ9596J\" role=\"3clF45\" />\n+ <node concept=\"3Tm1VV\" id=\"5T3RZQ9596K\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"5T3RZQ9596M\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ959MS\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ95a9K\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ959MR\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Pzn\" resolve=\"timer\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ95aoX\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"dxuu:~Timer.start()\" resolve=\"start\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"5T3RZQ93Fgo\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"mouseMove\" />\n+ <property role=\"od$2w\" value=\"true\" />\n+ <node concept=\"37vLTG\" id=\"5T3RZQ93IfI\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"x\" />\n+ <node concept=\"10Oyi0\" id=\"5T3RZQ93Jc$\" role=\"1tU5fm\" />\n+ </node>\n+ <node concept=\"37vLTG\" id=\"5T3RZQ93Jix\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"y\" />\n+ <node concept=\"10Oyi0\" id=\"5T3RZQ93Ke5\" role=\"1tU5fm\" />\n+ </node>\n+ <node concept=\"3cqZAl\" id=\"5T3RZQ93Fgq\" role=\"3clF45\" />\n+ <node concept=\"3Tm1VV\" id=\"5T3RZQ93Fgr\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"5T3RZQ93Fgs\" role=\"3clF47\">\n+ <node concept=\"3clFbJ\" id=\"5T3RZQ95YIH\" role=\"3cqZAp\">\n+ <node concept=\"3clFbS\" id=\"5T3RZQ95YIJ\" role=\"3clFbx\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ960oW\" role=\"3cqZAp\">\n+ <node concept=\"1rXfSq\" id=\"5T3RZQ960oU\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" node=\"5T3RZQ94O7N\" resolve=\"hideTooltip\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ95Zgc\" role=\"3clFbw\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94GCP\" resolve=\"myVisible\" />\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"5T3RZQ93FVA\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5T3RZQ93FVB\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"toolTipText\" />\n+ <node concept=\"17QB3L\" id=\"5T3RZQ93FVC\" role=\"1tU5fm\" />\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ93FVD\" role=\"33vP2m\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FVE\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"1qbCJZsJ67a\" resolve=\"serverEditorComponent\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ93FVF\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"exr9:~EditorComponent.getToolTipText(java.awt.event.MouseEvent)\" resolve=\"getToolTipText\" />\n+ <node concept=\"2ShNRf\" id=\"5T3RZQ93FVG\" role=\"37wK5m\">\n+ <node concept=\"1pGfFk\" id=\"5T3RZQ93FVH\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" to=\"hyam:~MouseEvent.<init>(java.awt.Component,int,long,int,int,int,int,boolean)\" resolve=\"MouseEvent\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FVI\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"1qbCJZsJ67a\" resolve=\"serverEditorComponent\" />\n+ </node>\n+ <node concept=\"10M0yZ\" id=\"5T3RZQ93FVJ\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" to=\"hyam:~MouseEvent.MOUSE_MOVED\" resolve=\"MOUSE_MOVED\" />\n+ <ref role=\"1PxDUh\" to=\"hyam:~MouseEvent\" resolve=\"MouseEvent\" />\n+ </node>\n+ <node concept=\"2YIFZM\" id=\"5T3RZQ93FVK\" role=\"37wK5m\">\n+ <ref role=\"37wK5l\" to=\"wyt6:~System.currentTimeMillis()\" resolve=\"currentTimeMillis\" />\n+ <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n+ </node>\n+ <node concept=\"3cmrfG\" id=\"5T3RZQ93FVL\" role=\"37wK5m\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FVM\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93IfI\" resolve=\"x\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FVN\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Jix\" resolve=\"y\" />\n+ </node>\n+ <node concept=\"3cmrfG\" id=\"5T3RZQ93FVO\" role=\"37wK5m\">\n+ <property role=\"3cmrfH\" value=\"0\" />\n+ </node>\n+ <node concept=\"3clFbT\" id=\"5T3RZQ93FVP\" role=\"37wK5m\">\n+ <property role=\"3clFbU\" value=\"true\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94mUf\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94nLk\" role=\"3clFbG\">\n+ <node concept=\"3K4zz7\" id=\"5T3RZQ95Uqh\" role=\"37vLTx\">\n+ <node concept=\"10Nm6u\" id=\"5T3RZQ95Vk_\" role=\"3K4E3e\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ95VQ_\" role=\"3K4GZi\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FVB\" resolve=\"toolTipText\" />\n+ </node>\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ95TPm\" role=\"3K4Cdx\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94qZx\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FVB\" resolve=\"toolTipText\" />\n+ </node>\n+ <node concept=\"17RlXB\" id=\"5T3RZQ95U28\" role=\"2OqNvi\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94mUd\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94gCB\" resolve=\"myText\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94tU4\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94uLV\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94v0p\" role=\"37vLTx\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93IfI\" resolve=\"x\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94tU2\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94eo_\" resolve=\"myX\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94w9A\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94xlE\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94x$8\" role=\"37vLTx\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Jix\" resolve=\"y\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94w9$\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94f35\" resolve=\"myY\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ9413j\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ942nE\" role=\"3clFbG\">\n+ <node concept=\"3cpWs3\" id=\"5T3RZQ94zgB\" role=\"37vLTx\">\n+ <node concept=\"1adDum\" id=\"5T3RZQ94Fck\" role=\"3uHU7w\">\n+ <property role=\"1adDun\" value=\"1000L\" />\n+ </node>\n+ <node concept=\"2YIFZM\" id=\"5T3RZQ94ytJ\" role=\"3uHU7B\">\n+ <ref role=\"37wK5l\" to=\"wyt6:~System.currentTimeMillis()\" resolve=\"currentTimeMillis\" />\n+ <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ9413h\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Z3x\" resolve=\"myShowTime\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"5T3RZQ946C5\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"showTooltip\" />\n+ <property role=\"od$2w\" value=\"true\" />\n+ <node concept=\"3cqZAl\" id=\"5T3RZQ946C7\" role=\"3clF45\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ946C8\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"5T3RZQ946C9\" role=\"3clF47\">\n+ <node concept=\"3cpWs8\" id=\"5T3RZQ93FVZ\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5T3RZQ93FW0\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"ttMessage\" />\n+ <node concept=\"3uibUv\" id=\"5T3RZQ93FW1\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"mxf6:~JSONObject\" resolve=\"JSONObject\" />\n+ </node>\n+ <node concept=\"2ShNRf\" id=\"5T3RZQ93FW2\" role=\"33vP2m\">\n+ <node concept=\"1pGfFk\" id=\"5T3RZQ93FW3\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.<init>()\" resolve=\"JSONObject\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ93FW4\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ93FW5\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FW6\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FW0\" resolve=\"ttMessage\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ93FW7\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.put(java.lang.String,java.lang.Object)\" resolve=\"put\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ93FW8\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"type\" />\n+ </node>\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ93FW9\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"tooltip.show\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ93FWa\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ93FWb\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FWc\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FW0\" resolve=\"ttMessage\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ93FWd\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.put(java.lang.String,double)\" resolve=\"put\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ93FWe\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"x\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94iew\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94eo_\" resolve=\"myX\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3cpWs8\" id=\"5T3RZQ93M6C\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5T3RZQ93M6D\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"mouseCursorHeight\" />\n+ <node concept=\"10Oyi0\" id=\"5T3RZQ93LEo\" role=\"1tU5fm\" />\n+ <node concept=\"3cmrfG\" id=\"5T3RZQ93M6E\" role=\"33vP2m\">\n+ <property role=\"3cmrfH\" value=\"20\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ93FWg\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ93FWh\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FWi\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FW0\" resolve=\"ttMessage\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ93FWj\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.put(java.lang.String,int)\" resolve=\"put\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ93FWk\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"y\" />\n+ </node>\n+ <node concept=\"3cpWs3\" id=\"5T3RZQ93FWl\" role=\"37wK5m\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93M6F\" role=\"3uHU7w\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93M6D\" resolve=\"mouseCursorHeight\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94iMT\" role=\"3uHU7B\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94f35\" resolve=\"myY\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ93FWo\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ93FWp\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FWq\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FW0\" resolve=\"ttMessage\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ93FWr\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.put(java.lang.String,java.lang.Object)\" resolve=\"put\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ93FWs\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"text\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94jzO\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94gCB\" resolve=\"myText\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ93FWu\" role=\"3cqZAp\">\n+ <node concept=\"1rXfSq\" id=\"5T3RZQ93FWv\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" node=\"1MWbHmSlE5Z\" resolve=\"sendMessage\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93FWw\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93FW0\" resolve=\"ttMessage\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94JrF\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94KC_\" role=\"3clFbG\">\n+ <node concept=\"3clFbT\" id=\"5T3RZQ94Lbu\" role=\"37vLTx\">\n+ <property role=\"3clFbU\" value=\"true\" />\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94JrD\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94GCP\" resolve=\"myVisible\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94_xC\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94CqI\" role=\"3clFbG\">\n+ <node concept=\"3cpWs3\" id=\"5T3RZQ94E0u\" role=\"37vLTx\">\n+ <node concept=\"1adDum\" id=\"5T3RZQ94EIR\" role=\"3uHU7w\">\n+ <property role=\"1adDun\" value=\"30000L\" />\n+ </node>\n+ <node concept=\"2YIFZM\" id=\"5T3RZQ94DoT\" role=\"3uHU7B\">\n+ <ref role=\"37wK5l\" to=\"wyt6:~System.currentTimeMillis()\" resolve=\"currentTimeMillis\" />\n+ <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n+ </node>\n+ </node>\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94_xA\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93WIt\" resolve=\"myHideTime\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"5T3RZQ94O7N\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"hideTooltip\" />\n+ <property role=\"od$2w\" value=\"true\" />\n+ <node concept=\"3cqZAl\" id=\"5T3RZQ94O7O\" role=\"3clF45\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ94O7P\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"5T3RZQ94O7Q\" role=\"3clF47\">\n+ <node concept=\"3cpWs8\" id=\"5T3RZQ94O7R\" role=\"3cqZAp\">\n+ <node concept=\"3cpWsn\" id=\"5T3RZQ94O7S\" role=\"3cpWs9\">\n+ <property role=\"TrG5h\" value=\"ttMessage\" />\n+ <node concept=\"3uibUv\" id=\"5T3RZQ94O7T\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"mxf6:~JSONObject\" resolve=\"JSONObject\" />\n+ </node>\n+ <node concept=\"2ShNRf\" id=\"5T3RZQ94O7U\" role=\"33vP2m\">\n+ <node concept=\"1pGfFk\" id=\"5T3RZQ94O7V\" role=\"2ShVmc\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.<init>()\" resolve=\"JSONObject\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94O7W\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ94O7X\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94O7Y\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94O7S\" resolve=\"ttMessage\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ94O7Z\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"mxf6:~JSONObject.put(java.lang.String,java.lang.Object)\" resolve=\"put\" />\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ94O80\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"type\" />\n+ </node>\n+ <node concept=\"Xl_RD\" id=\"5T3RZQ94O81\" role=\"37wK5m\">\n+ <property role=\"Xl_RC\" value=\"tooltip.hide\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94O8q\" role=\"3cqZAp\">\n+ <node concept=\"1rXfSq\" id=\"5T3RZQ94O8r\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" node=\"1MWbHmSlE5Z\" resolve=\"sendMessage\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94O8s\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94O7S\" resolve=\"ttMessage\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94O8t\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94O8u\" role=\"3clFbG\">\n+ <node concept=\"3clFbT\" id=\"5T3RZQ94O8v\" role=\"37vLTx\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94O8w\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94GCP\" resolve=\"myVisible\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"5T3RZQ94Zhy\" role=\"3cqZAp\">\n+ <node concept=\"37vLTI\" id=\"5T3RZQ94ZY4\" role=\"3clFbG\">\n+ <node concept=\"10Nm6u\" id=\"5T3RZQ950ah\" role=\"37vLTx\" />\n+ <node concept=\"37vLTw\" id=\"5T3RZQ94Zhw\" role=\"37vLTJ\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ94gCB\" resolve=\"myText\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFb_\" id=\"5T3RZQ93TfE\" role=\"jymVt\">\n+ <property role=\"TrG5h\" value=\"dispose\" />\n+ <node concept=\"3cqZAl\" id=\"5T3RZQ93TfG\" role=\"3clF45\" />\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ93TfH\" role=\"1B3o_S\" />\n+ <node concept=\"3clFbS\" id=\"5T3RZQ93TfI\" role=\"3clF47\">\n+ <node concept=\"3clFbF\" id=\"5T3RZQ93Va1\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"5T3RZQ93VtI\" role=\"3clFbG\">\n+ <node concept=\"37vLTw\" id=\"5T3RZQ93Va0\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"5T3RZQ93Pzn\" resolve=\"timer\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"5T3RZQ93VH0\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"dxuu:~Timer.stop()\" resolve=\"stop\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3Tm6S6\" id=\"5T3RZQ93Fuz\" role=\"1B3o_S\" />\n+ </node>\n</node>\n<node concept=\"312cEu\" id=\"7tTb3N6JZZ2\">\n<property role=\"TrG5h\" value=\"EditorChangeDetector\" />\n"
},
{
"change_type": "RENAME",
"old_path": "ui-client/src/scripts/SvgBasedEditor.ts",
"new_path": "ui-client/src/scripts/ImageBasedEditor.ts",
"diff": "@@ -4,13 +4,15 @@ import {DomUtils} from \"./DomUtil\";\nimport {getWebsocketUrl} from \"./UrlUtil\";\nimport {CCMenu, IAction} from \"./CCMenu\";\nimport {IIntention, IntentionsMenu} from \"./IntentionsMenu\";\n+import {Tooltip} from \"./Tooltip\";\n-export class SvgBasedEditor {\n+export class ImageBasedEditor {\nprivate socket: WebSocket;\nprivate ccmenu: CCMenu;\nprivate intentionsMenu: IntentionsMenu;\n+ private tooltip: Tooltip;\nprivate connectionStatus: HTMLElement;\nprivate lastConnectionStatus: number;\n@@ -117,6 +119,11 @@ export class SvgBasedEditor {\nthis.intentionsMenu.setPosition(intentionsMessage.x, intentionsMessage.y);\nthis.intentionsMenu.loadIntentions(intentions);\nthis.intentionsMenu.setVisible(true);\n+ } else if (message.type === \"tooltip.show\") {\n+ let tooltipMessage = message as ITooltipMessage\n+ this.tooltip.show(tooltipMessage.x, tooltipMessage.y, tooltipMessage.text);\n+ } else if (message.type === \"tooltip.hide\") {\n+ this.tooltip.hide();\n}\n}\n@@ -213,6 +220,60 @@ export class SvgBasedEditor {\nevent.preventDefault();\n});\n+ $(element).mousemove(event => {\n+ lastEventTime = Date.now();\n+\n+ const offset = $(element).offset();\n+ let x = event.pageX - offset.left;\n+ let y = event.pageY - offset.top;\n+\n+ let message: IMessage = {\n+ type: \"mousemove\",\n+ data: {\n+ x: x,\n+ y: y,\n+ },\n+ };\n+\n+ this.send(message);\n+ });\n+\n+ $(element).mouseenter(event => {\n+ lastEventTime = Date.now();\n+\n+ const offset = $(element).offset();\n+ let x = event.pageX - offset.left;\n+ let y = event.pageY - offset.top;\n+\n+ let message: IMessage = {\n+ type: \"mouseenter\",\n+ data: {\n+ x: x,\n+ y: y,\n+ },\n+ };\n+\n+ this.send(message);\n+ });\n+\n+ $(element).mouseleave(event => {\n+ lastEventTime = Date.now();\n+\n+ const offset = $(element).offset();\n+ let x = event.pageX - offset.left;\n+ let y = event.pageY - offset.top;\n+\n+ let message: IMessage = {\n+ type: \"mouseleave\",\n+ data: {\n+ x: x,\n+ y: y,\n+ },\n+ };\n+\n+ this.send(message);\n+ });\n+\n$(element).keypress(event => {\nconsole.log(\"press \" + event);\n@@ -282,6 +343,9 @@ export class SvgBasedEditor {\nthis.intentionsMenu = new IntentionsMenu();\nthis.element.appendChild(this.intentionsMenu.getDom());\n+ this.tooltip = new Tooltip();\n+ this.element.appendChild(this.tooltip.getDom());\n+\nthis.connectionStatus = document.createElement(\"div\");\nthis.element.appendChild(this.connectionStatus);\nthis.connectionStatus.classList.add(\"connectionStatus\");\n@@ -401,3 +465,9 @@ interface IExecuteIntentionMessage extends IMessage {\nindex: number;\ntext: string;\n}\n+\n+interface ITooltipMessage extends IMessage {\n+ text: string;\n+ x: number;\n+ y: number;\n+}\n\\ No newline at end of file\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "ui-client/src/scripts/Tooltip.ts",
"diff": "+/*\n+ * Licensed under the Apache License, Version 2.0 (the \"License\");\n+ * you may not use this file except in compliance with the License.\n+ * You may obtain a copy of the License at\n+ *\n+ * http://www.apache.org/licenses/LICENSE-2.0\n+ *\n+ * Unless required by applicable law or agreed to in writing,\n+ * software distributed under the License is distributed on an\n+ * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n+ * KIND, either express or implied. See the License for the\n+ * specific language governing permissions and limitations\n+ * under the License.\n+ */\n+\n+import {JSKeyCodes} from \"./KeyCodeTranslator\";\n+import $ = require(\"jquery\");\n+\n+export class Tooltip {\n+ private dom: HTMLElement;\n+ private contentContainer: HTMLElement | undefined;\n+\n+ constructor() {\n+ this.initDom();\n+ }\n+\n+ protected initDom(): void {\n+ this.dom = document.createElement(\"div\");\n+ this.dom.classList.add(\"tooltip\");\n+ $(this.dom).blur(() => {\n+ this.setVisible(false);\n+ });\n+\n+ this.contentContainer = document.createElement(\"div\");\n+ this.contentContainer.classList.add(\"tooltipContent\");\n+ this.dom.appendChild(this.contentContainer);\n+ }\n+\n+ getDom(): HTMLElement {\n+ return this.dom;\n+ }\n+\n+ setVisible(visible: boolean): void {\n+ this.dom.style.visibility = visible ? \"visible\" : \"hidden\";\n+ if (visible) {\n+ this.dom.focus();\n+ } else {\n+ this.dom.parentElement.focus();\n+ }\n+ }\n+\n+ setText(text: string): void {\n+ this.contentContainer.innerText = text;\n+ }\n+\n+ isVisible(): boolean {\n+ return this.dom.style.visibility !== \"hidden\";\n+ }\n+\n+ setPosition(x: number, y: number): void {\n+ this.dom.style.left = x + \"px\";\n+ this.dom.style.top = y + \"px\";\n+ }\n+\n+ show(x: number, y: number, text: string): void {\n+ this.setPosition(x, y);\n+ this.setText(text);\n+ this.setVisible(true)\n+ }\n+\n+ hide(): void {\n+ this.setVisible(false);\n+ }\n+}\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "ui-client/src/scripts/app.ts",
"new_path": "ui-client/src/scripts/app.ts",
"diff": "import \"../styles/base.scss\";\nimport $ = require(\"jquery\");\n-import {SvgBasedEditor} from \"./SvgBasedEditor\";\n+import {ImageBasedEditor} from \"./ImageBasedEditor\";\nimport {ShadowModelsBasedEditor} from \"./ShadowModelsBasedEditor\";\n$(() => {\n- const svgViewers = new Set<SvgBasedEditor>();\n+ const svgViewers = new Set<ImageBasedEditor>();\nfor (const element of document.getElementsByClassName(\"svgviewer\")) {\n- svgViewers.add(new SvgBasedEditor(element as HTMLElement));\n+ svgViewers.add(new ImageBasedEditor(element as HTMLElement));\n}\nconst smViewers = new Set<ShadowModelsBasedEditor>();\n"
},
{
"change_type": "MODIFY",
"old_path": "ui-client/src/styles/base.scss",
"new_path": "ui-client/src/styles/base.scss",
"diff": "}\n}\n}\n+\n+.tooltip {\n+ color: black;\n+ z-index: 20;\n+ background-color: white;\n+ border: 1px solid #acacac;\n+ position: absolute;\n+ padding: 3px;\n+ left: 20px;\n+ top: 20px;\n+ box-shadow: 5px 5px 40px 0 rgba(0, 0, 0, 0.5);\n+ visibility: hidden;\n+}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Tooltips for error messages in the editor |
426,496 | 01.10.2020 12:52:06 | -7,200 | 77def5988d088b7053e2bd21be8b549350fc1c7e | Pushed new docker image to docker hub | [
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/model-deployment.yaml",
"new_path": "kubernetes/common/model-deployment.yaml",
"diff": "@@ -27,7 +27,7 @@ spec:\n- env:\n- name: jdbc_url\nvalue: jdbc:postgresql://db:5432/\n- image: modelix/modelix-model:202009281455\n+ image: modelix/modelix-model:202010011142\nimagePullPolicy: IfNotPresent\nname: model\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/proxy-deployment.yaml",
"new_path": "kubernetes/common/proxy-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: proxy\n- image: modelix/modelix-proxy:202009281455\n+ image: modelix/modelix-proxy:202010011142\nimagePullPolicy: IfNotPresent\nenv:\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/ui-deployment.yaml",
"new_path": "kubernetes/common/ui-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: ui\n- image: modelix/modelix-ui:202009281455\n+ image: modelix/modelix-ui:202010011142\nimagePullPolicy: IfNotPresent\nenv:\n- name: MODEL_URI\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/uiproxy-deployment.yaml",
"new_path": "kubernetes/common/uiproxy-deployment.yaml",
"diff": "@@ -23,7 +23,7 @@ spec:\nspec:\nserviceAccountName: uiproxy\ncontainers:\n- - image: modelix/modelix-uiproxy:202009281455\n+ - image: modelix/modelix-uiproxy:202010011142\nimagePullPolicy: IfNotPresent\nname: uiproxy\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/local/db-deployment.yaml",
"new_path": "kubernetes/local/db-deployment.yaml",
"diff": "@@ -29,7 +29,7 @@ spec:\nvalue: modelix\n- name: PGDATA\nvalue: /var/lib/postgresql/data/pgdata\n- image: modelix/modelix-db:202009281455\n+ image: modelix/modelix-db:202010011142\nimagePullPolicy: IfNotPresent\nname: db\nresources: {}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Pushed new docker image to docker hub |
426,496 | 02.10.2020 15:24:30 | -7,200 | 65067a5fdcfcdb52560924544a69ec74f6b4ca99 | Gradle plugin for downloading models into MPS files (1) | [
{
"change_type": "MODIFY",
"old_path": ".idea/jarRepositories.xml",
"new_path": ".idea/jarRepositories.xml",
"diff": "<option name=\"name\" value=\"maven\" />\n<option name=\"url\" value=\"https://repo.maven.apache.org/maven2\" />\n</remote-repository>\n+ <remote-repository>\n+ <option name=\"id\" value=\"maven3\" />\n+ <option name=\"name\" value=\"maven3\" />\n+ <option name=\"url\" value=\"https://projects.itemis.de/nexus/content/repositories/mbeddr\" />\n+ </remote-repository>\n</component>\n</project>\n\\ No newline at end of file\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/build.gradle",
"new_path": "gradle-plugin/build.gradle",
"diff": "@@ -10,11 +10,23 @@ sourceCompatibility = 1.8\nrepositories {\nmavenCentral()\n+ maven { url 'https://projects.itemis.de/nexus/content/repositories/mbeddr' }\n}\n+ext.mpsVersion = \"2020.1.1\"\n+\ndependencies {\n+ compile fileTree(dir: '../artifacts/mps/lib', include: '*.jar')\n+ compile group: 'org.modelix', name: 'model-client-jvm', version: '2020.1-SNAPSHOT'\ncompile gradleApi()\ntestCompile group: 'junit', name: 'junit', version: '4.12'\n+// compile \"com.jetbrains:mps:$mpsVersion\"\n+// compileOnly \"com.jetbrains:mps-core:$mpsVersion\"\n+// compileOnly \"com.jetbrains:mps-platform:$mpsVersion\"\n+// compileOnly \"com.jetbrains:mps-openapi:$mpsVersion\"\n+// compileOnly \"com.jetbrains:mps-modelchecker:$mpsVersion\"\n+// compileOnly \"com.jetbrains:mps-httpsupport-runtime:$mpsVersion\"\n+// compileOnly \"com.jetbrains:mps-project-check:$mpsVersion\"\n}\nuploadArchives {\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/EnvironmentLoader.java",
"diff": "+package org.modelix.gradle.model;\n+\n+import com.intellij.util.ReflectionUtil;\n+import jetbrains.mps.RuntimeFlags;\n+import jetbrains.mps.TestMode;\n+import jetbrains.mps.project.Project;\n+import jetbrains.mps.tool.environment.Environment;\n+import jetbrains.mps.tool.environment.EnvironmentConfig;\n+import jetbrains.mps.tool.environment.IdeaEnvironment;\n+import jetbrains.mps.util.PathManager;\n+\n+import java.io.File;\n+\n+public class EnvironmentLoader {\n+\n+ private static Environment environment;\n+ private static Project ourProject;\n+\n+ public static void loadEnvironment(Project project) {\n+ if (ourProject != null) return;\n+ ourProject = project;\n+ }\n+\n+ public static Project loadEnvironment(File gitRepoDir) {\n+ if (ourProject == null) {\n+ // If you get the exception \"Could not find installation home path\"\n+ // Set \"-Didea.home\" in the VM options\n+\n+ ReflectionUtil.setField(PathManager.class, null, String.class, \"ourHomePath\", System.getProperty(\"idea.home\"));\n+ ReflectionUtil.setField(PathManager.class, null, String.class, \"ourIdeaPath\", System.getProperty(\"idea.home\"));\n+\n+ EnvironmentConfig config = EnvironmentConfig.defaultConfig()\n+ .withBootstrapLibraries()\n+ .withBuildPlugin()\n+ .withCorePlugin()\n+ .withDefaultPlugins()\n+ .withDefaultSamples()\n+ //.withDevkitPlugin()\n+ .withGit4IdeaPlugin()\n+ .withJavaPlugin()\n+ //.withMakePlugin()\n+ .withMigrationPlugin()\n+ //.withTestingPlugin()\n+ .withVcsPlugin()\n+ .withWorkbenchPath()\n+ ;\n+ if (gitRepoDir != null) {\n+ config.addLib(gitRepoDir.getAbsolutePath());\n+ }\n+\n+// for (IdeaPluginDescriptorImpl plugin : PluginManagerCore.loadDescriptors(null, new ArrayList<String>())) {\n+// System.out.println(\"addPlugin(\" + plugin.getPath() + \", \" + plugin.getPluginId().getIdString() + \")\");\n+// config.addPlugin(plugin.getPath().toString(), plugin.getPluginId().getIdString());\n+// }\n+\n+ File homePath = new File(PathManager.getHomePath());\n+ loadLangJars(config, new File(homePath,\"languages\"));\n+ loadLangJars(config, new File(homePath,\"plugins\"));\n+ environment = new IdeaEnvironment(config, false);\n+// RuntimeFlags.setTestMode(TestMode.NONE);\n+ ((IdeaEnvironment) environment).init();\n+ ourProject = environment.createEmptyProject();\n+ }\n+\n+ return ourProject;\n+ }\n+\n+ static {\n+\n+ }\n+\n+ protected static void loadLangJars(EnvironmentConfig config, File folder) {\n+ if (!folder.exists()) return;\n+ if (folder.isFile()) {\n+ if (folder.getName().toLowerCase().endsWith(\".jar\")) {\n+ config.addLib(folder.getAbsolutePath());\n+ }\n+ } else {\n+ for (File subfolder : folder.listFiles()) {\n+ loadLangJars(config, subfolder);\n+ }\n+ }\n+ }\n+\n+}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/SConceptAdapter.java",
"diff": "+package org.modelix.gradle.model;\n+\n+import jetbrains.mps.smodel.adapter.structure.FormatException;\n+import jetbrains.mps.smodel.adapter.structure.concept.SAbstractConceptAdapter;\n+import org.apache.log4j.Level;\n+import org.apache.log4j.LogManager;\n+import org.apache.log4j.Logger;\n+import org.jetbrains.annotations.NotNull;\n+import org.jetbrains.annotations.Nullable;\n+import org.jetbrains.mps.openapi.language.SAbstractConcept;\n+import org.modelix.model.api.IChildLink;\n+import org.modelix.model.api.IConcept;\n+import org.modelix.model.api.IProperty;\n+import org.modelix.model.api.IReferenceLink;\n+import org.modelix.model.lazy.IConceptSerializer;\n+\n+import java.util.Objects;\n+\n+public class SConceptAdapter implements IConcept {\n+ private static final Logger LOG = LogManager.getLogger(SConceptAdapter.class);\n+ public static final IConceptSerializer SERIALIZER = new IConceptSerializer() {\n+ @Nullable\n+ @Override\n+ public String serialize(@NotNull IConcept concept) {\n+ return check_z0e54t_a0a0a0a0(((SAbstractConceptAdapter) check_z0e54t_a0a0a0a0a0a(as_z0e54t_a0a0a0a0a0a0b(concept, SConceptAdapter.class))));\n+ }\n+\n+ @Nullable\n+ @Override\n+ public IConcept deserialize(@NotNull String serialized) {\n+ try {\n+ return wrap(SAbstractConceptAdapter.deserialize(serialized));\n+ } catch (FormatException ex) {\n+ if (LOG.isEnabledFor(Level.ERROR)) {\n+ LOG.error(\"Failed to deserialize \" + serialized, ex);\n+ }\n+ return null;\n+ }\n+ }\n+ };\n+\n+ public static SAbstractConcept unwrap(IConcept concept) {\n+ if (concept == null) {\n+ return null;\n+ }\n+ return ((SConceptAdapter) concept).getAdapted();\n+ }\n+\n+ public static IConcept wrap(SAbstractConcept concept) {\n+ if (concept == null) {\n+ return null;\n+ }\n+ return new SConceptAdapter(concept);\n+ }\n+\n+ private SAbstractConcept concept;\n+\n+ public SConceptAdapter(SAbstractConcept concept1) {\n+ concept = concept1;\n+ }\n+\n+ public SAbstractConcept getAdapted() {\n+ return concept;\n+ }\n+\n+ @Override\n+ public boolean isSubconceptOf(IConcept superConcept) {\n+ return concept.isSubConceptOf(((SConceptAdapter) superConcept).concept);\n+ }\n+\n+ @Override\n+ public boolean isExactly(IConcept otherConcept) {\n+ return Objects.equals(concept, ((SConceptAdapter) otherConcept).concept);\n+ }\n+\n+ @Override\n+ public Iterable<IProperty> getProperties() {\n+ throw new UnsupportedOperationException();\n+ }\n+\n+ @Override\n+ public Iterable<IChildLink> getChildLinks() {\n+ throw new UnsupportedOperationException();\n+ }\n+\n+ @Override\n+ public Iterable<IReferenceLink> getReferenceLinks() {\n+ throw new UnsupportedOperationException();\n+ }\n+\n+ @Override\n+ public IChildLink getChildLink(final String name) {\n+ throw new UnsupportedOperationException();\n+ }\n+\n+ @Override\n+ public IProperty getProperty(final String name) {\n+ throw new UnsupportedOperationException();\n+ }\n+\n+ @Override\n+ public IReferenceLink getReferenceLink(final String name) {\n+ throw new UnsupportedOperationException();\n+ }\n+\n+ @Override\n+ public boolean equals(Object o) {\n+ if (this == o) {\n+ return true;\n+ }\n+ if (o == null || this.getClass() != o.getClass()) {\n+ return false;\n+ }\n+\n+ SConceptAdapter that = (SConceptAdapter) o;\n+ if ((concept != null ? !(concept.equals(that.concept)) : that.concept != null)) {\n+ return false;\n+ }\n+\n+ return true;\n+ }\n+\n+ @Override\n+ public int hashCode() {\n+ int result = 0;\n+ result = 31 * result + ((concept != null ? ((Object) concept).hashCode() : 0));\n+ return result;\n+ }\n+\n+ @Override\n+ public String toString() {\n+ return concept.getName();\n+ }\n+ private static String check_z0e54t_a0a0a0a0(SAbstractConceptAdapter checkedDotOperand) {\n+ if (null != checkedDotOperand) {\n+ return checkedDotOperand.serialize();\n+ }\n+ return null;\n+ }\n+ private static SAbstractConcept check_z0e54t_a0a0a0a0a0a(SConceptAdapter checkedDotOperand) {\n+ if (null != checkedDotOperand) {\n+ return checkedDotOperand.getAdapted();\n+ }\n+ return null;\n+ }\n+ private static <T> T as_z0e54t_a0a0a0a0a0a0b(Object o, Class<T> type) {\n+ return (type.isInstance(o) ? (T) o : null);\n+ }\n+}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/SNodeReferenceAdapter.java",
"diff": "+package org.modelix.gradle.model;\n+\n+import jetbrains.mps.smodel.SNodePointer;\n+import jetbrains.mps.smodel.adapter.structure.FormatException;\n+import org.apache.log4j.Level;\n+import org.apache.log4j.LogManager;\n+import org.apache.log4j.Logger;\n+import org.jetbrains.annotations.NotNull;\n+import org.jetbrains.annotations.Nullable;\n+import org.jetbrains.mps.openapi.model.SNodeReference;\n+import org.modelix.model.api.INode;\n+import org.modelix.model.api.INodeReference;\n+import org.modelix.model.api.INodeResolveContext;\n+import org.modelix.model.lazy.INodeReferenceSerializer;\n+\n+public class SNodeReferenceAdapter implements INodeReference {\n+ private static final Logger LOG = LogManager.getLogger(SNodeReferenceAdapter.class);\n+ public static final INodeReferenceSerializer SERIALIZER = new INodeReferenceSerializer() {\n+ @Nullable\n+ @Override\n+ public String serialize(@NotNull INodeReference ref) {\n+ if (ref instanceof SNodeReferenceAdapter) {\n+ return SNodePointer.serialize(((SNodeReferenceAdapter) ref).ref);\n+ } else {\n+ return null;\n+ }\n+ }\n+\n+ @Nullable\n+ @Override\n+ public INodeReference deserialize(@NotNull String serialized) {\n+ try {\n+ return new SNodeReferenceAdapter(SNodePointer.deserialize(serialized));\n+ } catch (FormatException ex) {\n+ if (LOG.isEnabledFor(Level.ERROR)) {\n+ LOG.error(\"Failed to deserialize \" + serialized, ex);\n+ }\n+ return null;\n+ }\n+ }\n+ };\n+\n+ private SNodeReference ref;\n+ public SNodeReferenceAdapter(@NotNull SNodeReference ref) {\n+ this.ref = ref;\n+ }\n+\n+ public SNodeReference getReference() {\n+ return ref;\n+ }\n+\n+ @Nullable\n+ @Override\n+ public INode resolveNode(INodeResolveContext context) {\n+ return context.resolve(this);\n+ }\n+ @Override\n+ public boolean equals(Object o) {\n+ if (this == o) {\n+ return true;\n+ }\n+ if (o == null || this.getClass() != o.getClass()) {\n+ return false;\n+ }\n+\n+ SNodeReferenceAdapter that = (SNodeReferenceAdapter) o;\n+ if ((ref != null ? !(ref.equals(that.ref)) : that.ref != null)) {\n+ return false;\n+ }\n+\n+ return true;\n+ }\n+ @Override\n+ public int hashCode() {\n+ int result = 0;\n+ result = 31 * result + ((ref != null ? ((Object) ref).hashCode() : 0));\n+ return result;\n+ }\n+\n+ @Override\n+ public String toString() {\n+ return \"SNodeReferenceAdapter{\" + \"ref=\" + ref + \"}\";\n+ }\n+}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/Sandbox.java",
"diff": "+/*\n+ * Copyright 2003-2020 JetBrains s.r.o.\n+ *\n+ * Licensed under the Apache License, Version 2.0 (the \"License\");\n+ * you may not use this file except in compliance with the License.\n+ * You may obtain a copy of the License at\n+ *\n+ * http://www.apache.org/licenses/LICENSE-2.0\n+ *\n+ * Unless required by applicable law or agreed to in writing, software\n+ * distributed under the License is distributed on an \"AS IS\" BASIS,\n+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n+ * See the License for the specific language governing permissions and\n+ * limitations under the License.\n+ */\n+\n+/*\n+ * Licensed under the Apache License, Version 2.0 (the \"License\");\n+ * you may not use this file except in compliance with the License.\n+ * You may obtain a copy of the License at\n+ *\n+ * http://www.apache.org/licenses/LICENSE-2.0\n+ *\n+ * Unless required by applicable law or agreed to in writing, software\n+ * distributed under the License is distributed on an \"AS IS\" BASIS,\n+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n+ * See the License for the specific language governing permissions and\n+ * limitations under the License.\n+ */\n+package org.modelix.gradle.model;\n+\n+import com.intellij.openapi.application.ApplicationManager;\n+import jetbrains.mps.ide.MPSCoreComponents;\n+import jetbrains.mps.persistence.DefaultModelRoot;\n+import jetbrains.mps.project.AbstractModule;\n+import jetbrains.mps.project.MPSExtentions;\n+import jetbrains.mps.project.Solution;\n+import jetbrains.mps.project.structure.modules.SolutionDescriptor;\n+import jetbrains.mps.project.structure.modules.SolutionKind;\n+import jetbrains.mps.smodel.GeneralModuleFactory;\n+import jetbrains.mps.smodel.adapter.structure.concept.SAbstractConceptAdapter;\n+import jetbrains.mps.smodel.language.LanguageRegistry;\n+import jetbrains.mps.vfs.IFile;\n+import jetbrains.mps.vfs.IFileSystem;\n+import jetbrains.mps.vfs.VFSManager;\n+import kotlin.Unit;\n+import org.apache.log4j.Logger;\n+import org.jetbrains.mps.openapi.language.SAbstractConcept;\n+import org.jetbrains.mps.openapi.language.SConcept;\n+import org.jetbrains.mps.openapi.language.SContainmentLink;\n+import org.jetbrains.mps.openapi.language.SLanguage;\n+import org.jetbrains.mps.openapi.language.SProperty;\n+import org.jetbrains.mps.openapi.language.SReferenceLink;\n+import org.jetbrains.mps.openapi.model.EditableSModel;\n+import org.jetbrains.mps.openapi.model.SNode;\n+import org.modelix.model.api.IBranch;\n+import org.modelix.model.api.IConcept;\n+import org.modelix.model.api.INode;\n+import org.modelix.model.api.ITransaction;\n+import org.modelix.model.api.ITree;\n+import org.modelix.model.api.PBranch;\n+import org.modelix.model.api.PNodeAdapter;\n+import org.modelix.model.client.IdGeneratorDummy;\n+import org.modelix.model.client.RestWebModelClient;\n+import org.modelix.model.lazy.CLVersion;\n+import org.modelix.model.lazy.IConceptSerializer;\n+import org.modelix.model.lazy.INodeReferenceSerializer;\n+import org.modelix.model.util.StreamUtils;\n+\n+import java.io.File;\n+import java.util.List;\n+import java.util.stream.Collectors;\n+import java.util.stream.StreamSupport;\n+\n+public class Sandbox {\n+\n+ public static final Logger LOG = Logger.getLogger(Sandbox.class);\n+\n+ public static void main(String[] args) {\n+ try {\n+ EnvironmentLoader.loadEnvironment((File) null);\n+ INodeReferenceSerializer.Companion.register(SNodeReferenceAdapter.SERIALIZER);\n+ IConceptSerializer.Companion.register(SConceptAdapter.SERIALIZER);\n+\n+ RestWebModelClient client = new RestWebModelClient(\"http://localhost:28101/\");\n+ String versionHash = client.get(\"branch_default_master\");\n+ CLVersion version = CLVersion.Companion.loadFromHash(versionHash, client.getStoreCache());\n+ IBranch branch = new PBranch(version.getTree(), new IdGeneratorDummy());\n+\n+ ApplicationManager.getApplication().invokeAndWait(() -> {\n+ ApplicationManager.getApplication().runWriteAction(() -> {\n+ branch.runRead(() -> {\n+ ITransaction t = branch.getTransaction();\n+ List<INode> modules = StreamUtils.INSTANCE.toStream(t.getChildren(ITree.ROOT_ID, \"modules\"))\n+ .map(id -> PNodeAdapter.Companion.wrap(id, branch)).collect(Collectors.toList());\n+ createModules(modules);\n+ return Unit.INSTANCE;\n+ });\n+ });\n+ });\n+ System.exit(0);\n+ } catch (Exception ex) {\n+ System.out.println(ex.getMessage());\n+ ex.printStackTrace();\n+ LOG.error(\"\", ex);\n+ System.exit(1);\n+ }\n+ }\n+\n+ private static void createModules(List<INode> modules) {\n+ for (INode module : modules) {\n+ createModule(module);\n+ }\n+ }\n+\n+ private static void createModule(INode module) {\n+ String name = module.getPropertyValue(\"name\");\n+ MPSCoreComponents coreComponents = ApplicationManager.getApplication().getComponent(MPSCoreComponents.class);\n+ VFSManager vfsManager = coreComponents.getPlatform().findComponent(VFSManager.class);\n+ IFileSystem fileSystem = vfsManager.getFileSystem(VFSManager.FILE_FS);\n+ IFile generatedModulesFolder = fileSystem.getFile(new File(\"generatedModules\"));\n+ generatedModulesFolder.deleteIfExists();\n+ IFile solutionFile = generatedModulesFolder.findChild(name).findChild(\"solution\" + MPSExtentions.DOT_SOLUTION);\n+ SolutionDescriptor descriptor = new SolutionDescriptor();\n+ descriptor.getModelRootDescriptors().add(DefaultModelRoot.createDescriptor(solutionFile.getParent(), solutionFile.getParent().findChild(Solution.SOLUTION_MODELS)));\n+ descriptor.setKind(SolutionKind.PLUGIN_OTHER);\n+ Solution solution = (Solution) new GeneralModuleFactory().instantiate(descriptor, solutionFile);\n+ solution.updateModelsSet();\n+ for (INode model : module.getChildren(\"models\")) {\n+ createModel(solution, model);\n+ }\n+ System.out.println(\"file: \" + solutionFile.getPath());\n+ solution.save();\n+ }\n+\n+ private static void createModel(AbstractModule module, INode model) {\n+ EditableSModel smodel = (EditableSModel) module.getModelRoots().iterator().next().createModel(model.getPropertyValue(\"name\"));\n+ for (INode rootNode : model.getChildren(\"rootNodes\")) {\n+ IConcept concept = rootNode.getConcept();\n+ SConcept sconcept = (SConcept) ((SConceptAdapter)concept).getAdapted();\n+ SNode rootSNode = smodel.createNode(sconcept);\n+ smodel.addRootNode(rootSNode);\n+ syncNode(rootNode, rootSNode);\n+ }\n+ smodel.save();\n+ }\n+\n+ private static void syncNode(INode node, SNode snode) {\n+ for (SProperty property : snode.getConcept().getProperties()) {\n+ snode.setProperty(property, node.getPropertyValue(property.getName()));\n+ }\n+\n+ // TODO references\n+\n+ for (INode childNode : node.getAllChildren()) {\n+ SConcept childConcept = (SConcept) ((SConceptAdapter)childNode.getConcept()).getAdapted();\n+ SNode childSNode = snode.getModel().createNode(childConcept);\n+ snode.addChild(\n+ findContainmentLink(snode.getConcept(), childNode.getRoleInParent()),\n+ childSNode\n+ );\n+ syncNode(childNode, childSNode);\n+ }\n+ }\n+\n+ private static SContainmentLink findContainmentLink(SAbstractConcept concept, String name) {\n+ for (SContainmentLink link : concept.getContainmentLinks()) {\n+ if (link.getName().equals(name)) {\n+ return link;\n+ }\n+ }\n+ throw new RuntimeException(\"containment link \" + name + \" not found in concept \" + concept);\n+ }\n+}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Gradle plugin for downloading models into MPS files (1) |
426,496 | 09.10.2020 09:38:16 | -7,200 | ea72f02e82ed5a184e6d39a5f5f5e84ef0a0c7b9 | Gradle plugin for downloading models into MPS files (3) | [
{
"change_type": "MODIFY",
"old_path": "build.gradle",
"new_path": "build.gradle",
"diff": "@@ -23,9 +23,12 @@ plugins {\nid \"com.jfrog.bintray\" version \"1.8.5\" apply false\n}\n+ext.mpsVersion = \"2020.1.1\"\n+ext.modelixVersion = \"$mpsVersion-SNAPSHOT\"\n+\nallprojects {\ngroup 'org.modelix'\n- version '2020.1.1'\n+ version modelixVersion\nrepositories {\nmaven { url 'https://projects.itemis.de/nexus/content/groups/OS/' }\n"
},
{
"change_type": "DELETE",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/DownloadModelTask.java",
"new_path": null,
"diff": "-package org.modelix.gradle.model;\n-\n-import org.gradle.api.DefaultTask;\n-import org.gradle.api.tasks.TaskAction;\n-\n-import javax.swing.*;\n-import java.io.File;\n-import java.util.ArrayList;\n-import java.util.List;\n-\n-public class DownloadModelTask extends DefaultTask {\n-\n- private String serverUrl;\n- private String treeId;\n- private File mpsFolder;\n- private File modelPluginFolder;\n-\n- public String getServerUrl() {\n- return serverUrl;\n- }\n-\n- public void setServerUrl(String serverUrl) {\n- this.serverUrl = serverUrl;\n- }\n-\n- public String getTreeId() {\n- return treeId;\n- }\n-\n- public void setTreeId(String treeId) {\n- this.treeId = treeId;\n- }\n-\n- public File getMpsFolder() {\n- return mpsFolder;\n- }\n-\n- public void setMpsFolder(File mpsFolder) {\n- this.mpsFolder = mpsFolder;\n- }\n-\n- public File getModelPluginFolder() {\n- return modelPluginFolder;\n- }\n-\n- public void setModelPluginFolder(File modelPluginFolder) {\n- this.modelPluginFolder = modelPluginFolder;\n- }\n-\n- @TaskAction\n- public void downloadModel() {\n- System.out.println(\"MPS folder: \" + mpsFolder);\n- System.out.println(\"modelix model plugin folder: \" + modelPluginFolder);\n- System.out.println(\"Downloading tree \" + getTreeId() + \" from \" + getServerUrl() + \" ...\");\n- try {\n- System.setProperty(\"modelix.export.path\", new File(\"generatedModules\").getAbsolutePath());\n- EnvironmentLoader.loadEnvironment((File) null);\n- new Timer(60000, e -> {\n- if (\"true\".equals(System.getProperty(\"modelix.export.started\"))) return;\n- System.out.println(\"Export timeout\");\n- System.exit(2);\n- }).start();\n- } catch (Exception ex) {\n- System.out.println(ex.getMessage());\n- ex.printStackTrace();\n- System.exit(1);\n- }\n- }\n-\n-}\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ExportMain.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ExportMain.java",
"diff": "@@ -34,19 +34,13 @@ public class ExportMain {\nSystem.out.println(key + \" = \" + value);\nSystem.setProperty(key, value);\n}\n- System.setProperty(PROPERTY_PREFIX + \"path\", new File(\"generatedModules\").getAbsolutePath());\n+ System.setProperty(PROPERTY_PREFIX + \"path\", new File(\"exportedModelixModules\").getAbsolutePath());\nEnvironmentLoader.loadEnvironment((File) null);\nSystem.out.println(\"Environment loaded\");\nSystem.out.println(\"Loaded plugins:\");\nfor (IdeaPluginDescriptor p : PluginManager.getPlugins()) {\nSystem.out.println(\" \" + p.getName() + \" (\" + p.getPluginId() + \")\");\n}\n-\n- new Timer(60000, e -> {\n- if (\"true\".equals(System.getProperty(PROPERTY_PREFIX + \"started\"))) return;\n- System.out.println(\"Export timeout\");\n- System.exit(2);\n- }).start();\n} catch (Exception ex) {\nSystem.out.println(ex.getMessage());\nex.printStackTrace();\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelPlugin.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelPlugin.java",
"diff": "@@ -10,6 +10,7 @@ import org.gradle.api.tasks.Copy;\nimport org.gradle.api.tasks.JavaExec;\nimport java.io.File;\n+import java.time.Duration;\nimport java.util.Arrays;\nimport java.util.List;\nimport java.util.stream.Collectors;\n@@ -22,12 +23,14 @@ public class ModelPlugin implements Plugin<Project> {\nproject_.afterEvaluate((Project project) -> {\nSystem.out.println(\"modelix model plugin loaded for project \" + project.getDisplayName());\nString mpsVersion = settings.getMpsVersion();\n+ String modelixVersion = settings.getModelixVersion();\n+ if (modelixVersion == null) modelixVersion = mpsVersion + \"+\";\nConfiguration pluginsConfig = project.getConfigurations().detachedConfiguration(\nproject.getDependencies().create(\"de.itemis.mps:extensions:\" + mpsVersion + \"+\"),\n- project.getDependencies().create(\"org.modelix:mps-model-plugin:\" + mpsVersion + \"+\")\n+ project.getDependencies().create(\"org.modelix:mps-model-plugin:\" + modelixVersion)\n);\nConfiguration genConfig = project.getConfigurations().detachedConfiguration(\n- project.getDependencies().create(\"org.modelix:gradle-plugin:\" + mpsVersion + \"+\")\n+ project.getDependencies().create(\"org.modelix:gradle-plugin:\" + modelixVersion)\n);\nFile mpsLocation = new File(\"mpsForModelixExport\");\n@@ -58,6 +61,7 @@ public class ModelPlugin implements Plugin<Project> {\n\"branchName\", settings.getBranchName()\n);\nif (settings.isDebug()) javaExec.setDebug(true);\n+ javaExec.getTimeout().set(Duration.ofSeconds(settings.getTimeout()));\njavaExec.setMain(ExportMain.class.getName());\n});\n});\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelixModelSettings.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelixModelSettings.java",
"diff": "@@ -24,10 +24,12 @@ import java.util.Set;\npublic class ModelixModelSettings {\nprivate Configuration mpsConfig;\n+ private String modelixVersion;\nprivate String serverUrl = \"http://localhost:28101/\";\nprivate String treeId = \"default\";\nprivate String branchName = \"master\";\nprivate boolean debug = false;\n+ private int timeoutSeconds = 120;\npublic Configuration getMpsConfig() {\nreturn mpsConfig;\n@@ -61,6 +63,22 @@ public class ModelixModelSettings {\nthis.branchName = branchName;\n}\n+ public String getModelixVersion() {\n+ return modelixVersion;\n+ }\n+\n+ public void setModelixVersion(String modelixVersion) {\n+ this.modelixVersion = modelixVersion;\n+ }\n+\n+ public int getTimeout() {\n+ return timeoutSeconds;\n+ }\n+\n+ public void setTimeout(int timeoutSeconds) {\n+ this.timeoutSeconds = timeoutSeconds;\n+ }\n+\npublic boolean isDebug() {\nreturn debug;\n}\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "gradle-plugin/src/main/resources/log4j.xml",
"diff": "+<?xml version='1.0' encoding='ISO-8859-1' ?>\n+<!DOCTYPE log4j:configuration SYSTEM \"file:$APPLICATION_DIR$/bin/log4j.dtd\">\n+\n+<log4j:configuration xmlns:log4j=\"http://jakarta.apache.org/log4j/\">\n+ <appender name=\"CONSOLE-TRACE\" class=\"org.apache.log4j.ConsoleAppender\">\n+ <param name=\"follow\" value=\"true\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"[%7r] %6p - %30.30c - %m \\n\"/>\n+ </layout>\n+ <filter class=\"org.apache.log4j.varia.LevelRangeFilter\">\n+ <param name=\"LevelMin\" value=\"TRACE\"/>\n+ <param name=\"LevelMax\" value=\"TRACE\"/>\n+ </filter>\n+ </appender>\n+\n+ <appender name=\"CONSOLE-DEBUG\" class=\"org.apache.log4j.ConsoleAppender\">\n+ <param name=\"follow\" value=\"true\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"[%7r] %6p - %30.30c - %m \\n\"/>\n+ </layout>\n+ <filter class=\"org.apache.log4j.varia.LevelRangeFilter\">\n+ <param name=\"LevelMin\" value=\"DEBUG\"/>\n+ <param name=\"LevelMax\" value=\"DEBUG\"/>\n+ </filter>\n+ </appender>\n+\n+ <appender name=\"CONSOLE-INFO\" class=\"org.apache.log4j.ConsoleAppender\" >\n+ <param name=\"follow\" value=\"true\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"[%7r] %6p - %30.30c - %m \\n\"/>\n+ </layout>\n+ <filter class=\"org.apache.log4j.varia.LevelRangeFilter\">\n+ <param name=\"LevelMax\" value=\"INFO\"/>\n+ <param name=\"LevelMin\" value=\"INFO\"/>\n+ </filter>\n+ </appender>\n+\n+ <appender name=\"CONSOLE-WARN\" class=\"org.apache.log4j.ConsoleAppender\">\n+ <param name=\"follow\" value=\"true\"/>\n+ <param name=\"target\" value=\"System.err\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"[%7r] %6p - %30.30c - %m \\n\"/>\n+ </layout>\n+ <filter class=\"org.apache.log4j.varia.LevelRangeFilter\">\n+ <param name=\"LevelMin\" value=\"WARN\"/>\n+ </filter>\n+ </appender>\n+\n+ <appender name=\"CONSOLE-ALL\" class=\"org.apache.log4j.ConsoleAppender\" >\n+ <param name=\"follow\" value=\"true\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"[%7r] %6p - %30.30c - %m \\n\"/>\n+ </layout>\n+ </appender>\n+\n+\n+ <appender name=\"DIALOG\" class=\"jetbrains.mps.diagnostic.MPSDialogAppender\">\n+ <filter class=\"org.apache.log4j.varia.LevelRangeFilter\">\n+ <param name=\"LevelMin\" value=\"ERROR\"/>\n+ </filter>\n+ </appender>\n+\n+ <appender name=\"FILE\" class=\"org.apache.log4j.RollingFileAppender\">\n+ <param name=\"MaxFileSize\" value=\"1Mb\"/>\n+ <param name=\"MaxBackupIndex\" value=\"3\"/>\n+ <param name=\"file\" value=\"$LOG_DIR$/idea.log\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"%d [%7r] %6p - %30.60c - %m \\n\"/>\n+ </layout>\n+ </appender>\n+\n+ <appender name=\"FILE-LOCAL\" class=\"org.apache.log4j.RollingFileAppender\">\n+ <param name=\"MaxFileSize\" value=\"1Mb\"/>\n+ <param name=\"MaxBackupIndex\" value=\"3\"/>\n+ <param name=\"file\" value=\"$APPLICATION_DIR$/mps.log\"/>\n+ <param name=\"append\" value=\"true\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"%d [%7r] %6p - %30.60c - %m \\n\"/>\n+ </layout>\n+ <filter class=\"org.apache.log4j.varia.LevelRangeFilter\">\n+ <param name=\"LevelMin\" value=\"INFO\"/>\n+ </filter>\n+ </appender>\n+\n+ <appender name=\"FILE-VCS\" class=\"org.apache.log4j.RollingFileAppender\">\n+ <param name=\"MaxFileSize\" value=\"2Mb\"/>\n+ <param name=\"MaxBackupIndex\" value=\"5\"/>\n+ <param name=\"file\" value=\"$LOG_DIR$/mpsvcs.log\"/>\n+ <layout class=\"org.apache.log4j.PatternLayout\">\n+ <param name=\"ConversionPattern\" value=\"%d [%7r] %6p - %30.60c - %m \\n\"/>\n+ </layout>\n+ </appender>\n+\n+ <category name=\"jetbrains.mps.vcs\" additivity=\"false\">\n+ <priority value=\"INFO\"/>\n+ <appender-ref ref=\"FILE-VCS\"/>\n+ <appender-ref ref=\"DIALOG\"/>\n+ <appender-ref ref=\"CONSOLE-WARN\"/>\n+ </category>\n+\n+ <category name=\"com.intellij.openapi.vcs\" additivity=\"false\">\n+ <priority value=\"INFO\"/>\n+ <appender-ref ref=\"FILE-VCS\"/>\n+ <appender-ref ref=\"DIALOG\"/>\n+ <appender-ref ref=\"CONSOLE-WARN\"/>\n+ </category>\n+\n+ <category name=\"com.intellij\" additivity=\"false\">\n+ <priority value=\"WARN\"/>\n+ <appender-ref ref=\"CONSOLE-WARN\"/>\n+ <appender-ref ref=\"DIALOG\"/>\n+ <appender-ref ref=\"FILE\"/>\n+ </category>\n+\n+ <category name=\"jetbrains.mps\" additivity=\"true\">\n+ <priority value=\"INFO\"/>\n+ <appender-ref ref=\"CONSOLE-INFO\"/>\n+ </category>\n+\n+ <category name=\"#com.intellij\" additivity=\"false\">\n+ <priority value=\"INFO\"/>\n+ <appender-ref ref=\"CONSOLE-ALL\"/>\n+ <appender-ref ref=\"DIALOG\"/>\n+ <appender-ref ref=\"FILE\"/>\n+ </category>\n+\n+ <category name=\"de.q60\" additivity=\"false\">\n+ <priority value=\"DEBUG\"/>\n+ <appender-ref ref=\"CONSOLE-ALL\"/>\n+ </category>\n+\n+ <root>\n+ <priority value=\"INFO\"/>\n+ <appender-ref ref=\"CONSOLE-WARN\"/>\n+ <appender-ref ref=\"DIALOG\"/>\n+ <appender-ref ref=\"FILE\"/>\n+ </root>\n+</log4j:configuration>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/build.gradle",
"new_path": "mps/build.gradle",
"diff": "@@ -23,12 +23,10 @@ ext.artifactsDir = new File(rootDir, 'artifacts')\next.libsDir = new File(rootDir, 'libs')\next.mpsDir = new File(artifactsDir, 'mps')\n-ext.mpsVersion = '2020.1.1'\n-\ndependencies {\nant_lib \"org.apache.ant:ant-junit:1.10.1\"\nmps \"com.jetbrains:mps:$mpsVersion\"\n- mpsArtifacts \"de.itemis.mps:extensions:2020.1+\"\n+ mpsArtifacts \"de.itemis.mps:extensions:$mpsVersion+\"\nlibs \"de.itemis.mps.build.example:javalib:1.0+\"\nlibs \"org.jdom:jdom:2.0.2\"\nproject (':ui-client')\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.mps",
"diff": "</node>\n</node>\n</node>\n- <node concept=\"3clFbF\" id=\"29etMtbn94H\" role=\"3cqZAp\">\n- <node concept=\"2OqwBi\" id=\"29etMtbn94I\" role=\"3clFbG\">\n- <node concept=\"2YIFZM\" id=\"29etMtbn9yw\" role=\"2Oq$k0\">\n- <ref role=\"1Pybhc\" to=\"bd8o:~ApplicationManager\" resolve=\"ApplicationManager\" />\n- <ref role=\"37wK5l\" to=\"bd8o:~ApplicationManager.getApplication()\" resolve=\"getApplication\" />\n- </node>\n- <node concept=\"liA8E\" id=\"29etMtbn94K\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"bd8o:~Application.invokeAndWait(java.lang.Runnable)\" resolve=\"invokeAndWait\" />\n- <node concept=\"1bVj0M\" id=\"29etMtbnby0\" role=\"37wK5m\">\n- <property role=\"3yWfEV\" value=\"true\" />\n- <node concept=\"3clFbS\" id=\"29etMtbnby1\" role=\"1bW5cS\">\n- <node concept=\"3clFbF\" id=\"29etMtbncgN\" role=\"3cqZAp\">\n- <node concept=\"2OqwBi\" id=\"29etMtbncgO\" role=\"3clFbG\">\n- <node concept=\"2YIFZM\" id=\"29etMtbnck9\" role=\"2Oq$k0\">\n- <ref role=\"1Pybhc\" to=\"bd8o:~ApplicationManager\" resolve=\"ApplicationManager\" />\n- <ref role=\"37wK5l\" to=\"bd8o:~ApplicationManager.getApplication()\" resolve=\"getApplication\" />\n- </node>\n- <node concept=\"liA8E\" id=\"29etMtbncgQ\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"bd8o:~Application.runWriteAction(java.lang.Runnable)\" resolve=\"runWriteAction\" />\n- <node concept=\"1bVj0M\" id=\"29etMtbncQg\" role=\"37wK5m\">\n- <property role=\"3yWfEV\" value=\"true\" />\n- <node concept=\"3clFbS\" id=\"29etMtbncQh\" role=\"1bW5cS\">\n<node concept=\"3clFbF\" id=\"29etMtbndyO\" role=\"3cqZAp\">\n<node concept=\"2OqwBi\" id=\"29etMtbndC4\" role=\"3clFbG\">\n<node concept=\"37vLTw\" id=\"29etMtbndC3\" role=\"2Oq$k0\">\n<node concept=\"37vLTw\" id=\"5$aoTsoxaVk\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"5$aoTsoxaV5\" resolve=\"modules\" />\n</node>\n+ <node concept=\"37vLTw\" id=\"27OZ2T4lR4g\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"29etMtbjNSq\" resolve=\"outputFolder\" />\n+ </node>\n</node>\n</node>\n<node concept=\"3cpWs6\" id=\"29etMtbne$S\" role=\"3cqZAp\">\n</node>\n</node>\n</node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n<node concept=\"37vLTG\" id=\"29etMtbjNSq\" role=\"3clF46\">\n<property role=\"TrG5h\" value=\"outputFolder\" />\n<node concept=\"3uibUv\" id=\"29etMtbjNYp\" role=\"1tU5fm\">\n<node concept=\"37vLTw\" id=\"29etMtbjRmz\" role=\"37wK5m\">\n<ref role=\"3cqZAo\" node=\"29etMtbjRm$\" resolve=\"module\" />\n</node>\n+ <node concept=\"37vLTw\" id=\"27OZ2T4lSXt\" role=\"37wK5m\">\n+ <ref role=\"3cqZAo\" node=\"27OZ2T4lPEc\" resolve=\"outputFolder\" />\n+ </node>\n</node>\n</node>\n</node>\n</node>\n</node>\n</node>\n+ <node concept=\"37vLTG\" id=\"27OZ2T4lPEc\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"outputFolder\" />\n+ <node concept=\"3uibUv\" id=\"27OZ2T4lPEd\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"3ju5:~IFile\" resolve=\"IFile\" />\n+ </node>\n+ </node>\n<node concept=\"3cqZAl\" id=\"29etMtbjRmD\" role=\"3clF45\" />\n<node concept=\"3Tm6S6\" id=\"29etMtbjRmC\" role=\"1B3o_S\" />\n</node>\n</node>\n</node>\n</node>\n- <node concept=\"3cpWs8\" id=\"29etMtbjRn9\" role=\"3cqZAp\">\n- <node concept=\"3cpWsn\" id=\"29etMtbjRn8\" role=\"3cpWs9\">\n- <property role=\"TrG5h\" value=\"generatedModulesFolder\" />\n- <node concept=\"3uibUv\" id=\"29etMtbjRna\" role=\"1tU5fm\">\n- <ref role=\"3uigEE\" to=\"3ju5:~IFile\" resolve=\"IFile\" />\n- </node>\n- <node concept=\"2OqwBi\" id=\"29etMtbjTUA\" role=\"33vP2m\">\n- <node concept=\"37vLTw\" id=\"29etMtbjTU_\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" node=\"29etMtbjRn3\" resolve=\"fileSystem\" />\n- </node>\n- <node concept=\"liA8E\" id=\"29etMtbjTUB\" role=\"2OqNvi\">\n- <ref role=\"37wK5l\" to=\"3ju5:~IFileSystem.getFile(java.io.File)\" resolve=\"getFile\" />\n- <node concept=\"2ShNRf\" id=\"29etMtbjTUC\" role=\"37wK5m\">\n- <node concept=\"1pGfFk\" id=\"29etMtbjTUD\" role=\"2ShVmc\">\n- <ref role=\"37wK5l\" to=\"guwi:~File.<init>(java.lang.String)\" resolve=\"File\" />\n- <node concept=\"Xl_RD\" id=\"29etMtbjTUE\" role=\"37wK5m\">\n- <property role=\"Xl_RC\" value=\"generatedModules\" />\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n- </node>\n<node concept=\"3clFbF\" id=\"29etMtbjRne\" role=\"3cqZAp\">\n<node concept=\"2OqwBi\" id=\"29etMtbjVBa\" role=\"3clFbG\">\n- <node concept=\"37vLTw\" id=\"29etMtbjVB9\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" node=\"29etMtbjRn8\" resolve=\"generatedModulesFolder\" />\n+ <node concept=\"37vLTw\" id=\"27OZ2T4lUU4\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"27OZ2T4lRsK\" resolve=\"outputFolder\" />\n</node>\n<node concept=\"liA8E\" id=\"29etMtbjVBb\" role=\"2OqNvi\">\n<ref role=\"37wK5l\" to=\"3ju5:~IFile.deleteIfExists()\" resolve=\"deleteIfExists\" />\n</node>\n<node concept=\"2OqwBi\" id=\"29etMtbjRnj\" role=\"33vP2m\">\n<node concept=\"2OqwBi\" id=\"29etMtbjWpA\" role=\"2Oq$k0\">\n- <node concept=\"37vLTw\" id=\"29etMtbjWp_\" role=\"2Oq$k0\">\n- <ref role=\"3cqZAo\" node=\"29etMtbjRn8\" resolve=\"generatedModulesFolder\" />\n+ <node concept=\"37vLTw\" id=\"27OZ2T4lUqk\" role=\"2Oq$k0\">\n+ <ref role=\"3cqZAo\" node=\"27OZ2T4lRsK\" resolve=\"outputFolder\" />\n</node>\n<node concept=\"liA8E\" id=\"29etMtbjWpB\" role=\"2OqNvi\">\n<ref role=\"37wK5l\" to=\"3ju5:~IFile.findChild(java.lang.String)\" resolve=\"findChild\" />\n<ref role=\"3uigEE\" to=\"jks5:~INode\" resolve=\"INode\" />\n</node>\n</node>\n+ <node concept=\"37vLTG\" id=\"27OZ2T4lRsK\" role=\"3clF46\">\n+ <property role=\"TrG5h\" value=\"outputFolder\" />\n+ <node concept=\"3uibUv\" id=\"27OZ2T4lRsL\" role=\"1tU5fm\">\n+ <ref role=\"3uigEE\" to=\"3ju5:~IFile\" resolve=\"IFile\" />\n+ </node>\n+ </node>\n<node concept=\"3cqZAl\" id=\"29etMtbjRob\" role=\"3clF45\" />\n<node concept=\"3Tm6S6\" id=\"29etMtbjRoa\" role=\"1B3o_S\" />\n</node>\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.plugin.mps",
"new_path": "mps/org.modelix.model.mpsplugin/models/org.modelix.model.mpsplugin.plugin.mps",
"diff": "<languages>\n<use id=\"28f9e497-3b42-4291-aeba-0a1039153ab1\" name=\"jetbrains.mps.lang.plugin\" version=\"4\" />\n<use id=\"ef7bf5ac-d06c-4342-b11d-e42104eb9343\" name=\"jetbrains.mps.lang.plugin.standalone\" version=\"0\" />\n+ <use id=\"63650c59-16c8-498a-99c8-005c7ee9515d\" name=\"jetbrains.mps.lang.access\" version=\"0\" />\n<devkit ref=\"fbc25dd2-5da4-483a-8b19-70928e1b62d7(jetbrains.mps.devkit.general-purpose)\" />\n</languages>\n<imports>\n<import index=\"xxte\" ref=\"r:a79f28f8-6055-40c6-bc5e-47a42a3b97e8(org.modelix.model.mps)\" />\n<import index=\"18ew\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.util(MPS.Core/)\" />\n<import index=\"v18h\" ref=\"0a2651ab-f212-45c2-a2f0-343e76cbc26b/java:kotlin(org.modelix.model.client/)\" />\n+ <import index=\"w1kc\" ref=\"6ed54515-acc8-4d1e-a16c-9fd6cfe951ea/java:jetbrains.mps.smodel(MPS.Core/)\" />\n+ <import index=\"cddg\" ref=\"86441d7a-e194-42da-81a5-2161ec62a379/java:jetbrains.mps.plugins.applicationplugins(MPS.Workbench/)\" />\n<import index=\"guwi\" ref=\"6354ebe7-c22a-4a0f-ac54-50b52ab9b065/java:java.io(JDK/)\" implicit=\"true\" />\n<import index=\"71xd\" ref=\"742f6602-5a2f-4313-aa6e-ae1cd4ffdc61/java:jetbrains.mps.ide.tools(MPS.Platform/)\" implicit=\"true\" />\n<import index=\"c17a\" ref=\"8865b7a8-5271-43d3-884c-6fd1d9cfdd34/java:org.jetbrains.mps.openapi.language(MPS.OpenAPI/)\" implicit=\"true\" />\n</node>\n</node>\n<node concept=\"3clFbS\" id=\"5$aoTsovo1n\" role=\"1zxBo7\">\n+ <node concept=\"3clFbF\" id=\"27OZ2T4kTtp\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"27OZ2T4kU8m\" role=\"3clFbG\">\n+ <node concept=\"2YIFZM\" id=\"27OZ2T4kTPB\" role=\"2Oq$k0\">\n+ <ref role=\"37wK5l\" to=\"bd8o:~ApplicationManager.getApplication()\" resolve=\"getApplication\" />\n+ <ref role=\"1Pybhc\" to=\"bd8o:~ApplicationManager\" resolve=\"ApplicationManager\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"27OZ2T4kV2W\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"bd8o:~Application.invokeLater(java.lang.Runnable)\" resolve=\"invokeLater\" />\n+ <node concept=\"1bVj0M\" id=\"27OZ2T4kV61\" role=\"37wK5m\">\n+ <property role=\"3yWfEV\" value=\"true\" />\n+ <node concept=\"3clFbS\" id=\"27OZ2T4kV62\" role=\"1bW5cS\">\n+ <node concept=\"3clFbF\" id=\"27OZ2T4l9ms\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"27OZ2T4lak0\" role=\"3clFbG\">\n+ <node concept=\"2YIFZM\" id=\"27OZ2T4l9Fz\" role=\"2Oq$k0\">\n+ <ref role=\"37wK5l\" to=\"bd8o:~ApplicationManager.getApplication()\" resolve=\"getApplication\" />\n+ <ref role=\"1Pybhc\" to=\"bd8o:~ApplicationManager\" resolve=\"ApplicationManager\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"27OZ2T4lbe$\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"bd8o:~Application.runWriteAction(java.lang.Runnable)\" resolve=\"runWriteAction\" />\n+ <node concept=\"1bVj0M\" id=\"27OZ2T4lbyN\" role=\"37wK5m\">\n+ <node concept=\"3clFbS\" id=\"27OZ2T4lbyO\" role=\"1bW5cS\">\n+ <node concept=\"3J1_TO\" id=\"27OZ2T4lrvj\" role=\"3cqZAp\">\n+ <node concept=\"3uVAMA\" id=\"27OZ2T4lrQh\" role=\"1zxBo5\">\n+ <node concept=\"XOnhg\" id=\"27OZ2T4lrQi\" role=\"1zc67B\">\n+ <property role=\"TrG5h\" value=\"ex\" />\n+ <node concept=\"nSUau\" id=\"27OZ2T4lrQj\" role=\"1tU5fm\">\n+ <node concept=\"3uibUv\" id=\"27OZ2T4lsj4\" role=\"nSUat\">\n+ <ref role=\"3uigEE\" to=\"wyt6:~Exception\" resolve=\"Exception\" />\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"27OZ2T4lrQk\" role=\"1zc67A\">\n+ <node concept=\"RRSsy\" id=\"27OZ2T4ltTf\" role=\"3cqZAp\">\n+ <property role=\"RRSoG\" value=\"gZ5fh_4/error\" />\n+ <node concept=\"Xl_RD\" id=\"27OZ2T4ltTg\" role=\"RRSoy\" />\n+ <node concept=\"37vLTw\" id=\"27OZ2T4ltTh\" role=\"RRSow\">\n+ <ref role=\"3cqZAo\" node=\"27OZ2T4lrQi\" resolve=\"ex\" />\n+ </node>\n+ </node>\n+ <node concept=\"3clFbF\" id=\"27OZ2T4ltTi\" role=\"3cqZAp\">\n+ <node concept=\"2YIFZM\" id=\"27OZ2T4ltTj\" role=\"3clFbG\">\n+ <ref role=\"37wK5l\" to=\"wyt6:~System.exit(int)\" resolve=\"exit\" />\n+ <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n+ <node concept=\"3cmrfG\" id=\"27OZ2T4ltTk\" role=\"37wK5m\">\n+ <property role=\"3cmrfH\" value=\"1\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ <node concept=\"3clFbS\" id=\"27OZ2T4lrvl\" role=\"1zxBo7\">\n<node concept=\"3clFbF\" id=\"rF2pzCbuFc\" role=\"3cqZAp\">\n<node concept=\"2OqwBi\" id=\"rF2pzCbuFd\" role=\"3clFbG\">\n<node concept=\"10M0yZ\" id=\"rF2pzCbuFe\" role=\"2Oq$k0\">\n</node>\n</node>\n</node>\n- <node concept=\"3clFbF\" id=\"5$aoTsovoq7\" role=\"3cqZAp\">\n- <node concept=\"2YIFZM\" id=\"5$aoTsovose\" role=\"3clFbG\">\n- <ref role=\"37wK5l\" to=\"wyt6:~System.exit(int)\" resolve=\"exit\" />\n- <ref role=\"1Pybhc\" to=\"wyt6:~System\" resolve=\"System\" />\n- <node concept=\"3cmrfG\" id=\"5$aoTsovoug\" role=\"37wK5m\">\n- <property role=\"3cmrfH\" value=\"0\" />\n+ <node concept=\"3clFbF\" id=\"27OZ2T4lcOp\" role=\"3cqZAp\">\n+ <node concept=\"2OqwBi\" id=\"27OZ2T4ldKT\" role=\"3clFbG\">\n+ <node concept=\"2YIFZM\" id=\"27OZ2T4ldaZ\" role=\"2Oq$k0\">\n+ <ref role=\"37wK5l\" to=\"bd8o:~ApplicationManager.getApplication()\" resolve=\"getApplication\" />\n+ <ref role=\"1Pybhc\" to=\"bd8o:~ApplicationManager\" resolve=\"ApplicationManager\" />\n+ </node>\n+ <node concept=\"liA8E\" id=\"27OZ2T4lerB\" role=\"2OqNvi\">\n+ <ref role=\"37wK5l\" to=\"bd8o:~Application.exit(boolean,boolean,boolean)\" resolve=\"exit\" />\n+ <node concept=\"3clFbT\" id=\"27OZ2T4lCXy\" role=\"37wK5m\">\n+ <property role=\"3clFbU\" value=\"true\" />\n+ </node>\n+ <node concept=\"3clFbT\" id=\"27OZ2T4lDw4\" role=\"37wK5m\">\n+ <property role=\"3clFbU\" value=\"true\" />\n+ </node>\n+ <node concept=\"3clFbT\" id=\"27OZ2T4lEoa\" role=\"37wK5m\" />\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n+ </node>\n</node>\n</node>\n</node>\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Gradle plugin for downloading models into MPS files (3) |
426,496 | 09.10.2020 10:38:15 | -7,200 | e2145a32700f0c103605de24342023ed38a9ccd3 | Store modelix version in the gradle plugin jar to eliminate duplication | [
{
"change_type": "MODIFY",
"old_path": "gradle-plugin-test/build.gradle",
"new_path": "gradle-plugin-test/build.gradle",
"diff": "@@ -4,7 +4,7 @@ buildscript {\n}\ndependencies {\n- classpath group: 'org.modelix', name: 'gradle-plugin', version: '2020.1.1'\n+ classpath group: 'org.modelix', name: 'gradle-plugin', version: '2020.1.1-SNAPSHOT'\n}\n}\n@@ -38,4 +38,5 @@ modelixModel {\nserverUrl = \"http://localhost:28101/\"\ntreeId = \"default\"\ndebug = false\n+ timeout = 120\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/build.gradle",
"new_path": "gradle-plugin/build.gradle",
"diff": "@@ -3,8 +3,6 @@ plugins {\nid 'maven'\n}\n-group 'org.modelix'\n-\nsourceCompatibility = 11\nrepositories {\n@@ -18,6 +16,12 @@ dependencies {\ntestCompile group: 'junit', name: 'junit', version: '4.12'\n}\n+jar {\n+ manifest {\n+ attributes(\"Implementation-Version\": version)\n+ }\n+}\n+\nuploadArchives {\nrepositories {\nmavenDeployer {\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelPlugin.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelPlugin.java",
"diff": "@@ -23,7 +23,7 @@ public class ModelPlugin implements Plugin<Project> {\nproject_.afterEvaluate((Project project) -> {\nSystem.out.println(\"modelix model plugin loaded for project \" + project.getDisplayName());\nString mpsVersion = settings.getMpsVersion();\n- String modelixVersion = settings.getModelixVersion();\n+ String modelixVersion = this.getClass().getPackage().getImplementationVersion();\nif (modelixVersion == null) modelixVersion = mpsVersion + \"+\";\nConfiguration pluginsConfig = project.getConfigurations().detachedConfiguration(\nproject.getDependencies().create(\"de.itemis.mps:extensions:\" + mpsVersion + \"+\"),\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelixModelSettings.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelixModelSettings.java",
"diff": "@@ -24,7 +24,6 @@ import java.util.Set;\npublic class ModelixModelSettings {\nprivate Configuration mpsConfig;\n- private String modelixVersion;\nprivate String serverUrl = \"http://localhost:28101/\";\nprivate String treeId = \"default\";\nprivate String branchName = \"master\";\n@@ -63,14 +62,6 @@ public class ModelixModelSettings {\nthis.branchName = branchName;\n}\n- public String getModelixVersion() {\n- return modelixVersion;\n- }\n-\n- public void setModelixVersion(String modelixVersion) {\n- this.modelixVersion = modelixVersion;\n- }\n-\npublic int getTimeout() {\nreturn timeoutSeconds;\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Store modelix version in the gradle plugin jar to eliminate duplication |
426,496 | 09.10.2020 14:11:01 | -7,200 | f17c5801dd655c55aa9bc92284a3c6a6a34c9856 | Required MPS version is now stored in the gradle plugin
No need to declare an MPS dependency anymore when using the
gradle plugin. | [
{
"change_type": "MODIFY",
"old_path": "build.gradle",
"new_path": "build.gradle",
"diff": "@@ -23,7 +23,9 @@ plugins {\nid \"com.jfrog.bintray\" version \"1.8.5\" apply false\n}\n-ext.mpsVersion = \"2020.1.1\"\n+ext.mpsMajorVersion = \"2020.1\"\n+ext.mpsMinorVersion = \"1\"\n+ext.mpsVersion = \"$mpsMajorVersion.$mpsMinorVersion\"\next.modelixVersion = \"$mpsVersion-SNAPSHOT\"\nallprojects {\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin-test/build.gradle",
"new_path": "gradle-plugin-test/build.gradle",
"diff": "@@ -4,7 +4,7 @@ buildscript {\n}\ndependencies {\n- classpath group: 'org.modelix', name: 'gradle-plugin', version: '2020.1.1-SNAPSHOT'\n+ classpath group: 'org.modelix', name: 'gradle-plugin', version: '2020.1.2-SNAPSHOT'\n}\n}\n@@ -23,18 +23,9 @@ repositories {\nmavenLocal()\n}\n-configurations {\n- mps\n-}\n-\n-dependencies {\n- mps \"com.jetbrains:mps:2020.1.1\"\n-}\n-\napply plugin: 'modelix-gradle-plugin'\nmodelixModel {\n- mpsConfig = configurations.mps\nserverUrl = \"http://localhost:28101/\"\ntreeId = \"default\"\ndebug = false\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/build.gradle",
"new_path": "gradle-plugin/build.gradle",
"diff": "@@ -18,7 +18,11 @@ dependencies {\njar {\nmanifest {\n- attributes(\"Implementation-Version\": version)\n+ attributes(\"Implementation-Version\": modelixVersion)\n+ attributes(\"modelix-Version\": modelixVersion)\n+ attributes(\"MPS-MajorVersion\": mpsMajorVersion)\n+ attributes(\"MPS-MinorVersion\": mpsMinorVersion)\n+ attributes(\"MPS-Version\": mpsVersion)\n}\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelPlugin.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelPlugin.java",
"diff": "@@ -10,23 +10,35 @@ import org.gradle.api.tasks.Copy;\nimport org.gradle.api.tasks.JavaExec;\nimport java.io.File;\n+import java.io.IOException;\n+import java.net.URL;\nimport java.time.Duration;\nimport java.util.Arrays;\n+import java.util.Enumeration;\nimport java.util.List;\n+import java.util.jar.Manifest;\nimport java.util.stream.Collectors;\npublic class ModelPlugin implements Plugin<Project> {\n@Override\npublic void apply(Project project_) {\nSystem.out.println(\"modelix model plugin loaded\");\n+ Manifest manifest = readManifest();\nModelixModelSettings settings = project_.getExtensions().create(\"modelixModel\", ModelixModelSettings.class);\n+ String mpsVersion = manifest.getMainAttributes().getValue(\"MPS-Version\");\n+ String mpsMajorVersion = manifest.getMainAttributes().getValue(\"MPS-MajorVersion\");\n+ System.out.println(\"Using MPS version \" + mpsVersion);\n+ String modelixVersion = manifest.getMainAttributes().getValue(\"modelix-Version\");\n+ System.out.println(\"Using modelix Version \" + modelixVersion);\n+ String extensionsVersion = mpsMajorVersion + \"+\";\n+ System.out.println(\"Using MPS-extensions version \" + extensionsVersion);\nproject_.afterEvaluate((Project project) -> {\nSystem.out.println(\"modelix model plugin loaded for project \" + project.getDisplayName());\n- String mpsVersion = settings.getMpsVersion();\n- String modelixVersion = this.getClass().getPackage().getImplementationVersion();\n- if (modelixVersion == null) modelixVersion = mpsVersion + \"+\";\n+ Configuration mpsConfig = project.getConfigurations().detachedConfiguration(\n+ project.getDependencies().create(\"com.jetbrains:mps:\" + mpsVersion )\n+ );\nConfiguration pluginsConfig = project.getConfigurations().detachedConfiguration(\n- project.getDependencies().create(\"de.itemis.mps:extensions:\" + mpsVersion + \"+\"),\n+ project.getDependencies().create(\"de.itemis.mps:extensions:\" + extensionsVersion),\nproject.getDependencies().create(\"org.modelix:mps-model-plugin:\" + modelixVersion)\n);\nConfiguration genConfig = project.getConfigurations().detachedConfiguration(\n@@ -35,7 +47,7 @@ public class ModelPlugin implements Plugin<Project> {\nFile mpsLocation = new File(\"mpsForModelixExport\");\nCopy copyMpsTask = project.getTasks().create(\"copyMpsForModelixExport\", Copy.class, copy -> {\n- copy.from(settings.getMpsConfig().resolve().stream().map(project::zipTree).collect(Collectors.toList()));\n+ copy.from(mpsConfig.resolve().stream().map(project::zipTree).collect(Collectors.toList()));\ncopy.into(mpsLocation);\n});\nCopy copyMpsModelPluginTask = project.getTasks().create(\"copyMpsModelPluginForModelixExport\", Copy.class, copy -> {\n@@ -66,5 +78,25 @@ public class ModelPlugin implements Plugin<Project> {\n});\n});\n}\n+\n+ private Manifest readManifest() {\n+ Enumeration<URL> resources = null;\n+ try {\n+ resources = getClass().getClassLoader().getResources(\"META-INF/MANIFEST.MF\");\n+ while (resources.hasMoreElements()) {\n+ try {\n+ Manifest manifest = new Manifest(resources.nextElement().openStream());\n+ if (manifest.getMainAttributes().getValue(\"modelix-Version\") != null) {\n+ return manifest;\n+ }\n+ } catch (IOException ex) {\n+ throw new RuntimeException(\"Failed to read MANIFEST.MF\", ex);\n+ }\n+ }\n+ } catch (IOException ex) {\n+ throw new RuntimeException(\"Failed to read MANIFEST.MF\", ex);\n+ }\n+ throw new RuntimeException(\"No MANIFEST.MF found containing 'modelix-Version'\");\n+ }\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelixModelSettings.java",
"new_path": "gradle-plugin/src/main/java/org/modelix/gradle/model/ModelixModelSettings.java",
"diff": "@@ -23,21 +23,12 @@ import java.util.Optional;\nimport java.util.Set;\npublic class ModelixModelSettings {\n- private Configuration mpsConfig;\nprivate String serverUrl = \"http://localhost:28101/\";\nprivate String treeId = \"default\";\nprivate String branchName = \"master\";\nprivate boolean debug = false;\nprivate int timeoutSeconds = 120;\n- public Configuration getMpsConfig() {\n- return mpsConfig;\n- }\n-\n- public void setMpsConfig(Configuration mpsConfig) {\n- this.mpsConfig = mpsConfig;\n- }\n-\npublic String getServerUrl() {\nreturn serverUrl;\n}\n@@ -77,14 +68,4 @@ public class ModelixModelSettings {\npublic void setDebug(boolean debug) {\nthis.debug = debug;\n}\n-\n- public String getMpsVersion() {\n- ResolvedConfiguration resolved = getMpsConfig().getResolvedConfiguration();\n- Set<ResolvedDependency> deps = resolved.getFirstLevelModuleDependencies();\n- Optional<ResolvedDependency> mpsDep = deps.stream()\n- .filter(it -> \"com.jetbrains\".equals(it.getModuleGroup()) && \"mps\".equals(it.getModuleName()))\n- .findFirst();\n- if (mpsDep.isEmpty()) throw new GradleException(\"MPS configuration doesn't contain MPS\");\n- return mpsDep.get().getModuleVersion();\n- }\n}\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/build.gradle",
"new_path": "mps/build.gradle",
"diff": "@@ -26,7 +26,7 @@ ext.mpsDir = new File(artifactsDir, 'mps')\ndependencies {\nant_lib \"org.apache.ant:ant-junit:1.10.1\"\nmps \"com.jetbrains:mps:$mpsVersion\"\n- mpsArtifacts \"de.itemis.mps:extensions:$mpsVersion+\"\n+ mpsArtifacts \"de.itemis.mps:extensions:$mpsMajorVersion+\"\nlibs \"de.itemis.mps.build.example:javalib:1.0+\"\nlibs \"org.jdom:jdom:2.0.2\"\nproject (':ui-client')\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Required MPS version is now stored in the gradle plugin
No need to declare an MPS dependency anymore when using the
gradle plugin. |
426,496 | 13.10.2020 12:19:47 | -7,200 | 8830c4ca1ccd0ad2f99d79cebc8615a8a2279576 | Build jobs for publishing tags to bintray | [
{
"change_type": "MODIFY",
"old_path": ".travis.yml",
"new_path": ".travis.yml",
"diff": "@@ -3,10 +3,15 @@ install: true\njdk:\n- openjdk11\n- - openjdk14\n-script:\n- - ./gradlew build\n+jobs:\n+ include:\n+ - stage: build\n+ script: ./gradlew build\n+ if: tag IS blank\n+ - stage: deploy\n+ script: ./gradlew build :model-server:bintrayUpload :mps:bintrayUpload\n+ if: tag IS present\ncache:\ndirectories:\n"
},
{
"change_type": "MODIFY",
"old_path": "build.gradle",
"new_path": "build.gradle",
"diff": "@@ -26,7 +26,14 @@ plugins {\next.mpsMajorVersion = \"2020.1\"\next.mpsMinorVersion = \"1\"\next.mpsVersion = \"$mpsMajorVersion.$mpsMinorVersion\"\n+\next.modelixVersion = \"$mpsVersion-SNAPSHOT\"\n+if (System.getenv(\"TRAVIS_TAG\") != null && !System.getenv(\"TRAVIS_TAG\").isEmpty()) {\n+ ext.modelixVersion = System.getenv(\"TRAVIS_TAG\")\n+ if (ext.modelixVersion.startsWith(\"v\")) {\n+ ext.modelixVersion = ext.modelixVersion.substring(1)\n+ }\n+}\nallprojects {\ngroup 'org.modelix'\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin-test/build.gradle",
"new_path": "gradle-plugin-test/build.gradle",
"diff": "@@ -8,15 +8,6 @@ buildscript {\n}\n}\n-plugins {\n- id 'java'\n-}\n-\n-group 'org.modelix'\n-version '1.0-SNAPSHOT'\n-\n-sourceCompatibility = 11\n-\nrepositories {\nmavenCentral()\nmaven { url 'https://projects.itemis.de/nexus/content/repositories/mbeddr' }\n"
},
{
"change_type": "MODIFY",
"old_path": "model-server/build.gradle",
"new_path": "model-server/build.gradle",
"diff": "@@ -7,9 +7,7 @@ plugins {\nid 'com.adarshr.test-logger' version '2.1.0'\n}\n-group = 'org.modelix'\ndescription = 'Model Server offering access to model storage'\n-version = '1.0-SNAPSHOT'\ndefaultTasks 'build'\n@@ -90,14 +88,14 @@ publishing {\n}\nbintray {\n- user = rootProject.findProperty('bintray_user')\n- key = rootProject.findProperty('bintray_api_key')\n+ user = System.getenv('BINTRAY_USER')\n+ key = System.getenv('BINTRAY_API_KEY')\npkg {\n- repo = 'modelix-oss-maven'\n+ repo = 'maven'\nname = project.name\n- userOrg = 'modelix'\n+ userOrg = 'modelixorg'\nlicenses = ['Apache-2.0']\n- vcsUrl = 'https://github.com/modelix/modelix.git'\n+ vcsUrl = 'https://github.com/modelix/modelix'\nversion {\nname = 'v' + project.version\ndesc = 'Version ' + project.version\n"
},
{
"change_type": "MODIFY",
"old_path": "mps/build.gradle",
"new_path": "mps/build.gradle",
"diff": "@@ -6,6 +6,7 @@ import de.itemis.mps.gradle.TestLanguages\nplugins {\nid \"java\"\nid 'maven-publish'\n+ id \"com.jfrog.bintray\"\n}\nconfigurations {\n@@ -164,3 +165,26 @@ publishing {\n}\n}\n}\n+\n+bintray {\n+ user = System.getenv('BINTRAY_USER')\n+ key = System.getenv('BINTRAY_API_KEY')\n+ pkg {\n+ repo = 'maven'\n+ name = project.name\n+ userOrg = 'modelixorg'\n+ licenses = ['Apache-2.0']\n+ vcsUrl = 'https://github.com/modelix/modelix'\n+ version {\n+ name = 'v' + project.version\n+ desc = 'Version ' + project.version\n+ released = new Date()\n+ vcsTag = 'v'+project.version\n+ }\n+ }\n+\n+ publications = ['modelixMpsModelPlugin']\n+ dryRun = false\n+ publish = true\n+ override = true\n+}\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Build jobs for publishing tags to bintray |
426,496 | 13.10.2020 13:51:51 | -7,200 | 82a611cc48c00c607d6b239342a3e24660338c35 | Also publish the gradle plugin to bintray | [
{
"change_type": "MODIFY",
"old_path": ".travis.yml",
"new_path": ".travis.yml",
"diff": "@@ -10,7 +10,7 @@ jobs:\nscript: ./gradlew build\nif: tag IS blank\n- stage: deploy\n- script: ./gradlew build :model-server:bintrayUpload :mps:bintrayUpload\n+ script: ./gradlew build bintrayUpload\nif: tag IS present\ncache:\n"
},
{
"change_type": "MODIFY",
"old_path": "gradle-plugin/build.gradle",
"new_path": "gradle-plugin/build.gradle",
"diff": "plugins {\nid 'java'\nid 'maven'\n+ id 'maven-publish'\n+ id 'com.jfrog.bintray'\n}\nsourceCompatibility = 11\n@@ -26,10 +28,36 @@ jar {\n}\n}\n-uploadArchives {\n- repositories {\n- mavenDeployer {\n- repository(url: mavenLocal().url)\n+publishing {\n+ publications {\n+ modelixGradlePlugin(MavenPublication) {\n+ groupId project.group\n+ version project.version\n+\n+ from components.java\n}\n}\n}\n+\n+bintray {\n+ user = System.getenv('BINTRAY_USER')\n+ key = System.getenv('BINTRAY_API_KEY')\n+ pkg {\n+ repo = 'maven'\n+ name = project.name\n+ userOrg = 'modelixorg'\n+ licenses = ['Apache-2.0']\n+ vcsUrl = 'https://github.com/modelix/modelix'\n+ version {\n+ name = 'v' + project.version\n+ desc = 'Version ' + project.version\n+ released = new Date()\n+ vcsTag = 'v'+project.version\n+ }\n+ }\n+\n+ publications = ['modelixGradlePlugin']\n+ dryRun = false\n+ publish = true\n+ override = true\n+}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Also publish the gradle plugin to bintray |
426,496 | 13.10.2020 14:23:26 | -7,200 | c2cfd65d6c6125c4228b3742a9f00d93f3cbb17c | gradle plugin test now downloads the plugin from the bintray repository | [
{
"change_type": "MODIFY",
"old_path": "gradle-plugin-test/build.gradle",
"new_path": "gradle-plugin-test/build.gradle",
"diff": "buildscript {\nrepositories {\n+ maven { url 'https://dl.bintray.com/modelixorg/maven' }\nmavenLocal()\n}\ndependencies {\n- classpath group: 'org.modelix', name: 'gradle-plugin', version: '2020.1.2-SNAPSHOT'\n+ classpath group: 'org.modelix', name: 'gradle-plugin', version: '0.0.2'\n}\n}\nrepositories {\nmavenCentral()\nmaven { url 'https://projects.itemis.de/nexus/content/repositories/mbeddr' }\n+ maven { url 'https://dl.bintray.com/modelixorg/maven' }\nmavenLocal()\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | gradle plugin test now downloads the plugin from the bintray repository |
426,496 | 13.10.2020 14:56:49 | -7,200 | 242d8bfaa0f05e14bc7a24083e11798d38677012 | Publish docker images to docker hub when a tag is pushed | [
{
"change_type": "MODIFY",
"old_path": ".travis.yml",
"new_path": ".travis.yml",
"diff": "@@ -4,13 +4,16 @@ install: true\njdk:\n- openjdk11\n+services:\n+ - docker\n+\njobs:\ninclude:\n- stage: build\nscript: ./gradlew build\nif: tag IS blank\n- stage: deploy\n- script: ./gradlew build bintrayUpload\n+ script: ./gradlew build bintrayUpload && ./docker-ci.sh\nif: tag IS present\ncache:\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "docker-ci.sh",
"diff": "+#!/bin/sh\n+\n+docker login -u \"$DOCKER_HUB_USER\" -p \"$DOCKER_HUB_KEY\"\n+\n+./docker-build-db.sh\n+./docker-build-model.sh\n+./docker-build-mps.sh\n+./docker-build-ui.sh\n+./docker-build-proxy.sh\n+./docker-build-uiproxy.sh\n+\n+TAG=\"$TRAVIS_TAG\"\n+\n+echo \"Pushing tag ${TAG}\"\n+\n+docker tag modelix/modelix-db:latest \"modelix/modelix-db:${TAG}\"\n+docker tag modelix/modelix-model:latest \"modelix/modelix-model:${TAG}\"\n+docker tag modelix/modelix-mps:latest \"modelix/modelix-mps:${TAG}\"\n+docker tag modelix/modelix-ui:latest \"modelix/modelix-ui:${TAG}\"\n+docker tag modelix/modelix-proxy:latest \"modelix/modelix-proxy:${TAG}\"\n+docker tag modelix/modelix-uiproxy:latest \"modelix/modelix-uiproxy:${TAG}\"\n+\n+docker push \"modelix/modelix-db:${TAG}\"\n+docker push \"modelix/modelix-model:${TAG}\"\n+docker push \"modelix/modelix-mps:${TAG}\"\n+docker push \"modelix/modelix-ui:${TAG}\"\n+docker push \"modelix/modelix-proxy:${TAG}\"\n+docker push \"modelix/modelix-uiproxy:${TAG}\"\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Publish docker images to docker hub when a tag is pushed |
426,496 | 13.10.2020 15:21:45 | -7,200 | 2ad63e6f75a8cd6f2ebabe5747338c58f4f36f72 | don't prefix version tags with "v" | [
{
"change_type": "MODIFY",
"old_path": "build.gradle",
"new_path": "build.gradle",
"diff": "@@ -30,9 +30,6 @@ ext.mpsVersion = \"$mpsMajorVersion.$mpsMinorVersion\"\next.modelixVersion = \"$mpsVersion-SNAPSHOT\"\nif (System.getenv(\"TRAVIS_TAG\") != null && !System.getenv(\"TRAVIS_TAG\").isEmpty()) {\next.modelixVersion = System.getenv(\"TRAVIS_TAG\")\n- if (ext.modelixVersion.startsWith(\"v\")) {\n- ext.modelixVersion = ext.modelixVersion.substring(1)\n- }\n}\nallprojects {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | don't prefix version tags with "v" |
426,496 | 13.10.2020 15:23:16 | -7,200 | 5544d0685e96f99fe6a3eca2738b149be01d76e9 | also push ":latest" tag for docker images | [
{
"change_type": "MODIFY",
"old_path": "docker-ci.sh",
"new_path": "docker-ci.sh",
"diff": "@@ -26,3 +26,10 @@ docker push \"modelix/modelix-mps:${TAG}\"\ndocker push \"modelix/modelix-ui:${TAG}\"\ndocker push \"modelix/modelix-proxy:${TAG}\"\ndocker push \"modelix/modelix-uiproxy:${TAG}\"\n+\n+docker push \"modelix/modelix-db:latest\"\n+docker push \"modelix/modelix-model:latest\"\n+docker push \"modelix/modelix-mps:latest\"\n+docker push \"modelix/modelix-ui:latest\"\n+docker push \"modelix/modelix-proxy:latest\"\n+docker push \"modelix/modelix-uiproxy:latest\"\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | also push ":latest" tag for docker images |
426,496 | 14.10.2020 11:21:30 | -7,200 | 51bd71f1591bc06b79463758b11a48f8efd8a987 | Deleted docker-run-model.sh and docker-run-ui.sh
Running these images outside a kubernetes cluster is not exepcted
to work. | [
{
"change_type": "MODIFY",
"old_path": "README.md",
"new_path": "README.md",
"diff": "@@ -118,8 +118,6 @@ File | Description\n[docker-push-gcloud.sh](docker-push-gcloud.sh) |\n[docker-push-hub.sh](docker-push-hub.sh) | Pushes all docker images to [hub.docker.com](https://hub.docker.com/u/modelix) and updates the version numbers in the kubernetes YAML files.\n[docker-run-db.sh](docker-run-db.sh) | If you want to run the PostgresSQL database locally without a kubernetes cluster\n-[docker-run-model.sh](docker-run-model.sh) | If you want to run the model server docker image locally without a kubernetes cluster. You can also run `./gradlew run` in the [model-server](model-server) directory.\n-[docker-run-ui.sh](docker-run-ui.sh) | If you want to run the UI server docker image locally without a kubernetes cluster. You can also just open the [mps](mps) folder with [MPS](https://www.jetbrains.com/mps/) after running `./gradlew`.\n[generate-modelsecret.sh](generate-modelsecret.sh) | Access to the model server requires clients to be logged in with their google account. Inside the kubernetes cluster the other components use a secret stored in the kubernetes cluster as the access token.\n[gradlew](gradlew) | Run this to build all projects.\n[gradlew.bat](gradlew.bat) | Run this to build all projects.\n"
},
{
"change_type": "DELETE",
"old_path": "docker-run-model.sh",
"new_path": null,
"diff": "-#!/bin/sh\n-\n-docker run --rm -it -p 28101:28101/tcp modelix/modelix-model\n\\ No newline at end of file\n"
},
{
"change_type": "DELETE",
"old_path": "docker-run-ui.sh",
"new_path": null,
"diff": "-#!/bin/sh\n-\n-docker run --rm -it -p 33333:33333/tcp modelix/modelix-ui\n\\ No newline at end of file\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Deleted docker-run-model.sh and docker-run-ui.sh
Running these images outside a kubernetes cluster is not exepcted
to work. |
426,504 | 14.10.2020 11:34:00 | -7,200 | 5cbcf51f40eb92d6193654b27981e61248dc212f | publish fatJar on maven | [
{
"change_type": "MODIFY",
"old_path": "model-server/build.gradle",
"new_path": "model-server/build.gradle",
"diff": "@@ -84,6 +84,12 @@ publishing {\nfrom components.java\n}\n+ modelServerFatJar(MavenPublication) {\n+ groupId project.group\n+ version project.version\n+\n+ artifact fatJar\n+ }\n}\n}\n@@ -104,7 +110,7 @@ bintray {\n}\n}\n- publications = ['modelServer']\n+ publications = ['modelServer', 'modelServerFatJar']\ndryRun = false\npublish = true\noverride = true\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | publish fatJar on maven |
426,504 | 14.10.2020 11:34:11 | -7,200 | e29f8d6e74adbb6f87a002e827755997c88f7d42 | log used port for model-server | [
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/java/org/modelix/model/server/Main.java",
"new_path": "model-server/src/main/java/org/modelix/model/server/Main.java",
"diff": "@@ -71,10 +71,12 @@ public class Main {\ntry {\nString portStr = System.getenv(\"PORT\");\n+ int port = portStr == null ? 28101 : Integer.parseInt(portStr);\n+ LOG.info(\"Port: \" + port);\nInetSocketAddress bindTo =\nnew InetSocketAddress(\nInetAddress.getByName(\"0.0.0.0\"),\n- portStr == null ? 28101 : Integer.parseInt(portStr));\n+ port);\nIStoreClient storeClient;\nif (cmdLineArgs.inmemory) {\nif (cmdLineArgs.jdbcConfFile != null) {\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | log used port for model-server |
426,496 | 14.10.2020 11:50:51 | -7,200 | 69181529c1d507c8028199bcb3f368ebf6c59f5c | NPE in VersionMerger.captureIntend
Fixes | [
{
"change_type": "MODIFY",
"old_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"new_path": "model-client/src/commonMain/kotlin/org/modelix/model/VersionMerger.kt",
"diff": "@@ -106,10 +106,14 @@ class VersionMerger(private val storeCache: IDeserializingKeyValueStore, private\n}\nprivate fun captureIntend(version: CLVersion): List<IOperationIntend> {\n- val tree = version.baseVersion!!.tree\n+ val operations = version.operations.toList()\n+ if (operations.isEmpty()) return listOf()\n+ val baseVersion = version.baseVersion\n+ ?: throw RuntimeException(\"Version ${version.hash} has operations but no baseVersion\")\n+ val tree = baseVersion.tree\nval branch = TreePointer(tree)\nreturn branch.computeWrite {\n- version.operations.map {\n+ operations.map {\nval intend = it.captureIntend(branch.transaction.tree, storeCache)\nit.apply(branch.writeTransaction, storeCache)\nintend\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | NPE in VersionMerger.captureIntend
Fixes #29 |
426,504 | 14.10.2020 12:04:38 | -7,200 | 5048280224d6961b6529f9880f3789924ad5d4f0 | adding publication of model-server fatJar to maven | [
{
"change_type": "MODIFY",
"old_path": "model-server/build.gradle",
"new_path": "model-server/build.gradle",
"diff": "@@ -54,6 +54,12 @@ task fatJar(type: Jar) {\nwith jar\n}\n+def fatJarFile = file(\"$buildDir/libs/model-server-fatJar-latest.jar\")\n+def fatJarArtifact = artifacts.add('archives', fatJarFile) {\n+ type 'jar'\n+ builtBy 'fatJar'\n+}\n+\ntask cucumber() {\ndependsOn fatJar, compileTestJava\ndoLast {\n@@ -86,9 +92,10 @@ publishing {\n}\nmodelServerFatJar(MavenPublication) {\ngroupId project.group\n+ artifactId 'model-server-fatjar'\nversion project.version\n- artifact fatJar\n+ artifact fatJarArtifact\n}\n}\n}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | adding publication of model-server fatJar to maven |
426,496 | 20.10.2020 11:57:39 | -7,200 | d996c214c4233c58aab5f172c3acc3bd2acdc135 | Fixed Model server seems to log stuff twice | [
{
"change_type": "MODIFY",
"old_path": "model-server/src/main/resources/log4j.xml",
"new_path": "model-server/src/main/resources/log4j.xml",
"diff": "</layout>\n</appender>\n- <category name=\"org.modelix\" additivity=\"true\">\n+ <category name=\"org.modelix\" additivity=\"false\">\n<priority value=\"DEBUG\"/>\n<appender-ref ref=\"console\"/>\n</category>\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Fixed #32 Model server seems to log stuff twice |
426,496 | 26.10.2020 13:57:59 | -3,600 | 58d214b72375386228c2a04d1eb1fb6786ad9384 | Instructions for using kubernetes with docker desktop | [
{
"change_type": "MODIFY",
"old_path": "doc/running-modelix.md",
"new_path": "doc/running-modelix.md",
"diff": "@@ -33,16 +33,24 @@ Optionally, you can run the model server and connect your MPS to it:\n- open the \"Model Properties\" of the new model and add at least one language dependency\n- now you are able to add new root nodes to the model from the MPS \"Project\" view\n-## Running with minikube\n+## Running a local kubernetes cluster\n+- Option 1: Docker Desktop\n+ - Download and install [Docker Desktop](https://www.docker.com/products/docker-desktop)\n+ - Enable kubernetes in the preferences\n+ - Increase memory to 4-8 GB in Preferences > Resources\n+- Option 2: minikube\n- `minikube start --cpus=4 --memory=8GB --disk-size=40GB`\n+ - `eval $(minikube -p minikube docker-env)`\n- `./kubernetes-modelsecret.sh`\n- SSL certificate\n- `cd ssl`\n- `./generate.sh`\n- `./kubernetes-create-secret.sh`\n- `cd ..`\n-- `eval $(minikube -p minikube docker-env)`\n+- Option 1: Use the latest published docker images\n+ - `./kubernetes-use-latest-tag.sh`\n+- Option 2: Build your own docker images\n- `./docker-build-all.sh`\n- `./kubernetes-apply-local.sh`\n- Wait ~2 minutes. You can check the status of the cluster using `minikube dashboard` or `kubectl get all`\n"
},
{
"change_type": "MODIFY",
"old_path": "docker-build-db.sh",
"new_path": "docker-build-db.sh",
"diff": "@@ -5,5 +5,5 @@ docker build --no-cache -f Dockerfile -t modelix/modelix-db .\nTAG=$(date +\"%Y%m%d%H%M\")\ncd ..\ndocker tag modelix/modelix-db:latest \"modelix/modelix-db:${TAG}\"\n-sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/local/db-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/local/db-deployment.yaml\nrm kubernetes/local/db-deployment.yaml-E\n"
},
{
"change_type": "MODIFY",
"old_path": "docker-build-model.sh",
"new_path": "docker-build-model.sh",
"diff": "@@ -6,5 +6,5 @@ docker build --no-cache -t modelix/modelix-model .\nTAG=$(date +\"%Y%m%d%H%M\")\ncd ..\ndocker tag modelix/modelix-model:latest \"modelix/modelix-model:${TAG}\"\n-sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/model-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/model-deployment.yaml\nrm kubernetes/common/model-deployment.yaml-E\n"
},
{
"change_type": "MODIFY",
"old_path": "docker-build-proxy.sh",
"new_path": "docker-build-proxy.sh",
"diff": "@@ -6,5 +6,5 @@ docker build --no-cache -t modelix/modelix-proxy .\nTAG=$(date +\"%Y%m%d%H%M\")\ncd ..\ndocker tag modelix/modelix-proxy:latest \"modelix/modelix-proxy:${TAG}\"\n-sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/proxy-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/proxy-deployment.yaml\nrm kubernetes/common/proxy-deployment.yaml-E\n"
},
{
"change_type": "MODIFY",
"old_path": "docker-build-ui.sh",
"new_path": "docker-build-ui.sh",
"diff": "@@ -4,5 +4,5 @@ docker build --no-cache -f Dockerfile-ui -t modelix/modelix-ui .\nTAG=$(date +\"%Y%m%d%H%M\")\ndocker tag modelix/modelix-ui:latest \"modelix/modelix-ui:${TAG}\"\n-sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/ui-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/ui-deployment.yaml\nrm kubernetes/common/ui-deployment.yaml-E\n"
},
{
"change_type": "MODIFY",
"old_path": "docker-build-uiproxy.sh",
"new_path": "docker-build-uiproxy.sh",
"diff": "@@ -6,5 +6,5 @@ docker build --no-cache -t modelix/modelix-uiproxy .\nTAG=$(date +\"%Y%m%d%H%M\")\ncd ..\ndocker tag modelix/modelix-uiproxy:latest \"modelix/modelix-uiproxy:${TAG}\"\n-sed -i -E \"s/20[12][0-9][01][0-9][0123][0-9][0-5][0-9][0-5][0-9]/${TAG}/\" kubernetes/common/uiproxy-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/uiproxy-deployment.yaml\nrm kubernetes/common/uiproxy-deployment.yaml-E\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "kubernetes-use-latest-tag.sh",
"diff": "+#!/bin/sh\n+\n+TAG=$(git describe --tags --abbrev=0)\n+echo \"Using tag ${TAG}\"\n+\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/local/db-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/model-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/proxy-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/ui-deployment.yaml\n+sed -i -E \"s/\\(image:.*:\\).*/\\1${TAG}/\" kubernetes/common/uiproxy-deployment.yaml\n+\n+rm kubernetes/local/db-deployment.yaml-E\n+rm kubernetes/common/model-deployment.yaml-E\n+rm kubernetes/common/proxy-deployment.yaml-E\n+rm kubernetes/common/ui-deployment.yaml-E\n+rm kubernetes/common/uiproxy-deployment.yaml-E\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/model-deployment.yaml",
"new_path": "kubernetes/common/model-deployment.yaml",
"diff": "@@ -27,7 +27,7 @@ spec:\n- env:\n- name: jdbc_url\nvalue: jdbc:postgresql://db:5432/\n- image: modelix/modelix-model:202010011142\n+ image: modelix/modelix-model:0.0.6\nimagePullPolicy: IfNotPresent\nname: model\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/proxy-deployment.yaml",
"new_path": "kubernetes/common/proxy-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: proxy\n- image: modelix/modelix-proxy:202010011142\n+ image: modelix/modelix-proxy:0.0.6\nimagePullPolicy: IfNotPresent\nenv:\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/ui-deployment.yaml",
"new_path": "kubernetes/common/ui-deployment.yaml",
"diff": "@@ -25,7 +25,7 @@ spec:\nspec:\ncontainers:\n- name: ui\n- image: modelix/modelix-ui:202010011142\n+ image: modelix/modelix-ui:0.0.6\nimagePullPolicy: IfNotPresent\nenv:\n- name: MODEL_URI\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/common/uiproxy-deployment.yaml",
"new_path": "kubernetes/common/uiproxy-deployment.yaml",
"diff": "@@ -23,7 +23,7 @@ spec:\nspec:\nserviceAccountName: uiproxy\ncontainers:\n- - image: modelix/modelix-uiproxy:202010011142\n+ - image: modelix/modelix-uiproxy:0.0.6\nimagePullPolicy: IfNotPresent\nname: uiproxy\nports:\n"
},
{
"change_type": "MODIFY",
"old_path": "kubernetes/local/db-deployment.yaml",
"new_path": "kubernetes/local/db-deployment.yaml",
"diff": "@@ -29,7 +29,7 @@ spec:\nvalue: modelix\n- name: PGDATA\nvalue: /var/lib/postgresql/data/pgdata\n- image: modelix/modelix-db:202010011142\n+ image: modelix/modelix-db:0.0.6\nimagePullPolicy: IfNotPresent\nname: db\nresources: {}\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Instructions for using kubernetes with docker desktop |
426,496 | 26.10.2020 14:41:37 | -3,600 | 526779b5908330cd03fc88d5ae80d43b7e1fb843 | Plugins were copied to the wrong path in the UI docker image | [
{
"change_type": "MODIFY",
"old_path": "Dockerfile-ui",
"new_path": "Dockerfile-ui",
"diff": "@@ -6,7 +6,7 @@ EXPOSE 33333\n# wget -q -O- https://storage.googleapis.com/cloud-profiler/java/latest/profiler_java_agent.tar.gz \\\n# | tar xzv -C /opt/cprof\n-COPY build/org.modelix/build/artifacts/org.modelix/plugins/* /usr/modelix-ui/mps/plugins/\n+COPY build/org.modelix/build/artifacts/org.modelix/plugins/ /usr/modelix-ui/mps/plugins/\nCOPY artifacts/de.itemis.mps.extensions/ /usr/modelix-ui/mps/plugins/\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Plugins were copied to the wrong path in the UI docker image |
426,496 | 26.10.2020 15:06:39 | -3,600 | 0292735ee012b6f1bf3def5f3b44792a5105fcf3 | Script that opens the correct URL when docker desktop is used | [
{
"change_type": "MODIFY",
"old_path": "doc/running-modelix.md",
"new_path": "doc/running-modelix.md",
"diff": "@@ -53,9 +53,9 @@ Optionally, you can run the model server and connect your MPS to it:\n- Option 2: Build your own docker images\n- `./docker-build-all.sh`\n- `./kubernetes-apply-local.sh`\n-- Wait ~2 minutes. You can check the status of the cluster using `minikube dashboard` or `kubectl get all`\n-- `minikube service proxy`\n-- connect MPS to the model server: same steps as described at \"Running without kubernetes\", but use the URL you see when you executed `minikube service proxy` and append \"model/\" (e.g. http://192.168.64.2:31894/model/)\n+- Wait ~2 minutes. You can check the status of the cluster using `kubectl get all` (or `minikube dashboard`)\n+- Docker Desktop: `./kubernetes-open-proxy.sh`, minikube: `minikube service proxy`\n+- connect MPS to the model server: same steps as described at \"Running without kubernetes\", but use the URL you see when you executed `./kubernetes-open-proxy.sh` / `minikube service proxy` and append \"model/\" (e.g. http://192.168.64.2:31894/model/)\n## Running in the google cloud\n"
},
{
"change_type": "ADD",
"old_path": null,
"new_path": "kubernetes-open-proxy.sh",
"diff": "+#!/bin/sh\n+\n+SERVICEPORT=$(kubectl get service/proxy | sed -n \"s/.*80:\\([0-9]*\\)\\/TCP.*/\\1/p\")\n+open \"http://localhost:${SERVICEPORT}/\"\n"
}
]
| Kotlin | Apache License 2.0 | modelix/modelix | Script that opens the correct URL when docker desktop is used |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.