#nhibernate
Explore tagged Tumblr posts
Text
Ücretsiz Yazılım Eğitimleri: Java ve Blazor Teknolojilerine Hakim Olun!
Albatu YouTube kanalı, yazılım geliştirme alanında kapsamlı ve ücretsiz eğitim serileri sunmaktadır. Özellikle Java ve Blazor teknolojilerine odaklanan bu eğitimler, hem temel seviyedeki geliştiriciler hem de deneyimli yazılımcılar için değerli kaynaklar içermektedir. 1. Ücretsiz Full Java Eğitimleri Bu oynatma listesi, Java programlama diline giriş yapmak isteyenler için idealdir. Temel Java…
#.net#blazor#entity framework#nhibernate#ücretsiz blazor eğitimleri#ücretsiz entity framework eğitimleri#ücretsiz java eğitimleri#ücretsiz nhibernate eğitimleri#Ücretsiz yazılım eğitimi
0 notes
Text
Having spent time as both developer and DBA, I’ve been able to identify a few bits of advice for developers who are working closely with SQL Server. Applying these suggestions can help in several aspects of your work from writing more manageable source code to strengthening cross-functional relationships. Note, this isn’t a countdown – all of these are equally useful. Apply them as they make sense to your development efforts. 1 Review and Understand Connection Options In most cases, we connect to SQL Server using a “connection string.” The connection string tells the OLEDB framework where the server is, the database we intend to use, and how we intend to authenticate. Example connection string: Server=;Database=;User Id=;Password=; The common connection string options are all that is needed to work with the database server, but there are several additional options to consider that you can potentially have a need for later on. Designing a way to include them easily without having to recode, rebuild, and redeploy could land you on the “nice list” for your DBAs. Here are some of those options: ApplicationIntent: Used when you want to connect to an AlwaysOn Availability Group replica that is available in read-only mode for reporting and analytic purposes MultiSubnetFailover: Used when AlwaysOn Availability Groups or Failover Clusters are defined across different subnets. You’ll generally use a listener as your server address and set this to “true.” In the event of a failover, this will trigger more efficient and aggressive attempts to connect to the failover partner – greatly reducing the downtime associated with failover. Encrypt: Specifies that database communication is to be encrypted. This type of protection is very important in many applications. This can be used along with another connection string option to help in test and development environments TrustServerCertificate: When set to true, this allows certificate mismatches – don’t use this in production as it leaves you more vulnerable to attack. Use this resource from Microsoft to understand more about encrypting SQL Server connections 2 When Using an ORM – Look at the T-SQL Emitted There are lots of great options for ORM frameworks these days: Microsoft Entity Framework NHibernate AutoMapper Dapper (my current favorite) I’ve only listed a few, but they all have something in common. Besides many other things, they abstract away a lot of in-line writing of T-SQL commands as well as a lot of them, often onerous, tasks associated with ensuring the optimal path of execution for those commands. Abstracting these things away can be a great timesaver. It can also remove unintended syntax errors that often result from in-lining non-native code. At the same time, it can also create a new problem that has plagued DBAs since the first ORMs came into style. That problem is that the ORMs tend to generate commands procedurally, and they are sometimes inefficient for the specific task at hand. They can also be difficult to format and read on the database end and tend to be overly complex, which leads them to perform poorly under load and as systems experience growth over time. For these reasons, it is a great idea to learn how to review the T-SQL code ORMs generate and some techniques that will help shape it into something that performs better when tuning is needed. 3 Always be Prepared to “Undeploy” (aka Rollback) There aren’t many times I recall as terrible from when I served as a DBA. In fact, only one stands out as particularly difficult. I needed to be present for the deployment of an application update. This update contained quite a few database changes. There were changes to data, security, and schema. The deployment was going fine until changes to data had to be applied. Something had gone wrong, and the scripts were running into constraint issues. We tried to work through it, but in the end, a call was made to postpone and rollback deployment. That is when the nightmare started.
The builders involved were so confident with their work that they never provided a clean rollback procedure. Luckily, we had a copy-only full backup from just before we started (always take a backup!). Even in the current age of DevOps and DataOps, it is important to consider the full scope of deployments. If you’ve created scripts to deploy, then you should also provide a way to reverse the deployment. It will strengthen DBA/Developer relations simply by having it, even if you never have to use it. Summary These 3 tips may not be the most common, but they are directly from experiences I’ve had myself. I imagine some of you have had similar situations. I hope this will be a reminder to provide more connection string options in your applications, learn more about what is going on inside of your ORM frameworks, and put in a little extra effort to provide rollback options for deployments. Jason Hall has worked in technology for over 20 years. He joined SentryOne in 2006 having held positions in network administration, database administration, and software engineering. During his tenure at SentryOne, Jason has served as a senior software developer and founded both Client Services and Product Management. His diverse background with relevant technologies made him the perfect choice to build out both of these functions. As SentryOne experienced explosive growth, Jason returned to lead SentryOne Client Services, where he ensures that SentryOne customers receive the best possible end to end experience in the ever-changing world of database performance and productivity.
0 notes
Text
Optimizing Performance in .NET Applications: Tips and Techniques
In today's technology-driven world, performance optimization is paramount for any software application, and .NET developers must strive to create fast, responsive, and efficient applications to meet user expectations. Optimizing performance in .NET applications not only enhances the user experience but also leads to cost savings and better resource utilization. In this article, we will explore various tips and techniques to optimize the performance of .NET applications, ensuring they deliver optimal results and remain competitive in the market.

