EMT Valencia: an example of a geoportal for the public transport using open source software

One of the first projects of the gvSIG Association, it was the launch of the city transport company´s geo-portal (EMT) in Valencia. It’s been over five years since its start-up and remains the reference website to see how to get from one place to another city using different means of transportation:: subway, bus, bicycle, Valenbisi (public service of bike renting) or by foot.

All developments were made without spending a euro in licenses, using open source software exclusively and despite the time that has already passed, it´s still one of the most comprehensive route planners about urban transport that can be found. One more example of why the gvSIG Association has become an international benchmark in the open source geomatics.

Through this geoportal we can calculate any route, indicating the means of transport that we use and we inform several possible routes, allowing evaluate each of them and select the most suitable for the user. Among the route details, even it´s is possible to calculate the savings of CO2 emissions that cause the greenhouse effect (compared with the number of trees that would be needed to save that amount of CO2 in a day) for performing the same route with a private car.

Besides the tools directly related to route calculation, the user finds a number of utilities: discover which elements of interest there are about a point, consult routes and timetables for each bus line, display by categories points of interest, print route plans…

Here you have three videos showing how the app works…. but the best you can do it´s to try it when you come to Valencia (for example for the next gvSIG International Conference). Then you can use it and discover all the utilities of this app (http://www.emtvalencia.es/geoportal/?lang=en_otp).

If this is what we did in our beginnings… imagine what can we do now.

If you are interested in implementing these kind of solutions in your organization, contact us: info@gvsig.com. Besides having the best experts in free geomatics, you will be helping the maintenance and development of the gvSIG technology.

Posted in Business, community, english, geoportal, gvSIG Association, Projects | Tagged , , , , | Leave a comment

8as Jornadas de Latinoamérica y Caribe de gvSIG: Transformando paradigmas de tecnología e información

8as_J_LAC_gvSIG-home
Los días 20 y 21 de octubre de 2016 se celebrarán las 8as Jornadas de Latinoamérica y Caribe de gvSIG en Montevideo (Uruguay), bajo el lema “Transformando paradigmas de tecnología e información”.

Ya está abierto el periodo para el envío de propuestas para comunicaciones para las Jornadas. Desde hoy pueden enviarse las propuestas a la dirección de correo electrónico jornadas.latinoamericanas@gvsig.org, que serán valoradas por el comité científico de cara a su inclusión en el programa de las Jornadas. Toda la información sobre las normas para la presentación de comunicaciones puede consultarse en el apartado de Comunicaciones de la web. El periodo de recepción de resúmenes finalizará el próximo 2 de septiembre.

El próximo día 22 de agosto se abrirá el periodo de inscripción. La inscripción a estas jornadas es gratuita.

¡Esperamos vuestras propuestas!

Posted in community, events, spanish | Leave a comment

Contribuir a gvSIG o la colaboración bidireccional

gvSIG_solidaritySi gracias a gvSIG has ahorrado una buena cantidad de dinero en licencias,

si gracias a gvSIG has podido utilizar un SIG en los proyectos de tú organización,

si gracias a gvSIG has podido generar servicios de formación o de cualquier otro tipo,

si gracias a gvSIG has podido desarrollar tus soluciones,

si gracias a gvSIG tú organización no tiene dependencia tecnológica de proveedores de software,

si gracias a gvSIG hoy eres un poco más libre,

quizá deberías considerar contribuir al proyecto.

Porque gvSIG es un proyecto para todos,

pero en el que todos deberían aportar su granito de arena.

Contribuciones:
https://contribution.gvsig-training.com/index.php?idioma=es_ES

Posted in community, opinion, spanish | Tagged | 3 Comments

How to extract the coordinates of a parcel in gvSIG

We can get the coordinates of the vertexes of one or more parcels in an easy way in gvSIG through scripting.

We can do it on SHP files as well as DWG, DGN or DXF.

Script_vertex

For that we will have to create a new script in gvSIG, from the Tools->Scripting->Scripting Composer menu.

Once it is created, naming it as we want, we copy this source code on it:

from gvsig import *
from commonsdialog import *

def main(*args):
    """Read wkt"""
    sel = currentLayer().getSelection()
    pfile = str(saveFileDialog("Select output text file")[0])
    f = open(pfile,'w')
    for s in sel:
        f.write("\n\n================\n\n")
        f.write("\n"+str(s.getValues())+"\n\n")
        g = str(s.geometry().convertToWKT())
        f.write(g)
    f.close()
    print pfile

After that we save the script.

Now, on the gvSIG View, we select the parcel/s that we want, and we open the Scripting Launcher (Tools->Scripting->Scripting Launcher menu).

We press with double-click on the Script that we had created, and a new window will be opened, where we can select the output file that will contain the coordinates, and the folder (it is recommendable to name it as a .txt in order to be recognized by the text editor easily).

If we open that file later, we will be able to see the coordinates of the different vertexes of the parcel, and if it was a polyline we can see the coordinates of each line that forms it.

If we had selected several elements, they will be visualized separately at the same file.

At the first line the values of the different fields of that register will be shown. It will allow us to know which element the information is referring to, in case we had selected several parcels.

We hope that this tool is useful for you!

Posted in CAD, english, gvSIG Desktop | Tagged | 1 Comment

Cómo extraer las coordenadas de los vértices de una parcela en gvSIG

En gvSIG podemos extraer de una forma sencilla las coordenadas de los vértices que conforman una o varias parcelas mediante scripting.

Podremos hacerlo tanto para ficheros de tipo SHP como DWG, DGN o DXF.

Script_vertices

Para ello tendremos que crear un nuevo script en gvSIG, desde el menú Herramientas->Scripting->Editor de Scripts (este menú se llama “Scripting Composer” hasta la versión 2.2).

Una vez creado, con el nombre que deseemos, copiamos el siguiente código en él:

from gvsig import *
from commonsdialog import *

def main(*args):
    """Read wkt"""
    sel = currentLayer().getSelection()
    pfile = str(saveFileDialog("Seleccionar fichero texto de salida")[0])
    f = open(pfile,'w')
    for s in sel:
        f.write("\n\n================\n\n")
        f.write("\n"+str(s.getValues())+"\n\n")
        g = str(s.geometry().convertToWKT())
        f.write(g)
    f.close()
    print pfile

Después guardamos dicho script.

Ahora ya sobre la Vista de gvSIG, seleccionamos la/s parcela/s que deseemos, y abrimos el lanzador de scripts (menú Herramientas->Scripting->Lanzador de Scripts; este menú se llamaba “Scripting Launcher” hasta la versión 2.2).

Con doble-click sobre el Script que habíamos creado se abrirá una ventana donde podremos seleccionar el nombre del fichero de salida con las coordenadas, y la carpeta donde guardarlo (recomendable nombrarlo como .txt para que lo reconozca directamente después el editor de texto).

Si abrimos después dicho fichero podremos ver los pares de coordenadas de los distintos vértices del polígono, y si era una polilínea veremos las coordenadas de los vértices inicio y fin de cada línea que la compone.

Si habíamos seleccionado varios elementos se visualizarán por separado en el mismo fichero.

En la primera línea también se mostrarán los valores de los distintos campos del registro en cuestión, lo que nos permitirá, en caso de que hubiéramos seleccionado varias parcelas, saber a cuál de ellas pertenece esa información.

¡Esperamos que os sea útil esta herramienta!

Posted in CAD, gvSIG Desktop, spanish | 7 Comments

gvSIG Festival: First virtual gvSIG Conference is coming!

festival portada v03

From May 23rd to 27th there’s an event that you can’t miss: the first gvSIG Festival. In this case it doesn’t matter where you live or even what language you speak since you will be able to attend (virtually) more than twenty webinars in different languages

There is no doubt that gvSIG is increasingly worldwide project: if it has a strong implementation in Portuguese and Spanish speaking countries, it’s currently well-known in more an more countries, in every continent, in every language.

An idea that we were thinking about during the last months was to show varied experiences and in different languages, removing the limitations of the events in an only place. And this take us to this first gvSIG Festival.

From some weeks ago we have a webinar service at the gvSIG Association, so we have decided to organize a first virtual conference.

This time we have decided not to open call for presentations but inviting some colleagues of the gvSIG Community to tell us about some experiences related to the gvSIG technology (gvSIG Desktop, Online, Roads…). For sure at the next edition (we are sure that it will be successful!) we will open a period for sending proposals to convert it in a more global and open event.

We think that the program meets the objective to show the variety of uses and users that take part of the gvSIG Community.

There will be presentations in English, Spanish, French, Portuguese, Turkish and Russian.

We will count with speakers and works developed in Argentina, Brazil, Colombia, Costa Rica, Spain, United States of America, France, India, Italy, Kenya, Mexico, Paraguay, Peru, Russia, Somaliland, Turkey y Uruguay.

They will speak about how the gvSIG technology can be applied in different themes like mental health, civil protection, cooperation, historic studies, roads management, acoustic analysis, hydrology, tourism, urban analysis…, in conclusion about how gvSIG can help to meet the needs of the society and improve the life of the inhabitants of the Earth.

Working from a variety of countries, under the same project that is built on the collaboration, solidarity and shared knowledge bases.

You can consult the complete program in: www.gvsig.com/festival

Notes:

  • We will publish the information about how to register at the webinars soon. 
  • The webinar platform allows to connect  to the webinars from any operating system.
  • Attendees will be able to ask questions that will be answered during the webinar.

 

Posted in community, english, events, press office, training | Leave a comment

gvSIG Festival: ¡Llegan las primeras jornadas virtuales de gvSIG!

festival portada v03

Del 23 al 27 de mayo hay una cita que no os podéis perder: el primer gvSIG Festival. En este caso no importa dónde vivas e incluso que idioma hables, pues durante una semana vas a poder asistir (virtualmente) a más de una veintena de webinars en distintos idiomas.

No cabe duda que gvSIG es cada vez un proyecto más internacional: si en su primera fase de expansión tuvo una fuerte implantación en países de habla hispana y portuguesa, actualmente se está dando a conocer con fuerza en cada vez más países, en todos los continentes, en todos los idiomas.

Una idea que llevaba tiempo rondándonos por la cabeza era poder mostrar experiencias diversas y en diversos idiomas, eliminando las limitaciones que conlleva realizar un evento en un determinado lugar. Y eso nos lleva a este primer gvSIG Festival.

Desde hace unas semanas disponemos de un servicio de webinar en la Asociación gvSIG, con lo que ya sólo nos quedaba lanzarnos a la aventura de organizar unas primeras jornadas virtuales.

Nos hemos decidido a no hacer un llamado abierto a ponencias e invitar a algunos compañeros y compañeras de la Comunidad gvSIG a contarnos algunas experiencias relacionadas con la tecnología gvSIG (ya sea gvSIG Desktop, Online, Roads…). Eso sí, en la segunda edición (¡estamos seguros de que esto será un éxito!) abriremos convocatoria para convertir esta iniciativa en un evento todavía más global y abierto.

El programa creemos que cumple perfectamente con el objetivo de mostrar la variedad de usos y usuarios que forman parte de la Comunidad gvSIG.

Tendremos ponencias en Español, Francés, Inglés, Portugués, Ruso y Turco.

Contaremos con ponentes y trabajos desarrollados en Argentina, Brasil, Colombia, Costa Rica, España, Estados Unidos, Francia, India, Italia, Kenia, México, Paraguay, Perú, Rusia, Somaliland, Turquía y Uruguay.

Nos hablarán de cómo la tecnología gvSIG se puede aplicar a temas tan variopintos como la salud mental, protección civil, cooperación, estudios históricos, gestión de carreteras, análisis acústico, hidrología, turismo, análisis urbanos,…en definitiva, de como gvSIG puede ayudar a responder a las necesidades de la sociedad y a mejorar la vida de los habitantes de este planeta.

Trabajando desde una gran variedad de países, bajo un mismo proyecto que se construye sobre las bases de la colaboración, la solidaridad y el conocimiento compartido.

Podéis consultar el programa completo en: www.gvsig.com/festival

Notas:

– En breve publicaremos la información para inscribirse a los webinars.

– La plataforma de webinar permite conectarse desde cualquier sistema operativo.

– Los asistentes podrán realizar preguntas que serán contestadas durante el webinar.

 

Posted in community, events, press office, spanish | Tagged | 3 Comments

gvSIG Festival: Keep Calm More Info Coming Soon

gvsig_festival portada_PRE

Posted in community, english, events, press office | Leave a comment

gvSIG 2.3: Working on new improvements

gvSIG_improvement

In 2015 we established a rule for releasing two gvSIG versions per year, that we achieved at the gvSIG 2.1 and gvSIG 2.2 versions. In 2016 the dynamics would be to release another two versions, gvSIG 2.3 and gvSIG 2.4, the first one before Summer and the other one at the end of this year. However we decided to broke the rules and we announced that we were going to release three gvSIG versions in 2016. Therefore we started the gvSIG 2.3 stabilization period in December in the last year, and in February we released the first RC version (release candidate to the final one). We planned to dedicate a few more resources to fix important bugs and release the final gvSIG 2.3 version.

However there have been good news that will make us follow the rules. That means, that we are going to delay the gvSIG 2.3 releasing some months, and only two versions are released instead three versions in 2016.

Good news? Yes, we aren’t going to provide resources to stabilize gvSIG because a large amounts of new functionalities have been contracted, that will allow to increase the quality of gvSIG (even more) and convert it in a more powerful GIS. These new developments have a deadline, so we have decided to dedicate all our resources to them. The secondary effect has been the delay of that version, that in the other side was changing the publishing dynamics.

And what are we working on? We are working in a large number of improvements. Some of them will be included at the next gvSIG 2.3 version. Here you have a short list with the main tasks:

  • External map providers like Google Maps or Bing Maps access.
  • Google Street View access.
  • LiDAR data access and management (in 2D Views as well as in 3D ones).
  • Vector data loading on 3D Views.
  • Extrusion in 3D Views.
  • Complete support of the projections database in 3D Views (currently it only supports EPSG:4326), so raster reprojection from 2D to 3D.
  • Geoprocessing for building layers detection and creation, and automatic height detection from LiDAR data.
  • LRS tools support for PostGIS database.
  • CSV files importer similar to the Libreoffice one.
  • New 3D functionalities (animation, temporary data…).
  • Raster architecture refactoring (note: If you are going to make raster developments we recommend you to contact us so that your work can be integrated with the changes to be made).
  • Projections support: finishing the transition started GDAL use in projections.

Now you sure will wait the next version enthusiastically.  

🙂 🙂

Posted in development, english, gvSIG Desktop | Leave a comment

EMT Valencia: ejemplo de geoportal de transporte público con software libre

Uno de los primeros proyectos que realizamos en la Asociación gvSIG fue la puesta en marcha del geoportal de EMT, la empresa municipal de transporte de Valencia. Hace ya más de un lustro desde que está en marcha y sigue siendo la web de referencia para consultar el cómo ir de un sitio a otro de la ciudad utilizando los distintos medios de transporte disponibles: metro, autobús, bicicleta, Valenbisi (servicio público de alquiler de bicicletas) o a pie.

Todo los desarrollos se realizaron sin gastar un euro en licencias, utilizando exclusivamente software libre y pese al tiempo que ha pasado sigue siendo uno de los planificadores de rutas de transporte urbano más completos que uno puede encontrar. Un ejemplo más de porqué la Asociación gvSIG se ha convertido en un referente internacional en geomática libre.

Mediante este geoportal podemos calcular cualquier ruta, indicando los medios de transporte que queremos utilizar y nos informará de las distintas rutas posibles, permitiendo evaluar cada una de ellas y seleccionar la más adecuada para el usuario. Entre los detalles de ruta llega incluso a calcular el ahorro de emisiones de CO2 causantes del efecto invernadero (comparándolo con la cantidad de árboles que harían falta para ahorrar dicha cantidad de CO2 en un día) respecto a realizar el mismo recorrido con un coche privado.

Además de las herramientas relacionadas directamente con el cálculo de rutas, el usuario encuentra un buen número de utilidades: descubrir qué elementos de interés hay cerca de un punto, consultar las rutas y horarios de cada línea de autobús, visualizar por categorías los puntos de interés, imprimir planos de ruta, etc.

A continuación tres vídeos que muestran en funcionamiento la aplicación…aunque lo mejor es que cuando vengáis a Valencia (por ejemplo, para las próximas Jornadas Internacionales de gvSIG) lo probéis y descubráis toda la utilidad de esta aplicación (http://www.emtvalencia.es/geoportal/)

Si esto es lo que hacíamos en nuestros inicios…imaginad qué podemos hacer ahora.

Si estás interesado en implantar soluciones de este tipo en tú organización, contacta con nosotros: info@gvsig.com . Además de contar con los mejores expertos en geomática libre estarás ayudando al mantenimiento y desarrollo de la tecnología gvSIG.

Posted in Business, geoportal, gvSIG Association, Projects, spanish | Tagged , , , , | 2 Comments