Meetup sobre C# 6.0 y 7.0 en MadridDotnet

Hola a todos!. El pasado día 5 de julio tuvimos una cita con CSharp en Madrid Dotnet en las oficinas de Liferay.

Durante algo mas de hora y media hablamos sobre este gran lenguaje, repasamos un poquito su historia desde el año 2002, fecha en la que salió primera versión de c# y de como había evolucionado el lenguaje desde entonces.

La agenda de la charla, era explicar y dar ejemplos sencillos y útiles para el día a día de todas las nuevas features que habían sido incluidas en las versiones 6.0 y 7.0 de C#.

Quiero agradecer a Javier Gamarra lo bien que organiza siempre todo a nivel técnico, (grabación, ángulos de cámara, micrófono, agua para el ponente). Te hace sentir como en casa!, y también a Luis Fraile y a Modesto San Juán que junto a Javier hacen posible Madrid DotNet.

A continuación dejo los diversos enlaces para quien esté interesado en el código, slides, o dirección del meetup y como no el vídeo.

Código en Github

Slides

Evento en Madrid Dotnet

Asp.Net Core Api Versioning

¡Hola a todos!

En esta nueva entrega de PlainTV, mi compañero Luis Ruiz Pavón me entrevista y hablamos sobre el versionado de Web Api en .NET Core. Gracias al paquete Microsoft.AspNetCore.Versioning, una tarea tediosa y compleja como era versionar nuestros controladores se vuelve sencilla y cómoda.

¡No te lo pierdas!

C# 7.0 – New features

En esta última entrega de Plain TV mi compañero Luru y yo hablamos de las últimas features incluidas en C# 7.0.

Las carácterísticas de esta nueva versión de C#, se enfocan al consumo de datos, simplificación de código y performance.  Saber combinar todas estar características hace que nuestro código sea mas eficiente y limpio, lo que nos hará mas felices y productivos 🙂

En el video, abordamos las siguientes mejoras haciendo ejemplos de código muy sencillos para su correcta comprensión:

Expresion bodied members

Pattern Matching (Is)

Pattern Matching (Switch)

Local Functions

Inline Out variables

Returns by reference

Throw expressions

Tuples

Deconstructions

Async return types (ValueTask)

Introducción a entornos virtuales en python

En este video de PlainTV, entrevisto a mi compañero Rodrigo que nos va a introducir con una serie de videos en el mundo Python, y las python tools de Visual studio para así poder trabajar con este maravilloso lenguaje en nuestro IDE favorito.
En este video, empezaremos viendo como configurar entornos virtuales para poder trabajar con el versionado de nuestras aplicaciones y en un entorno colaborativo.

Asp.net Core with SignalR server and Autofac

SignalR server for asp.net core is currently in version 0.2.0. It has not been released yet to the official nuget repositories, so we must configure our project to use the asp.net core dev feed to obtain SignalR related packages.
Autofac for asp.net core still does not have the hubs registration extensions that we are used to when using full framework packages, but we will see how we can write them from scratch.

First of all we create a new asp.net core web project and we create a NuGet.config file so we can specify the core devevelopment NuGet feed so we can restore the websockets and SignalR packages.

The NuGet.config file should look like this:

Once created the nuget file, we should add the dependencies to project.json. The dependencies to use SignalR and autofac are shown below:

 

We are now set to start configuring our hubs!. As an example we are going to create a ChatHub that will receive a service to keep track of connections in it’s constructor.

Let’s create first the service interface and implementation to register it with AutoFac:
IHubTrackingService.cs

 

HubTrackingService.cs

 

The HubTrack class is a POCO class with the following properties, just as an example:
HubTrack.cs

 

Now we are ready to create our ChatHub injecting in the constructor the HubTrackingService to allow tracking clients with OnConnected Method:

ChatHub.cs

 

Now, it is time to configure our Startup.cs to add SignalR Server and dependency injection.
In full framework, we use the RegisterHubs autofac extesion to register our hub classes:

but it is not available yet in Autofac for asp.net core so we should write a ContainerBuilder Extension to do this for us, the code is shown below:

AutofacExtensions.cs

Note: We use ExternallyOwned() to allow SignalR disposing the Hubs instead of being managed by Autofac.

Once our extension is added to the project we should set our Configure and ConfigureServices methods in Startup.cs

 

Startup.cs

Notice the line:

 

In asp.net core we don’t have Assembly.GetExecutingAssembly() so we get the assembly from the Startup.cs type
How do we use the Hubs to notify clients when execution is inside a Mvc/Api Controller? Continue reading «Asp.net Core with SignalR server and Autofac»

Asp.net core node services to execute your nodejs scripts

Nowadays, it is very common to have pieces of code developed in different languages and technologies, and today, more than ever in Javascript.

If you have a tested and battle proven javascript module, maybe you don’t want to rewrite it from scratch in C# to use it in asp.net, and you prefer to invoke it and fetch the results.

