Compare commits

...

16 Commits

Author SHA1 Message Date
chris c4b0fc9162 FEAT,MINOR: (Re- ?) Introduced component subscription 1 month ago
chris 5e782912f7 FIX,FEAT: Drag and Drop basic implementation 1 month ago
chris 1632528322 MINOR,FEAT,HELPERS,CONVINENCE: Couple functions/changes 1 month ago
chris b60b89cbea FEAT,MODIFY,FIX: ExtStore functionallity and parent-dependent-sizing 1 month ago
chris 0cc60ad07c MINOR,DOC: Added convenience functions to the Shape class and fixed/changed some doc 1 month ago
chris 771a05dba8 MINOR,FIX: In established functionallities 1 month ago
chris f9e7e188cb FIX: changed from !(Object) to ===null comparison 2 months ago
chris 02f72d4648 FEAT: DragAndDrop in a basic implementation 2 months ago
chris bb0ccb8904 FEAT: extended Siding added some constants 2 months ago
chris 6f78fa1cfb FEAT: ContextMenu 2 months ago
chris 3782344e1f FEAT: added hidden() and overflow() functions 2 months ago
chris 5b74731cf1 REFA,STEP,FEAT: added style remove functionallity and refactored inputTag-organisation in builder 2 months ago
chris 94ef6186cf REFA,STEP,DOC,FIX: some docs and obvious errors 2 months ago
chris 3b8efc9a6d REFA,STEP,UNSTABLE: reestablished generate 2 months ago
chris 0c51679e04 REFA,UNSTABLE,STEP: Removing old artifacts/fragments of earlier implementations 2 months ago
chris ec298757c2 STEP,UNSTABLE,REFA: Restructured organization of Component and its ancestry 2 months ago
  1. 11
      join_js_files.sh
  2. 35
      src/baseComponents.js
  3. 128
      src/builder.js
  4. 619
      src/component.js
  5. 432
      src/componentAncestry/addStyleAndFunctions.js
  6. 79
      src/componentAncestry/modifiableComponent.js
  7. 75
      src/componentAncestry/wrapperComponent.js
  8. 117
      src/context.js
  9. 378
      src/context/extStore.js
  10. 118
      src/context/generalHelpers.js
  11. 18
      src/context/scriptAndStyleContext.js
  12. 13
      src/context/webTrinity.js
  13. 24
      src/modifications/dragAndDrop.js
  14. 88
      src/modifier.js
  15. 2
      src/sizeSide/border.js
  16. 47
      src/sizeSide/shapes.js
  17. 144
      src/sizeSide/siding.js

11
join_js_files.sh

@ -8,11 +8,12 @@ SRC="src"
# and thoose that use component.
SIZE_SIDE="siding.js shapes.js border.js dimensions.js"
CONTEXT="webTrinity.js extStore.js scriptAndStyleContext.js"
CONTEXT="generalHelpers.js webTrinity.js extStore.js scriptAndStyleContext.js"
PRE_ANCESTRY="commonEvents.js context.js"
MODIFIERS_LIST="alignment.js arrangement.js modifier.js"
MODIFICATIONS_LIST="dragAndDrop.js"
COMPONENT_ANCESTRY="wrapperComponent.js modifiableComponent.js addStyleAndFunctions.js"
HIGHER_LIST="component.js baseComponents.js builder.js"
HIGHER_LIST="component.js baseComponents.js builder.js"
echo "" > $TARGET
echo "/* ## color.js ## */" >> $TARGET
@ -42,6 +43,12 @@ for i in $MODIFIERS_LIST; do
cat $SRC/$i >> $TARGET
done
echo "/* # MODIFICATIONS_LIST # */" >> $TARGET
for i in $MODIFICATIONS_LIST; do
echo "/* ## $i ## */" >> $TARGET
cat $SRC/modifications/$i >> $TARGET
done
echo "/* # COMPONENT_ANCESTRY # */" >> $TARGET
for i in $COMPONENT_ANCESTRY; do
echo "/* ## $i ## */" >> $TARGET

35
src/baseComponents.js