Optimizing Performance in .NET Applications
Profiling Your Application:
Before diving into optimization, it's essential to identify the performance bottlenecks in your .NET application. This can be achieved through profiling, where you analyze the application's execution flow, memory usage, and CPU consumption. Profiling tools like Visual Studio Profiler and dotTrace can help identify areas that require improvement, guiding you towards effective optimization strategies.
Efficient Memory Management:
Proper memory management is crucial to prevent memory leaks and excessive garbage collection, which can impact performance. Utilize the IDisposable pattern to release unmanaged resources, and avoid unnecessary object instantiation and boxing. Opt for value types when appropriate and implement object pooling to reduce memory churn and enhance application responsiveness.
Asynchronous Programming:
Leveraging asynchronous programming with async/await in .NET allows applications to perform non-blocking operations, making them more responsive. Asynchronous methods enable parallel execution of tasks, especially in I/O-bound operations, reducing waiting times and improving overall application performance.
Caching for Improved Response Times:
Implement caching mechanisms to store frequently accessed data, reducing the need for repeated database queries or expensive calculations. In-memory caching with technologies like MemoryCache or distributed caching with Redis can significantly improve response times and alleviate the load on backend resources.
Data Access Optimization:
Efficient data access is crucial for high-performing applications. Use database indexing and query optimizations to retrieve only the necessary data. Employing an Object-Relational Mapping (ORM) tool like Entity Framework, Dapper, or NHibernate can optimize data retrieval and simplify database interactions.
Efficient Collection Manipulation:
When working with collections, prefer List<T> over arrays, as List<T> provides dynamic resizing and additional methods, offering better performance. Use the appropriate collection type for specific scenarios to optimize memory usage and improve code efficiency.
Avoid String Concatenation:
String concatenation using the '+' operator can create numerous intermediate string objects, affecting performance. Utilize StringBuilder or string interpolation to efficiently build strings and reduce memory overhead.
Optimizing Loops:
A proficient dotnet development company minimizes work within loops, particularly in performance-critical sections. They cache loop boundaries, precalculate values outside the loop, and avoid unnecessary iterations, optimizing execution time.
Just-In-Time (JIT) Compilation:
.NET's Just-In-Time (JIT) compilation translates Intermediate Language (IL) code into native machine code during runtime. Pre-JIT or NGen (Native Image Generator) compilation can improve application startup time by avoiding JIT overhead.
Use Structs for Lightweight Data:
For small data structures that require frequent allocation, consider using structs instead of classes. Structs are value types and are allocated on the stack, reducing heap allocations and garbage collection overhead.
Monitor Application Performance:
Continuously monitor your .NET application's performance in production to identify any new bottlenecks or performance issues. Tools like Application Insights and Azure Monitor can provide valuable insights into application behavior and performance.
Load Testing and Scalability:
Conduct load testing to assess how your application performs under various load conditions. This allows you to identify potential performance issues and ensure scalability to handle increased user traffic.
Conclusion:
Optimizing performance in dotnet application development services is an ongoing process that demands constant evaluation, monitoring, and improvement. By following the tips and techniques discussed in this article, you can create high-performing .NET applications that offer a seamless user experience, maximize resource efficiency, and gain a competitive edge in today's fast-paced digital landscape. Striving for performance excellence not only benefits your users but also enhances your organization's reputation and drives success in the ever-evolving world of software development.
#dotnet development company#dotnet development services#asp.net application development company#dotnet application development services
0 notes
Text
Entity Framework is an open-source and object-relational mapping (ORM) framework and used to include business logic in the application. Entity framework developed by Microsoft and first released in 2008 and no source code was available to be used for free because of license but now it is free to be used. Entity Framework is similar to another object-relational framework and provides mechanisms for data storage and data access from the database.
In this blog, we have discussed the similarities and differences between Entity Framework and NHibernate. Entity Framework and NHibernate are Object-relational mapping frameworks (ORM) and are used to map database schema to domain objects in any object-oriented language.
#entity framework#nhibernate#entity framework vs nhibernate#similarities of entity framework and nhibernate#.net development#asp.net development#.net#asp.net#software outsourcing#software development
0 notes
Photo
Which ORM model is suitable for Asp.net application- Nhibernate V/S Entity Framework?
Read more at: https://bit.ly/2N1IOsd .
#ifourtechnolab#entity framework#nhibernate#asp.net#orm#dotnet#custom software development#blockchain consulting
0 notes
Photo

