add contracts
This commit is contained in:
parent
10b7f89831
commit
07dff73152
1
.gitignore
vendored
1
.gitignore
vendored
@ -13,3 +13,4 @@ cli/*.pdf
|
|||||||
cli/*.aux
|
cli/*.aux
|
||||||
.DS_Store
|
.DS_Store
|
||||||
.Rproj.user
|
.Rproj.user
|
||||||
|
.venv
|
||||||
|
@ -11,19 +11,6 @@ ARG CONF_DIR="${APP_DIR}/config"
|
|||||||
RUN \
|
RUN \
|
||||||
apt update && \
|
apt update && \
|
||||||
apt install -y postgresql-client-common && \
|
apt install -y postgresql-client-common && \
|
||||||
pip3 install psycopg2 && \
|
|
||||||
pip3 install dateparser && \
|
|
||||||
pip3 install connexion && \
|
|
||||||
pip3 install connexion[swagger-ui] && \
|
|
||||||
pip3 install uwsgi && \
|
|
||||||
pip3 install flask-cors && \
|
|
||||||
pip3 install python-jose[cryptography] && \
|
|
||||||
pip3 install loguru && \
|
|
||||||
pip3 install Cheetah3
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
RUN \
|
|
||||||
mkdir -p ${APP_DIR} && \
|
mkdir -p ${APP_DIR} && \
|
||||||
mkdir -p ${CONF_DIR} && \
|
mkdir -p ${CONF_DIR} && \
|
||||||
useradd -d ${APP_DIR} -u 1000 user
|
useradd -d ${APP_DIR} -u 1000 user
|
||||||
@ -31,11 +18,15 @@ RUN \
|
|||||||
COPY *.py ${APP_DIR}/
|
COPY *.py ${APP_DIR}/
|
||||||
COPY openapi.yaml ${APP_DIR}/
|
COPY openapi.yaml ${APP_DIR}/
|
||||||
COPY methods.py ${APP_DIR}/
|
COPY methods.py ${APP_DIR}/
|
||||||
|
COPY requirements.txt ${APP_DIR}/
|
||||||
COPY server.ini ${CONF_DIR}/
|
COPY server.ini ${CONF_DIR}/
|
||||||
|
|
||||||
WORKDIR ${APP_DIR}
|
WORKDIR ${APP_DIR}
|
||||||
VOLUME ${CONF_DIR}
|
VOLUME ${CONF_DIR}
|
||||||
|
|
||||||
|
RUN \
|
||||||
|
pip3 install -r requirements.txt
|
||||||
|
|
||||||
USER 1000:1000
|
USER 1000:1000
|
||||||
|
|
||||||
EXPOSE 5000
|
EXPOSE 5000
|
||||||
|
100
api/methods.py
100
api/methods.py
@ -1584,3 +1584,103 @@ SELECT
|
|||||||
}
|
}
|
||||||
)
|
)
|
||||||
|
|
||||||
|
def get_contracts(user, token_info):
|
||||||
|
return dbGetMany(user, token_info, {
|
||||||
|
"statement": """
|
||||||
|
SELECT
|
||||||
|
id
|
||||||
|
,supplier
|
||||||
|
,content
|
||||||
|
,identifier
|
||||||
|
,notes
|
||||||
|
FROM contract_t
|
||||||
|
ORDER BY
|
||||||
|
supplier
|
||||||
|
,content
|
||||||
|
""",
|
||||||
|
"params": ()
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
def insert_contract(user, token_info, **args):
|
||||||
|
try:
|
||||||
|
body = args["body"]
|
||||||
|
v_supplier = body["supplier"]
|
||||||
|
v_content = body["content"]
|
||||||
|
v_identifier = body["identifier"]
|
||||||
|
v_notes = body["notes"]
|
||||||
|
return dbInsert(user, token_info, {
|
||||||
|
"statement": """
|
||||||
|
INSERT INTO contract_t
|
||||||
|
(
|
||||||
|
supplier
|
||||||
|
,content
|
||||||
|
,identifier
|
||||||
|
,notes
|
||||||
|
) VALUES (
|
||||||
|
%s
|
||||||
|
,%s
|
||||||
|
,%s
|
||||||
|
,%s
|
||||||
|
)
|
||||||
|
RETURNING *
|
||||||
|
""",
|
||||||
|
"params": [
|
||||||
|
v_supplier
|
||||||
|
,v_content
|
||||||
|
,v_identifier
|
||||||
|
,v_notes
|
||||||
|
]
|
||||||
|
})
|
||||||
|
except KeyError as e:
|
||||||
|
logger.warning("insert_contract: parameter missing: {}".format(e))
|
||||||
|
raise werkzeug.exceptions.UnprocessableEntity("parameter missing: {}".format(e))
|
||||||
|
|
||||||
|
|
||||||
|
def get_contract(user, token_info, contractId=None):
|
||||||
|
return dbGetOne(user, token_info, {
|
||||||
|
"statement": """
|
||||||
|
SELECT
|
||||||
|
id
|
||||||
|
,supplier
|
||||||
|
,content
|
||||||
|
,identifier
|
||||||
|
,notes
|
||||||
|
FROM contract_t
|
||||||
|
WHERE id = %s
|
||||||
|
""",
|
||||||
|
"params": (contractId, )
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
def update_contract(user, token_info, contractId=None, **args):
|
||||||
|
try:
|
||||||
|
body = args["body"]
|
||||||
|
v_supplier = body["supplier"]
|
||||||
|
v_content = body["content"]
|
||||||
|
v_identifier = body["identifier"]
|
||||||
|
v_notes = body["notes"]
|
||||||
|
return dbUpdate(user, token_info, {
|
||||||
|
"statement": """
|
||||||
|
UPDATE contract_t
|
||||||
|
SET
|
||||||
|
supplier = %s
|
||||||
|
,content = %s
|
||||||
|
,identifier = %s
|
||||||
|
,notes = %s
|
||||||
|
WHERE id = %s
|
||||||
|
RETURNING *
|
||||||
|
""",
|
||||||
|
"params": [
|
||||||
|
v_supplier,
|
||||||
|
v_content,
|
||||||
|
v_identifier,
|
||||||
|
v_notes,
|
||||||
|
contractId
|
||||||
|
]
|
||||||
|
})
|
||||||
|
except KeyError as e:
|
||||||
|
logger.warning("update_contract: parameter missing: {}".format(e))
|
||||||
|
raise werkzeug.exceptions.UnprocessableEntity("parameter missing: {}".format(e))
|
||||||
|
|
||||||
|
|
||||||
|
101
api/openapi.yaml
101
api/openapi.yaml
@ -1440,6 +1440,92 @@ paths:
|
|||||||
$ref: '#/components/schemas/note'
|
$ref: '#/components/schemas/note'
|
||||||
security:
|
security:
|
||||||
- jwt: ['secret']
|
- jwt: ['secret']
|
||||||
|
/v1/contracts:
|
||||||
|
get:
|
||||||
|
tags: [ "contract" ]
|
||||||
|
summary: Return all normalized contracts
|
||||||
|
operationId: methods.get_contracts
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
description: contracts response
|
||||||
|
content:
|
||||||
|
'application/json':
|
||||||
|
schema:
|
||||||
|
type: array
|
||||||
|
items:
|
||||||
|
$ref: '#/components/schemas/contract'
|
||||||
|
security:
|
||||||
|
- jwt: ['secret']
|
||||||
|
post:
|
||||||
|
tags: [ "contract" ]
|
||||||
|
summary: Insert a contract
|
||||||
|
operationId: methods.insert_contract
|
||||||
|
requestBody:
|
||||||
|
description: contract
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/contract'
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
description: contract successfully inserted
|
||||||
|
content:
|
||||||
|
'application/json':
|
||||||
|
schema:
|
||||||
|
type: array
|
||||||
|
items:
|
||||||
|
$ref: '#/components/schemas/contract'
|
||||||
|
security:
|
||||||
|
- jwt: ['secret']
|
||||||
|
/v1/contracts/{contractId}:
|
||||||
|
get:
|
||||||
|
tags: [ "contract" ]
|
||||||
|
summary: Return the normalized contract with given id
|
||||||
|
operationId: methods.get_contract
|
||||||
|
parameters:
|
||||||
|
- name: contractId
|
||||||
|
in: path
|
||||||
|
required: true
|
||||||
|
schema:
|
||||||
|
type: integer
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
description: contract response
|
||||||
|
content:
|
||||||
|
'application/json':
|
||||||
|
schema:
|
||||||
|
type: array
|
||||||
|
items:
|
||||||
|
$ref: '#/components/schemas/contract'
|
||||||
|
security:
|
||||||
|
- jwt: ['secret']
|
||||||
|
put:
|
||||||
|
tags: [ "contract" ]
|
||||||
|
summary: Update a contract
|
||||||
|
operationId: methods.update_contract
|
||||||
|
parameters:
|
||||||
|
- name: contractId
|
||||||
|
in: path
|
||||||
|
required: true
|
||||||
|
schema:
|
||||||
|
type: integer
|
||||||
|
requestBody:
|
||||||
|
description: contract
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/contract'
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
description: contract successfully inserted
|
||||||
|
content:
|
||||||
|
'application/json':
|
||||||
|
schema:
|
||||||
|
type: array
|
||||||
|
items:
|
||||||
|
$ref: '#/components/schemas/contract'
|
||||||
|
security:
|
||||||
|
- jwt: ['secret']
|
||||||
|
|
||||||
# -------------------------------------------------------------------
|
# -------------------------------------------------------------------
|
||||||
# ATTENTION: This file will not be parsed by Cheetah
|
# ATTENTION: This file will not be parsed by Cheetah
|
||||||
@ -1818,6 +1904,21 @@ components:
|
|||||||
type: integer
|
type: integer
|
||||||
note:
|
note:
|
||||||
type: string
|
type: string
|
||||||
|
contract:
|
||||||
|
description: contract
|
||||||
|
type: object
|
||||||
|
properties:
|
||||||
|
id:
|
||||||
|
type: integer
|
||||||
|
supplier:
|
||||||
|
type: string
|
||||||
|
content:
|
||||||
|
type: string
|
||||||
|
identifier:
|
||||||
|
type: string
|
||||||
|
notes:
|
||||||
|
type: string
|
||||||
|
nullable: true
|
||||||
|
|
||||||
# -------------------------------------------------------------------
|
# -------------------------------------------------------------------
|
||||||
# ATTENTION: This file will not be parsed by Cheetah
|
# ATTENTION: This file will not be parsed by Cheetah
|
||||||
|
40
api/requirements.txt
Normal file
40
api/requirements.txt
Normal file
@ -0,0 +1,40 @@
|
|||||||
|
attrs==22.2.0
|
||||||
|
certifi==2022.12.7
|
||||||
|
cffi==1.15.1
|
||||||
|
charset-normalizer==2.1.1
|
||||||
|
Cheetah3==3.2.6.post1
|
||||||
|
click==8.1.3
|
||||||
|
clickclick==20.10.2
|
||||||
|
connexion==2.14.1
|
||||||
|
cryptography==39.0.0
|
||||||
|
dateparser==1.1.5
|
||||||
|
ecdsa==0.18.0
|
||||||
|
Flask==2.2.2
|
||||||
|
Flask-Cors==3.0.10
|
||||||
|
idna==3.4
|
||||||
|
inflection==0.5.1
|
||||||
|
itsdangerous==2.1.2
|
||||||
|
Jinja2==3.1.2
|
||||||
|
jsonschema==4.17.3
|
||||||
|
loguru==0.6.0
|
||||||
|
MarkupSafe==2.1.1
|
||||||
|
packaging==22.0
|
||||||
|
psycopg2==2.9.5
|
||||||
|
pyasn1==0.4.8
|
||||||
|
pycparser==2.21
|
||||||
|
pyrsistent==0.19.3
|
||||||
|
python-dateutil==2.8.2
|
||||||
|
python-jose==3.3.0
|
||||||
|
pytz==2022.7
|
||||||
|
pytz-deprecation-shim==0.1.0.post0
|
||||||
|
PyYAML==6.0
|
||||||
|
regex==2022.10.31
|
||||||
|
requests==2.28.1
|
||||||
|
rsa==4.9
|
||||||
|
six==1.16.0
|
||||||
|
swagger-ui-bundle==0.0.9
|
||||||
|
tzdata==2022.7
|
||||||
|
tzlocal==4.2
|
||||||
|
urllib3==1.26.13
|
||||||
|
uWSGI==2.0.21
|
||||||
|
Werkzeug==2.2.2
|
0
cli/accountStatement
Normal file
0
cli/accountStatement
Normal file
@ -103,3 +103,134 @@ expense[expense$overhead_relevant]
|
|||||||
expense %>% filter(overhead_relevant == TRUE)
|
expense %>% filter(overhead_relevant == TRUE)
|
||||||
source("~/Workspace/hv2-all-in-one/r-scripts/hv2-analysis/income.R")
|
source("~/Workspace/hv2-all-in-one/r-scripts/hv2-analysis/income.R")
|
||||||
View(expense)
|
View(expense)
|
||||||
|
knitr::opts_chunk$set(echo = TRUE)
|
||||||
|
total_fee <- sum(income$Miete)
|
||||||
|
knitr::opts_chunk$set(echo = TRUE)
|
||||||
|
library(tidyverse, warn.conflicts = FALSE)
|
||||||
|
library(DBI, warn.conflicts = FALSE)
|
||||||
|
library(tidyr, warn.conflicts = FALSE)
|
||||||
|
library(dplyr, warn.conflicts = FALSE)
|
||||||
|
YEAR <- 2021
|
||||||
|
HOME <- Sys.getenv("HOME")
|
||||||
|
Sys.setenv(PGHOST = "db.mainscnt.eu",
|
||||||
|
PGDATABASE = "hv2",
|
||||||
|
PGPORT = 5432,
|
||||||
|
PGUSER = "wn",
|
||||||
|
PGSSLMODE = "verify-ca",
|
||||||
|
PGSSLKEY = paste(HOME, "/keys/psql/wn-postgresql-client-2.key", sep=""),
|
||||||
|
PGSSLCERT = paste(HOME, "/keys/psql/wn-postgresql-client-2.crt", sep=""),
|
||||||
|
PGSSLROOTCERT = paste(HOME, "/keys/psql/postgres-ca.crt", sep=""))
|
||||||
|
con <- dbConnect(RPostgres::Postgres())
|
||||||
|
res <- dbSendQuery(con, "
|
||||||
|
select f.description as flat,
|
||||||
|
p.description as premise,
|
||||||
|
aec.description as category,
|
||||||
|
sum(ae.amount) as amount
|
||||||
|
from flat_t f,
|
||||||
|
premise_t p,
|
||||||
|
tenancy_t ty,
|
||||||
|
tenant_t t,
|
||||||
|
account_t a,
|
||||||
|
account_entry_t ae,
|
||||||
|
account_entry_category_t aec
|
||||||
|
where p.id = f.premise and
|
||||||
|
ty.flat = f.id and
|
||||||
|
ty.tenant = t.id and
|
||||||
|
a.id = t.account and
|
||||||
|
ae.account = a.id and
|
||||||
|
aec.id = ae.account_entry_category and
|
||||||
|
ae.fiscal_year = $1 and
|
||||||
|
aec.description in ('Mietzahlung', 'Mietforderung', 'Betriebskostenforderung', 'Betriebskostenausgleich')
|
||||||
|
group by p.description,
|
||||||
|
f.description,
|
||||||
|
aec.description;
|
||||||
|
")
|
||||||
|
dbBind(res, list(YEAR))
|
||||||
|
income <- dbFetch(res)
|
||||||
|
dbClearResult(res)
|
||||||
|
income <- income %>%
|
||||||
|
pivot_wider(names_from = category, values_from = amount) %>%
|
||||||
|
mutate(Miete := -1 * Mietforderung) %>%
|
||||||
|
mutate(Betriebskosten := Mietzahlung - Miete + Betriebskostenausgleich) %>%
|
||||||
|
select(flat, premise, Miete, Betriebskosten) %>%
|
||||||
|
arrange(premise, flat) %>%
|
||||||
|
mutate(across(where(is.numeric), ~num(., digits=2))) %>%
|
||||||
|
mutate(across(where(is.numeric), ~replace(., is.na(.), 0)))
|
||||||
|
knitr::kable(income)
|
||||||
|
total_fee <- sum(income$Miete)
|
||||||
|
total_overhead <- sum(income$Betriebskosten)
|
||||||
|
total_income <- total_fee + total_overhead
|
||||||
|
View(income)
|
||||||
|
knitr::opts_chunk$set(echo = TRUE)
|
||||||
|
library(tidyverse, warn.conflicts = FALSE)
|
||||||
|
library(DBI, warn.conflicts = FALSE)
|
||||||
|
library(tidyr, warn.conflicts = FALSE)
|
||||||
|
library(dplyr, warn.conflicts = FALSE)
|
||||||
|
YEAR <- 2021
|
||||||
|
HOME <- Sys.getenv("HOME")
|
||||||
|
Sys.setenv(PGHOST = "db.mainscnt.eu",
|
||||||
|
PGDATABASE = "hv2",
|
||||||
|
PGPORT = 5432,
|
||||||
|
PGUSER = "wn",
|
||||||
|
PGSSLMODE = "verify-ca",
|
||||||
|
PGSSLKEY = paste(HOME, "/keys/psql/wn-postgresql-client-2.key", sep=""),
|
||||||
|
PGSSLCERT = paste(HOME, "/keys/psql/wn-postgresql-client-2.crt", sep=""),
|
||||||
|
PGSSLROOTCERT = paste(HOME, "/keys/psql/postgres-ca.crt", sep=""))
|
||||||
|
con <- dbConnect(RPostgres::Postgres())
|
||||||
|
res <- dbSendQuery(con, "
|
||||||
|
select f.description as flat,
|
||||||
|
p.description as premise,
|
||||||
|
aec.description as category,
|
||||||
|
sum(ae.amount) as amount
|
||||||
|
from flat_t f,
|
||||||
|
premise_t p,
|
||||||
|
tenancy_t ty,
|
||||||
|
tenant_t t,
|
||||||
|
account_t a,
|
||||||
|
account_entry_t ae,
|
||||||
|
account_entry_category_t aec
|
||||||
|
where p.id = f.premise and
|
||||||
|
ty.flat = f.id and
|
||||||
|
ty.tenant = t.id and
|
||||||
|
a.id = t.account and
|
||||||
|
ae.account = a.id and
|
||||||
|
aec.id = ae.account_entry_category and
|
||||||
|
ae.fiscal_year = $1 and
|
||||||
|
aec.description in ('Mietzahlung', 'Mietforderung', 'Betriebskostenforderung', 'Betriebskostenausgleich')
|
||||||
|
group by p.description,
|
||||||
|
f.description,
|
||||||
|
aec.description;
|
||||||
|
")
|
||||||
|
dbBind(res, list(YEAR))
|
||||||
|
income <- dbFetch(res)
|
||||||
|
dbClearResult(res)
|
||||||
|
income <- income %>%
|
||||||
|
pivot_wider(names_from = category, values_from = amount) %>%
|
||||||
|
mutate(Miete := -1 * Mietforderung) %>%
|
||||||
|
mutate(Betriebskosten := Mietzahlung - Miete + Betriebskostenausgleich) %>%
|
||||||
|
select(flat, premise, Miete, Betriebskosten) %>%
|
||||||
|
arrange(premise, flat) %>%
|
||||||
|
mutate(across(where(is.numeric), ~num(., digits=2))) %>%
|
||||||
|
mutate(across(where(is.numeric), ~replace(., is.na(.), 0)))
|
||||||
|
knitr::kable(income)
|
||||||
|
total_fee <- sum(income$Miete)
|
||||||
|
total_overhead <- sum(income$Betriebskosten)
|
||||||
|
total_income <- total_fee + total_overhead
|
||||||
|
toString(total_fee)
|
||||||
|
total_fee$value
|
||||||
|
total_fee[1]
|
||||||
|
total_fee[2]
|
||||||
|
total_fee[1]
|
||||||
|
t=total_fee
|
||||||
|
t
|
||||||
|
unnest(t)
|
||||||
|
a <- 6.4234
|
||||||
|
a
|
||||||
|
num(a, digits=2)
|
||||||
|
a
|
||||||
|
format(a, digits=2)
|
||||||
|
format(a, digits=3)
|
||||||
|
a<-100.4234234
|
||||||
|
a
|
||||||
|
format(a, digits=3)
|
||||||
|
format(a, nsmall=2)
|
||||||
|
173
r-scripts/hv2-analysis/income-expense-analysis.Rmd
Normal file
173
r-scripts/hv2-analysis/income-expense-analysis.Rmd
Normal file
@ -0,0 +1,173 @@
|
|||||||
|
---
|
||||||
|
title: "HV2 Jahresabrechnung"
|
||||||
|
author: "Wolfgang Hottgenroth"
|
||||||
|
date: "2022-09-18"
|
||||||
|
output:
|
||||||
|
pdf_document: default
|
||||||
|
html_document: default
|
||||||
|
word_document: default
|
||||||
|
---
|
||||||
|
|
||||||
|
|
||||||
|
```{r setup, include=FALSE, echo=FALSE, message=FALSE}
|
||||||
|
knitr::opts_chunk$set(echo = FALSE, message=FALSE)
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
library(tidyverse, warn.conflicts = FALSE)
|
||||||
|
library(DBI, warn.conflicts = FALSE)
|
||||||
|
library(tidyr, warn.conflicts = FALSE)
|
||||||
|
library(dplyr, warn.conflicts = FALSE)
|
||||||
|
```
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
YEAR <- 2021
|
||||||
|
|
||||||
|
HOME <- Sys.getenv("HOME")
|
||||||
|
Sys.setenv(PGHOST = "db.mainscnt.eu",
|
||||||
|
PGDATABASE = "hv2",
|
||||||
|
PGPORT = 5432,
|
||||||
|
PGUSER = "wn",
|
||||||
|
PGSSLMODE = "verify-ca",
|
||||||
|
PGSSLKEY = paste(HOME, "/keys/psql/wn-postgresql-client-2.key", sep=""),
|
||||||
|
PGSSLCERT = paste(HOME, "/keys/psql/wn-postgresql-client-2.crt", sep=""),
|
||||||
|
PGSSLROOTCERT = paste(HOME, "/keys/psql/postgres-ca.crt", sep=""))
|
||||||
|
|
||||||
|
|
||||||
|
con <- dbConnect(RPostgres::Postgres())
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
# Übersicht über die Einnahmen
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
res <- dbSendQuery(con, "
|
||||||
|
select f.description as flat,
|
||||||
|
p.description as premise,
|
||||||
|
aec.description as category,
|
||||||
|
sum(ae.amount) as amount
|
||||||
|
from flat_t f,
|
||||||
|
premise_t p,
|
||||||
|
tenancy_t ty,
|
||||||
|
tenant_t t,
|
||||||
|
account_t a,
|
||||||
|
account_entry_t ae,
|
||||||
|
account_entry_category_t aec
|
||||||
|
where p.id = f.premise and
|
||||||
|
ty.flat = f.id and
|
||||||
|
ty.tenant = t.id and
|
||||||
|
a.id = t.account and
|
||||||
|
ae.account = a.id and
|
||||||
|
aec.id = ae.account_entry_category and
|
||||||
|
ae.fiscal_year = $1 and
|
||||||
|
aec.description in ('Mietzahlung', 'Mietforderung', 'Betriebskostenforderung', 'Betriebskostenausgleich')
|
||||||
|
group by p.description,
|
||||||
|
f.description,
|
||||||
|
aec.description;
|
||||||
|
")
|
||||||
|
dbBind(res, list(YEAR))
|
||||||
|
|
||||||
|
income <- dbFetch(res)
|
||||||
|
dbClearResult(res)
|
||||||
|
|
||||||
|
income <- income %>%
|
||||||
|
pivot_wider(names_from = category, values_from = amount) %>%
|
||||||
|
mutate(Miete := -1 * Mietforderung) %>%
|
||||||
|
mutate(Betriebskosten := Mietzahlung - Miete + Betriebskostenausgleich) %>%
|
||||||
|
select(flat, premise, Miete, Betriebskosten) %>%
|
||||||
|
arrange(premise, flat) %>%
|
||||||
|
# mutate(across(where(is.numeric), ~num(., digits=2))) %>%
|
||||||
|
mutate(across(where(is.numeric), ~replace(., is.na(.), 0)))
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
knitr::kable(income)
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
# Übersicht über die Ausgaben
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
|
||||||
|
res <- dbSendQuery(con, "
|
||||||
|
select aec.overhead_relevant as overhead_relevant,
|
||||||
|
aec.description as category,
|
||||||
|
sum(ae.amount) as amount
|
||||||
|
from account_entry_category_t aec,
|
||||||
|
account_entry_t ae
|
||||||
|
where aec.id = ae.account_entry_category and
|
||||||
|
aec.id not in (2, 3, 4, 29) and
|
||||||
|
ae.fiscal_year = $1
|
||||||
|
group by aec.overhead_relevant,
|
||||||
|
aec.description
|
||||||
|
")
|
||||||
|
dbBind(res, list(YEAR))
|
||||||
|
|
||||||
|
expense <- dbFetch(res)
|
||||||
|
dbClearResult(res)
|
||||||
|
|
||||||
|
expense <- expense %>%
|
||||||
|
arrange(overhead_relevant, category) %>%
|
||||||
|
# mutate(across(where(is.numeric), ~num(., digits=2))) %>%
|
||||||
|
mutate(across(where(is.numeric), ~replace(., is.na(.), 0)))
|
||||||
|
```
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
knitr::kable(expense)
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
# Zusammenfassung
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
```{r}
|
||||||
|
total_fee <- sum(income$Miete)
|
||||||
|
total_overhead <- sum(income$Betriebskosten)
|
||||||
|
total_income <- total_fee + total_overhead
|
||||||
|
|
||||||
|
total_expense <- sum(expense$amount)
|
||||||
|
overhead_relevant_expense <- expense %>%
|
||||||
|
filter(overhead_relevant == TRUE)
|
||||||
|
total_overhead_relevant_expense <- sum(overhead_relevant_expense$amount)
|
||||||
|
|
||||||
|
total <- total_income + total_expense
|
||||||
|
|
||||||
|
overview.income <- as_tibble(
|
||||||
|
data.frame(
|
||||||
|
"Kategorie" = c("Mieteinnahmen", "Betriebskostenvorauszahlungen", "Einnahmen ingesamt"),
|
||||||
|
"Betrag" = c(total_fee, total_overhead, total_income)
|
||||||
|
)
|
||||||
|
)
|
||||||
|
overview.expense <- as_tibble(
|
||||||
|
data.frame(
|
||||||
|
"Kategorie" = c("Ausgaben insgesamt", "davon Betriebskostenausgaben"),
|
||||||
|
"Betrag" = c(-1 * total_expense, -1 * total_overhead_relevant_expense)
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
overview.gain <- as_tibble(
|
||||||
|
data.frame(
|
||||||
|
"Überschuss" = c(total)
|
||||||
|
)
|
||||||
|
)
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
## Einnahmen
|
||||||
|
```{r}
|
||||||
|
knitr::kable(overview.income)
|
||||||
|
```
|
||||||
|
|
||||||
|
## Ausgaben
|
||||||
|
```{r}
|
||||||
|
knitr::kable(overview.expense)
|
||||||
|
```
|
||||||
|
|
||||||
|
## Überschuss
|
||||||
|
```{r}
|
||||||
|
knitr::kable(overview.gain)
|
||||||
|
```
|
BIN
r-scripts/hv2-analysis/income-expense-analysis.docx
Normal file
BIN
r-scripts/hv2-analysis/income-expense-analysis.docx
Normal file
Binary file not shown.
720
r-scripts/hv2-analysis/income-expense-analysis.html
Normal file
720
r-scripts/hv2-analysis/income-expense-analysis.html
Normal file
File diff suppressed because one or more lines are too long
BIN
r-scripts/hv2-analysis/income-expense-analysis.pdf
Normal file
BIN
r-scripts/hv2-analysis/income-expense-analysis.pdf
Normal file
Binary file not shown.
@ -2,6 +2,7 @@
|
|||||||
|
|
||||||
## Tools and Templates
|
## Tools and Templates
|
||||||
|
|
||||||
|
* venv for Python tools is used, remember to activate, install dependencies via ``requirements.txt``, keep it up to date using ``pip freeze > requirements.txt``
|
||||||
* all tools provide should work on Linux and on Windows, shell scripts are avoided
|
* all tools provide should work on Linux and on Windows, shell scripts are avoided
|
||||||
* templates files must be generated at development time, generated files must be put into the repository
|
* templates files must be generated at development time, generated files must be put into the repository
|
||||||
* use ``generate.py`` in the umbrella project's root without any arguments to generate all template files in all subdirectories using the ``schema.json`` from the umbrella project's root
|
* use ``generate.py`` in the umbrella project's root without any arguments to generate all template files in all subdirectories using the ``schema.json`` from the umbrella project's root
|
||||||
|
1
requirements.txt
Normal file
1
requirements.txt
Normal file
@ -0,0 +1 @@
|
|||||||
|
Cheetah3==3.2.6.post1
|
13
schema.json
13
schema.json
@ -157,6 +157,19 @@
|
|||||||
{ "name": "tenant", "sqltype": "integer", "notnull": true, "foreignkey": true },
|
{ "name": "tenant", "sqltype": "integer", "notnull": true, "foreignkey": true },
|
||||||
{ "name": "note", "sqltype": "varchar(4096)", "notnull": true }
|
{ "name": "note", "sqltype": "varchar(4096)", "notnull": true }
|
||||||
]
|
]
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"name": "contract",
|
||||||
|
"immutable": false,
|
||||||
|
"columns": [
|
||||||
|
{ "name": "supplier", "sqltype": "varchar(256)", "notnull": true, "selector": 0 },
|
||||||
|
{ "name": "content", "sqltype": "varchar(256)", "notnull": true, "selector": 1 },
|
||||||
|
{ "name": "identifier", "sqltype": "varchar(256)", "notnull": true },
|
||||||
|
{ "name": "notes", "sqltype": "varchar(4096)", "notnull": false }
|
||||||
|
],
|
||||||
|
"tableConstraints": [
|
||||||
|
"unique(supplier, content)"
|
||||||
|
]
|
||||||
}
|
}
|
||||||
]
|
]
|
||||||
}
|
}
|
||||||
|
@ -88,4 +88,5 @@ where aec.id = ae.account_entry_category and
|
|||||||
aec.id not in (2, 3, 4, 29) and
|
aec.id not in (2, 3, 4, 29) and
|
||||||
ae.fiscal_year = 2021
|
ae.fiscal_year = 2021
|
||||||
group by aec.overhead_relevant,
|
group by aec.overhead_relevant,
|
||||||
aec.description;
|
aec.description
|
||||||
|
order by aec.overhead_relevant;
|
||||||
|
11
schema/changes-contract.sql
Normal file
11
schema/changes-contract.sql
Normal file
@ -0,0 +1,11 @@
|
|||||||
|
|
||||||
|
CREATE TABLE contract_t (
|
||||||
|
id serial not null primary key
|
||||||
|
,supplier varchar(256) not null
|
||||||
|
,content varchar(256) not null
|
||||||
|
,identifier varchar(256) not null
|
||||||
|
,unique(supplier, content)
|
||||||
|
);
|
||||||
|
|
||||||
|
GRANT SELECT, INSERT, UPDATE ON contract_t TO hv2;
|
||||||
|
GRANT SELECT, UPDATE ON contract_t_id_seq TO hv2;
|
@ -172,6 +172,18 @@ CREATE TABLE note_t (
|
|||||||
GRANT SELECT, INSERT ON note_t TO hv2;
|
GRANT SELECT, INSERT ON note_t TO hv2;
|
||||||
GRANT SELECT, UPDATE ON note_t_id_seq TO hv2;
|
GRANT SELECT, UPDATE ON note_t_id_seq TO hv2;
|
||||||
|
|
||||||
|
CREATE TABLE contract_t (
|
||||||
|
id serial not null primary key
|
||||||
|
,supplier varchar(256) not null
|
||||||
|
,content varchar(256) not null
|
||||||
|
,identifier varchar(256) not null
|
||||||
|
,notes varchar(4096)
|
||||||
|
,unique(supplier, content)
|
||||||
|
);
|
||||||
|
|
||||||
|
GRANT SELECT, INSERT, UPDATE ON contract_t TO hv2;
|
||||||
|
GRANT SELECT, UPDATE ON contract_t_id_seq TO hv2;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
96
ui/hv2-ui/package-lock.json
generated
96
ui/hv2-ui/package-lock.json
generated
@ -33,8 +33,6 @@
|
|||||||
"@types/jasmine": "~3.6.0",
|
"@types/jasmine": "~3.6.0",
|
||||||
"@types/node": "^12.11.1",
|
"@types/node": "^12.11.1",
|
||||||
"codelyzer": "^6.0.0",
|
"codelyzer": "^6.0.0",
|
||||||
"jasmine-core": "~3.6.0",
|
|
||||||
"jasmine-spec-reporter": "~5.0.0",
|
|
||||||
"karma": "~5.1.0",
|
"karma": "~5.1.0",
|
||||||
"karma-chrome-launcher": "~3.1.0",
|
"karma-chrome-launcher": "~3.1.0",
|
||||||
"karma-coverage": "~2.0.3",
|
"karma-coverage": "~2.0.3",
|
||||||
@ -3588,6 +3586,16 @@
|
|||||||
"node": ">=8"
|
"node": ">=8"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/bindings": {
|
||||||
|
"version": "1.5.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/bindings/-/bindings-1.5.0.tgz",
|
||||||
|
"integrity": "sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ==",
|
||||||
|
"dev": true,
|
||||||
|
"optional": true,
|
||||||
|
"dependencies": {
|
||||||
|
"file-uri-to-path": "1.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/blob": {
|
"node_modules/blob": {
|
||||||
"version": "0.0.5",
|
"version": "0.0.5",
|
||||||
"resolved": "https://registry.npmjs.org/blob/-/blob-0.0.5.tgz",
|
"resolved": "https://registry.npmjs.org/blob/-/blob-0.0.5.tgz",
|
||||||
@ -6612,6 +6620,13 @@
|
|||||||
"url": "https://opencollective.com/webpack"
|
"url": "https://opencollective.com/webpack"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/file-uri-to-path": {
|
||||||
|
"version": "1.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/file-uri-to-path/-/file-uri-to-path-1.0.0.tgz",
|
||||||
|
"integrity": "sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw==",
|
||||||
|
"dev": true,
|
||||||
|
"optional": true
|
||||||
|
},
|
||||||
"node_modules/fill-range": {
|
"node_modules/fill-range": {
|
||||||
"version": "7.0.1",
|
"version": "7.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
|
"resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
|
||||||
@ -8575,19 +8590,11 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/jasmine-core": {
|
"node_modules/jasmine-core": {
|
||||||
"version": "3.6.0",
|
"version": "4.5.0",
|
||||||
"resolved": "https://registry.npmjs.org/jasmine-core/-/jasmine-core-3.6.0.tgz",
|
"resolved": "https://registry.npmjs.org/jasmine-core/-/jasmine-core-4.5.0.tgz",
|
||||||
"integrity": "sha512-8uQYa7zJN8hq9z+g8z1bqCfdC8eoDAeVnM5sfqs7KHv9/ifoJ500m018fpFc7RDaO6SWCLCXwo/wPSNcdYTgcw==",
|
"integrity": "sha512-9PMzyvhtocxb3aXJVOPqBDswdgyAeSB81QnLop4npOpbqnheaTEwPc9ZloQeVswugPManznQBjD8kWDTjlnHuw==",
|
||||||
"dev": true
|
|
||||||
},
|
|
||||||
"node_modules/jasmine-spec-reporter": {
|
|
||||||
"version": "5.0.2",
|
|
||||||
"resolved": "https://registry.npmjs.org/jasmine-spec-reporter/-/jasmine-spec-reporter-5.0.2.tgz",
|
|
||||||
"integrity": "sha512-6gP1LbVgJ+d7PKksQBc2H0oDGNRQI3gKUsWlswKaQ2fif9X5gzhQcgM5+kiJGCQVurOG09jqNhk7payggyp5+g==",
|
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"dependencies": {
|
"peer": true
|
||||||
"colors": "1.4.0"
|
|
||||||
}
|
|
||||||
},
|
},
|
||||||
"node_modules/jasmine/node_modules/jasmine-core": {
|
"node_modules/jasmine/node_modules/jasmine-core": {
|
||||||
"version": "2.8.0",
|
"version": "2.8.0",
|
||||||
@ -8889,6 +8896,12 @@
|
|||||||
"karma-jasmine": ">=1.1"
|
"karma-jasmine": ">=1.1"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/karma-jasmine/node_modules/jasmine-core": {
|
||||||
|
"version": "3.99.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/jasmine-core/-/jasmine-core-3.99.1.tgz",
|
||||||
|
"integrity": "sha512-Hu1dmuoGcZ7AfyynN3LsfruwMbxMALMka+YtZeGoLuDEySVmVAPaonkNoBRIw/ectu8b9tVQCJNgp4a4knp+tg==",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
"node_modules/karma-source-map-support": {
|
"node_modules/karma-source-map-support": {
|
||||||
"version": "1.4.0",
|
"version": "1.4.0",
|
||||||
"resolved": "https://registry.npmjs.org/karma-source-map-support/-/karma-source-map-support-1.4.0.tgz",
|
"resolved": "https://registry.npmjs.org/karma-source-map-support/-/karma-source-map-support-1.4.0.tgz",
|
||||||
@ -9980,6 +9993,13 @@
|
|||||||
"integrity": "sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==",
|
"integrity": "sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
|
"node_modules/nan": {
|
||||||
|
"version": "2.17.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/nan/-/nan-2.17.0.tgz",
|
||||||
|
"integrity": "sha512-2ZTgtl0nJsO0KQCjEpxcIr5D+Yv90plTitZt9JBfQvVJDS5seMl3FOvsh3+9CoYWXf/1l5OaZzzF6nDm4cagaQ==",
|
||||||
|
"dev": true,
|
||||||
|
"optional": true
|
||||||
|
},
|
||||||
"node_modules/nanomatch": {
|
"node_modules/nanomatch": {
|
||||||
"version": "1.2.13",
|
"version": "1.2.13",
|
||||||
"resolved": "https://registry.npmjs.org/nanomatch/-/nanomatch-1.2.13.tgz",
|
"resolved": "https://registry.npmjs.org/nanomatch/-/nanomatch-1.2.13.tgz",
|
||||||
@ -19949,6 +19969,16 @@
|
|||||||
"integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==",
|
"integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
|
"bindings": {
|
||||||
|
"version": "1.5.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/bindings/-/bindings-1.5.0.tgz",
|
||||||
|
"integrity": "sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ==",
|
||||||
|
"dev": true,
|
||||||
|
"optional": true,
|
||||||
|
"requires": {
|
||||||
|
"file-uri-to-path": "1.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
"blob": {
|
"blob": {
|
||||||
"version": "0.0.5",
|
"version": "0.0.5",
|
||||||
"resolved": "https://registry.npmjs.org/blob/-/blob-0.0.5.tgz",
|
"resolved": "https://registry.npmjs.org/blob/-/blob-0.0.5.tgz",
|
||||||
@ -22456,6 +22486,13 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"file-uri-to-path": {
|
||||||
|
"version": "1.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/file-uri-to-path/-/file-uri-to-path-1.0.0.tgz",
|
||||||
|
"integrity": "sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw==",
|
||||||
|
"dev": true,
|
||||||
|
"optional": true
|
||||||
|
},
|
||||||
"fill-range": {
|
"fill-range": {
|
||||||
"version": "7.0.1",
|
"version": "7.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
|
"resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
|
||||||
@ -23973,19 +24010,11 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"jasmine-core": {
|
"jasmine-core": {
|
||||||
"version": "3.6.0",
|
"version": "4.5.0",
|
||||||
"resolved": "https://registry.npmjs.org/jasmine-core/-/jasmine-core-3.6.0.tgz",
|
"resolved": "https://registry.npmjs.org/jasmine-core/-/jasmine-core-4.5.0.tgz",
|
||||||
"integrity": "sha512-8uQYa7zJN8hq9z+g8z1bqCfdC8eoDAeVnM5sfqs7KHv9/ifoJ500m018fpFc7RDaO6SWCLCXwo/wPSNcdYTgcw==",
|
"integrity": "sha512-9PMzyvhtocxb3aXJVOPqBDswdgyAeSB81QnLop4npOpbqnheaTEwPc9ZloQeVswugPManznQBjD8kWDTjlnHuw==",
|
||||||
"dev": true
|
|
||||||
},
|
|
||||||
"jasmine-spec-reporter": {
|
|
||||||
"version": "5.0.2",
|
|
||||||
"resolved": "https://registry.npmjs.org/jasmine-spec-reporter/-/jasmine-spec-reporter-5.0.2.tgz",
|
|
||||||
"integrity": "sha512-6gP1LbVgJ+d7PKksQBc2H0oDGNRQI3gKUsWlswKaQ2fif9X5gzhQcgM5+kiJGCQVurOG09jqNhk7payggyp5+g==",
|
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"peer": true
|
||||||
"colors": "1.4.0"
|
|
||||||
}
|
|
||||||
},
|
},
|
||||||
"jasminewd2": {
|
"jasminewd2": {
|
||||||
"version": "2.2.0",
|
"version": "2.2.0",
|
||||||
@ -24354,6 +24383,14 @@
|
|||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"jasmine-core": "^3.6.0"
|
"jasmine-core": "^3.6.0"
|
||||||
|
},
|
||||||
|
"dependencies": {
|
||||||
|
"jasmine-core": {
|
||||||
|
"version": "3.99.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/jasmine-core/-/jasmine-core-3.99.1.tgz",
|
||||||
|
"integrity": "sha512-Hu1dmuoGcZ7AfyynN3LsfruwMbxMALMka+YtZeGoLuDEySVmVAPaonkNoBRIw/ectu8b9tVQCJNgp4a4knp+tg==",
|
||||||
|
"dev": true
|
||||||
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"karma-jasmine-html-reporter": {
|
"karma-jasmine-html-reporter": {
|
||||||
@ -25101,6 +25138,13 @@
|
|||||||
"integrity": "sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==",
|
"integrity": "sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
|
"nan": {
|
||||||
|
"version": "2.17.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/nan/-/nan-2.17.0.tgz",
|
||||||
|
"integrity": "sha512-2ZTgtl0nJsO0KQCjEpxcIr5D+Yv90plTitZt9JBfQvVJDS5seMl3FOvsh3+9CoYWXf/1l5OaZzzF6nDm4cagaQ==",
|
||||||
|
"dev": true,
|
||||||
|
"optional": true
|
||||||
|
},
|
||||||
"nanomatch": {
|
"nanomatch": {
|
||||||
"version": "1.2.13",
|
"version": "1.2.13",
|
||||||
"resolved": "https://registry.npmjs.org/nanomatch/-/nanomatch-1.2.13.tgz",
|
"resolved": "https://registry.npmjs.org/nanomatch/-/nanomatch-1.2.13.tgz",
|
||||||
|
@ -37,8 +37,6 @@
|
|||||||
"@types/jasmine": "~3.6.0",
|
"@types/jasmine": "~3.6.0",
|
||||||
"@types/node": "^12.11.1",
|
"@types/node": "^12.11.1",
|
||||||
"codelyzer": "^6.0.0",
|
"codelyzer": "^6.0.0",
|
||||||
"jasmine-core": "~3.6.0",
|
|
||||||
"jasmine-spec-reporter": "~5.0.0",
|
|
||||||
"karma": "~5.1.0",
|
"karma": "~5.1.0",
|
||||||
"karma-chrome-launcher": "~3.1.0",
|
"karma-chrome-launcher": "~3.1.0",
|
||||||
"karma-coverage": "~2.0.3",
|
"karma-coverage": "~2.0.3",
|
||||||
|
@ -20,11 +20,14 @@ import { FeeDetailsComponent } from './fee-details/fee-details.component';
|
|||||||
import { EnterPaymentComponent } from './enter-payment/enter-payment.component';
|
import { EnterPaymentComponent } from './enter-payment/enter-payment.component';
|
||||||
import { HomeComponent } from './home/home.component';
|
import { HomeComponent } from './home/home.component';
|
||||||
import { LedgerComponent } from './ledger/ledger.component';
|
import { LedgerComponent } from './ledger/ledger.component';
|
||||||
|
import { ContractComponent } from './contract/contract.component';
|
||||||
|
import { MyContractsComponent } from './my-contracts/my-contracts.component';
|
||||||
|
|
||||||
|
|
||||||
const routes: Routes = [
|
const routes: Routes = [
|
||||||
{ path: 'tenants', component: MyTenantsComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'tenants', component: MyTenantsComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'premises', component: MyPremisesComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'premises', component: MyPremisesComponent, canActivate: [ AuthGuardService ] },
|
||||||
|
{ path: 'contracts', component: MyContractsComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'flats', component: MyFlatsComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'flats', component: MyFlatsComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'parkings', component: MyParkingsComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'parkings', component: MyParkingsComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'commercialunits', component: MyCommercialUnitsComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'commercialunits', component: MyCommercialUnitsComponent, canActivate: [ AuthGuardService ] },
|
||||||
@ -46,6 +49,8 @@ const routes: Routes = [
|
|||||||
{ path: 'fee', component: FeeDetailsComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'fee', component: FeeDetailsComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'enterPayment', component: EnterPaymentComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'enterPayment', component: EnterPaymentComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'ledger', component: LedgerComponent, canActivate: [ AuthGuardService ] },
|
{ path: 'ledger', component: LedgerComponent, canActivate: [ AuthGuardService ] },
|
||||||
|
{ path: 'contract', component: ContractComponent, canActivate: [ AuthGuardService ] },
|
||||||
|
{ path: 'contract/:id', component: ContractComponent, canActivate: [ AuthGuardService ] },
|
||||||
{ path: 'home', component: HomeComponent },
|
{ path: 'home', component: HomeComponent },
|
||||||
{ path: 'logout', component: LogoutComponent },
|
{ path: 'logout', component: LogoutComponent },
|
||||||
{ path: 'login', component: LoginComponent },
|
{ path: 'login', component: LoginComponent },
|
||||||
|
@ -51,6 +51,8 @@ import { HomeComponent } from './home/home.component';
|
|||||||
import { LedgerComponent } from './ledger/ledger.component';
|
import { LedgerComponent } from './ledger/ledger.component';
|
||||||
import { ErrorDialogComponent } from './error-dialog/error-dialog.component'
|
import { ErrorDialogComponent } from './error-dialog/error-dialog.component'
|
||||||
import { MatSortModule } from '@angular/material/sort';
|
import { MatSortModule } from '@angular/material/sort';
|
||||||
|
import { ContractComponent } from './contract/contract.component';
|
||||||
|
import { MyContractsComponent } from './my-contracts/my-contracts.component';
|
||||||
|
|
||||||
registerLocaleData(localeDe)
|
registerLocaleData(localeDe)
|
||||||
|
|
||||||
@ -81,7 +83,9 @@ registerLocaleData(localeDe)
|
|||||||
EnterPaymentComponent,
|
EnterPaymentComponent,
|
||||||
HomeComponent,
|
HomeComponent,
|
||||||
LedgerComponent,
|
LedgerComponent,
|
||||||
ErrorDialogComponent
|
ErrorDialogComponent,
|
||||||
|
ContractComponent,
|
||||||
|
MyContractsComponent
|
||||||
],
|
],
|
||||||
imports: [
|
imports: [
|
||||||
BrowserModule,
|
BrowserModule,
|
||||||
|
@ -1,5 +1,5 @@
|
|||||||
export const serviceBaseUrl = "https://api.hv.nober.de";
|
// export const serviceBaseUrl = "https://api.hv.nober.de";
|
||||||
// export const serviceBaseUrl = "http://172.16.3.96:8080";
|
// export const serviceBaseUrl = "http://172.16.3.96:8080";
|
||||||
// export const serviceBaseUrl = "http://localhost:8080"
|
export const serviceBaseUrl = "http://localhost:8080"
|
||||||
export const authserviceBaseUrl = "https://authservice.hottis.de"
|
export const authserviceBaseUrl = "https://authservice.hottis.de"
|
||||||
export const applicationId = "hv2"
|
export const applicationId = "hv2"
|
||||||
|
4
ui/hv2-ui/src/app/contract/contract.component.css
Normal file
4
ui/hv2-ui/src/app/contract/contract.component.css
Normal file
@ -0,0 +1,4 @@
|
|||||||
|
|
||||||
|
.notearea {
|
||||||
|
width: 75%;
|
||||||
|
}
|
46
ui/hv2-ui/src/app/contract/contract.component.html
Normal file
46
ui/hv2-ui/src/app/contract/contract.component.html
Normal file
@ -0,0 +1,46 @@
|
|||||||
|
<section class="mat-typography">
|
||||||
|
<mat-card class="defaultCard">
|
||||||
|
<mat-card-header>
|
||||||
|
<mat-card-title>
|
||||||
|
{{contract?.supplier}} {{contract?.content}}
|
||||||
|
</mat-card-title>
|
||||||
|
<mat-card-subtitle>
|
||||||
|
ID: {{contract?.id}}
|
||||||
|
</mat-card-subtitle>
|
||||||
|
</mat-card-header>
|
||||||
|
<mat-card-content>
|
||||||
|
<div>>
|
||||||
|
<form (ngSubmit)="saveContract()">
|
||||||
|
<div>
|
||||||
|
<mat-form-field appearance="outline">
|
||||||
|
<mat-label>Partner</mat-label>
|
||||||
|
<input matInput name="supplier" [(ngModel)]="contract.supplier"/>
|
||||||
|
</mat-form-field>
|
||||||
|
</div><div>
|
||||||
|
<mat-form-field appearance="outline">
|
||||||
|
<mat-label>Gegenstand</mat-label>
|
||||||
|
<input matInput name="content" [(ngModel)]="contract.content"/>
|
||||||
|
</mat-form-field>
|
||||||
|
</div><div>
|
||||||
|
<mat-form-field appearance="outline">
|
||||||
|
<mat-label>ID</mat-label>
|
||||||
|
<input matInput name="identifier" [(ngModel)]="contract.identifier"/>
|
||||||
|
</mat-form-field>
|
||||||
|
</div><div>
|
||||||
|
<mat-form-field appearance="outline" class="notearea">
|
||||||
|
<mat-label>Notizen</mat-label>
|
||||||
|
<textarea matInput
|
||||||
|
cdkTextareaAutosize
|
||||||
|
#autosize="cdkTextareaAutosize"
|
||||||
|
cdkAutosizeMinRows="5"
|
||||||
|
cdkAutosizeMaxRows="10"
|
||||||
|
name="notes" [(ngModel)]="contract.notes"></textarea>
|
||||||
|
</mat-form-field>
|
||||||
|
</div>
|
||||||
|
<button #submitButton type="submit" mat-raised-button color="primary">Speichern</button>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
</mat-card-content>
|
||||||
|
</mat-card>
|
||||||
|
</section>
|
25
ui/hv2-ui/src/app/contract/contract.component.spec.ts
Normal file
25
ui/hv2-ui/src/app/contract/contract.component.spec.ts
Normal file
@ -0,0 +1,25 @@
|
|||||||
|
import { ComponentFixture, TestBed } from '@angular/core/testing';
|
||||||
|
|
||||||
|
import { ContractComponent } from './contract.component';
|
||||||
|
|
||||||
|
describe('ContractComponent', () => {
|
||||||
|
let component: ContractComponent;
|
||||||
|
let fixture: ComponentFixture<ContractComponent>;
|
||||||
|
|
||||||
|
beforeEach(async () => {
|
||||||
|
await TestBed.configureTestingModule({
|
||||||
|
declarations: [ ContractComponent ]
|
||||||
|
})
|
||||||
|
.compileComponents();
|
||||||
|
});
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
fixture = TestBed.createComponent(ContractComponent);
|
||||||
|
component = fixture.componentInstance;
|
||||||
|
fixture.detectChanges();
|
||||||
|
});
|
||||||
|
|
||||||
|
it('should create', () => {
|
||||||
|
expect(component).toBeTruthy();
|
||||||
|
});
|
||||||
|
});
|
61
ui/hv2-ui/src/app/contract/contract.component.ts
Normal file
61
ui/hv2-ui/src/app/contract/contract.component.ts
Normal file
@ -0,0 +1,61 @@
|
|||||||
|
import { Component, OnInit, ViewChild } from '@angular/core';
|
||||||
|
import { MatButton } from '@angular/material/button';
|
||||||
|
import { MatTableDataSource } from '@angular/material/table';
|
||||||
|
import { ActivatedRoute, Router } from '@angular/router';
|
||||||
|
import { ContractService } from '../data-object-service';
|
||||||
|
import { Contract, NULL_CommercialPremise, NULL_Contract } from '../data-objects';
|
||||||
|
import { MessageService } from '../message.service';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'app-contract',
|
||||||
|
templateUrl: './contract.component.html',
|
||||||
|
styleUrls: ['./contract.component.css']
|
||||||
|
})
|
||||||
|
export class ContractComponent implements OnInit {
|
||||||
|
|
||||||
|
@ViewChild('submitButton') submitButton: MatButton
|
||||||
|
|
||||||
|
contract: Contract = NULL_Contract
|
||||||
|
|
||||||
|
constructor(
|
||||||
|
private contractService: ContractService,
|
||||||
|
private messageService: MessageService,
|
||||||
|
private route: ActivatedRoute,
|
||||||
|
private router: Router
|
||||||
|
) { }
|
||||||
|
|
||||||
|
async getContract(): Promise<void> {
|
||||||
|
try {
|
||||||
|
const id = +this.route.snapshot.paramMap.get('id')
|
||||||
|
if (id != 0) {
|
||||||
|
this.contract = await this.contractService.getContract(id)
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
this.messageService.add(JSON.stringify(err, undefined, 4))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async saveContract() {
|
||||||
|
try {
|
||||||
|
this.submitButton.disabled = true
|
||||||
|
this.messageService.add(`saveContract: ${ JSON.stringify(this.contract, undefined, 4) }`)
|
||||||
|
if (this.contract.id == 0) {
|
||||||
|
this.messageService.add("about to insert new contract")
|
||||||
|
this.contract = await this.contractService.postContract(this.contract)
|
||||||
|
this.messageService.add(`Successfully added contract with id ${this.contract.id}`)
|
||||||
|
} else {
|
||||||
|
this.messageService.add("about to update existing contract")
|
||||||
|
this.contract = await this.contractService.putContract(this.contract)
|
||||||
|
this.messageService.add(`Successfully changed contract with id ${this.contract.id}`)
|
||||||
|
}
|
||||||
|
this.router.navigate(['/contracts'])
|
||||||
|
} finally {
|
||||||
|
this.submitButton.disabled = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
this.getContract()
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
@ -27,6 +27,7 @@ import { TenancyFeeMapping } from './data-objects';
|
|||||||
import { AccountEntryCategory } from './data-objects';
|
import { AccountEntryCategory } from './data-objects';
|
||||||
import { AccountEntry } from './data-objects';
|
import { AccountEntry } from './data-objects';
|
||||||
import { Note } from './data-objects';
|
import { Note } from './data-objects';
|
||||||
|
import { Contract } from './data-objects';
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
@ -519,4 +520,35 @@ export class NoteService {
|
|||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@Injectable({ providedIn: 'root' })
|
||||||
|
export class ContractService {
|
||||||
|
constructor(private messageService: MessageService, private http: HttpClient) { }
|
||||||
|
|
||||||
|
async getContracts(): Promise<Contract[]> {
|
||||||
|
this.messageService.add(`ContractService: get data`);
|
||||||
|
return this.http.get<Contract[]>(`${serviceBaseUrl}/v1/contracts`).toPromise()
|
||||||
|
}
|
||||||
|
|
||||||
|
async getContract(id: number): Promise<Contract> {
|
||||||
|
this.messageService.add(`ContractService: get data for ${id}`);
|
||||||
|
return this.http.get<Contract>(`${serviceBaseUrl}/v1/contracts/${id}`).toPromise()
|
||||||
|
}
|
||||||
|
|
||||||
|
async postContract(item: Contract): Promise<Contract> {
|
||||||
|
let itemStr: string = JSON.stringify(item, undefined, 4)
|
||||||
|
this.messageService.add(`ContractService: post data for ${itemStr}`);
|
||||||
|
return this.http.post<Contract>(`${serviceBaseUrl}/v1/contracts`, item).toPromise()
|
||||||
|
}
|
||||||
|
|
||||||
|
async putContract(item: Contract): Promise<Contract> {
|
||||||
|
let itemStr: string = JSON.stringify(item, undefined, 4)
|
||||||
|
this.messageService.add(`ContractService: put data for ${itemStr}`)
|
||||||
|
let id: number = item["id"]
|
||||||
|
return this.http.put<Contract>(`${serviceBaseUrl}/v1/contracts/${id}`, item).toPromise()
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@ -226,4 +226,19 @@ export const NULL_Note: Note = {
|
|||||||
,note: ''
|
,note: ''
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface Contract {
|
||||||
|
id: number
|
||||||
|
supplier: string
|
||||||
|
content: string
|
||||||
|
identifier: string
|
||||||
|
notes: string
|
||||||
|
}
|
||||||
|
export const NULL_Contract: Contract = {
|
||||||
|
id: 0
|
||||||
|
,supplier: ''
|
||||||
|
,content: ''
|
||||||
|
,identifier: ''
|
||||||
|
,notes: ''
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
31
ui/hv2-ui/src/app/my-contracts/my-contracts.component.html
Normal file
31
ui/hv2-ui/src/app/my-contracts/my-contracts.component.html
Normal file
@ -0,0 +1,31 @@
|
|||||||
|
<section class="mat-typography">
|
||||||
|
<mat-card class="defaultCard">
|
||||||
|
<mat-card-header>
|
||||||
|
<mat-card-title>
|
||||||
|
<span>Meine Verträge</span>
|
||||||
|
<span class="spacer"></span>
|
||||||
|
<a mat-button routerLink="/contract">Neu anlegen</a>
|
||||||
|
</mat-card-title>
|
||||||
|
</mat-card-header>
|
||||||
|
<mat-card-content>
|
||||||
|
<div>
|
||||||
|
<table mat-table [dataSource]="dataSource" #zftable>
|
||||||
|
<ng-container matColumnDef="supplier">
|
||||||
|
<th mat-header-cell *matHeaderCellDef>Partner</th>
|
||||||
|
<td mat-cell *matCellDef="let element">{{element.supplier}}</td>
|
||||||
|
</ng-container>
|
||||||
|
<ng-container matColumnDef="content">
|
||||||
|
<th mat-header-cell *matHeaderCellDef>Gegenstand</th>
|
||||||
|
<td mat-cell *matCellDef="let element">{{element.content}}</td>
|
||||||
|
</ng-container>
|
||||||
|
<ng-container matColumnDef="identifier">
|
||||||
|
<th mat-header-cell *matHeaderCellDef>ID</th>
|
||||||
|
<td mat-cell *matCellDef="let element">{{element.identifier}}</td>
|
||||||
|
</ng-container>
|
||||||
|
<tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>
|
||||||
|
<tr mat-row *matRowDef="let row; columns: displayedColumns;" [routerLink]="['/contract/', row.id]"></tr>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
</mat-card-content>
|
||||||
|
</mat-card>
|
||||||
|
</section>
|
@ -0,0 +1,25 @@
|
|||||||
|
import { ComponentFixture, TestBed } from '@angular/core/testing';
|
||||||
|
|
||||||
|
import { MyContractsComponent } from './my-contracts.component';
|
||||||
|
|
||||||
|
describe('MyContractsComponent', () => {
|
||||||
|
let component: MyContractsComponent;
|
||||||
|
let fixture: ComponentFixture<MyContractsComponent>;
|
||||||
|
|
||||||
|
beforeEach(async () => {
|
||||||
|
await TestBed.configureTestingModule({
|
||||||
|
declarations: [ MyContractsComponent ]
|
||||||
|
})
|
||||||
|
.compileComponents();
|
||||||
|
});
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
fixture = TestBed.createComponent(MyContractsComponent);
|
||||||
|
component = fixture.componentInstance;
|
||||||
|
fixture.detectChanges();
|
||||||
|
});
|
||||||
|
|
||||||
|
it('should create', () => {
|
||||||
|
expect(component).toBeTruthy();
|
||||||
|
});
|
||||||
|
});
|
38
ui/hv2-ui/src/app/my-contracts/my-contracts.component.ts
Normal file
38
ui/hv2-ui/src/app/my-contracts/my-contracts.component.ts
Normal file
@ -0,0 +1,38 @@
|
|||||||
|
import { Component, OnInit } from '@angular/core';
|
||||||
|
import { MatTableDataSource } from '@angular/material/table';
|
||||||
|
import { ContractService } from '../data-object-service';
|
||||||
|
import { Contract } from '../data-objects';
|
||||||
|
import { MessageService } from '../message.service';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'app-my-contracts',
|
||||||
|
templateUrl: './my-contracts.component.html',
|
||||||
|
styleUrls: ['./my-contracts.component.css']
|
||||||
|
})
|
||||||
|
export class MyContractsComponent implements OnInit {
|
||||||
|
|
||||||
|
contracts: Contract[]
|
||||||
|
dataSource: MatTableDataSource<Contract>
|
||||||
|
displayedColumns: string[] = [ "supplier", "content", "identifier" ]
|
||||||
|
|
||||||
|
constructor(private contractService: ContractService, private messageService: MessageService) { }
|
||||||
|
|
||||||
|
async getContracts(): Promise<void> {
|
||||||
|
try {
|
||||||
|
this.messageService.add("Trying to load contracts")
|
||||||
|
this.contracts = await this.contractService.getContracts();
|
||||||
|
this.messageService.add("Contracts loaded")
|
||||||
|
|
||||||
|
this.dataSource = new MatTableDataSource<Contract>(this.contracts)
|
||||||
|
} catch (err) {
|
||||||
|
this.messageService.add(JSON.stringify(err, undefined, 4))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
this.messageService.add("MyContractsComponent.ngOnInit")
|
||||||
|
this.getContracts()
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
}
|
@ -22,6 +22,8 @@
|
|||||||
<a mat-list-item href="/premises">Meine Häuser</a>
|
<a mat-list-item href="/premises">Meine Häuser</a>
|
||||||
</mat-nav-list><mat-divider *ngIf="authenticated"></mat-divider><mat-nav-list *ngIf="authenticated">
|
</mat-nav-list><mat-divider *ngIf="authenticated"></mat-divider><mat-nav-list *ngIf="authenticated">
|
||||||
<a mat-list-item href="/ledger">Buchführung</a>
|
<a mat-list-item href="/ledger">Buchführung</a>
|
||||||
|
</mat-nav-list><mat-divider *ngIf="authenticated"></mat-divider><mat-nav-list *ngIf="authenticated">
|
||||||
|
<a mat-list-item href="/contracts">Verträge</a>
|
||||||
</mat-nav-list><mat-divider *ngIf="authenticated"></mat-divider><mat-nav-list *ngIf="authenticated">
|
</mat-nav-list><mat-divider *ngIf="authenticated"></mat-divider><mat-nav-list *ngIf="authenticated">
|
||||||
<a mat-list-item href="/logout">Abmelden</a>
|
<a mat-list-item href="/logout">Abmelden</a>
|
||||||
</mat-nav-list>
|
</mat-nav-list>
|
||||||
|
Loading…
x
Reference in New Issue
Block a user