Implement basic version of characters #32

Merged
sebastian merged 8 commits from characters-2 into main 2024-04-13 11:59:09 +02:00
38 changed files with 496 additions and 72 deletions

View File

@ -6,6 +6,8 @@ import {StoredGameModel} from "./storage/StoredGameModel";
import {ScriptAccountStorage} from "./storage/storing/ScriptAccountStoring";
import {ModelComponentFileDirectory} from "./storage/ModelComponentFileDirectory";
import {GamesystemStorage} from "./storage/storing/GamesystemStorage";
import {Character} from "../src/app/project/game-model/characters/Character";
import {CharacterStorage} from "./storage/storing/CharacterStorage";
let win: BrowserWindow | null = null;
const args = process.argv.slice(1),
@ -71,6 +73,12 @@ function createWindow(): BrowserWindow {
click: () => {
win!.webContents.send('context-menu', "new-scriptaccount");
}
},
{
label: "Character",
click: () => {
win!.webContents.send('context-menu', "new-character");
}
}
]
@ -219,6 +227,9 @@ function recieveGameModelToStore(gameModel: StoredGameModel) {
const gamesystemStorage = new GamesystemStorage(path.join(projectDirectory, ModelComponentFileDirectory.GAMESYSTEM_DIR_NAME))
gamesystemStorage.storeGamesystems(gameModel.storedGamesystems)
const characterStorage = new CharacterStorage(path.join(projectDirectory, ModelComponentFileDirectory.CHARACTER_DIR_NAME))
characterStorage.storeCharacters(gameModel.storedCharacters)
}
/*function deleteComponent(component: DeleteModel) {

View File

@ -19,6 +19,11 @@ class FileUtils {
(0, fs_1.mkdirSync)(parentDirectory, { recursive: true });
}
}
static prepareDirectoryFroWriting(directoryFile) {
if (!fs.existsSync(directoryFile)) {
(0, fs_1.mkdirSync)(directoryFile, { recursive: true });
}
}
static removeFiles(files) {
files.forEach(file => {
if (fs.lstatSync(file).isDirectory()) {

View File

@ -21,6 +21,12 @@ export class FileUtils {
}
}
public static prepareDirectoryFroWriting(directoryFile: string) {
if(!fs.existsSync(directoryFile)) {
mkdirSync(directoryFile, {recursive: true})
}
}
public static removeFiles(files: string[]) {
files.forEach(file => {
if(fs.lstatSync(file).isDirectory()) {

View File

@ -6,6 +6,5 @@ class ModelComponentFileDirectory {
exports.ModelComponentFileDirectory = ModelComponentFileDirectory;
ModelComponentFileDirectory.SCRIPTACCOUNT_DIR_NAME = "script-accounts";
ModelComponentFileDirectory.GAMESYSTEM_DIR_NAME = "gamesystems";
ModelComponentFileDirectory.GAMESYSTEM_SIMPLE_DIR_NAME = "simple";
ModelComponentFileDirectory.GAMESYSTEM_PRODUCT_DIR_NAME = "product";
ModelComponentFileDirectory.CHARACTER_DIR_NAME = "characters";
//# sourceMappingURL=ModelComponentFileDirectory.js.map

View File

@ -1,6 +1,5 @@
export class ModelComponentFileDirectory {
public static SCRIPTACCOUNT_DIR_NAME = "script-accounts"
public static GAMESYSTEM_DIR_NAME = "gamesystems";
public static GAMESYSTEM_SIMPLE_DIR_NAME = "simple";
public static GAMESYSTEM_PRODUCT_DIR_NAME = "product";
public static CHARACTER_DIR_NAME = "characters";
}

View File

@ -2,10 +2,11 @@
Object.defineProperty(exports, "__esModule", { value: true });
exports.StoredGameModel = void 0;
class StoredGameModel {
constructor(gameModelName, storedScriptAccounts, storedGamesystems) {
constructor(gameModelName, storedScriptAccounts, storedGamesystems, storedCharacters) {
this.gameModelName = gameModelName;
this.storedGamesystems = storedGamesystems;
this.storedScriptAccounts = storedScriptAccounts;
this.storedCharacters = storedCharacters;
}
}
exports.StoredGameModel = StoredGameModel;

View File

@ -5,11 +5,14 @@ export class StoredGameModel {
storedGamesystems: StoreComponent[]
storedScriptAccounts: StoreComponent[]
storedCharacters: StoreComponent[]
constructor(gameModelName: string, storedScriptAccounts: StoreComponent[], storedGamesystems: StoreComponent[]) {
constructor(gameModelName: string, storedScriptAccounts: StoreComponent[], storedGamesystems: StoreComponent[],
storedCharacters: StoreComponent[]) {
this.gameModelName = gameModelName;
this.storedGamesystems = storedGamesystems;
this.storedScriptAccounts = storedScriptAccounts;
this.storedCharacters = storedCharacters;
}
}

View File

@ -0,0 +1,31 @@
"use strict";
Object.defineProperty(exports, "__esModule", { value: true });
exports.CharacterLoader = void 0;
const StoreComponent_1 = require("../StoreComponent");
const FileUtils_1 = require("../FileUtils");
const ModelComponentType_1 = require("../../../src/app/project/game-model/ModelComponentType");
const fs = require("fs");
class CharacterLoader {
constructor(characterDir) {
this.characterDir = characterDir;
}
loadCharacters() {
const characterFiles = FileUtils_1.FileUtils.listFilesInDirectory(this.characterDir);
const loadedCharacters = [];
characterFiles.forEach(characterFile => {
const loadedCharacter = this.loadSingleCharacter(characterFile);
if (loadedCharacter != undefined) {
loadedCharacters.push(loadedCharacter);
}
});
return loadedCharacters;
}
loadSingleCharacter(characterFile) {
if (characterFile.endsWith(".json")) {
const characterData = fs.readFileSync(characterFile, 'utf-8');
return new StoreComponent_1.StoreComponent(characterData, characterFile, ModelComponentType_1.ModelComponentType.SCRIPTACCOUNT);
}
}
}
exports.CharacterLoader = CharacterLoader;
//# sourceMappingURL=CharacterLoader.js.map

View File

@ -0,0 +1,34 @@
import {StoreComponent} from "../StoreComponent";
import {FileUtils} from "../FileUtils";
import {ModelComponentType} from "../../../src/app/project/game-model/ModelComponentType";
import * as fs from "fs";
import {ModelComponentFileDirectory} from "../ModelComponentFileDirectory";
import {load} from "@angular-devkit/build-angular/src/utils/server-rendering/esm-in-memory-loader/loader-hooks";
export class CharacterLoader {
characterDir: string
constructor(characterDir: string) {
this.characterDir = characterDir;
}
loadCharacters(): StoreComponent[] {
const characterFiles = FileUtils.listFilesInDirectory(this.characterDir);
const loadedCharacters: StoreComponent[] = []
characterFiles.forEach(characterFile => {
const loadedCharacter = this.loadSingleCharacter(characterFile);
if(loadedCharacter != undefined) {
loadedCharacters.push(loadedCharacter)
}
})
return loadedCharacters;
}
private loadSingleCharacter(characterFile: string) {
if(characterFile.endsWith(".json")) {
const characterData = fs.readFileSync(characterFile, 'utf-8');
return new StoreComponent(characterData, characterFile, ModelComponentType.SCRIPTACCOUNT);
}
}
}

View File

@ -6,6 +6,7 @@ const path = require("node:path");
const ModelComponentFileDirectory_1 = require("../ModelComponentFileDirectory");
const ScriptAccountLoader_1 = require("./ScriptAccountLoader");
const GamesystemLoader_1 = require("./GamesystemLoader");
const CharacterLoader_1 = require("./CharacterLoader");
class GameModelLoader {
constructor(gameModelDir) {
this.gameModelDir = gameModelDir;
@ -14,7 +15,8 @@ class GameModelLoader {
const gameModelName = path.basename(this.gameModelDir);
const storedScriptAccounts = this.loadScriptAccountComponents();
const storedGamesystems = this.loadGamesystems();
return new StoredGameModel_1.StoredGameModel(gameModelName, storedScriptAccounts, storedGamesystems);
const storedCharacters = this.loadCharacters();
return new StoredGameModel_1.StoredGameModel(gameModelName, storedScriptAccounts, storedGamesystems, storedCharacters);
}
loadScriptAccountComponents() {
const scriptAccountDir = path.join(this.gameModelDir, ModelComponentFileDirectory_1.ModelComponentFileDirectory.SCRIPTACCOUNT_DIR_NAME);
@ -26,6 +28,11 @@ class GameModelLoader {
const gamesystemLoader = new GamesystemLoader_1.GamesystemLoader(gamesystemDir);
return gamesystemLoader.loadGamesystems();
}
loadCharacters() {
const characterDir = path.join(this.gameModelDir, ModelComponentFileDirectory_1.ModelComponentFileDirectory.CHARACTER_DIR_NAME);
const characterLoader = new CharacterLoader_1.CharacterLoader(characterDir);
return characterLoader.loadCharacters();
}
}
exports.GameModelLoader = GameModelLoader;
//# sourceMappingURL=GameModelLoader.js.map

View File

@ -5,6 +5,7 @@ import * as fs from "fs";
import {ModelComponentFileDirectory} from "../ModelComponentFileDirectory";
import {ScriptAccountLoader} from "./ScriptAccountLoader";
import {GamesystemLoader} from "./GamesystemLoader";
import {CharacterLoader} from "./CharacterLoader";
export class GameModelLoader {
gameModelDir: string
@ -19,8 +20,9 @@ export class GameModelLoader {
const storedScriptAccounts = this.loadScriptAccountComponents();
const storedGamesystems = this.loadGamesystems();
const storedCharacters = this.loadCharacters()
return new StoredGameModel(gameModelName, storedScriptAccounts, storedGamesystems);
return new StoredGameModel(gameModelName, storedScriptAccounts, storedGamesystems, storedCharacters);
}
private loadScriptAccountComponents() {
@ -35,6 +37,12 @@ export class GameModelLoader {
return gamesystemLoader.loadGamesystems();
}
private loadCharacters(): StoreComponent[] {
const characterDir = path.join(this.gameModelDir, ModelComponentFileDirectory.CHARACTER_DIR_NAME);
const characterLoader = new CharacterLoader(characterDir)
return characterLoader.loadCharacters();
}

View File

@ -0,0 +1,32 @@
"use strict";
Object.defineProperty(exports, "__esModule", { value: true });
exports.CharacterStorage = void 0;
const FileUtils_1 = require("../FileUtils");
const path = require("node:path");
const fs = require("fs");
class CharacterStorage {
constructor(characterDir) {
this.characterDir = characterDir;
FileUtils_1.FileUtils.prepareDirectoryFroWriting(characterDir);
}
storeCharacters(storedCharacters) {
this.persistDeletedCharacters(storedCharacters);
storedCharacters.forEach(storedCharacter => this.storeSingleCharacter(storedCharacter));
}
persistDeletedCharacters(existingCharacters) {
const scriptAccountFiles = FileUtils_1.FileUtils.listFilesInDirectory(this.characterDir);
scriptAccountFiles.forEach(characterFile => {
const scriptAccountFileName = path.parse(path.basename(characterFile)).name;
if (existingCharacters.find(character => character.fileName === scriptAccountFileName) == undefined) {
//No scriptAccountFile was found with that nae of the file. So the scriptAccount was deleted. Remove file
fs.unlinkSync(characterFile);
}
});
}
storeSingleCharacter(character) {
const completeScriptAccountFile = path.join(this.characterDir, character.fileName + ".json");
fs.writeFileSync(completeScriptAccountFile, character.jsonString, 'utf-8');
}
}
exports.CharacterStorage = CharacterStorage;
//# sourceMappingURL=CharacterStorage.js.map

View File

@ -0,0 +1,35 @@
import {StoreComponent} from "../StoreComponent";
import {FileUtils} from "../FileUtils";
import * as path from "node:path";
import * as fs from "fs";
export class CharacterStorage {
private characterDir: string
constructor(characterDir: string) {
this.characterDir = characterDir;
FileUtils.prepareDirectoryFroWriting(characterDir)
}
storeCharacters(storedCharacters: StoreComponent[]) {
this.persistDeletedCharacters(storedCharacters)
storedCharacters.forEach(storedCharacter => this.storeSingleCharacter(storedCharacter))
}
private persistDeletedCharacters(existingCharacters: StoreComponent[]) {
const scriptAccountFiles = FileUtils.listFilesInDirectory(this.characterDir);
scriptAccountFiles.forEach(characterFile => {
const scriptAccountFileName = path.parse(path.basename(characterFile)).name
if(existingCharacters.find(character => character.fileName === scriptAccountFileName) == undefined) {
//No scriptAccountFile was found with that nae of the file. So the scriptAccount was deleted. Remove file
fs.unlinkSync(characterFile)
}
})
}
private storeSingleCharacter(character: StoreComponent) {
const completeScriptAccountFile = path.join(this.characterDir, character.fileName + ".json")
fs.writeFileSync(completeScriptAccountFile, character.jsonString, 'utf-8')
}
}

View File

@ -7,6 +7,7 @@ const fs = require("fs");
class GamesystemStorage {
constructor(gamesystemRootDir) {
this.gamesystemRootDir = gamesystemRootDir;
FileUtils_1.FileUtils.prepareDirectoryFroWriting(gamesystemRootDir);
}
storeGamesystems(gamesystems) {
const unreferencedFiles = this.detectUnusedGamesystemFiles(gamesystems);

View File

@ -10,6 +10,7 @@ export class GamesystemStorage {
constructor(gamesystemRootDir: string) {
this.gamesystemRootDir = gamesystemRootDir;
FileUtils.prepareDirectoryFroWriting(gamesystemRootDir)
}
public storeGamesystems(gamesystems: StoreComponent[]) {

View File

@ -7,6 +7,7 @@ const fs = require("fs");
class ScriptAccountStorage {
constructor(scriptAccountDir) {
this.scriptAccountDir = scriptAccountDir;
FileUtils_1.FileUtils.prepareDirectoryFroWriting(this.scriptAccountDir);
}
storeScriptAccounts(scriptAccounts) {
this.persistDeletedScriptAccounts(scriptAccounts);

View File

@ -9,6 +9,7 @@ export class ScriptAccountStorage {
constructor(scriptAccountDir: string) {
this.scriptAccountDir = scriptAccountDir;
FileUtils.prepareDirectoryFroWriting(this.scriptAccountDir)
}
storeScriptAccounts(scriptAccounts: StoreComponent[]) {

View File

@ -3,7 +3,9 @@
<button mat-icon-button class="small-icon-button" [ngClass]="openContent === ModelComponentType.SCRIPTACCOUNT ? 'selected':''"
(click)="openScriptAccountsOverview()"><mat-icon>inventory_2</mat-icon></button>
<button mat-icon-button class="small-icon-button" [ngClass]="openContent === ModelComponentType.GAMESYTEM ? 'selected':''"
(click)="openGamesystemsOverview()"><mat-icon>manufacturing</mat-icon></button>
(click)="openGamesystemsOverview()"><mat-icon>code</mat-icon></button>
<button mat-icon-button class="small-icon-button" [ngClass]="openContent === ModelComponentType.CHARACTER ? 'selected':''"
(click)="openCharactersOverview()"><mat-icon>person</mat-icon></button>
</div>
@ -20,10 +22,12 @@
<mat-menu #contentMenu="matMenu">
<button mat-menu-item (click)="openScriptAccountsOverview()">{{ModelComponentTypeUtillities.toString(ModelComponentType.SCRIPTACCOUNT)}}</button>
<button mat-menu-item (click)="openGamesystemsOverview()">{{ModelComponentTypeUtillities.toString(ModelComponentType.GAMESYTEM)}}</button>
<button mat-menu-item (click)="openCharactersOverview()">{{ModelComponentTypeUtillities.toString(ModelComponentType.CHARACTER)}}</button>
</mat-menu>
</div>
<app-script-account-overview *ngIf="openContent == ModelComponentType.SCRIPTACCOUNT" #scriptAccountOverview [gameModel]="gameModel" (onOpenScriptAccount)="openModelComponent($event)"></app-script-account-overview>
<app-gamescript-overview *ngIf="openContent == ModelComponentType.GAMESYTEM" #gamesystemOverview [gameModel]="gameModel" (openGamesystemEditor)="openModelComponent($event)"></app-gamescript-overview>
<app-character-overview *ngIf="openContent == ModelComponentType.CHARACTER" #characterOverview [gameModel]="gameModel" (onOpenCharacterEditor)="openModelComponent($event)"></app-character-overview>
</mat-drawer>
<div class="example-sidenav-content">

View File

@ -20,6 +20,10 @@ import {ElectronService} from "./core/services";
import {ScriptAccountSerializer} from "./project/serializer/ScriptAccountSerializer";
import {StoreComponent} from "../../app/storage/StoreComponent";
import {GamesystemSerializer} from "./project/serializer/GamesystemSerializer";
import {Character} from "./project/game-model/characters/Character";
import {CharacterOverviewComponent} from "./side-overviews/character-overview/character-overview.component";
import {CharacterSerializer} from "./project/serializer/CharacterSerializer";
import {CharacterParser} from "./project/parser/characterParser/CharacterParser";
@Component({
selector: 'app-root',
@ -33,6 +37,7 @@ export class AppComponent implements OnInit{
@ViewChild('editor') editor: EditorComponent|undefined
@ViewChild('scriptAccountOverview') scriptAccountOverview: ScriptAccountOverviewComponent | undefined
@ViewChild('gamesystemOverview') gamesystemOverview: GamescriptOverviewComponent | undefined
@ViewChild('characterOverview') characterOverview: CharacterOverviewComponent | undefined
gameModel: GameModel | undefined
@ -92,6 +97,12 @@ export class AppComponent implements OnInit{
this.editor!.openGameModelComponent(gamesystem!);
}
} break
case ModelComponentType.CHARACTER: {
if(this.characterOverview!.selectedCharacter != undefined) {
this.editor!.openGameModelComponent(this.characterOverview!.selectedCharacter);
}
}break
}
}
@ -109,6 +120,8 @@ export class AppComponent implements OnInit{
this.gameModel!.removeGamesystem(affectedModelComponent);
//this.electronService.ipcRenderer.send('delete-component', new DeleteModel(affectedModelComponent.componentName, ModelComponentType.GAMESYTEM))
this.gamesystemOverview!.refresh()
} else if(affectedModelComponent instanceof Character) {
this.gameModel!.removeCharacter(affectedModelComponent)
}
}
})
@ -118,6 +131,7 @@ export class AppComponent implements OnInit{
switch (modelComponentType) {
case ModelComponentType.SCRIPTACCOUNT: this.onCreateNewScriptAccount(); break
case ModelComponentType.GAMESYTEM: this.onCreateNewGamesystem(); break
case ModelComponentType.CHARACTER: this.onCreateNewCharacter(); break
}
}
@ -146,6 +160,15 @@ export class AppComponent implements OnInit{
}
}
private onCreateNewCharacter() {
const createdCharacter = this.gameModel!.createCharacter("New Character")
if(createdCharacter != undefined) {
this.editor?.openGameModelComponent(createdCharacter);
} else {
console.log("[DEBUG] [App-Component] ScriptAccount could not be created (Name not unique)");
}
}
private getSelectedModelComponent(): ModelComponent | undefined {
if(this.openContent == ModelComponentType.SCRIPTACCOUNT) {
if(this.scriptAccountOverview != undefined) {
@ -159,6 +182,12 @@ export class AppComponent implements OnInit{
} else {
console.log("[WARN] [App.component] GamesystemOverview is undefined")
}
} else if(this.openContent == ModelComponentType.CHARACTER) {
if(this.characterOverview != undefined) {
return this.characterOverview.selectedCharacter;
} else {
console.log("[WARN] [App.component] ScriptAccountOverview is undefined")
}
}
return undefined;
}
@ -175,11 +204,14 @@ export class AppComponent implements OnInit{
const gamesystemParser = new GamesystemParser(scriptAccounts);
const gamesystems = gamesystemParser.parseStoredGamesystems(storedGameModel.storedGamesystems);
const characterParser = new CharacterParser();
const characters = characterParser.parseCharacters(storedGameModel.storedCharacters);
gameModel.scriptAccounts = scriptAccounts
gameModel.gamesystems = gamesystems
gameModel.generateProductSystemContents()
console.log(gameModel.scriptAccounts)
gameModel.characters = characters
this.gameModel = gameModel;
}
@ -188,7 +220,8 @@ export class AppComponent implements OnInit{
if(this.gameModel != undefined) {
const storedScriptAccounts = ScriptAccountSerializer.serializeScriptAccounts(this.gameModel.scriptAccounts)
const storedGamesystems: StoreComponent[] = GamesystemSerializer.serializeGamesystems(this.gameModel.gamesystems)
const storeModel = new StoredGameModel(this.gameModel.gameModelName, storedScriptAccounts, storedGamesystems)
const storedCharacters: StoreComponent[] = CharacterSerializer.serializeCharacters(this.gameModel.characters)
const storeModel = new StoredGameModel(this.gameModel.gameModelName, storedScriptAccounts, storedGamesystems, storedCharacters)
if(this.electronService.isElectron) {
this.electronService.ipcRenderer.send('save-model', storeModel)
@ -206,6 +239,11 @@ export class AppComponent implements OnInit{
this.drawer!.open();
}
openCharactersOverview() {
this.openContent = ModelComponentType.CHARACTER
this.drawer!.open()
}
protected readonly ModelComponentType = ModelComponentType;
closeContentOverview() {
@ -234,4 +272,6 @@ export class AppComponent implements OnInit{
this.gamesystemOverview.resetSelectedGamesystem()
}
}
}

View File

@ -68,6 +68,8 @@ import {
import {
ScriptaccountConditionEditorComponent
} from "./editor/gamesystem-editor/scriptaccount-condition-editor/scriptaccount-condition-editor.component";
import {CharacterOverviewComponent} from "./side-overviews/character-overview/character-overview.component";
import {CharacterEditorComponent} from "./editor/character-editor/character-editor.component";
// AoT requires an exported function for factories
const httpLoaderFactory = (http: HttpClient): TranslateHttpLoader => new TranslateHttpLoader(http, './assets/i18n/', '.json');
@ -89,65 +91,67 @@ const httpLoaderFactory = (http: HttpClient): TranslateHttpLoader => new Transl
ProductStateEditorComponent,
ProductGamesystemEditorComponent,
ScriptaccountActionEditorComponent,
ScriptaccountConditionEditorComponent
ScriptaccountConditionEditorComponent,
CharacterOverviewComponent,
CharacterEditorComponent
],
imports: [
BrowserModule,
FormsModule,
HttpClientModule,
CoreModule,
SharedModule,
TranslateModule.forRoot({
loader: {
provide: TranslateLoader,
useFactory: httpLoaderFactory,
deps: [HttpClient]
}
}),
BrowserAnimationsModule,
MatIcon,
MatToolbar,
MatButton,
MatFormField,
MatInput,
MatDrawerContainer,
MatDrawer,
MatIconButton,
MatMenuTrigger,
MatMenu,
MatMenuItem,
MatListItem,
MatActionList,
MatTabGroup,
MatTab,
MatTabLabel,
MatLabel,
MatFormField,
ReactiveFormsModule,
MatError,
MatDialogTitle,
MatDialogContent,
MatDialogActions,
MatMiniFabButton,
MatTreeModule,
MatTable,
MatColumnDef,
MatHeaderCell,
MatHeaderCellDef,
MatCellDef,
MatCell,
MatHeaderRow,
MatRow,
MatHeaderRowDef,
MatRowDef,
MatCheckbox,
MatSelect,
MatOption,
MatHint,
MatTooltip,
MatCard,
MatCardContent
],
imports: [
BrowserModule,
FormsModule,
HttpClientModule,
CoreModule,
SharedModule,
TranslateModule.forRoot({
loader: {
provide: TranslateLoader,
useFactory: httpLoaderFactory,
deps: [HttpClient]
}
}),
BrowserAnimationsModule,
MatIcon,
MatToolbar,
MatButton,
MatFormField,
MatInput,
MatDrawerContainer,
MatDrawer,
MatIconButton,
MatMenuTrigger,
MatMenu,
MatMenuItem,
MatListItem,
MatActionList,
MatTabGroup,
MatTab,
MatTabLabel,
MatLabel,
MatFormField,
ReactiveFormsModule,
MatError,
MatDialogTitle,
MatDialogContent,
MatDialogActions,
MatMiniFabButton,
MatTreeModule,
MatTable,
MatColumnDef,
MatHeaderCell,
MatHeaderCellDef,
MatCellDef,
MatCell,
MatHeaderRow,
MatRow,
MatHeaderRowDef,
MatRowDef,
MatCheckbox,
MatSelect,
MatOption,
MatHint,
MatTooltip,
MatCard,
MatCardContent
],
providers: [],
bootstrap: [AppComponent]
})

View File

@ -0,0 +1 @@
<p>character-editor works!</p>

View File

@ -0,0 +1,23 @@
import { ComponentFixture, TestBed } from '@angular/core/testing';
import { CharacterEditorComponent } from './character-editor.component';
describe('CharacterEditorComponent', () => {
let component: CharacterEditorComponent;
let fixture: ComponentFixture<CharacterEditorComponent>;
beforeEach(async () => {
await TestBed.configureTestingModule({
imports: [CharacterEditorComponent]
})
.compileComponents();
fixture = TestBed.createComponent(CharacterEditorComponent);
component = fixture.componentInstance;
fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeTruthy();
});
});

View File

@ -0,0 +1,10 @@
import { Component } from '@angular/core';
@Component({
selector: 'app-character-editor',
templateUrl: './character-editor.component.html',
styleUrl: './character-editor.component.scss'
})
export class CharacterEditorComponent {
}

View File

@ -14,6 +14,8 @@
[gamesystem]="convertModelComponentToGamesystem(modelComponent)"
(onOpenGamesystemEditor)="openGameModelComponent($event)"
[scriptAccounts]="gameModel!.scriptAccounts"></app-gamesystem-editor>
<app-character-editor *ngIf="modelComponent.type === ModelComponentType.CHARACTER">
</app-character-editor>
</mat-tab>
</mat-tab-group>

View File

@ -4,13 +4,15 @@ import {Transition} from "./gamesystems/transitions/Transition";
import {State} from "./gamesystems/states/State";
import {ProductGamesystem} from "./gamesystems/ProductGamesystem";
import {SimpleGamesystem} from "./gamesystems/SimpleGamesystem";
import {StorageModel} from "./fs/StorageModel";
import {Character} from "./characters/Character";
import {ModelComponentType} from "./ModelComponentType";
export class GameModel {
gameModelName: string
gamesystems: Gamesystem<any, any>[] = [];
scriptAccounts: ScriptAccount[] = [];
characters: Character[] = []
constructor(gameModelName: string) {
this.gameModelName = gameModelName;
@ -65,12 +67,28 @@ export class GameModel {
}
}
createCharacter(characterName: string) {
const searchedCharacter = this.characters.find(character => character.componentName === characterName);
if(searchedCharacter == undefined) {
const character = new Character(characterName, "");
this.characters.push(character)
return character
}
return undefined
}
removeScriptAccount(scriptAccount: ScriptAccount) {
if(scriptAccount != undefined) {
this.scriptAccounts = this.scriptAccounts.filter(s => s != scriptAccount);
}
}
removeCharacter(character: Character) {
if(character != undefined) {
this.characters = this.characters.filter(c => c.componentName !== character.componentName)
}
}
findGamesystem(gamesystemName: string) {
const gamesystemQueue : Gamesystem<State<any>, Transition<any>>[] = [];
this.gamesystems.forEach(gamesystem => gamesystemQueue.push(gamesystem));

View File

@ -1,5 +1,6 @@
export enum ModelComponentType {
SCRIPTACCOUNT,
GAMESYTEM
GAMESYTEM,
CHARACTER
}

View File

@ -5,6 +5,7 @@ export class ModelComponentTypeUtillities {
switch (modelComponentType) {
case ModelComponentType.SCRIPTACCOUNT: return "ScriptAccounts";
case ModelComponentType.GAMESYTEM: return "Gamesystems";
case ModelComponentType.CHARACTER: return "Characters"
default: return "Undefined";
}
}
@ -13,6 +14,7 @@ export class ModelComponentTypeUtillities {
switch (modelComponentType) {
case ModelComponentType.SCRIPTACCOUNT: return "ScriptAccount";
case ModelComponentType.GAMESYTEM: return "Gamesystem";
case ModelComponentType.CHARACTER: return "Character"
default: return "Undefined";
}
}
@ -21,6 +23,7 @@ export class ModelComponentTypeUtillities {
switch (string) {
case "gamesystem": return ModelComponentType.GAMESYTEM;
case "scriptaccount": return ModelComponentType.SCRIPTACCOUNT;
case "character": return ModelComponentType.CHARACTER
}
}
}

View File

@ -0,0 +1,9 @@
import {ModelComponent} from "../ModelComponent";
import {ModelComponentType} from "../ModelComponentType";
export class Character extends ModelComponent{
constructor(componentName: string, componentDescription: string) {
super(componentName, componentDescription, ModelComponentType.CHARACTER);
}
}

View File

@ -0,0 +1,16 @@
import {StoreComponent} from "../../../../../app/storage/StoreComponent";
import {Character} from "../../game-model/characters/Character";
export class CharacterParser {
public parseCharacters(characters: StoreComponent[]): Character[] {
const loadedCharacters: Character[] = []
characters.forEach(character => loadedCharacters.push(this.parseSingleCharacter(JSON.parse(character.jsonString))))
return loadedCharacters;
}
private parseSingleCharacter(characterData: any): Character {
return new Character(characterData.componentName, characterData.componentDescription);
}
}

View File

@ -0,0 +1,26 @@
import {Character} from "../game-model/characters/Character";
import {StoreComponent} from "../../../../app/storage/StoreComponent";
import {SerializeConstants} from "./SerializeConstants";
import {ModelComponentType} from "../game-model/ModelComponentType";
export class CharacterSerializer {
public static serializeCharacters(characters: Character[]): StoreComponent[] {
const storedCharacters: StoreComponent[] = []
characters.forEach(character => storedCharacters.push(this.serializeSingleCharacter(character)))
return storedCharacters;
}
private static serializeSingleCharacter(character: Character): StoreComponent{
const fileName = character.componentName
const jsonString = JSON.stringify(character, (key, value) => {
if(key === 'unsaved' || key === 'type') {
return undefined
} else {
return value;
}
}, SerializeConstants.JSON_INDENT)
return new StoreComponent(jsonString, fileName, ModelComponentType.CHARACTER);
}
}

View File

@ -0,0 +1,8 @@
<mat-action-list>
<mat-list-item class="scriptAccount-item" *ngFor="let character of gameModel!.characters"
(dblclick)="onOpenCharacter(character)" (click)="selectCharacter(character)"
[ngClass]="selectedCharacter === character ?'selected-item':''"
(contextmenu)="selectCharacter(character)">
<mat-icon class="scriptAccount-icon">person</mat-icon>{{character.componentName}}
</mat-list-item>
</mat-action-list>

View File

@ -0,0 +1,14 @@
.scriptAccount-item {
min-height: 1.8em !important;
height: 1.8em !important;
}
.scriptAccount-icon {
margin-right: 10px;
color: #ccffff;
align-content: baseline;
}
.selected-item {
background-color: #8696b6;
}

View File

@ -0,0 +1,23 @@
import { ComponentFixture, TestBed } from '@angular/core/testing';
import { CharacterOverviewComponent } from './character-overview.component';
describe('CharacterOverviewComponent', () => {
let component: CharacterOverviewComponent;
let fixture: ComponentFixture<CharacterOverviewComponent>;
beforeEach(async () => {
await TestBed.configureTestingModule({
imports: [CharacterOverviewComponent]
})
.compileComponents();
fixture = TestBed.createComponent(CharacterOverviewComponent);
component = fixture.componentInstance;
fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeTruthy();
});
});

View File

@ -0,0 +1,28 @@
import {Component, EventEmitter, Input, Output} from '@angular/core';
import {GameModel} from "../../project/game-model/GameModel";
import {MatActionList, MatListItem} from "@angular/material/list";
import {MatIcon} from "@angular/material/icon";
import {NgClass, NgForOf} from "@angular/common";
import {ScriptAccount} from "../../project/game-model/scriptAccounts/ScriptAccount";
import {Character} from "../../project/game-model/characters/Character";
@Component({
selector: 'app-character-overview',
templateUrl: './character-overview.component.html',
styleUrl: './character-overview.component.scss'
})
export class CharacterOverviewComponent {
@Input() gameModel: GameModel | undefined
@Output("onOpenCharacterEditor") openCharacterEmitter: EventEmitter<Character> = new EventEmitter<Character>();
selectedCharacter: Character | undefined
onOpenCharacter(character: Character) {
this.openCharacterEmitter.emit(character);
}
selectCharacter(character: Character) {
this.selectedCharacter = character;
}
}

View File

@ -0,0 +1,4 @@
{
"componentName": "Astrid Hofferson",
"componentDescription": ""
}

View File

@ -0,0 +1,4 @@
{
"componentName": "Hicks Haddock",
"componentDescription": ""
}

View File

@ -1 +1,12 @@
{"componentName":"Weathersystem","componentDescription":"Ein Wettersystem, dass sich aus normalem Wetter (Sonne, Regen, Wolke, Schnee, Sturm etc.) und zusätzlich den Jahreszeiten (Frühling, Sommer, Herbst, Winter, etc.) zusammensetzt.","childsystems":[{"componentName":"Season"},{"componentName":"Weather"}]}
{
"componentName": "Weathersystem",
"componentDescription": "Ein Wettersystem, dass sich aus normalem Wetter (Sonne, Regen, Wolke, Schnee, Sturm etc.) und zusätzlich den Jahreszeiten (Frühling, Sommer, Herbst, Winter, etc.) zusammensetzt.",
"childsystems": [
{
"componentName": "Season"
},
{
"componentName": "Weather"
}
]
}