Time for some reading - @hmehta88 brushing up on his #nhibernate skills #digitalproducts #bredigital #coderlife (at BRE Group History (Building Research Establishment))
0 notes
Link
Free Coupon Discount - NHibernate in ASP.NET WEB API, NHibernate advanced. Using this ORM in WebService and mapping for relations one-to...
0 notes
Link
Estamos em busca de um profissional para atuar como Desenvolvedor Back-end .NET CORE em projetos de transformação digital. Você irá desenvolver ferramentas inovadoras que proporcionam a melhor experiência para os usuários de uma grande empresa. Para essa vaga, é necessário conhecimento nas seguintes tecnologias: Dot.NET ASP.NET Web Service (WCF) Web API Entity Framework/NHibernate HTML5 Javascript GIT Se você tiver conhecimento em testes de unidade, testes integrados, JQuery, XML, CSS, Bootstrap e Informatica PowerCenter, será considerado um grande diferencial para a oportunidade. Para o Banco de Dados, é importante ter experiência em Oracle e PL/SQL. Principais responsabilidades: Implementação das melhores práticas de performance de sistemas Suporte aos usuários do sistema corporativo de Capitalização Correção de defeitos e desenvolvimento de novas funcionalidades Automatização e execução de testes Suporte à homologação Análise e entendimento de novas necessidades Elaboração de documentação de projetos (especificação funcional, técnica e plano de testes) A vaga é 100% remota. Se você se interessou por essa oportunidade, candidate-se a nossa vaga. Ficaremos felizes em compartilhar essa experiência com você. “Grandes coisas em termos de negócios nunca são feitas por uma pessoa. São feitas por uma equipe de pessoas”. Benefícios: Não informado. Experiência: Salário de R$ 9500. Cargo: Desenvolvedor Back-end. Empresa: Innolevels. Atua no ramo de informática e tecnologia com reparação e manutenção de computadores e equipamentos periféricos.
0 notes
Text
PATIENT EDUCATION APPLICATION
Executive Summary
Patient Education Application is a web application built to be used by patients visiting a doctor’s clinic. The application is meant to be accessed on smartphones and tablets. This application has been built using ASP.NET MVC 3 Framework, with a SQL Server 2008 backend, and involves NHibernate for database mappings. The client for this project specializes in providing enterprise health IT and point-of-care (POC) applications for patient care, education and research that are compatible with touch enabled mobile devices such as the iPad, iPhone, Android tablets and Smartphones.
Main features of the application:
Microsoft ASP.NET MVC 3 Framework
NHibernate
Full Text Search using SQL Server 2008
Various content types: Videos, Diagrams, Drugs, Conditions
Support for multiple video formats, including mp4, swf, flv, youtube, vimeo etc
Editing a diagram
Facility of importing a doctor’s content
Creating and editing of content by doctors
Options for printing and emailing content by patients
About our Client
Client Description: Healthcare IT Service Provider
Client Location: USA
Industry: Healthcare
Technologies
Microsoft ASP.NET MVC 3 Framework, NHibernate, SQL Server 2008
Download Full Case Study
0 notes
Text
CSN Mineração está com oportunidades de emprego abertas para início imediato
A CSN Mineração S.A., segunda maior exportadora de minério de ferro do Brasil e uma das cinco empresas mais competitivas no mercado transoceânico, está com diversas vagas de emprego para profissionais com experiência no setor. Dessa forma, caso possua interesse em trabalhar em uma empresa de grande porte, esse é o momento! Abaixo listaremos apenas alguns dentre as diversas oportunidades.
Veja a seguir detalhes sobre as vagas de emprego abertas pela CSN Mineração para profissionais que desejem participar de seus processos seletivos
Analista de Tecnologia da Informação (Desenvolvedor) — Presencial
Para esta vaga a CSN busca um profissional de TI com perfil para Desenvolvimento. Os requisitos necessários para ocupar esse cargo são que o profissional tenha formação em Ciência da Computação ou afins, tenha experiência consolidada em atuação com sistema da informação.
Além disso, é importante que tenha experiência nas ferramentas: .Net ou .Net Core C# Desenvolvimento Web: ASP.NET MVC, Web API REST e SOAP, HTML, CSS, JavaScript Windows Services .NET SQL(linguagem) e Microsoft SQL Server Versionamento de código com Git.
São conhecimentos desejáveis na área: Gestão de projetos; Métodos ágeis; Reporting Services; ORM (NHibernate e Entity); Microsoft ASP.NET Web Forms; SQL Server Integration Services (SSIS); Conceitos de Devops; Conceitos de integração contínua (CI/CD) com Azure Devops; Framework Javascript / Typescript( React, Angular, etc); HTML5, Bootstrap e Material design.
Especialista em Manutenção
Para ocupar essa vaga, a empresa solicita que o candidato tenha formação completa em ensino superior. Além disso, é importante que o profissional tenha conhecimentos em processos de fabricação de cimento e seus principais equipamentos, moinhos de cimentos (preferencialmente moinhos verticais). Assim como, conhecimento de metodologias de inspeção preditiva e não destrutiva (vibrações, termografia, análise de lubrificantes, END); Sistema SAP módulo PM e Softwares de gestão de projetos (preferencialmente MS Project).
Confira outras oportunidades de emprego abertas pela Mineradora
Especialista Jurídico
De acordo com o anúncio, são requisitos importantes para conseguir essa vaga, que o candidato tenha formação completa em ensino superior em Direito, assim como especialização em Direito Ambiental.
Também é requerido uma vasta experiência na área de Direito Ambiental com foco na atividade de mineração, incluindo, acompanhamento/apoio jurídico a processos de licenciamento ambiental. São itens desejáveis que o profissional tenha experiência em Direito Fundiário/Imobiliário e Pós-graduação no nível Especialização.
Mecânico — Operador de Máquinas Operatrizes
Para ocupar a vaga de operador de máquinas operatrizes, a empresa anunciou como requisito o conhecimento em leitura e interpretação de desenhos, conhecimentos em usinagem, operação de máquinas operatrizes convencionais, tais como tornos horizontais, mandrilhadoras, fresadoras, furadeiras radiais, plaina vertical e horizontal.
As atividades que serão realizadas por esse cargo serão voltadas a preparar, regular e operar máquinas-ferramenta de usinar peças, controlar os parâmetros e a qualidade das peças usinadas, aplicando procedimentos de segurança às tarefas realizadas. Interpretar processo de fabricação e realizar manutenção de primeiro nível.
O post CSN Mineração está com oportunidades de emprego abertas para início imediato apareceu primeiro em Petrosolgas.
0 notes
Text
Best ASP.NET Tools Recommendations for Building Website In 2022