This post will show how to use Microsoft Asp Net Core Node Services in asp.net to execute our javascript commonjs modules.

In the following example, we will consume an online free json post service, that returns lorem ipsum posts information based on the request page id. To Achieve this we have a really simple nodejs module that will fetch the contents from the api using the library axios.

We are going to fetch this information through the Post Api Controller and return them in Json to the client.

Lets get started:

 

First of all we create a new asp.net core project:

create_aspnetcore_project

 

Then we add the Reference to Microsoft.AspNetCore.NodeServices in  project.json file:

 

add_nodeservices_package

 

To finish the setup, we have to create a npm configuration file and add the axios reference that will be used by our node script:

To add the npm configuration file use Add > new Item > client-side > npm configuration file and then add the axios dependency as the following image:

 

npm_axios_package_install

 

With this the setup is complete, let’s jump to the api configuration, we want to add Node Services and fast configure the JsonSerializer indentation settings on our Startup.cs class in ConfigureServices method:

 

Once our api is configured to use Node Services we are going to create the Post Controller, and inject the node services in the constructor. The framework will automatically provide it to us so no further configuration is needed. We want to serialize the output to be an ExpandoObject so we can dynamically access to the properties in case it is needed. Right now we just want to send the output to the client in Json format.

The next step will be creating a folder called Node in our root folder and add the following nodejs script within a file named postClient.js.

This js module will just create a GET request to the api, requesting the post Id and invoking the callback based on the network request result:

 

NOTE: We should define a callback in the module parameters so Node Services can play the output results.
If we want the script to be successful we should pass a null error callback. On the other hand we will provide an error as the first callback parameter so the nodeService.InvokeAsync throws an Exception.

 

Final Steps, executing the controller action:

Everything is in place and we are going to use Fiddler to create requests to the post controller requesting different page ids:

 

fiddler_compose_request

 

Once we execute the request we can see debugging the resulting output from the js script:

 

debugging_post_controller

 

And then we get the output on fiddler as well:

 

fiddler_response

 

And that’s all for today, I hope you enjoyed.

Happy Coding!.

geeks.ms node notifier (no te pierdas ningún post) (node & js ES6)

Ayer por la tarde llovía y decidí entrar a ver las nuevas entradas en los blogs de Geeks, y me di cuenta de que no siempre me acuerdo o tengo el tiempo de hacerlo asiduamente, así que tenía ganas de tirar algo de código y me puse manos a la obra.

El proyecto consiste en una aplicación node utilizando js (ES6). El script se conecta al blog de geeks, y parsea las entradas de los últimos posts añadidos, avisándonos mediante un popup en el escritorio de los nuevos posts que van llegando mientras esta corriendo el demonio.

 

Geeks.ms node notifier

 

El proyecto utiliza los siguientes módulos de node:

axios (Http client basado en promesas que funciona en browser y en node)

cheerio (Implementación de Jquery para trabajar del lado del servidor)

eventEmitter (Modulo para subscribirse y publicar eventos)

fs (Módulo de node para acceder al sistema de archivos)

node-notifier (Notificaciones de escritorio compatibles con todos los SO’s)

Los parámetros como el store path, fichero temporal y el intervalo de crawling (milisegundos) a la web es configurable en el fichero config/appConfig.

Para instalar el proyecto tenemos que instalar los paquetes con npm e instalar forever. El paquete forever nos permite lanzar nuestro script de node como daemon, y se encarga de gestionarlo ante posibles fallos o salidas inexperadas.

Ejecutamos en la consola:

npm install

npm install forever -g

forever start boot.js

Una vez forever lanza el script lo dejar corriendo en background, y tan solo tenemos que utilizar el comando forever list para listar los demonios que tenemos corriendo actualmente. La salida del comando nos mostrará el uptime del proceso, y el log donde está volcando los eventos y console.log que se van registrando.

foreverlist

 

Y eso es todo!. Espero que los que os decidáis a instalarlo os sea útil.

El repositorio de github lo podéis encontrar en el siguiente enlance:

https://github.com/CarlosLanderas/GeekMs-Node-Notifier

Edit: Parece que funciona 🙂

notifier

console.log(«Hello everyone»);

Hola a todos!, mi nombre es Carlos Landeras y trabajo como Software Engineer en
Plain Concepts
Madrid. Este primer post es algo muy especial para mí, pues he estado varios años siguiendo a todos los fenómenos que aportan en esta comunidad, que disponen de una cantidad de conocimientos y experiencia abrumadora y poder contribuir junto a ellos es para mí todo un orgullo.

La temática del blog será variada, porque aunque durante años he sido programador backend en el stack de tecnologías .net (Winforms, Webforms, MVC, WebApi, Wcf, SignalR …), últimamente paso mucho tiempo en lo laboral y lo personal trabajando con Javascript, Typescript, NodeJs, ReactJs, AngularJs, Knockout y demás tecnologías frontend.

También quiero dedicar ciertas entradas a programación orientada a hardware y algo de python.

Un saludo a todos y Happy coding!