Datum
27.11.2018
Dieser Beitrag wurde verfasst von:
In diesem Blogbeitrag möchte ich einige Tipps und Tricks rund um Entity Framework mit euch teilen. In allen Beispielen gehen wir vom Code-First Ansatz aus.
1. 1-zu-1 Beziehung
Es gibt keine 1-zu-1 Beziehung in Datenbanken. Es gibt lediglich eine 1-zu-0/1 Beziehung. In Entity Framework wird diese Beziehung am besten mit der Fluent-API beschrieben.
public class Employee
{
public string Name { get; set; }
public virtual Address Address { get; set; }
}
public class Address
{
public string Street { get; set; }
public string PostCode { get; set; }
public string City { get; set; }
public virtual Employee Employee { get; set; }
}
Hier hat jede Datenbank ein Henne-Ei-Problem. Die Objekte können nicht simultan generiert werden und sofort auf das andere Objekt referenzieren.
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Entity<Address>()
.HasOptional(e => e.Address)
.WithRequired(a => a.Employee);
}
In diesem Beispiel kann ein Employee eine Address haben, aber ein Address kann nicht ohne Employee existieren.
Anmerkung: Mit Entity Framework kann eine (echte) 1-zu-1 Beziehung vorgetäuscht werden. Für die Datenbank sind diese Felder jedoch keine Pflichtfelder und somit keine echte 1-zu-1 Beziehung.
2. Mehr als eine 1-zu-n Beziehung zwischen zwei Entitäten
In unserem Beispiel gibt es folgende (vereinfachte) Klassen:
public class User
{
public int Id { get; set; }
public string UserName { get; set; }
}
public class Task
{
public string Title { get; set; }
public string Body { get; set; }
public virtual User CreatedBy { get; set; }
}
Daraus resultiert folgende Datenbank:
data:image/s3,"s3://crabby-images/60b95/60b957705081607d5429bea363ad4da96283f573" alt="TuTEntityFramework 1 Screenshot Datenbank mit einer 1-zu-n Beziehung"
Jetzt möchten wir die Klasse Task noch um einen User erweitern, der diese Aufgabe zugewiesen bekommt. Somit hätten wir zwei 1-zu-n Beziehungen zwischen Task und User. Mit Data Annotations lässt sich diese Beziehung einfach realisieren:
public class User
{
public int Id { get; set; }
public string UserName { get; set; }
[InverseProperty(“AssignedTo”)]
public virtual ICollection<Task> Tasks { get; set; }
}
public class Task
{
public int Id { get; set; }
public string Title { get; set; }
public string Body { get; set; }
public virtual User CreatedBy { get; set; }
public virtual User AssignedTo { get; set; }
}
Daraus resultiert dann folgende Datenbank:
data:image/s3,"s3://crabby-images/79ba7/79ba70194cdc626cb9f4d0a2ca27c42e441eff7a" alt="TuTEntityFramework 2 Screenshot Datenbank mit zwei 1-zu-n Beziehung"
3. Mit Entity Framework habe ich gar keine Kontrolle über meine Tabellen
Das ist ein hartnäckiges Vorurteil gegenüber Entity Framework, welches aber nicht ganz wahr ist. Wenn eine Zwischentabelle (für eine n-zu-m Beziehung) in Entity Framework erstellt wird, wird die Zwischentabelle mit dem Namen der verbundenen Entitäten erstellt.
public class Employee
{
public string Firstname { get; set; }
public string Lastname { get; set; }
public virtual ICollection<Skill> Skills { get; set; }
}
public class Skill
{
public string Name { get; set; }
public int Level { get; set; }
public virtual ICollection<Employee> Employees { get; set; }
}
Daraus kann nun eine EmployeeSkills oder eine SkillEmployees Tabelle entstehen. Die Erstellung dieser Zwischentabelle kann mit der Fluent-API gesteuert werden.
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Entity<Employee>()
.HasMany<Skill>(e => e.Skills)
.WithMany(s => s.Employees)
.Map(es =>
{
es.MapLeftKey(“EmployeeRefId”);
es.MapRightKey(“SkillRefId”);
es.ToTable(“EmployeeSkillList”);
});
}
Die Methoden HasMany() und WithMany() werden zur Konfiguration von n-zu-m Beziehungen verwendet. Danach wird mit der Map() Methode die Tabelle mit dem gewünschten Namen definiert.
Wichtig: Die Entität, aus welcher die HasMany() Methode aufgerufen wird (in unserem Beispiel die Employee Entität), wird mit MapLeftKey() in die „linke Spalte“ geschrieben.
4. SQL + Entity Framework = <3
Eine Kombination aus SQL und Entity Framework ist immer möglich. Die Performance bei komplexen Abfragen mit vielen ungewollten JOINS kann Entity Framework schnell in die Knie zwingen. Eine Kombination aus Entity Framework und einer SQL View kann die Performance enorm anheben. Im nächsten Beispiel haben wir eine sehr simple View, die uns die Namen der Mitarbeiter, deren Skills und deren Skillstufe anzeigt:
CREATE VIEW SkillOverview AS
SELECT E.Firstname as Firstname, E.Lastname as Name, S.Level as Level, S.Name as Skill FROM Employees E
JOIN EmployeeSkillList ESL ON ESL.EmployeeRefId = E.Id
JOIN Skills S ON S.Id = ESL.SkillRefId
Als nächstes erstellen wir ein Datenmodell:
public class SkillOverviewModel
{
public string Firstname { get; set; }
public string Name { get; set; }
public int Level { get; set; }
public string Skill { get; set; }
}
Nun erstellen wir eine Methode, die uns das Datenmodell anhand der View befüllt:
public ICollection<SkillOverviewModel> GetSkillOverview()
{
string query = “SELECT * FROM [dbo].[SkillOverview]”;
List<SkillOverviewModel> result = this.context.Database.SqlQuery<SkillOverviewModel>
(query).ToList();
return result;
}
Mit demselben Prinzip können auch SQL-Functions und Stored Procedures angesprochen werden. Die Parameter werden als SqlParameter Array übergeben. Wenn wir also nur die Mitarbeiter mit einem bestimmten Skill-Level sehen wollen entwickeln wir eine neue Methode:
public ICollection<SkillOverviewModel> GetSkillOverview(int skillLevel)
{
string query = “SELECT * FROM [dbo].[SkillOverview] WHERE [Level] = @skillLevel”;
List<object> parameters = new List<object>();
SqlParameter skillLevelParameter = new SqlParameter(“@skillLevel”, skillLevel);
parameters.Add(skillLevelParameter);
List<SkillOverviewModel> result = this.context.Database.SqlQuery<SkillOverviewModel>
(query, parameters.ToArray()).ToList();
return result;
}
5. Darf es noch ein wenig mehr sein?
Durch den Code First-Ansatz spiegeln unsere Entitäts-Objekte eine ganze Zeile einer Tabelle ab. In einigen Anwendungen können Entitäten viele Eigenschaften haben, die gar nicht immer benötigt werden.
public class Employee
{
public int Id { get; set; }
public string Firstname { get; set; }
public string Lastname { get; set; }
public virtual ICollection<Skill> Skills { get; set; }
}
class Program
{
static void Main(string[] args)
{
AppContext context = new AppContext();
List<Employee> employees = context.Employee.ToList();
Console.ReadKey();
}
}
Diese Abfrage liefert uns nun alle Einträge in der Employee Tabelle. Dadurch wird Id, Firstname und Lastname von jeder Entität geladen. Aber was ist mit den Skills eines Mitarbeiters? Lazy Loading ist standardmäßig aktiviert bei Entity Framework. Dadurch werden die Skills erst dann geladen, wenn diese gebraucht werden.
static void Main(string[] args)
{
AppContext context = new AppContext();
List<Employee> employees = context.Employee.ToList();
foreach(Employee employee in employees)
{
Console.WriteLine($”{employee.Firstname} {employee.Lastname}”);
foreach(Skill employeeSkill in employee.Skills)
{
Console.WriteLine($”{employeeSkill.Name}: {employeeSkill.Level}”);
}
}
Console.ReadKey();
}
Alle Employees sind bereits geladen, aber deren Skills leider nicht. Dadurch wird in der inneren foreach-Anweisung jedes Mal ein Request zur Datenbank geschickt und lädt den Skill nach. Besser wäre es, wenn die Skills direkt mit den Employees geladen werden. Mit der Include() Methode lässt sich das einfach realisieren:
List<Employee> employees = context.Employee.Include(e => e.Skills).ToList();
6. Das habe ich doch gar nicht gebraucht!
Wie wir sehen, verwenden wir nur FirstName und LastName von Employee sowie Name und Level von Skill. Mitgeladen wird aber auch jeweils die Id. Unser Beispiel ist etwas “klein”, aber stellen Sie sich vor, Sie haben zwei Entitäten mit verschiedenen Datentypen wie Datum, Integer, Float und davon auch noch viele. Diese werden nicht benötigt, aber auch geladen. In SQL würden wir auch nicht
SELECT * FROM [TABLE]
ausführen, um dann nur die Daten aus der Menge zu nehmen, die wir brauchen. Wieso sollten wir das dann bei Entity Framework tun?
Unser Ergebnis von der Query kommt wieder in ein Model:
public class FullNameModel
{
public string FullName { get; }
public FullNameModel(Employee employee)
{
this.FullName = $”{employee.Firstname} {employee.Lastname}”;
}
}
public ICollection<FullNameModel> GetAllFullNames()
{
List<FullNameModel> result = this.context.Employee
.Select(x => new FullNameModel
{
FullName = $”{x.Firstname} {x.Lastname}”
}).ToList();
return result; }
Übersetzt lautet dieser Code: SELECT Firstname, Lastname FROM [Employees] also genau das, was wir brauchen. Ein Entity Framework Select-Statement mit einem angepasstem Data Transfer Object(DTO) kann genauso schnell sein wie ein direktes SQL Statement.
Wichtig: Im Select-Statement kann nur ein parameterloser Konstruktor verwendet werden.
Fazit
Entity Framework oder SQL? Wieso nicht beides? Entity Framework kann die Arbeit erleichtern, aber nicht alles ist standardmäßig genau so eingestellt, wie der Entwickler es gerade braucht. Durch eine gute Kombination aus Entity Framework und SQL können Schwächen kompensiert und Entwicklungszeit verkürzt werden. Dank Codefirst wird die Datenbankgenerierung in der Codeverwaltung gespeichert und ein Wechsel der Datenbankengine ist einfacher zu realisieren. Der Einsatz von Entity Framework ersetzt nicht das Grundwissen von relationaler Datenmodellierung, sondern sollte diese ergänzen.
Erfahren Sie mehr
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
GraphQL – Die Alternative zu REST
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Handlebars.js – Semantische Template Library
data:image/s3,"s3://crabby-images/dfecd/dfecd423677cbd0975ec2de4dbeaffd5f63105ae" alt="Abheben in die Cloud Close up of female hands while typing on laptop"
SharePoint Framework Client-Side Webparts mit React
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Spaltenformatierung in SharePoint: Column formatting vs. JS
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Testen von Angular Anwendungen mit Cypress
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Struktureller Aufbau eines Angular Modules
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Ich bin im Flow! – Eine Übersicht zu Microsoft Flow
data:image/s3,"s3://crabby-images/0ea62/0ea626b7ba284fcafbd0db52a8095226aaa81197" alt="Zwei Frauen schauen gemeinsam auf einen Bildschirm"
Xamarin – plattformübergreifende App-Entwicklung
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Teams Extensions – Erstellen von Erweiterungen für Teams
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
CQRS in ASP.Net MVC mit Entity Framework
data:image/s3,"s3://crabby-images/284e8/284e8daf0fff685d68802b5d89a68c467346df95" alt="News der novaCapta"
Der wiederholte Bereich in Nintex Forms
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Nutzung der SharePoint REST API mit Microsoft Flow
data:image/s3,"s3://crabby-images/284e8/284e8daf0fff685d68802b5d89a68c467346df95" alt="News der novaCapta"
Gefilterte Ansicht über Unterschiede in mehreren Spalten
data:image/s3,"s3://crabby-images/eac07/eac0769a7ae9d0223424d700ec43e8d9e4ffd3d9" alt="Blue sky and clouds"
Grundlagen der Datenmodellierung
data:image/s3,"s3://crabby-images/79678/796780fc414c8e92e071f14a9f93b19ba828c39f" alt="Business Productivity Framework Zwei Männer am Smartphone"
Business Productivity Framework
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Dateizugriffsrechte verwalten mit Microsoft RMS – Teil 2
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Warum ist Inline-CSS und JavaScript-Code so schlecht?
data:image/s3,"s3://crabby-images/0ea62/0ea626b7ba284fcafbd0db52a8095226aaa81197" alt="Zwei Frauen schauen gemeinsam auf einen Bildschirm"
Fünf Tipps für eine verbesserte Software-Adoption
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Drei Tipps für mehr SharePoint-Begeisterung
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Multi Factor Authentication (Azure und SharePoint)
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Fünf Tipps für mehr SharePoint-Adoption in Unternehmen
data:image/s3,"s3://crabby-images/13fa1/13fa1320711b8662e29acdca82965b1127156bca" alt="2024 Google Cloud Summit Germany"
Google Cloud Summit Germany - wir sind dabei!
data:image/s3,"s3://crabby-images/922b2/922b2a4b7e0d658e3b78cad98f6a0ce37529147f" alt=""
CLOUDPILOTS mit Google Cloud @ SCCON 2024
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Braucht man wirklich jQuery?
data:image/s3,"s3://crabby-images/79dc7/79dc73f45e3b7681ccffde27b2bb31b29e66c0de" alt="christmas woman"
First Tuesday am 12.12.2023
data:image/s3,"s3://crabby-images/36a2b/36a2b8401e86f44d21de0a9283f98731268fcd9c" alt=""
First Tuesday am 03.09.2024
data:image/s3,"s3://crabby-images/a38e3/a38e3873949910d7e4699fbbaa3952daa4ec4f4a" alt=""
First Tuesday am 04.02.2025
data:image/s3,"s3://crabby-images/3bef6/3bef6729b0cac2c78fb74dc715d9b0d4d14bb160" alt=""
Migration von HOST-Anwendungen zu AWS: Modernisierung
data:image/s3,"s3://crabby-images/62a63/62a638bc27d66ad529e018e27429f5f163507e52" alt="Junger Business Mann der seinen Erfolg feiert"
Wir sind 2024 Google Cloud Sales Partner of the Year - Alps!
data:image/s3,"s3://crabby-images/76110/761102229dd424c5bb95454db0d68214f45b516f" alt=""
Meet CLOUDPILOTS @ Hannover Messe
data:image/s3,"s3://crabby-images/50db6/50db68103f13c0f6107ac4776901fc0860641ab1" alt="Schreibtisch"
Anhänge nach Datentyp in PowerApps einschränken
data:image/s3,"s3://crabby-images/eac07/eac0769a7ae9d0223424d700ec43e8d9e4ffd3d9" alt="Blue sky and clouds"
Vorgesetzte in Nintex per LDAP-Abfrage ermitteln
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Migration IBM Lotus Notes zu Microsoft SharePoint
data:image/s3,"s3://crabby-images/0d11e/0d11e73538256b0de3e3e7d1a8cf96aabd2d0ccf" alt="Blue sky and clouds"
Angular Route-Guards
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Dateizugriffsrechte verwalten mit Microsoft RMS – Teil 3
data:image/s3,"s3://crabby-images/3aab6/3aab6072b17eac987db643517a72b46f5a5627b7" alt="Qualitätsmanagement Close up shot of female hands typing on laptop"
SharePoint vs. TYPO3 – Sechs Gründe für SharePoint-Intranet
data:image/s3,"s3://crabby-images/cb37c/cb37cfd3b7907f953a805530c5461f650e674eda" alt="Interessiertes Publikum sinnbildlich für IBM Think 2019"
X-INTEGRATE auf der IBM THINK 2019
data:image/s3,"s3://crabby-images/2d0a1/2d0a1eb6881684c574c3e84130230e9975dae636" alt="novaWorxx Provisioning Drei Personen in einer Besprechung an einem Tisch besprechen den Zeitplan auf ihrem Microsoft-Laptop"
Die Bedeutung einer Governance
data:image/s3,"s3://crabby-images/eac07/eac0769a7ae9d0223424d700ec43e8d9e4ffd3d9" alt="Blue sky and clouds"
Farben zur Optimierung des SharePoint-Kalender
data:image/s3,"s3://crabby-images/e781c/e781cf33703346c65cf02ab6c427b43cd82d1031" alt=""
First Tuesday am 05.11.2024
data:image/s3,"s3://crabby-images/7ca5e/7ca5e943305bfcc779536e6c16a6cf9e4b7c8388" alt="Junge Dame mit Brillen umgeben von Wolken"
First Tuesday am 04.06.2024
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Produktiver lernen mit SharePoint
data:image/s3,"s3://crabby-images/dfecd/dfecd423677cbd0975ec2de4dbeaffd5f63105ae" alt="Abheben in die Cloud Close up of female hands while typing on laptop"
Grundlagen der Gestaltung
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
PDF-Konverter in Power Automate
data:image/s3,"s3://crabby-images/2db4f/2db4f56455ddf3730c8e79b2d6174dabb156d127" alt=""
DevOps und APIOps in der Praxis: Best Practices
data:image/s3,"s3://crabby-images/272bc/272bc0dd819a360bd3a7602163c14bb5d8313cfd" alt=""
Kostenloses Webinar Freshworks Freddy AI am 22. Oktober 2024
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Was kann der neue Office 365 Planner – und was kann er nicht
data:image/s3,"s3://crabby-images/0ea62/0ea626b7ba284fcafbd0db52a8095226aaa81197" alt="Zwei Frauen schauen gemeinsam auf einen Bildschirm"
Umfragen in Teams mit Microsoft Forms
data:image/s3,"s3://crabby-images/284e8/284e8daf0fff685d68802b5d89a68c467346df95" alt="News der novaCapta"
Zentralisiertes Logging – Simpler Logging-Stack mit Graylog
data:image/s3,"s3://crabby-images/dfecd/dfecd423677cbd0975ec2de4dbeaffd5f63105ae" alt="Abheben in die Cloud Close up of female hands while typing on laptop"
Qualitätsmanagement - Dokumentation verwalten mit SharePoint
data:image/s3,"s3://crabby-images/4c58c/4c58ce51fcd0946779b53cb7b57e0f8b09698c48" alt=""
"DevOps, quo vadis?" – Team Topologien
data:image/s3,"s3://crabby-images/0d11e/0d11e73538256b0de3e3e7d1a8cf96aabd2d0ccf" alt="Blue sky and clouds"
Hat Ihr Unternehmen einen Informations-Lebenszyklus?
data:image/s3,"s3://crabby-images/e284a/e284ac735414669d3b63672191c1ac075a0bafba" alt=""
Die Zukunft datenbankzentrierter IT-Architekturen
data:image/s3,"s3://crabby-images/8ca07/8ca072f7793494c0594a11d3321f389a9a9845fb" alt=""
DevOps? Warum APIOps der nächste logische Schritt ist
data:image/s3,"s3://crabby-images/e7d5f/e7d5fa775b1563a2db29d0b304f29a4badf4c436" alt="Team of programmers working in office"
Was Sie beim nächsten IT-Projekt beachten sollten
data:image/s3,"s3://crabby-images/e37e1/e37e1b697a2b0507d6f1d30a07d9e74eae9ca497" alt="clever korean school girl"
First Tuesday am 18.01.2024
data:image/s3,"s3://crabby-images/f5880/f5880886bae5983a970271c2437bc068f166359f" alt=""
First Tuesday am 16.04.2024
data:image/s3,"s3://crabby-images/5c115/5c115c62af13cb27688fea386a10cd0e20b60f19" alt=""
First Tuesday am 05.03.2024
data:image/s3,"s3://crabby-images/1a9fd/1a9fd669e368a05e01dc269f3fa21bc3317e21ba" alt=""
First Tuesday am 02.07.2024
data:image/s3,"s3://crabby-images/1601e/1601ef458f5dd1c551ccaa9531c5b973ccbf8448" alt=""
First Tuesday am 08.10.2024
data:image/s3,"s3://crabby-images/e0236/e0236162f0ca7ccdd793599925451b9867e7e150" alt=""
First Tuesday am 10.12.2024
data:image/s3,"s3://crabby-images/a6d86/a6d865870623d64d80b8e27ae934f1b881fd9609" alt=""
Deno – Das müsst ihr über die Laufzeitumgebung wissen
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
SharePoint und Informationsarchitektur – worauf kommt es an?
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Dateizugriffsrechte verwalten mit Microsoft RMS – Teil 4
data:image/s3,"s3://crabby-images/73fb0/73fb0408df8ba89400d1775b3bdf3be804a1c6dc" alt="Hands of man using online virtual app on mobile phone. Millennial guy chatting on smartphone, using banking services, reading text message, typing, shopping, making call, browsing internet. Close up"
Dateizugriffsrechte verwalten mit Microsoft RMS – Teil 1
data:image/s3,"s3://crabby-images/0ea62/0ea626b7ba284fcafbd0db52a8095226aaa81197" alt="Zwei Frauen schauen gemeinsam auf einen Bildschirm"
Corporate News – Das zentrale Medium interner Kommunikation
data:image/s3,"s3://crabby-images/dfecd/dfecd423677cbd0975ec2de4dbeaffd5f63105ae" alt="Abheben in die Cloud Close up of female hands while typing on laptop"
Was ist Application Lifecycle Management (ALM)?
data:image/s3,"s3://crabby-images/4d03e/4d03e4eb325fba0ea1e5ab6aebe580394d906581" alt="novaCapta: Ihr Partner für die digitale Transformation mit Microsoft Technologien"
Angular 5 Custom Filter in Angular Material Data-Table
data:image/s3,"s3://crabby-images/0ea62/0ea626b7ba284fcafbd0db52a8095226aaa81197" alt="Zwei Frauen schauen gemeinsam auf einen Bildschirm"
Change Management in IT-Projekten
data:image/s3,"s3://crabby-images/036d2/036d22ca9af6bee64f5187023cbff93dfae50f44" alt="Eine Angestellte lädt auf ihrem Handy die Microsoft Teams App für digitale Zusammenarbeit herunter."
Microsoft Teams: mehr als Videotelefonie und Chat
data:image/s3,"s3://crabby-images/cdfe7/cdfe720841d751842c2458db0948da35e5f6b602" alt="Programmer Woman Coding On Computer"
Ohne Programmierkenntnisse zum Entwickler werden
data:image/s3,"s3://crabby-images/83e93/83e9370af46c898aa46f65e57cc388d1c8fb7415" alt="Phishing, mobile phone hacker or cyber scam concept. Password and login pass code in smartphone. Online security threat and fraud. Female scammer with cellphone and laptop. Bank account security."
Die Awareness kommt mit dem ersten Cyberangriff
data:image/s3,"s3://crabby-images/45a1c/45a1c5fcde266cd153b4bf45544814a051bac4ec" alt=""
Effiziente DevOps-Teams: Teamschnitte und Kommunikation
data:image/s3,"s3://crabby-images/036d2/036d22ca9af6bee64f5187023cbff93dfae50f44" alt="Eine Angestellte lädt auf ihrem Handy die Microsoft Teams App für digitale Zusammenarbeit herunter."
Microsoft Teams für digitale Zusammenarbeit
data:image/s3,"s3://crabby-images/55426/55426c7abb59780ac84c06d1faa19b26e3fbd3ac" alt="DevOps Young beautiful woman working on laptop at home office, copy space, portrait."
DevOps für Prozessoptimierung im Unternehmen | novaCapta
data:image/s3,"s3://crabby-images/27345/27345b4d8f7d4db5e31e20abc1d0f7fc0679e631" alt="Microsoft Teams as a Platform Happy lifestyle digital nomad young cheerful woman work outdoor with laptop computer - people and modern technology job and communication related - alternative office at the beach"
Apps für Microsoft Teams entwickeln
data:image/s3,"s3://crabby-images/c4327/c432760cb3c51cb198fa1ad7196ac9227bc84189" alt="Desktopvirtualisierung mit Azure oder Windows Eine Expertin erläutert Kollegen .NET Code in einer Software-Entwicklungsumgebung."
Individuelle Softwareentwicklung und -integration
data:image/s3,"s3://crabby-images/b85ab/b85ab88ef3ebd317898f99fd1d394e17d9ea37db" alt="medicine, healthcare and people concept - female doctor with tablet pc computer talking to smiling woman patient at hospital"
Apps als Medizinprodukt
data:image/s3,"s3://crabby-images/55426/55426c7abb59780ac84c06d1faa19b26e3fbd3ac" alt="DevOps Young beautiful woman working on laptop at home office, copy space, portrait."
novaCapta hat neue Gold-Kompetenz für DevOps
data:image/s3,"s3://crabby-images/7b04f/7b04f48666a918c9b9b0dd4018a876bbdbd0fc86" alt="Beladenes Containerschiff auf dem Meer"
dteq: Webbasiertes Projektmanagement
data:image/s3,"s3://crabby-images/79baa/79baa77bdefc4e082a80c8a02a61bbab62dcfa91" alt=""
9 Tipps & Tricks für Angular
data:image/s3,"s3://crabby-images/1013c/1013cf331e61f16026913a34b489986128c14598" alt="Für versicherungsmathematische Berechnungen, Projektionen, die Gewinnprüfung, stochastische Modellierung und das Asset-Liability-Management ist ein modernes Framework unverzichtbar. Was muss es im Spannungsfeld gesetzlicher und unternehmerischer Hürden leisten? Und was muss aktuarielle Software mitbringen, wenn sie den Herausforderungen von heute und morgen gerecht werden will?"
Eine Frage des Frameworks
data:image/s3,"s3://crabby-images/f1777/f1777edc423c1605df2bb5c491d5a8a131d5ce4c" alt="Tipps & Tools für eine erfolgreiche interne Kommunikation Happy male business team leader talking to employees at corporate meeting, discussing work project, sharing jokes, laughing. Positive mentor training diverse group of interns, having fun"
Tipps & Tools für eine erfolgreiche interne Kommunikation
data:image/s3,"s3://crabby-images/78b51/78b514c7c9a6fbd2eed5ddc4b7d6f01a9b43ea3a" alt="Female student using laptop on desk at library"
Fachbeitrag der novaCapta: Das personalisierte Intranet
data:image/s3,"s3://crabby-images/b986b/b986b3f8670968ea0c88b7e36ca3aec6f56287dc" alt="Mit Edge Computing IoT-Daten nahezu in Echtzeit verarbeiten Headerbild für Edge Computing"
Edge Computing
data:image/s3,"s3://crabby-images/24e7f/24e7f4f5c44ca284b93efc0b76b98cee2b89deff" alt="Cyber Security: Interview mit Sebastian Nipp Phone lock code. Smartphone protection with 2fa (two factor authentication). Smartphone protection and security with pin number. Encrypted data. Personal online privacy. Cyber hacker threat."