@ -4,9 +4,36 @@
* @copyright by its creator Christian Martin
*/
/**
* Represents a Component (of an HTMLElement) that is capable of receiving input.
*
* @inheritdoc
*/
class InputComponent extends Component {
constructor(element, attr = {}) {
super(element, attr)
.addStyleClass("el-input-comp");
}
/**
* The parameter makes it optional to trigger the state by a variable
* @param {boolean} readonly
* @returns {Component}
*/
readonly(readonly = true) {
if (readonly) {
this._element.setAttribute("readonly", readonly);
}
return this;
}
}
/**
* Represents container Components.
* Some predefined modifications are applied on the child components.
*
* @inheritdoc
*/
class FlexContainerComponent extends Component {
constructor(attr = {}) {
@ -42,6 +69,8 @@ class FlexContainerComponent extends Component {
/**
* A FlexContainerComponent, which organizes the children in a column like manner.
*
* @inheritdoc
*/
class Column extends FlexContainerComponent {
constructor(attr = {}) {
@ -56,7 +85,9 @@ class Column extends FlexContainerComponent {
/**
* A FlexContainerComponent, which organizes the children in a row like manner.
*/
*
* @inheritdoc
*/
class Row extends FlexContainerComponent {
constructor(attr = {}) {
super(attr)
@ -97,7 +128,7 @@ class Row extends FlexContainerComponent {
*/
distibuteSpacingEvenly() {
this._element.children.forEach(child => {
child.style["width"] = (100 / innerComponent.length);
child.style["width"] = ((100-this._element.childElementCount) / innerComponent.length);
})
return this;
}

128
src/builder.js

@ -16,6 +16,11 @@ const builder = {
openedChain: {}
},
componentFromHTML: function (htmlText) {
let compel = new Component(new DOMParser().parseFromString(htmlText, "text/html"));
return compel;
},
/**
*
* @param {string} tag
@ -47,82 +52,101 @@ const builder = {
* @param {Map<string,string>} attr
* @returns {Component}
*/
input: function (attr = {}) { return builder.genTag("input", attr); },
inputTags: function (attr = {}) {
return {
button() { return builder.genTag("input", Object.assign(attr, { "type": "button" })) },
checkbox() { return builder.genTag("input", Object.assign(attr, { "type": "checkbox" })) },
color() { return builder.genTag("input", Object.assign(attr, { "type": "color" })) },
date() { return builder.genTag("input", Object.assign(attr, { "type": "date" })) },
datetime() { return builder.genTag("input", Object.assign(attr, { "type": "datetime" })) },
datetime_local() { return builder.genTag("input", Object.assign(attr, { "type": "datetime-local" })) },
email() { return builder.genTag("input", Object.assign(attr, { "type": "email" })) },
file() { return builder.genTag("input", Object.assign(attr, { "type": "file" })) },
image() { return builder.genTag("input", Object.assign(attr, { "type": "image" })) },
month() { return builder.genTag("input", Object.assign(attr, { "type": "month" })) },
number() { return builder.genTag("input", Object.assign(attr, { "type": "number" })) },
password() { return builder.genTag("input", Object.assign(attr, { "type": "password" })) },
radio() { return builder.genTag("input", Object.assign(attr, { "type": "radio" })) },
range() { return builder.genTag("input", Object.assign(attr, { "type": "range" })) },
reset() { return builder.genTag("input", Object.assign(attr, { "type": "reset" })) },
search() { return builder.genTag("input", Object.assign(attr, { "type": "search" })) },
submit() { return builder.genTag("input", Object.assign(attr, { "type": "submit" })) },
tel() { return builder.genTag("input", Object.assign(attr, { "type": "tel" })) },
text() { return builder.genTag("input", Object.assign(attr, { "type": "text" })) },
time() { return builder.genTag("input", Object.assign(attr, { "type": "time" })) },
url() { return builder.genTag("input", Object.assign(attr, { "type": "url" })) },
week() { return builder.genTag("input", Object.assign(attr, { "type": "week" })) }
}
input: function (type, attr = {}) {
return new InputComponent(
document.createElement("input"),
Object.assign({ "type": type }, attr)
)
.addStyleClass(`el-input`);
},
/**
*
* @param {Map<string,string>} attr
* @returns {Function<Component>}
*/
inputTags: Object.freeze({
button: function (attr = {}) { return builder.input("button", attr) },
checkbox: function (attr = {}) { return builder.input("checkbox", attr) },
color: function (attr = {}) { return builder.input("color", attr) },
date: function (attr = {}) { return builder.input("date", attr) },
datetime: function (attr = {}) { return builder.input("datetime", attr) },
datetime_local: function (attr = {}) { return builder.input("datetime-local", attr) },
email: function (attr = {}) { return builder.input("email", attr) },
file: function (attr = {}) { return builder.input("file", attr) },
image: function (attr = {}) { return builder.input("image", attr) },
month: function (attr = {}) { return builder.input("month", attr) },
number: function (attr = {}) { return builder.input("number", attr) },
password: function (attr = {}) { return builder.input("password", attr) },
radio: function (attr = {}) { return builder.input("radio", attr) },
range: function (attr = {}) { return builder.input("range", attr) },
reset: function (attr = {}) { return builder.input("reset", attr) },
search: function (attr = {}) { return builder.input("search", attr) },
submit: function (attr = {}) { return builder.input("submit", attr) },
tel: function (attr = {}) { return builder.input("tel", attr) },
text: function (attr = {}) { return builder.input("text", attr) },
time: function (attr = {}) { return builder.input("time", attr) },
url: function (attr = {}) { return builder.input("url", attr) },
week: function (attr = {}) { return builder.input("week", attr) }
}),
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
div: function (attr = {}) { return builder.genTag("div", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
span: function (attr = {}) { return builder.genTag("span", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
paragraph: function (attr = {}) { return builder.genTag("p", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
header: function (sizeGroup, attr = {}) { return builder.genTag(`h${sizeGroup}`, attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
checkbox: function (attr = {}) { return builder.input({ "type": "checkbox" }) },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
select: function (attr = {}) { return builder.genTag("select", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
option: function (attr = {}) { return builder.genTag("option", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
radioBtn: function (attr = {}) { return builder.genTag("radioBtn", attr); },
/**
*
* @param {Map<string,string>} attr
@ -141,62 +165,90 @@ const builder = {
* @param {Map<string,string>} attr
* @returns {Component}
*/
textarea: function (attr = {}) { return builder.genTag("textarea", attr); },
textarea: function (attr = {}) {
return new InputComponent(
document.createElement("textarea"),
attr
)
.addStyleClass(`el-textarea`);
},
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
table: function (attr = {}) { return builder.genTag("table", attr) },
table: function (attr = {}) {
return builder.genTag("table", attr)
.chainModifier()
.removeStyleRule("display")
.toComponent();
},
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableRow: function (attr = {}) { return builder.genTag("tr", attr) },
tableRow: function (attr = {}) { return builder.genTag("tr", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableCell: function (attr = {}) { return builder.genTag("td", attr) },
tableCell: function (attr = {}) { return builder.genTag("td", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableCaption: function (attr = {}) { return builder.genTag("caption", attr) },
tableCaption: function (attr = {}) { return builder.genTag("caption", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableHeadCell: function (attr = {}) { return builder.genTag("th", attr) },
tableHeadCell: function (attr = {}) { return builder.genTag("th", attr); },
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableBody: function (attr = {}) { return builder.genTag("tbody", attr) },
tableBody: function (attr = {}) {
return builder.genTag("tbody", attr)
.chainModifier()
.removeStyleRule("display")
.toComponent();
},
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableHead: function (attr = {}) { return builder.genTag("thead", attr) },
tableHead: function (attr = {}) {
return builder.genTag("thead", attr)
.chainModifier()
.removeStyleRule("display")
.toComponent();
},
/**
*
* @param {Map<string,string>} attr
* @returns {Component}
*/
tableFooter: function (attr = {}) { return builder.genTag("tfoot", attr) },
tableFooter: function (attr = {}) {
return builder.genTag("tfoot", attr)
.chainModifier()
.removeStyleRule("display")
.toComponent();
},
/**
*
* @param {Map<string,string>} attr
@ -234,7 +286,10 @@ const builder = {
/**
*
* @param {*} innerComponents
* @todo upwards bubbling of js or css is not dealt with yet.
*
*
* @param {Component} innerComponents
*/
page: function (innerComponents) {
let main = document.querySelector('main');
@ -246,6 +301,7 @@ const builder = {
.arrangement(Arrangement.CENTER)
.childContext(innerComponents)
.generate()
.html
);
Page.generate();
main.remove();

619
src/component.js

@ -4,116 +4,605 @@
* @copyright by its creator Christian Martin
*/
/**
* A chainable HTMLElement builder.
* Represents the most basic and simple form of a Component.
* It is mainly a collection of wrapper methods
* around the HTMLElement methods to make them chainable.
* It serves as base for further functionallity extensions.
* @property {Map<string, SStoreDefinition>} _style
*/
class Component extends ScriptStoringComponent {
class Component extends StyleAndScriptStoringComponent {
/**
* @type {boolean}
*/
#isCompel;
/**
* @type {WebTrinity}
*/
_wenity;
/**
* @type {Array<any>}
*/
_toRegister;
/**
* @type {boolean}
*/
_isContextMenu;
/**
* Initializes the component
* @param {HTMLElement} element the base element
* @param {Map<string,string>} attr Specific already known attributes
*/
constructor(element, attr = {}) {
super(element, attr);
this._modifier = new Modifier().margin(new Sides().all(0));
var akeys = Object.keys(attr);
for (let i = 0; i < akeys.length; i++) {
element.setAttribute(akeys[i], attr[akeys[i]]);
}
this._element = element;
this.#isCompel = false;
this._isContextMenu = false;
this._modifier = new Modifier()
.margin(new Sides().all(0));
this._modifier._modifications['display'] = "flex";
this._toRegister = [];
}
/**
* Adds a class to classList via HTMLElement.classList.add() method.
* Further collects rules in a property until generate is called.
*
* @CAUGHTION implementation is not safe to use, ignoring extStore is recommended;
*
* @todo difference between stylings and classes, extStore logic in combination with the Page.register... logic
*
* @override
*
* @param {string} styleClass (without the '.' in the front)
* @param {string|Modifier|map<string,string>} styling
* @param {ExtStorage|ExtStoreType|ExtStorePosition|OverwriteBehaviour|EXPosConfer|ESOverwriteConfer} extStore
* if a unique definition is desired, all constants or configurator objects are allowed - they will be processed accordingly
* @returns {Component} this component object
*/
addStyleClass(styleClass, styling = null, extStore = null) {
if (!extStore) {
extStore = this._styleClassesExtStore;
} else if (extStore.isMissing()) {
extStore = extStore.fillBy(this._styleClassesExtStore);
}
if (styling) {
if (styling instanceof Modifier) {
styling = styling._modifications;
}
Page.registerStyling('.' + styleClass, styling);
}
this._element.classList.add(styleClass);
return this;
}
/**
*
* @param {boolean} vertical Defines if the Component should overflow vertically (default: true)
* @param {boolean} horizontal Defines if the Component should overflow horizontally (default: false)
* @returns {Component}
*/
overflow(vertical = true, horizontal = false) {
if (vertical) {
this._modifier._modifications["overflow-y"] = "auto";
}
if (horizontal) {
this._modifier._modifications["overflow-x"] = "auto";
}
return this;
}
/**
*
* @param {boolean} untilFound
* @returns {Component}
*/
hidden(untilFound = false) {
Page.registerStyling(".compel-mech-hidden", { "hidden": "hidden" });
this._modifier.removeStyleRule("display");
this.setAttribute(
"hidden",
(untilFound ? "until-found" : "hidden")
);
return this;
}
/**
*
* @returns {Component}
*/
isHigherComponent() {
this.#isCompel = true;
return this.setAttribute("data-compel-isHCompel", "true")
}
/**
* Collects the given List in the _toRegister attribute.
* When generate() is called,
* the created Element will be registered (added) in every list
* within the list.
* @param {Array} listName
* @param {*|string|Array<*>} listName
*/
subscribeOnGenerate(listName) {
this._toRegister.push(listName);
return this;
}
dragable() {
this.setAttribute("draggable", "true");
this.setAttribute("dropEffect", "none");
this.addStyleClass("comp-el-mech-draggable");
/**
*
* @returns {Component}
*/
registerAsContextMenu() {
this._isContextMenu = true;
this.addStyleClass('contextmenu')
.hidden();
return this;
}
return this.addEventListener(
CommonEvents.DRAG_START,
(e) => {
console.log("DragEvent", e);
console.log("Attr", this._element.getAttribute("data-autocompel"));
e.dataTransfer
.setData(
"text/plain",
this._element.getAttribute("data-autocompel")
);
/**
* @todo Positioning of the contextmenu element
* @todo extract into an extra function(allity) provider
*
* @param {Component} component
* @param {Function<HTMLElement|Event> => Sides} getRefPos
* @param {null|ExtStorage} [extStore=null]
* @returns {Component}
*/
contextMenu(component, getRefPos = null, extStore = null) {
if (!component._isContextMenu) {
component.registerAsContextMenu();
}
if (!getRefPos) {
getRefPos = function (cmEvent) {
return new Sides()
.left(cmEvent.pageX)
.top(cmEvent.pageY);
}
}
let cMenuWenity = component.generate();
let identifier = cMenuWenity.html.getAttribute("data-autocompel");
function hideCMenu(el) {
el.setAttribute("hidden", "hidden");
el.style.display = "none";
}
function hideOnEscape(event) {
if (event.key === "Escape") {
let menu = document.querySelector(`[data-autocompel="${identifier}"`);
hideCMenu(menu);
document.removeEventListener("keyup")
}
}
function hideOnClickOutsideOfBounds(event) {
let menu = document.querySelector(`[data-autocompel="${identifier}"`);
let area = getEnclosingBounds(menu);
if (!areXYInArea(area, event.clientX, event.clientY)) {
//if (event.target.offsetParent != menu) {
hideCMenu(menu);
document.removeEventListener("click")
}
}
this.addEventListener(
"contextmenu",
function (event) {
event.preventDefault();
/**
* @type {Sides}
*/
const pos = getRefPos(event);
let menu = document.querySelector(`[data-autocompel="${identifier}"`);
menu.style.left = `${pos.getByIndex(SideDirections.LEFT)}px`;
menu.style.top = `${pos.getByIndex(SideDirections.TOP)}px`;
menu.style["display"] = "block";
menu.removeAttribute("hidden");
document.addEventListener("click", hideOnClickOutsideOfBounds);
document.addEventListener("keyup", hideOnEscape);
}
);
return this;
}
onDrop() {
this.onDragOver();
this.addStyleClass("comp-el-mech-drop");
return this.addEventListener(
CommonEvents.DROP,
(e) => {
e.preventDefault();
let draggedKey = e.dataTransfer.getData("text");
let draggedElement = document.querySelector(`[data-autocompel="${draggedKey}"]`);
let target = e.target
.closest('.comp-el-mech-drop');
if (![...target.childNodes].includes(draggedElement)) {
target
.appendChild(draggedElement);
/**
*
* @param {*} dndGroup
* @returns {Component}
*/
draggable(dndGroup = null) {
let selector = this._element.getAttribute("data-autocompel");
Page.registerStyling(".grabbin-cursor", { "cursor": "grab" });
return this.addStyleClass("comp-el-mech-draggable")
.setAttribute("draggable", "true")
.setAttribute("dropEffect", "none")
.addEventListener(
CommonEvents.DRAG_START,
function (event) {
console.log("DragEvent", event, "on", selector);
event.target.classList.toggle("grabbin-cursor");
event.dataTransfer
.setData(
"text/html",
selector
);
}
}
);
);
}
onDragOver() {
this.addStyleClass("comp-el-mech-dragover");
/**
*
* @param {EventDrag} dragEvent
* @param {Function} action
*/
onDrag(dragEvent, action = (e) => { e.preventDefault(); }) {
let selector = `comp-el-mech-drag${dragEvent}`;
return this.addEventListener(
CommonEvents.DRAG_OVER,
(e) => {
e.preventDefault();
}
'drag' + dragEvent,
action
);
}
overflow(vertical = true, horizontal = false) {
if (vertical) {
this.modifier(
new Modifier()
.setStyleRule("overflow-y", "auto")
/**
*
* @param {*} dndGroup
* @returns {Component}
*/
dropTarget(dndGroup = null) {
let selector = "comp-el-mech-droptarget";
function dropEventCall(event) {
return dropEventHandler(event, selector);
}
this.addStyleClass(selector)
.onDrag(EventDrag.OVER);
this._element.addEventListener(
"drop",
dropEventCall
);
return this;
}
/**
* Defines how a child Component is to be appended.
* @param {Component} component the child component to add it.
* @returns {HTMLElement}
*/
_appendChildComponent(component) {
let child = new WebTrinity();
if (component instanceof Component) {
child = component.generate();
}
if (component instanceof WebTrinity) {
child = component;
}
if (component instanceof HTMLElement) {
console.log("No wenity set - htmlEl was given");
child.html = component;
}
this._element.append(child.html);
return child;
}
_processStyles(extStore = null) {
if (!extStore) {
extStore = this._stylesExtStore.updateForGeneralStyling();
} else {
extStore.updateForGeneralStyling();
}
/**
* @todo very likely code dupplication - but kept for the time being
* for error tracking.
*/
if (extStore._type === ExtStoreType.INTERNALIZED_WITHIN) {
let sizings = Object.keys(this._modifier._modifications)
.filter(e => e.includes("width") || e.includes("height"))
.filter(e => this._modifier._modifications[e].includes("calc"))
.reduce((a, c) => a.add(
c,
this._modifier
._modifications[c]
.split('(')[1]
.split(' - ')[0]
), new ObjectAccessObject());
fillAttrsInContainerByCb(
this._modifier._modifications,
this._element,
(key, val, el) => { el.style[key] = val; }
);
let hasElSizing = sizings.keys.some(k => Object.keys(this._element.style).includes(k));
if (sizings.keys.length > 0 && !hasElSizing) {
console.log("Fixing sizing - because not supported 'calc'", sizings);
fillAttrsInContainerByCb(
sizings,
this._element,
(key, val, el) => { el.style[key] = val; }
);
}
} else {
/* ADDS ELEMENT MODIFIER TO this._styles list for styles processing */
let modifierSSD = new SStoreDefinition();
modifierSSD._identifier = "." + this._compName;
modifierSSD._definition = this._modifier._modifications;
modifierSSD._extStore = extStore;
this._styles.unshift(modifierSSD);
}
if (horizontal) {
this.modifier(
new Modifier()
.setStyleRule("overflow-x", "auto")
let forCollection = [];
let counter = 0;
for (let i = 0; i < this._styles.length; i++) {
const ssd = this._styles[i];
/* Make sure that the type is unified for later processing */
if (ssd._definition instanceof Modifier) {
ssd._definition = ssd._definition._modifications;
}
/* Check/Ensure proper ExtStorageType for following comparison */
let refESType = (
ssd._extStore && ssd._extStore._type
? ssd._extStore.updateForGeneralStyling()._type
: extStore._type
);
switch (refESType) {
case ExtStoreType.INTERNALIZED_WITHIN:
fillAttrsInContainerByCb(
ssd._definition,
this._element,
(key, val, el) => { el.style[key] = val; }
)
break;
case ExtStoreType.INDIVIDUALLY_DOC_HEAD:
let container = generateAndFillStyleTag([ssd]);
container.setAttribute("data-compel-individually-nr", counter++);
Page.addElementToPage(container, refESType);
break;
case ExtStoreType.COLLECTED_DOC_HEAD:
forCollection.push(ssd);
break;
case ExtStoreType.CENTRALIZED_DOC_HEAD:
Page.registerStyling(ssd._identifier, ssd._definition);
break;
}
}
return this;
return forCollection;
}
_processFunctions(extStore = null) {
if (!extStore) {
extStore = this._functionsExtStore.updateForFunctions();
} else {
extStore.updateForFunctions();
}
const forCollection = new Map();
const collectForBefore = [];
let counter = 0;
for (let i = 0; i < this._functions.length; i++) {
const ssd = this._functions[i];
/* Make sure that the type is unified for later processing */
let refESType = (
ssd._extStore && ssd._extStore._type
? ssd._extStore.updateForFunctions()._type
: extStore._type
);
switch (refESType) {
case ExtStoreType.CENTRALIZED_DOC_HEAD:
case ExtStoreType.CENTRALIZED_SEGMENT_BEGIN:
case ExtStoreType.CENTRALIZED_DOC_FOOTER:
Page.registerPageFunction(ssd._identifier, ssd._definition);
break;
case ExtStoreType.INDIVIDUALLY_WITHIN:
case ExtStoreType.INDIVIDUALLY_BEFORE:
case ExtStoreType.INDIVIDUALLY_SEGMENT_BEGIN:
case ExtStoreType.INDIVIDUALLY_DOC_FOOTER:
case ExtStoreType.INDIVIDUALLY_DOC_HEAD:
let container = document.createElement("script");
container.setAttribute("data-compel-individually-nr", counter++);
container.innerText += getScriptTagInjectionText(
clearFunctionDeclarationText(ssd._definition),
ssd._identifier
);
Page.addElementToPage(container, refESType, this._element);
break;
case ExtStoreType.COLLECTED_BEFORE:
collectForBefore.push(ssd);
break;
case ExtStoreType.COLLECTED_SEGMENT_BEGIN:
case ExtStoreType.COLLECTED_DOC_FOOTER:
case ExtStoreType.COLLECTED_DOC_HEAD:
if (!forCollection.has(refESType)) {
forCollection.set(refESType, []);
}
forCollection.get(refESType).push(ssd);
break;
}
}
return forCollection;
}
/**
* @override
* @class Component
* @inheritdoc
* Ends chain.
* Applies all modifications on the element.
* Processes alls stored additions.
* Returns the constructed HTMLElement of this Component.
*
*
*
* @param {ExtStorage}
* @returns {WebTrinity} the constructed HTMLElement of this Component.
*/
generate(styleStoreInternal = null, cssStore = null, funcStore = null) {
let wenity = super.generate(styleStoreInternal, cssStore, funcStore);
generate(styleStore = null, functionStore = null) {
this._wenity = new WebTrinity();
/* DEAL WITH COMPONENT MODIFICATION FIRST */
this._modifier._modifications["box-sizing"] = "border-box";
this._modifier._modifications["justify-content"] = this._arrangement;
this._modifier._modifications["align-content"] = this._alignment;
this._modifier._modifications["align-items"] = this._alignment;
this._modifier._modifications["text-align"] = this._alignment;
let collectedWenities = [];
for (let i = 0; i < this._children.length; i++) {
/**
* @type {Component}
*/
let child = this._children[i];
if (child instanceof ChainableModifier) {
child = child.toComponent();
}
if (Page._useCssCalc) {
child._modifier._updateDimensionsBy(this._modifier._paddingValues);
}
child = child.generate();
let wenity = this._appendChildComponent(child);
if (!wenity.isSSEmpty()) {
collectedWenities.push(wenity);
}
}
/**
* @type {Array<SStoreDefinition>}
*/
let styleCollection = this._processStyles(styleStore);
/**
* @type {Map<ExtStoreType, Array<SStoreDefinition>>}
*/
const funcCollections = this._processFunctions(functionStore);
/**
*
* @param {Map<ExtStoreType, Array<SStoreDefinition>>} source
* @param {Map<ExtStoreType, Array<SStoreDefinition>>} target
* @param {ExtStoreType} extStoreType
* @returns
*/
function transferCollectedFunctions(source, target, extStoreType) {
if (source) {
if (source.has(extStoreType)) {
if (funcCollections.has(extStoreType)) {
target.get(extStoreType)
.push(source.get(extStoreType))
} else {
target.set(
extStoreType,
source.get(extStoreType)
);
}
}
}
return target;
}
function executeOnExtStoreTypeCollectedTriple(func) {
return new Map([
{ [ExtStoreType.COLLECTED_SEGMENT_BEGIN]: func(ExtStoreType.COLLECTED_SEGMENT_BEGIN) },
{ [ExtStoreType.COLLECTED_DOC_HEAD]: func(ExtStoreType.COLLECTED_DOC_HEAD) },
{ [ExtStoreType.COLLECTED_DOC_FOOTER]: func(ExtStoreType.COLLECTED_DOC_FOOTER) }
]);
}
for (let i = 0; i < collectedWenities.length; i++) {
const child = collectedWenities[i];
if (child.js) {
executeOnExtStoreTypeCollectedTriple(
(extstoretype) => transferCollectedFunctions(child.js, funcCollections, extstoretype)
);
}
}
if (this.#isCompel) {
function dealCollected(map, extStoreType) {
if (map.has(extStoreType)) {
let collectionScriptTag = generateAndFillScriptTag(map.get(extStoreType));
if (extStoreType === ExtStoreType.COLLECTED_SEGMENT_BEGIN) {
this._element.insertAdjacentElement(
"afterbegin",
generateAndFillScriptTag(segment)
);
} else {
Page.addElementToPage(
collectionScriptTag,
extStoreType
);
}
}
}
executeOnExtStoreTypeCollectedTriple((est) => dealCollected(funcCollections, est));
} else {
this._wenity.js = funcCollections;
this._wenity.css = styleCollection;
}
this._wenity.html = this._element;
for (let i = 0; i < this._toRegister.length; i++) {
this._toRegister[i].push(wenity.html);
const group = this._toRegister[i];
Page.subscribeComponentToGroup(group, this._compName)
}
return wenity.html;
return this._wenity;
}
}

432
src/componentAncestry/addStyleAndFunctions.js

@ -8,394 +8,134 @@
* @abstract
* @extends ModifiableComponent
*/
class StyleStoringComponent extends ModifiableComponent {
class StyleAndScriptStoringComponent extends ModifiableComponent {
/**
* @property {boolean} _styleStoreInternal
* @type {ExtStore}
*/
_styleStoreInternal;
_styleClassesExtStore
/**
* The style-rule collection of this component
* @property {map<string,map<string,string>>} css
*/
#css;
* @type {ExtStore}
*/
_stylesExtStore;
/**
* @property {ExtStorageType} cssExtStore
* @type {Array<SStoreDefinition>}
*/
_cssExtStore;
_styles;
/**
* @property {HTMLStyleElement} styleTag
*/
#styleTag;
* @type {ExtStore}
*/
_functionsExtStore;
/**
* @type {Array<SStoreDefinition>}
*/
_functions;
constructor(element, attr = {}) {
super(element, attr);
this.#css = {};
this._styleStoreInternal = true;
this._cssExtStore = ExtStorageType.CENTRALIZED;
this.#css = {};
this.addStyleClass(this._compName);
}
/**
* Ads class to classList via HTMLElement.classList.add() method.
* Further collects rules in a property until generate is called.
* @override
* @param {string} styleClass
* @param {Modifier} modifier
* @param {OverwriteBehaviour} overwriteBehaviour
* @returns {Componant} this component object
*/
addStyleClass(styleClass, modifier = null, overwriteBehaviour = OverwriteBehaviour.REPLACE) {
this._element.classList.add(styleClass);
this._styleClassesExtStore = new ExtStorage(
ExtStoreType.CENTRALIZED_DOC_HEAD,
OverwriteBehaviour.REPLACE
);
let selector = '.' + styleClass;
this._stylesExtStore = new ExtStorage(
ExtStoreType.INTERNALIZED_WITHIN,
OverwriteBehaviour.REPLACE
);
if (Object.keys(this.#css).includes(selector)) {
selector = resolveOverwrite(selector, this.#css);
}
this._styles = [];
this.#css[selector] = (modifier
? (modifier instanceof Modifier
? modifier._modifications
: modifier
)
: {}
this._functionsExtStore = new ExtStorage(
ExtStoreType.CENTRALIZED_DOC_HEAD,
OverwriteBehaviour.REPLACE
);
return this;
}
/**
*
* @param {boolean} storeInternal
* @returns {Component}
*/
setStylingsStorage(storeInternal) {
if (storeInternal) {
this._styleStoreInternal = storeInternal;
}
return this;
this._functions = [];
}
/**
* Defines/Sets the general "storage-behaviour" for styling of this component.
* Further for potential css definitions.
* If a styling/modifier/class is passed via the corresponding methods/way,
* an alternative behaviour can be passed as a parameter - which will only be applied on/for that single one.
*
* @param {ExtStorageType} storageType
* @param {ExtStorage|ExtStoreType|OverwriteBehaviour} extStore
* @returns {Component}
*/
setCssStorage(storageType) {
if (storageType) {
this._cssExtStore = storageType;
}
return this;
}
/**
* Takes all "collected" styling rules associated to a selector (in #css)
* and inserts them as innerText to a created HTMLStyleElement.
* @returns {HTMLStyleElement}
*/
_generateStyleTag() {
return Object.keys(this.#css)
.reduce((styleTag, selector) => {
let styleRules = this.#css[selector];
let rulesText = Object.keys(styleRules)
.map(key => `${key}:${styleRules[key]}; `)
.join(' ');
styleTag.innerText += `${selector} {${rulesText}} `;
return styleTag;
}, document.createElement('style'));
}
/**
* @override
* @param {StyleStoringComponent|Component|ChainableModifier} component
*/
_appendChildComponent(component) {
if (!(component instanceof Component)) {
component = component.toComponent();
}
let wenity = component.generate();
if (Object.hasOwn(wenity, "css") & wenity.css) {
if (wenity.css instanceof HTMLStyleElement) {
this.#styleTag = wenity.css;
setStylingsStorage(extStore) {
if (extStore) {
if (extStore instanceof ExtStorage) {
this._stylesExtStore = extStore;
} else if (extStore instanceof ExtStoreType) {
this._stylesExtStore.setExtStoreType(extStore);
} else {
Object.entries(wenity.css)
.forEach(kv => {
this.#css[kv[0]] = kv[1];
});
this._stylesExtStore.OverwriteBehaviour(extStore);
}
}
this._element.append(
(wenity instanceof WebTrinity
? wenity.html
: wenity
)
);
}
/**
* @override
* @param {boolean|null} styleStoreInternal
* @param {ExtStorageType|null} cssStore
* @returns {WebTrinity}
* @class StyleStoringComponent
*/
generate(styleStoreInternal = null, cssStore = null) {
let wenity = new WebTrinity();
/* Sort Styling Storage Types */
this.setStylingsStorage(styleStoreInternal);
this.setCssStorage(cssStore);
/* invoke Storage Types/generate Element */
if (this._styleStoreInternal) {
wenity.html = super.generate();
} else {
this.addStyleClass(this._compName, this._modifier);
wenity.html = this._element;
}
if (this._cssExtStore === ExtStorageType.CENTRALIZED) {
Object.entries(this.#css)
.forEach(kv => Page.registerStyling(kv[0], kv[1]));
} else {
switch (this._cssExtStore) {
case ExtStorageType.INDIVIDUALLY:
let tag = this._generateStyleTag();
tag.setAttribute('data-compel-for', this._compName);
document.querySelector('head')
.insertAdjacentElement(
"beforeend",
tag
);
break;
case ExtStorageType.COLLECTED:
wenity.css = this.#css;
break;
}
console.log("(Style)ExtStore was empty, did nothing");
}
return wenity;
return this;
}
}
/**
*
*/
class FunctionRegistration {
/**
* Defines/Sets the general "storage-behaviour" for functions of this component.
* If a function is passed via "registerFunction",
* an alternative behaviour can be passed as a parameter - which will only be applied on/for that single one.
*
* @param {Function} func
* @param {OverwriteBehaviour} overwriteBehaviour
*/
constructor(func, overwriteBehaviour = OverwriteBehaviour.RENAME) {
this.fun = func;
this.overwrite = overwriteBehaviour;
}
}
/**
*
*/
class ScriptStoringComponent extends StyleStoringComponent {
/**
* Collection of component associated/used functions
* @property {map<string,FunctionRegistration>} functions
*/
#functions;
/**
* @property {ExtStore}
*/
_funcStore;
/**
* @property {HTMLScriptElement} scriptTag
*/
#scriptTag;
constructor(element, attr = {}) {
super(element, attr);
this.#functions = {};
this._funcStore = StoreExtAs.CENTRALIZED.positionedAt().BEGINNING();
}
/**
* @override
* @param {ScriptStoringComponent|Component|ChainableModifier} component
* @param {ExtStorage|ExtStoreType|OverwriteBehaviour} extStore
* @returns {Component}
*/
_appendChildComponent(component) {
if (!(component instanceof Component)) {
component = component.toComponent();
}
let wenity = component.generate();
if (Object.hasOwn(wenity, "js") & wenity.js) {
if (wenity.js instanceof HTMLScriptElement) {
this.#scriptTag = wenity.js;
setFunctionsStorage(extStore) {
if (extStore) {
if (extStore instanceof ExtStorage) {
this._stylesExtStore = extStore;
} else if (extStore instanceof ExtStoreType) {
this._stylesExtStore.setExtStoreType(extStore);
} else {
Object.entries(wenity.js)
.forEach(kv => {
this.#functions[kv[0]] = kv[1];
});
this._stylesExtStore.OverwriteBehaviour(extStore);
}
}
if (Object.hasOwn(wenity, "css") & wenity.css) {
super._appendChildComponent(wenity);
} else {
this._element.append(
(wenity instanceof WebTrinity
? wenity.html
: wenity
)
);
}
}
/**
*
* @param {string} nameAddition
* @returns
*/
_getFunctionName(nameAddition = "") {
return `func${this.#functions.length}${nameAddition}`;
}
/**
* @todo potential code duplication - and doc
* @returns {HTMLScriptElement}
*/
_generateScriptTag() {
return Object.keys(this.#functions)
.reduce((scriptTag, funName) => {
let funReg = this.#functions[funName];
if (funReg.fun.startsWith('function')) {
let funcNameDeclaration = `function ${funName}`;
scriptTag.innerText += (funReg.fun.startsWith(funcNameDeclaration)
? funReg.fun
: funReg.fun.split('(')
.replace((a, c, i) => (i === 0 ? [funcNameDeclaration] : [...a, c]),)
.join('(')
)
} else {
scriptTag.innerText += `const ${funName} = ${funReg.fun}; `;
}
return scriptTag;
}, document.createElement('script'));
}
/**
*
* @param {ExtStore} functionStore
* @returns {Component}
*/
setFunctionStorage(functionStore) {
if (functionStore) {
this._funcStore = functionStore;
}
if (this._funcStore === ExtStorageType.INTERNALIZED) {
this._funcStore = ExtStorageType.INDIVIDUALLY;
console.log("(Function)ExtStore was empty, did nothing");
}
return this;
}
/**
*
* @param {Function} func
* @param {string} underTheName
* @param {OverwriteBehaviour} overwriteBehaviour
* @returns
*/
registerFunction(func, underTheName = "", overwriteBehaviour = OverwriteBehaviour.RENAME) {
let registrationName = [underTheName.trim(), func.name.trim(), this._getFunctionName()]
.find(e !== '');
/* deal with name already present */
let functionNames = Object.keys(this.#functions);
if (functionNames.some(key => key.includes(registrationName))) {
registrationName = resolveOverwrite(
registrationName,
this.#functions
);
*
* @param {Function} func
* @param {string} underTheName
* @param {ExtStorage|ExtStoreType|ExtStorePosition|OverwriteBehaviour|EXPosConfer|ESOverwriteConfer} extStore
* if a unique definition is desired, all constants or configurator objects are allowed - they will be processed accordingly
* @returns
*/
registerFunction(func, underTheName = "", extStore = null) {
let registrationName = [
underTheName.trim(),
func.name.trim(),
`func${this._compName}${Object.keys(this._functions).length}`
]
.find(e => e !== '');
/*
if (!extStore) {
extStore = this._functionsExtStore;
} else if (extStore instanceof ExtStoreConfer) {
extStore = extStore.ensureStore();
} else {
extStore = new ExtStorage().setSingleValueToClone(extStore, this._functionsExtStore);
}
this.#functions[registrationName] = new FunctionRegistration(func, overwriteBehaviour);
return this;
}
/**
*
* @param {boolean} styleStoreInternal
* @param {ExtStorageType} cssStore
* @param {ExtStore} funcStore
* @class ScriptStoringComponent
*/
generate(styleStoreInternal = null, cssStore = null, funcStore = null) {
let wenity = super.generate(styleStoreInternal, cssStore);
*/
/* Sort Styling Storage Types */
this.setFunctionStorage(funcStore);
let entry = new SStoreDefinition();
entry._identifier = registrationName;
entry._definition = func;
entry._extStore = extStore;
if (this._funcStore.type === ExtStorageType.INDIVIDUALLY) {
let tag = this._generateScriptTag();
this._functions.push(entry);
switch (this._funcStore.position) {
case ExtStoragePos.WITHIN:
wenity.html.insertAdjacentElement(
"afterbegin",
tag
);
break;
//identifyAndResolveOverwrite(this._functions, registrationName, entry, extStore._overwriteBehaviour);
case ExtStoragePos.BEGINNING:
document.querySelector('head')
.insertAdjacentElement(
"beforeend",
tag
);
break;
case ExtStoragePos.END:
document.querySelector('body')
.insertAdjacentElement(
"beforeend",
tag
);
break;
case ExtStoragePos.BEFORE:
case ExtStoragePos.SEGMENT_BEGIN:
default:
wenity.js = tag;
break;
}
} else {
switch (this._funcStore.type) {
case ExtStorageType.COLLECTED:
case ExtStorageType.CENTRALIZED:
default:
/**
* @todo implement difference between collected and centralized in
* generate, appendChild and childContext function-chain
*/
Object.entries(this.#functions)
.forEach(tuple => {
Page.registerPageFunction(
fun = tuple[1].fun,
underTheName = tuple[0],
overwriteBehaviour = tuple[1].overwrite
);
});
//wenity.js = tag;
}
}
return wenity;
return this;
}
}

79
src/componentAncestry/modifiableComponent.js

@ -4,41 +4,46 @@
* @copyright by its creator Christian Martin
*/
/**
*
* @param {map<string,any>} attrs
* @param {Object} intoContainer
* @param {Function<string, any, Object>} cb
* @returns {Object} the filled container
*/
function fillAttrsInContainerByCb(attrs, intoContainer, cb) {
let keys = Object.keys(attrs);
for (let i = 0; i < keys.length; i++) {
cb(keys[i], attrs[keys[i]], intoContainer);
}
return intoContainer;
}
/**
* @extends ChildbearerComponent
* @abstract
*/
class ModifiableComponent extends ChildbearerComponent {
/**
* @type {Modifier} modifier
*/
_modifier;
constructor(element, attr = {}) {
super(element, attr);
this._modifier = new Modifier();
}
/**
* Sets, updates or overwrites the Modifier-Object for this component
* @param {Modifier} modifier
* @returns {Componant} this component object
* @param {boolean|ExtStorage|ExtStoreType|OverwriteBehaviour} [extStore=null]
* @returns {Component} this component object
*/
modifier(modifier) {
this._modifier = this._modifier
.join(modifier.ensureModifier());
modifier(modifier, underTheName = "", extStore = false) {
if (underTheName === "") {
underTheName = `.${this._compName}-style-${this._styles.length}`;
}
if (!extStore) {
this._modifier = this._modifier
.join(modifier.ensureModifier());
} else {
this.addStyleClass(underTheName);
this._styles.push(
new SStoreDefinition(
underTheName,
modifier.ensureModifier()
)
);
}
return this;
}
@ -51,40 +56,4 @@ class ModifiableComponent extends ChildbearerComponent {
return new ChainableModifier(this);
}
/**
* @inheritdoc
* @override
* @param {Component|ChainableModifier|} component
*/
_appendChildComponent(component) {
this._element.append(
(component instanceof Component
? component
: component.toComponent()
)
.generate()
);
}
/**
* @inheritdoc
* @override
* @returns {HTMLElement}
* @class ModifiableComponent
*/
generate() {
this._modifier._modifications["justify-content"] = this._arrangement;
this._modifier._modifications['display'] = "flex";
this._modifier._modifications["align-content"] = this._alignment;
this._modifier._modifications["align-items"] = this._alignment;
this._modifier._modifications["text-align"] = this._alignment;
fillAttrsInContainerByCb(
this._modifier._modifications,
this._element,
(key, val, el) => { el.style[key] = val; }
);
return this._element;
}
}

75
src/componentAncestry/wrapperComponent.js

@ -35,16 +35,21 @@ class ElementWrapper {
* @param {map<string,string>} attr Specific already known attributes
*/
constructor(element, attr = {}) {
let akeys = Object.keys(attr);
for (let i = 0; i < akeys.length; i++) {
element.setAttribute(akeys[i], attr[akeys[i]]);
}
this._element = element;
fillAttrsInContainerByCb(
attr,
element,
function cb(k, v, con) {
con.setAttribute(k, v);
}
);
this._compName = Page.autoRegisterComponent();
this.setAttribute('data-autocompel', this._compName);
element.setAttribute('data-autocompel', this._compName);
this._element = element;
this.addStyleClass(this._compName);
}
setComponentName(name){
setComponentName(name) {
this._givenName = name;
this.setAttribute('data-compel', name);
Page.registerComponent(name);
@ -57,7 +62,11 @@ class ElementWrapper {
* @returns {Component} this component object
*/
text(text) {
this._element.innerText = text;
if (this._element instanceof HTMLInputElement && this._element.type === "text") {
this._element.value = text;
} else {
this._element.innerText = text;
}
return this;
}
@ -103,18 +112,6 @@ class ElementWrapper {
this._element.addEventListener(theEvent, theListener, options)
return this;
}
/**
* Ends chain.
* Applies all modifications on the element.
* Returns the constructed HTMLElement of this Component.
* @class ElementWrapper
* @returns {HTMLElement}
* @class ElementWrapper
*/
generate() {
return this._element;
}
}
@ -124,15 +121,23 @@ class ElementWrapper {
*/
class ChildbearerComponent extends ElementWrapper {
/**
* @property {Alignment} alignment
* @type {Array<Component>} children
*/
_children;
/**
* @type {Alignment} alignment
*/
_alignment;
/**
* @property {Arrangement} arrangement
* @type {Arrangement} arrangement
*/
_arrangement;
constructor(element, attr = {}) {
super(element, attr);
this._children = [];
}
/**
* @todo: Unify logic extract modifications into responsible construct
@ -171,30 +176,6 @@ class ChildbearerComponent extends ElementWrapper {
return this;
}
/**
* Defines how a child Component is to be appended.
* @param {Component} component the child component to add it.
*/
_appendChildComponent(component) {
this._element.append(
component.generate()
);
}
/**
* @override
* @inheritdoc
* @class ChildbearerComponent
*/
generate() {
this._element.style.justifyContent = this._arrangement;
this._element.style.display = "flex";
this._element.style.alignContent = this._alignment;
this._element.style.alignItems = this._alignment;
this._element.style.textAlign = this._alignment;
return super.generate();
}
/**
* Opens a context to create children elements.
* Either as one component or a list/array of components.
@ -211,7 +192,7 @@ class ChildbearerComponent extends ElementWrapper {
this.childContext(component[i]);
}
} else {
this._appendChildComponent(component);
this._children.push(component);
}
return this;
}

117
src/context.js

@ -12,11 +12,38 @@
class PageBuilder extends ScriptAndStyleContext {
#autoRegisteredComponents;
#registeredComponents;
/**
* @type {boolean}
*/
_useCssCalc;
constructor() {
super();
this.#autoRegisteredComponents = [];
this.#registeredComponents = [];
this._groups = new Map();
}
useCssCalc() {
this._useCssCalc = true;
}
/**
*
* @param {*|Array<*>} groups
* @param {*} component
*/
subscribeComponentToGroup(groups, component) {
if (groups instanceof Array && !(groups instanceof String)) {
for (let i = 0; i < groups.length; i++) {
this.subscribeComponentToGroup(groups[i], component);
}
} else {
if (!this._groups.has(groups)) {
this._groups.set(groups, []);
}
this._groups.get(groups).push(component);
}
}
autoRegisterComponent() {
@ -30,6 +57,88 @@ class PageBuilder extends ScriptAndStyleContext {
return compName;
}
/**
*
* @param {HTMLElement|Component} element
* @param {extStoreType} extStoreType
* @param {HTMLElement|Component} refElement
*/
addElementToPage(element, extStoreType = ExtStoreType.CENTRALIZED_DOC_HEAD, refElement = null) {
let { insertCallEl, relativePositioning } = {};
if (!refElement) {
switch (extStoreType) {
case ExtStoreType.INDIVIDUALLY_DOC_HEAD:
case ExtStoreType.CENTRALIZED_DOC_HEAD:
case ExtStoreType.COLLECTED_DOC_HEAD:
insertCallEl = document.querySelector('head');
break;
case ExtStoreType.INDIVIDUALLY_DOC_FOOTER:
case ExtStoreType.COLLECTED_DOC_FOOTER:
case ExtStoreType.CENTRALIZED_DOC_FOOTER:
insertCallEl = document.querySelector('footer');
break;
case ExtStoreType.INTERNALIZED_WITHIN:
break;
case ExtStoreType.INDIVIDUALLY_WITHIN:
case ExtStoreType.INDIVIDUALLY_BEFORE:
case ExtStoreType.INDIVIDUALLY_SEGMENT_BEGIN:
case ExtStoreType.COLLECTED_BEFORE:
case ExtStoreType.COLLECTED_SEGMENT_BEGIN:
case ExtStoreType.CENTRALIZED_SEGMENT_BEGIN:
console.log("ExtStorePosition defines a relative position, but no reference Element is given - doing nothing!")
return
}
} else if (refElement instanceof Component) {
refElement = refElement.generate()
}
let refAttribute = "data-autocompel"
let refNode = document.querySelector(`[${refAttribute}='${refElement.getAttribute(refAttribute)}']`);
switch (extStoreType) {
case ExtStoreType.INDIVIDUALLY_DOC_HEAD:
case ExtStoreType.CENTRALIZED_DOC_HEAD:
case ExtStoreType.COLLECTED_DOC_HEAD:
relativePositioning = "beforeend";
break;
case ExtStoreType.INDIVIDUALLY_DOC_FOOTER:
case ExtStoreType.COLLECTED_DOC_FOOTER:
case ExtStoreType.CENTRALIZED_DOC_FOOTER:
relativePositioning = "beforeend";
break;
case ExtStoreType.INTERNALIZED_WITHIN:
case ExtStoreType.INDIVIDUALLY_WITHIN:
relativePositioning = "afterbegin";
break
case ExtStoreType.INDIVIDUALLY_BEFORE:
case ExtStoreType.COLLECTED_BEFORE:
relativePositioning = "beforebegin";
break;
case ExtStoreType.INDIVIDUALLY_SEGMENT_BEGIN:
case ExtStoreType.COLLECTED_SEGMENT_BEGIN:
case ExtStoreType.CENTRALIZED_SEGMENT_BEGIN:
insertCallEl = refNode.closest('[data-compel-isHCompel="true"]');
relativePositioning = "afterbegin";
break;
}
insertCallEl.insertAdjacentElement(
relativePositioning,
element
);
}
/**
* Determines that the jpc-like-websites libs shouldn't be part of the resulting page.
* Therefore the generate() methods will package/generate finalized js, css and html elements
@ -49,6 +158,7 @@ class PageBuilder extends ScriptAndStyleContext {
* Little helper function.
* If a single page application is in development.
* This method sets an autoreload interval for the page.
* Default is 20 (sec).
* @param {number} relaunchSeconds timeinterval for page to reload (changes)
*/
inDev(relaunchSeconds = 20) {
@ -68,6 +178,13 @@ class PageBuilder extends ScriptAndStyleContext {
head.insertAdjacentElement("beforeend", meta);
}
generate() {
super.generate();
compelgroups = this._groups;
}
}

378
src/context/extStore.js

@ -7,17 +7,30 @@
/**
* ExtStorage := Extensions storage (type)
* Extensions in this context are stylings and scripts (currently only javascript).
* internalized: the extensions are part of the element code/attributes - only styling
* internalized: the extensions are part of the element code/attributes - works obviously only with styling
* individually: an individual tag is created/used
* collected: the extension can/will be collected with others in a higher position of the element hierarchy
* (but not document - root)
* centralized: the extensions are send to the Page to be joined in a centralized tag/position of the document
* (either head or footer tag)
*/
const ExtStorageType = Object.freeze({
INDIVIDUALLY: 1,
COLLECTED: 2,
CENTRALIZED: 3,
const ExtStoreType = Object.freeze({
INTERNALIZED_WITHIN: 0,
INDIVIDUALLY_WITHIN: 1,
INDIVIDUALLY_BEFORE: 2,
INDIVIDUALLY_SEGMENT_BEGIN: 3,
INDIVIDUALLY_DOC_HEAD: 4,
INDIVIDUALLY_DOC_FOOTER: 5,
COLLECTED_BEFORE: 6,
COLLECTED_SEGMENT_BEGIN: 7,
COLLECTED_DOC_HEAD: 8,
COLLECTED_DOC_FOOTER: 9,
CENTRALIZED_DOC_HEAD: 10,
CENTRALIZED_SEGMENT_BEGIN: 11,
CENTRALIZED_DOC_FOOTER: 12,
});
/**
@ -27,105 +40,245 @@ const ExtStorageType = Object.freeze({
* Only relevant if ExtStorage is not 'internalized'.
* Determines where the tag (if individually) or the extensions are positioned.
*/
const ExtStoragePos = Object.freeze({
WITHIN: 0,
BEFORE: 1,
SEGMENT_BEGIN: 2,
BEGINNING: 3,
END: 4
const ExtStorePosition = Object.freeze({
WITHIN: "WITHIN",
BEFORE: "BEFORE",
SEGMENT_BEGIN: "SEGMENT_BEGIN",
DOC_HEAD: "DOC_HEAD",
DOC_FOOTER: "DOC_FOOTER"
});
/**
* Defines how an identified dupplication should be "resolved"/dealt with.
* REPLACE:
* RENAME:
* RENAME_OLD:
* DROP_NEW:
* MOVE_ELEMENT_SPECIFIC: @ATTENTION implementation pending
*/
const OverwriteBehaviour = Object.freeze({
REPLACE: "REPLACE",
RENAME: "RENAME",
RENAME_OLD: "RENAME_OLD",
DROP_NEW: "DROP_NEW",
MOVE_ELEMENT_SPECIFIC: "MOVE_ELEMENT_SPECIFIC"
});
/**
* Extension class for setting the ExternalStorage definitions
* in a chained manner.
* Extracted this super class to differentiate between
* internal and external store.
*/
class ExtStoragePositioned {
#extStore;
class ExtStorage {
constructor(type = null, behaviour = null) {
/**
* @type {ExtStorageType}
*/
this._type = (type === null ? ExtStoreType.CENTRALIZED_DOC_HEAD : type);
/**
* @type {OverwriteBehaviour}
*/
this._overwriteBehaviour = (behaviour === null ? OverwriteBehaviour.REPLACE : behaviour);
}
/**
*
* @param {ExtStore} extStore
* @param {OverwriteBehaviour} behave
* @returns {EXPosConfer}
*/
constructor(extStore) {
this.#extStore = extStore;
overwriteBehaviour(behave) {
this._overwriteBehaviour = behave;
return this;
}
WITHIN() {
this.#extStore.position = ExtStoragePos.WITHIN;
return this.#extStore;
}
BEFORE() {
this.#extStore.position = ExtStoragePos.BEFORE;
return this.#extStore;
}
SEGMENT_BEGIN() {
this.#extStore.position = ExtStoragePos.SEGMENT_BEGIN;
return this.#extStore;
/**
*
* @param {ExtStoreType} type
*/
setExtStoreType(type) {
this._type = type;
return this;
}
BEGINNING() {
this.#extStore.position = ExtStoragePos.BEGINNING;
return this.#extStore;
/**
*
* @param {ExtStorage} extStore
* @returns {boolean}
*/
equals(extStore = null) {
if (!extStore) return false;
return extStore._type === this._type
&& extStore._overwriteBehaviour === this._overwriteBehaviour;
}
END() {
this.#extStore.position = ExtStoragePos.END;
return this.#extStore;
/**
*
* @returns {boolean}
*/
isMissing() {
return this._type === null || this._overwriteBehaviour === null;
}
}
/**
* Extracted this super class to differentiate between
* internal and external store.
*/
class ExtStore {
type;
position;
/**
*
* @param {string} type
* @param {ExtStorage} otherExtStore
* @returns {ExtStorage}
*/
constructor(typeName) {
this.type = typeName;
fillBy(otherExtStore) {
if (this._type === null) {
this._type = otherExtStore._type;
}
if (this._overwriteBehaviour === null) {
this._overwriteBehaviour = otherExtStore._overwriteBehaviour;
}
return this;
}
/**
* Takes the singleValue and an ExtStore object to copy all values from.
* Then the singleValue will be compared to the three enums for the type of value.
* After the type is identified the corresponding (copied) value will be updated.
* @param {ExtStoreType|ExtStorePosition|OverwriteBehaviour} singleValue
* @param {ExtStorage} extStoreToClone
* @returns {ExtStorage}
*/
setSingleValueToClone(singleValue, extStoreToClone) {
this._type = extStoreToClone._type;
this._position = extStoreToClone._position;
this._overwriteBehaviour = extStoreToClone._overwriteBehaviour;
let target = [
...Object.values(ExtStoreType).map(text => Object({ "value": text, "ref": "type" })),
...Object.values(ExtStorePosition).map(text => Object({ "value": text, "ref": "pos" })),
...Object.values(OverwriteBehaviour).map(text => Object({ "value": text, "ref": "over" }))
]
.find(compareObj => compareObj["value"] === singleValue);
if (target) {
switch (target["ref"]) {
case "type":
this._type = singleValue;
break;
case "pos":
this._position = singleValue;
break;
case "over":
this._overwriteBehaviour = singleValue;
break;
}
}
return this;
}
}
class InternalExtStore extends ExtStore{
/**
*
* @param {string} type
* @returns {ExtStorage} this extStore (updated if rules were used, that don't work for functions)
*/
constructor(typeName) {
super(typeName);
this.position = ExtStoragePos.WITHIN;
updateForFunctions() {
if (this._type === ExtStoreType.INTERNALIZED_WITHIN) {
console.log("Updated Functions extstore from INTERNALIZED_WITHIN to INDIVIDUALLY_BEFORE")
this._type = ExtStoreType.INDIVIDUALLY_BEFORE;
}
return this;
}
}
class ExtExtStorage extends ExtStore{
/**
*
* @param {string} type
* @returns {ExtStorage}
*/
constructor(typeName) {
super(typeName);
this.type = typeName;
updateForGeneralStyling() {
switch (this._type) {
case ExtStoreType.INTERNALIZED_WITHIN:
break;
case ExtStoreType.INDIVIDUALLY_WITHIN:
case ExtStoreType.INDIVIDUALLY_BEFORE:
case ExtStoreType.INDIVIDUALLY_SEGMENT_BEGIN:
case ExtStoreType.INDIVIDUALLY_DOC_FOOTER:
this._type = ExtStoreType.INDIVIDUALLY_DOC_HEAD;
case ExtStoreType.INDIVIDUALLY_DOC_HEAD:
break;
case ExtStoreType.COLLECTED_BEFORE:
case ExtStoreType.COLLECTED_SEGMENT_BEGIN:
case ExtStoreType.COLLECTED_DOC_FOOTER:
this._type = ExtStoreType.COLLECTED_DOC_HEAD;
case ExtStoreType.COLLECTED_DOC_HEAD:
break;
case ExtStoreType.CENTRALIZED_DOC_HEAD:
break
case ExtStoreType.CENTRALIZED_SEGMENT_BEGIN:
case ExtStoreType.CENTRALIZED_DOC_FOOTER:
default:
this._type = ExtStoreType.CENTRALIZED_DOC_HEAD;
break
}
return this;
}
positionedAt() {
return new ExtStoragePositioned(this);
/**
* Currently it works the same as the "updateForFunctions()" since the same rules won't work.
* @returns {ExtStorage} this extStore (updated if rules were used, that won't work for StyleClasses)
*/
updateForStyleClass() {
/*
const positionedAfter = [
COLLECTED_DOC_FOOTER,
INDIVIDUALLY_DOC_FOOTER,
CENTRALIZED_DOC_FOOTER
];
if (positionedAfter.includes(this._type)) {
this._type = ExtStoreType.INTERNALIZED_WITHIN;
}
*/
return this.updateForGeneralStyling();
}
}
const StoreExtAs = Object.freeze({
INTERNALIZED: new InternalExtStore(ExtStorageType.INTERNALIZED),
INDIVIDUALLY: new ExtExtStorage(ExtStorageType.INDIVIDUALLY),
COLLECTED: new ExtExtStorage(ExtStorageType.COLLECTED),
CENTRALIZED: new ExtExtStorage(ExtStorageType.CENTRALIZED),
});
/**
* Style or Script Store Definition
* @property {string} _identifier;
* @property {any} _definition;
* @property {any} _additionaly;
* @property {ExtStorage} _extStore;
*/
class SStoreDefinition {
constructor(identifier, definition, extStore = null, additions = null) {
/**
* Usually the name or the selector
* @type {string} _identifier;
*/
this._identifier = identifier;
/**
* the values
* @type {any} _definition;
*/
this._definition = definition;
/**
* additional values, if needed. E.g. funciton args
* @type {any} _additionaly;
*/
this._additions = additions;
/**
* The corresponding extStore
* @type {ExtStorage} _extStore;
*/
this._extStore = extStore;
}
}
const OverwriteBehaviour = Object.freeze({
REPLACE: 0,
RENAME: 1,
RENAME_OLD: 2
});
/**
* Resolves an overwrite case for a map/object.
@ -155,3 +308,82 @@ function resolveOverwrite(key, container, overwriteBehaviour) {
return key;
}
/**
* Will resolve the compareKey according to the overwriteBehaviour
* and add the newValue to the targetContainer with it.
* @param {Object} targetContainer
* @param {string} compareKey
* @param {Object} newValue
* @param {OverwriteBehaviour} overwriteBehaviour
* @returns {string} the "resolved" compareKey
*/
function identifyAndResolveOverwrite(targetContainer, compareKey, newValue, overwriteBehaviour) {
let keys = Object.keys(targetContainer);
if (keys.includes(compareKey)) {
if (overwriteBehaviour === OverwriteBehaviour.DROP_NEW) {
console.log("Not Adding, because overwrite is set to DROP_NEW");
return compareKey;
}
compareKey = resolveOverwrite(compareKey, targetContainer, overwriteBehaviour);
}
targetContainer[compareKey] = newValue;
return compareKey;
}
/**
*
* @param {Array<SStoreDefinition>} ssdArray
* @returns {HTMLScriptElement}
*/
function generateAndFillScriptTag(ssdArray) {
let tag = document.createElement("script");
tag.setAttribute("data-compel-gen", "true");
for (let i = 0; i < ssdArray.length; i++) {
const ssd = ssdArray[i];
tag.innerText += getScriptTagInjectionText(
clearFunctionDeclarationText(ssd._definition),
ssd._identifier
);
}
return tag;
}
/**
*
* @param {string} selector
* @param {Map<string,string>} stylingMap
* @returns {string}
*/
function getStylingInjectionText(selector, stylingMap) {
function keyValueToString(key) {
return `${key}: ${stylingMap[key]}; `;
}
return `${selector
} { ${Object.keys(stylingMap)
.map(keyValueToString)
.join(" ")
} }; `;
}
/**
*
* @param {Array<SStoreDefinition>} ssdArray
* @returns {HTMLStyleElement}
*/
function generateAndFillStyleTag(ssdArray) {
let tag = document.createElement("style");
tag.setAttribute("data-compel-gen", "true");
for (let i = 0; i < ssdArray.length; i++) {
const ssd = ssdArray[i];
tag.innerText += getStylingInjectionText(ssd._identifier, ssd._definition);
}
return tag;
}

118
src/context/generalHelpers.js

@ -0,0 +1,118 @@
/**
* This file is part of the jps-like-websites lib
* URL: https://git.labos.goip.de/chris/jpc-like-websites
* @copyright by its creator Christian Martin
*/
/**
* Iterates over the keys of attrs,
* extracts the corresponding value
* and applies the callback (cb) on it in the order (key, value, targetContainer)
* @extends StyleAndScriptStoringComponent
* @param {map<string,any>} attrs
* @param {Object} intoContainer
* @param {Function<string, any, Object>} cb
* @returns {Object} the filled container
*/
function fillAttrsInContainerByCb(attrs, intoContainer, cb) {
let keys = Object.keys(attrs);
for (let i = 0; i < keys.length; i++) {
cb(keys[i], attrs[keys[i]], intoContainer);
}
return intoContainer;
}
/**
*
*/
class ObjectAccessObject {
/**
*
* @param {Object} object
*/
constructor(object = null) {
/**
* @type {Array<string>}
*/
this.keys = (object ? Object.keys(object) : []);
/**
* @type {Object}
*/
this.objects = (object ? object : {});
}
/**
*
* @param {Array<string>} keyArr
* @param {Object} refObject
* @returns
*/
fillByArrayReference(keyArr, refObject) {
this.keys = keyArr;
refObject = keyArr.reduce((a, c) => Object.assign(a, { [c]: refObject[c] }), {});
return this;
}
/**
*
* @param {string} key
* @param {*} value
* @returns {ObjectAccessObject}
*/
add(key, value) {
this.objects[key, value];
this.keys.push(key);
return this;
}
/**
*
* @param {string} key
* @returns {*}
*/
remove(key) {
let tmp = this.objects[key];
delete this.objects[key];
return tmp;
}
}
/**
*
* @param {string} autocompelSelector
* @returns {boolean} for true element is now hidden and false it is not hidden.
*/
function toggleElementVisibility(autocompelSelector, ensureHidden = false) {
/**
* @type {HTMLElement}
*/
let el = document.querySelector(autocompelSelector);
let name = el.getAttribute("data-autocompel");
console.log("De-/hiding", name, autocompelSelector);
console.log(el);
el.classList.toggle("compel-mech-hidden");
let isNowHidden = false;
if (el.hasAttribute("hidden")) {
el.removeAttribute("hidden");
el.style["display"] = "flex";
isNowHidden = false;
} else {
el.setAttribute("hidden", "hidden");
el.style.removeProperty("display");
isNowHidden = true;
}
if (ensureHidden && !isNowHidden) {
return toggleElementVisibility(autocompelSelector)
} else {
return isNowHidden;
}
}

18
src/context/scriptAndStyleContext.js

@ -25,7 +25,13 @@ function clearFunctionDeclarationText(func) {
);
}
function getPageInjectionText(func, registrationName) {
/**
*
* @param {Function} func
* @param {string} registrationName
* @returns {string}
*/
function getScriptTagInjectionText(func, registrationName) {
let funcHasName = func.name && func.name.trim() !== '';
if (func.startWith('function')) {
let label = `function ${registrationName}`;
@ -121,7 +127,7 @@ class ScriptAndStyleContext {
underTheName.trim(),
fun.name.trim(),
this.getFunctionName()
].find(e !== '');
].find(e => e !== '');
/* deal with name already present */
let functionNames = Object.keys(this.#functions);
@ -194,7 +200,10 @@ class ScriptAndStyleContext {
/**
* Adds the styling rules to the element identifiers into the style tag.
* An elementDefinition can only be used once, repeated use will be ignored.
* An element definition can only be used once, repeated use will be ignored.
*
* @todo implement extStore logic
*
* @param {string} elementIdentifier The element identifier
* @param {map<string, string>} styleRuleMap The Styling rules/values
*/
@ -235,6 +244,7 @@ class ScriptAndStyleContext {
*/
let containersTag = document.createElement('script');
containersTag.setAttribute("data-compel-mech-script", "main");
containersTag.innerText = 'const delayed = {}; ';
containersTag.innerText += 'const repeated = {}; ';
head.appendChild(containersTag);
@ -245,7 +255,7 @@ class ScriptAndStyleContext {
.forEach(tuple => {
let regName = tuple[0];
let fsb = tuple[1];
funcTag.innerText += getPageInjectionText(fsb.func, regName);
funcTag.innerText += getScriptTagInjectionText(fsb.func, regName);
if (fsb.repeats && !fsb.execAfterStart) {
repeated[regName] = setInterval(regName, fsb.interval, fsb.args);

13
src/context/webTrinity.js

@ -11,12 +11,21 @@ class WebTrinity {
/**
*
* @param {HTMLElement|Component} html
* @param {HTMLScriptElement|map<string,FunctionRegistration>} js
* @param {HTMLStyleElement|map<string, map<string,string>>} css
* @param {HTMLStyleElement|Map<ExtStorageType, Array<SStoreDefinition>} js
* @param {HTMLScriptElement|Array<SStoreDefinition>} css
*/
constructor(html = null, js = null, css = null) {
this.html = html;
this.js = js;
this.css = css;
}
/**
*
* @returns {boolean}
*/
isSSEmpty() {
return (this.js === null || this.js.length === 0)
&& (this.css === null || this.css.size === 0);
}
}

24
src/modifications/dragAndDrop.js

@ -0,0 +1,24 @@
const EventDrag = Object.freeze({
OVER: "over",
START: "start",
END: "end",
ENTER: "enter",
LEAVE: "leave"
});
function dropEventHandler(event, selector) {
event.preventDefault();
let draggedKey = event.dataTransfer.getData("text/html");
let draggedElement = document.querySelector(`[data-autocompel="${draggedKey}"]`);
let target = event.target
.closest('.' + selector);
//if (![...target.childNodes].includes(draggedElement)) {
target.appendChild(draggedElement);
//}
}
const DADGroups = Object.freeze({
DEFAULT: new DragAndDropGroup(),
});

88
src/modifier.js

@ -11,13 +11,25 @@
*/
class Modifier {
/**
* @property {Map<string,string>} _modifications
* @type {Map<string,string>} _modifications
*/
_modifications;
/**
* @type {Array<string>}
*/
_removeMods;
/**
* @type {Shape}
*/
_shape;
/**
* @type {Sides} paddingValues
*/
_paddingValues;
constructor() {
this._modifications = new Object();
this._removeMods = [];
}
/**
@ -36,6 +48,7 @@ class Modifier {
*/
fillMaxWidth(fraction = 1) {
this._modifications["width"] = (100 * fraction) + "%";
this._modifications["max-width"] = (100 * fraction) + "%";
return this;
}
@ -46,6 +59,52 @@ class Modifier {
*/
fillMaxHeight(fraction = 1) {
this._modifications["height"] = (100 * fraction) + "%";
this._modifications["max-height"] = (100 * fraction) + "%";
return this;
}
/**
*
* @param {string} keyWord weither 'height' or 'width' that will be adjusted and looked for
* @param {Sides} parentalPadding
*/
_updateDimensionsBy(parentalPadding) {
function updateDirection(keyWord, modifications, parentalAdjustment) {
let refKeys = Object.keys(modifications)
.filter(k => k.includes(keyWord));
if (refKeys.length > 0) {
for (let i = 0; i < refKeys.length; i++) {
let key = refKeys[i];
let value = modifications[key];
if (key.includes("calc")) {
console.log(
`Modifier._updateByParent... ${keyWord
} - unexpected value '${value
}' for '${key
}', skipping...`
);
} else {
let newValue = `calc(${value} - ${parentalAdjustment});`;
modifications[key] = newValue.trim();
}
}
}
return modifications;
}
if (parentalPadding) {
let pval = parentalPadding.getValues();
if (pval["horizontal"] > 0) {
this._modifications = updateDirection("width", this._modifications, pval["horizontal"]+parentalPadding._unit);
}
if (pval["vertical"] > 0) {
this._modifications = updateDirection("height", this._modifications, pval["vertical"]+parentalPadding._unit);
}
}
return this;
}
@ -70,9 +129,10 @@ class Modifier {
* @returns {Modifier} this modifier object
*/
padding(siding) {
this._paddingValues = siding;
let keyToAdd = "";
if (siding instanceof PaddingChain) {
/* TODO what is this supposed to do */
} else if (siding instanceof Sides) {
keyToAdd = "padding-"
}
@ -138,6 +198,15 @@ class Modifier {
/* if (!this._modifications.hasOwnProperty(keys[i])) */
this._modifications[keys[i]] = modifier.ensureModifier()._modifications[keys[i]];
}
let removeMods = modifier.ensureModifier()._removeMods;
if (removeMods.length > 0) {
for (let i = 0; i < removeMods.length; i++) {
delete this._modifications[removeMods[i]];
}
}
if (modifier._paddingValues) {
this._paddingValues = modifier._paddingValues;
}
return this;
}
@ -152,6 +221,19 @@ class Modifier {
return this;
}
/**
*
* @param {string} key
* @returns {Modifier} this modifier object
*/
removeStyleRule(key) {
this._removeMods.push(key);
if (Object.keys(this._modifications).includes(key)) {
delete this._modifications[key];
}
return this;
}
/**
* Sets a border line (with given linestyle) to all sides.
* If lineStyle is an array, the containing LineStyles,
@ -183,7 +265,7 @@ class Modifier {
this._modifications["border-radius"] = shape.getOrderedValues().join(' ');
return this;
}
/**
*
* @param {number} size of width and height in pixels

2
src/sizeSide/border.js

@ -147,7 +147,7 @@ class Border extends Sides {
setLineStyles(refSideStyleMap) {
let rkeys = Object.keys(refSideStyleMap);
for (let i = 0; i < array.length; i++) {
this._sidingStyles.setBySidingRef(rkeys[i]) = refSideStyleMap[rkeys[i]];
this._sidingStyles.setBySidingRef(rkeys[i], refSideStyleMap[rkeys[i]]);
}
return this;
}

47
src/sizeSide/shapes.js

@ -19,7 +19,7 @@ class Shape extends DirectionUnitDependentAttribute {
}
/**
*
* @param {*} amount
* @param {number} amount
* @returns {Shape}
*/
topLeft(amount) {
@ -28,7 +28,7 @@ class Shape extends DirectionUnitDependentAttribute {
}
/**
*
* @param {*} amount
* @param {number} amount
* @returns {Shape}
*/
topRight(amount) {
@ -37,7 +37,7 @@ class Shape extends DirectionUnitDependentAttribute {
}
/**
*
* @param {*} amount
* @param {number} amount
* @returns {Shape}
*/
bottomLeft(amount) {
@ -46,37 +46,62 @@ class Shape extends DirectionUnitDependentAttribute {
}
/**
*
* @param {*} amount
* @param {number} amount
* @returns {Shape}
*/
bottomRight(amount) {
this.fThird = amount;
this._fThird = amount;
return this;
}
/**
*
* @param {*} amount
* Sets the BottomLeft and TopRight corners
* @param {number} amount
* @returns {Shape}
*/
diagonalPositive(amount) {
return this.bottomLeft(amount).topRight(amount);
}
/**
*
* @param {*} amount
* Sets the TopLeft and BottomRight corners
* @param {number} amount
* @returns {Shape}
*/
diagonalNegative(amount) {
return this.topLeft(amount).bottomRight(amount);
}
/**
* Sets both corners on the left side
* @param {number} amount
* @returns {Shape}
*/
left(amount) {
return this.topLeft(amount).bottomLeft(amount);
}
/**
* Sets both corners on the right side
* @param {number} amount
* @returns {Shape}
*/
right(amount) {
return this.topRight(amount).bottomRight(amount);
}
/**
* Sets both top corners
* @param {number} amount
* @returns {Shape}
*/
top(amount){
return this.topLeft(amount).topRight(amount);
}
/**
* Sets both bottom corners
* @param {number} amount
* @returns {Shape}
*/
bottom(amount){
return this.bottomLeft(amount).bottomRight(amount);
}
/**
*

144
src/sizeSide/siding.js

@ -12,7 +12,9 @@ const SizeUnits = Object.freeze({
PERCENT: "%"
})
/**
*
*/
class DirectionUnitDependentAttribute {
_unit;
_fFirst;
@ -132,7 +134,33 @@ class DirectionUnitDependentAttribute {
}
const SideDirections = Object.freeze({
LEFT: 1,
TOP: 2,
RIGHT: 3,
BOTTOM: 4
});
const SideTransitionDirection = Object.freeze({
HORIZONTAL: 0,
VERTICAL: 1
});
const Corners = Object.freeze({
TOP_LEFT: 0,
TOP_RIGHT: 1,
BOTTOM_LEFT: 2,
BOTTOM_RIGHT: 3
});
const CornerTransitionDirection = Object.freeze({
TOP_LEFT_BOTTOM_RIGHT: 0,
TOP_RIGHT_BOTTOM_LEFT: 1
});
/**
*
*/
class Sides extends DirectionUnitDependentAttribute {
/**
*
@ -199,6 +227,21 @@ class Sides extends DirectionUnitDependentAttribute {
return this.top(amount).bottom(amount);
}
/**
*
* @returns {Object}
*/
getValues() {
return {
"left": this._fFirst,
"top": this._fSecond,
"right": this._fThird,
"bottom": this._fForth,
"horizontal": this._fFirst + this._fThird,
"vertical": this._fSecond + this._fForth
}
}
toModifications() {
return [
{ key: "left", value: this._fFirst + this._unit },
@ -209,7 +252,9 @@ class Sides extends DirectionUnitDependentAttribute {
}
}
/**
*
*/
class PaddingChain extends Sides {
_modifier;
constructor(modifier) {
@ -267,3 +312,98 @@ class PaddingChain extends Sides {
}
}
class TwoDimPoint {
/**
*
* @param {number} x
* @param {number} y
*/
constructor(x, y) {
this.x = x;
this.y = y;
}
}
/**
*
* @param {number} start
* @param {number} end
* @param {number} value
* @param {number} tolerance
* @param {boolean} usePercentage
* @returns {boolean}
*/
function isValueInBounds(start, end, value, tolerance = 0, usePercentage = false) {
if (tolerance !== 0) {
if (usePercentage) {
start = start * (1 - tolerance / 100);
end = end * (1 + tolerance / 100);
} else {
start = start - tolerance;
end = end + tolerance;
}
}
return value >= start && value <= end;
}
/**
* @param {number} x
* @param {number} y
* @param {Map<SideDirections,number>} area
* @param {number} tolerance
* @param {boolean} usePercentage if tolerance is given and this is set to true,
* the tolerance will be calculated by percentage,
* otherwise it will be subtracted/added
* @returns {boolean}
*/
function areXYInArea(x, y, area, tolerance = 0, usePercentage = false) {
return isValueInBounds(
area.get(SideDirections.LEFT),
area.get(SideDirections.RIGHT),
x,
tolerance,
usePercentage
) && isValueInBounds(
area.get(SideDirections.TOP),
area.get(SideDirections.BOTTOM),
y,
tolerance,
usePercentage
);
}
/**
*
* @param {TwoDimPoint} point
* @param {Map<SideDirections,number>} area
* @param {number} tolerance
* @param {boolean} usePercentage if tolerance is given and this is set to true,
* the tolerance will be calculated by percentage,
* otherwise it will be subtracted/added
*/
function isPointInArea(point, area, tolerance = 0, usePercentage = false) {
return areXYInArea(
point.x,
point.y,
area,
tolerance,
usePercentage
);
}
/**
*
* @param {HTMLElement} element
*/
function getEnclosingBounds(element) {
let area = element.getBoundingClientRect();
let parentArea = element.parentElement.getBoundingClientRect();
return {
[SideDirections.LEFT]: Math.min(area.left, parentArea.left),
[SideDirections.RIGHT]: Math.max(area.right, parentArea.right),
[SideDirections.TOP]: Math.min(area.top, parentArea.top),
[SideDirections.BOTTOM]: Math.max(area.bottom, parentArea.bottom)
}
}
Loading…
Cancel
Save