ASP.NET is open-source software that is predominantly used for deploying web development services by web developers. Developed by Microsoft, the integrated and sophisticated infrastructure ingrained in the asp.net entity framework expands itself into the entirety of web-based applications.
Released in 2002 as a 1.0 server-side version of the .NET Framework, its purpose lies in building dynamic websites, web applications, web services, and other web page creation processes.
The codes of the application are prominently performed and can be seen under usage when you hire .NET developer in the following programming languages:-
● C#
● J#
● JavaScript
● VisualBasic.Net
ASP.NET Framework
● ASP.NET tabulates itself into a cross-platform framework; irrespective of Microsoft's development, its application is possible on other OS platforms besides Windows-like Linux, macOS, and Docker. The asp.net entity framework used here is the standard and overall accepted HTTP protocol that forms the base.
● The architectural forums utilized under the ASP.NET framework includes the following:-
❖ Language:
Programming languages used under ASP.NET are C##, J##, JS, but most importantly, VisualBasic.NET or VB.NET.
❖ Library:
Asp.net includes a resourceful library from .NET as well as more common web-patterned libraries. The predominantly regarded one is MVC, or Model View Controller, which has been used for various web-based applications. The three roles adjoining the composite framework of MVC are layers of business, display, and input control.
❖ Common Language Runtime:
CLR serves as the execution forum for all .NET programming. The main applications and execution formulae as undertaken by CLR are being the interface for:-
● Activating Objects
● Checking Security
● Mapping memory for final execution
● Taking care of the residue garbage
Some other third-party frameworks deployed are:-
❖ Base One Foundation Component Library:
The BFC is borne out of the RAD entity frameworks that are the descendants of the .NET database for deploying computing applications immensely.
❖ DotNetNuke:
Via the enroute of modules, skins, and providers, DotNetNuke is another open-source platform that juts its head in the form of deployer and enhancer of web-based applications and content management processes.
❖ Castle MonoRail:
Under the common usage of Castle Active Record and built on layers of ORM from NHibernate, the open-source platform consists of execution principles from MVC and a model comprising the habitats of Ruby on Rails.
● As ASP.NET is a subset of .NET, the programming languages used under its framework can have access to any .NET compliant languages. Also, due to its in-built integration and association with .NET, the server-side web application deployer can easily create dynamic web pages with simplified processes.
When you hire web developers, seek the knowledge of ASP.NET, the importance of .NET, and the asp.net framework designated with them as they are potentially desirable.
#.net developers#dot net developer#asp.net web developer#hire.net developer#hire dot net developer#hire asp.net developer#asp.net developers
0 notes
Text
Fulll Stack - Senior Software Engineer - C#, .NET, Angular Job For 4-7 Year Exp In Reuters Corporation Hyderabad / Secunderabad, India - 3904585
Fulll Stack – Senior Software Engineer – C#, .NET, Angular Job For 4-7 Year Exp In Reuters Corporation Hyderabad / Secunderabad, India – 3904585
Job DescriptionMandatory:.4+ years of experience with C# and .NET 4.5.1..3+ years of experience with Angular / Angular JS..4+ years of experience on REST based services like ASP.NET Web API..3+ years of experience with Microsoft SQL Server / Postgres..2+ years of experience on ORMs like Entity Framework / NHibernate..Strong Coding standards with Unit testing..Experience with Microsoft Team…
View On WordPress
0 notes
Link
Job description
Key Responsibilities: Envision Product Design and Development from the ground up Implementation of systems architecture to meet the changing industry and competitive demands Develop, implement, and maintain architecture standards to create efficiency, quality, and agility Identify opportunities for improvement in the current overall architecture, propose application architecture for upcoming systems Demonstrated expertise in the implementation, and maintenance of large-scale software systems and defining a new architecture
Technical Experience: Proficiency in .NET 4.5/.NET CORE Experience in developing ASP.NET MVC ASP.NET Core MVC applications knowledge of Entity Framework NHibernate ADO.NET Proficient knowledge in MSSQL Database design including indexes and data integrity Writing tests with NUnit XUnit Implementing enterprise application patterns Understanding of HTML, JS, and CSS Familiarity with the client-side framework jQuery Angular 1 Angular 2 React other Familiarity with Azure Web Apps AWS Cloud
Professional Attributes: Excellent interpersonal, communication, presentation consultative skills for effective relationships and planning long term projects Strong problem solving, analytical, and decision-making skills and experience Ability to balance between most ideal and most pragmatic solutions that meet the business
Technology: Asp.Net, MVC,.Net Core, C#, Entity Framework, Angular JS *Working with at least one JavaScript framework (Angular, React), TypeScript *Good knowledge of jQuery/Bootstrap/CSS *Strong experience in coding and Good Command in MSSQL Server development.
Role - Software Developer
Industry Type - IT Services & Consulting
Functional Area - IT Software - Application Programming,Maintenance
Employment Type - Full Time, Permanent
Role Category - Programming & Design
Education - UG :B.Tech/B.E. in Any Specialization
PG - Post Graduation Not Required
Doctorate - Doctorate Not Required
Key Skills -
C#
Angularjs
Javascript
HTML
JSON
API
SQL Server
Asp.Net Core Mvc
ASP.Net MVC
React.Js
JQuery
AWS
1 note
·
View note
Text
Senior Applications Developer (Remote)
Overview
Managed Business Solutions is seeking a Senior Web Applications Developer to support our enterprise application development efforts.
The Web Applications Developer will perform development activities throughout the entire software life cycle, from functional requirements through testing, post-production and maintenance in primarily an agile development environment.
This is a telecommuting (virtual) role that supports our federal clients and requires a US Citizenship.
Responsibilities
Technical Responsibilities Perform server-side development using .Net, .Net Core Utilize ORMs such as Entity Framework (code-first), NHibernate (fluent), Mongoose, etc.
Utilize relational databases (SQL Server) Implement user interfaces applying usability and user experience best practices Front-end and mid-tier focus along with server-side development in combination of new builds and legacy applications Team Responsibilities Participate in requirements definition to ensure development team has all necessary information Participate in an Agile project team (and help provide input on planning) Support multiple project/client needs as needed to stay aware of team needs, upcoming schedules, long-term support and new build processes in support of our federal, state government and commercial clients Suggest and explore new tools to improve processes
Qualifications
Technical Qualifications Expertise using C#, ASP.Net within MVC framework, Entity Framework Working knowledge of version control and Continuous Integration within (Git, TFS, Jenkins).
Minimum 5+ years in software development with focus on front-end development with mix of mid-tier applications Experience working in an Agile Environment UI/UX design experience is a plus Experience working with JavaScript, HTML5, CSS Other Qualifications Must work well in a team environment and be flexible as workloads and priorities change Must be an experienced, self-motivated software developer capable of working remotely, able to define and solve problems Bachelor’s Degree in Computer Science or related field preferred Desired Skills: Awareness of SQL Reporting Services (SSRS), Business Intelligence concepts Understanding of WPF, XAML Understanding of Cloud development (Azure, AWS) Understanding of Docker and similar systems Understanding of 508 compliance, WCAG 1.0-2.0, etc.
In-depth knowledge of JavaScript and related libraries (React, AngularJS, etc.), and of Node.js and relevant packages (Gulp, Bower, Grunt, Other NPM packages) Environment (Working conditions, physical requirements) : This position will require moving of up to 10 lbs.
This position will be mostly stationary requiring some movement around the office and frequent communication with others.
The average working hours will be 8 hours per day for this position with occasional need to exceed.
To perform this job successfully, an individual must be able to perform each essential duty satisfactorily.
Reasonable Accommodations will be made to enable qualified individuals with disabilities to perform the essential functions.
EOE M/F/D/V/SO
The post Senior Applications Developer (Remote) first appeared on Remote Careers.
from Remote Careers https://ift.tt/3xN3nOZ via IFTTT
0 notes
Text
Empresa de grande porte tem vagas de emprego para área de tecnologia (desenvolvedor e analista) para níveis sênior e pleno em São Paulo (SP) e Minas Gerais (MG)
A CSN – Companhia Siderúrgica Nacional está com vagas de emprego disponíveis para quem deseja trabalhar com tecnologia da informação (desenvolvedor, analista e outros) em Minas Gerais (MG) e São Paulo (SP). Em suma, a contração ocorre na modalidade efetiva, garantindo direito a férias remuneradas e outras vantagens. Além disso, o profissional atuará presencialmente sem a possibilidade de home office ou sistema híbrido.
As oportunidades da instituição estão dispostas no Linkedin. Para tal, é crucial que o candidato tenha um perfil na rede social para que faça o envio atualizado do seu currículo junto às formas de contato para que o setor de Recursos Humanos consiga se comunicar caso tenha o perfil selecionado.
youtube
Vagas de emprego CSN – Companhia Siderúrgica Nacional
Veja, abaixo, quais são as vagas de emprego para São Paulo (SP) e Minas Gerais (MG) dispostas pela CSN – Companhia Siderúrgica Nacional para quem deseja atuar presencialmente com tecnologia da informação (TI) em nível pleno e sênior.
Analista de Tecnologia da Informação Sr. (Desenvolvedor) – Presencial
Para atuar como analista de tecnologia da informação sênior, o profissional deverá ter conhecimentos em algumas ferramentas específicas, tais como SQL(linguagem) e SQL Server, conceitos de Agilidade (SCRUM), HTML, HTML5, CSS,, JavaScript, React.js, Jquery, .Net e .Net Core, C#, Asp.net MVC, .NET Web Api, WCF, .net Webform, Windows Services, ORM (Nhibernate e Entity), Reporting Services e Versionamento de código com Git.
Para ter um perfil de destaque, é desejável que esteja cursando a pós-graduação em sistemas da informação e inglês de nível intermediário a fluente. Ter conhecimentos com marcas de devops e serviços de mensageria, tais como RabbitMQ, Apache Kafka, etc, são diferenciais.
Clique aqui para se candidatar à vaga de Analista de Tecnologia da Informação Sr. (Desenvolvedor) – Presencial.
Analista TI Pleno – SAP ABAP – vagas de emprego
Para esta oportunidade, é crucial ter disponibilidade para atuar presencialmente na cidade de Santo Amaro, localizada em São Paulo (SP).
Para atuar como analista de Tecnologia Pleno, é importante que tenha formação superior em tecnologia da informação completa e já esteja no mercado por três anos ou mais.
Já ter participado de algum projeto e atendimento a manutenção, tais como upgrade de suporte package ou EHP.
Saiba como desenvolver PI/Proxies/RFC e já ter atuado algumas ferramentas específicas que fazem parte do dia a dia de profissionais de tecnologia da instituição, tais como Smartforms, Enhancements,BADIs,Desenvolvimento OO,Webdynpro,Workflow, S,apscript.
Clique aqui para se candidatar à vaga de Analista TI Pleno – SAP ABAP.
Auditor interno sênior
Esta oportunidade é destinada para quem deseja atuar presencialmente na capital do estado de São Paulo (SP). Conhecimento em SAP é um dos requisitos.
Clique aqui para se candidatar à vaga de Auditor interno sênior.
O post Empresa de grande porte tem vagas de emprego para área de tecnologia (desenvolvedor e analista) para níveis sênior e pleno em São Paulo (SP) e Minas Gerais (MG) apareceu primeiro em Petrosolgas.
0 notes