Nous utilisons des cookies pour vous garantir la meilleure expérience sur notre site. Si vous continuez à utiliser ce dernier, nous considèrerons que vous acceptez l'utilisation des cookies. J'ai compris ! ou En savoir plus !.
Un Planet est un site Web dynamique qui agrège le plus souvent sur une seule page, le contenu de notes, d'articles ou de billets publiés sur des blogs ou sites Web afin d'accentuer leur visibilité et de faire ressortir des contenus pertinents aux multiples formats (texte, audio, vidéo, Podcast). C'est un agrégateur de flux RSS. Il s'apparente à un portail web.
Vous pouvez lire le billet sur le blog La Minute pour plus d'informations sur les RSS !
  • Canaux
  • Categories
  • Tags
  • Canaux

    5370 éléments (3 non lus) dans 55 canaux

    Géomatique anglophone

     
    • sur GeoTools Team: GeoTools 28.6 Released

      Publié: 5 February 2025, 10:06pm CET
      The GeoTools shares the release of GeoTools 28.6 available for Java 8 applications: geotools-2.28.6-bin.zip     geotools-2.28.6-doc.zip     geotools-2.28.6-userguide.zip     geotools-2.28.6-project.zipThis release is also available from the OSGeo Maven Repository and is made to support the upcoming GeoNetwork 4.2.12 release.This release provides
    • sur gvSIG Batoví: Ponte las gafas de la Geografía

      Publié: 5 February 2025, 4:44pm CET

      Un lindo mini-video para promover la carrera de Geografía (de la Universidad de Zaragoza)

    • sur Mappery: Avenue for Change

      Publié: 5 February 2025, 11:00am CET

      The Women’s Air Derby was the first official women-only air race in the United States. Humorist Will Rogers referred to it as the Powder Puff Derby, the name by which the race is most commonly known.

    • sur The Digital Twin's Digital Twin

      Publié: 5 February 2025, 10:20am CET par Keir Clarke
      The Punggol Digital DistrictThe Punggol Digital District (PDD) is a pioneering smart district under development in Singapore. Designed to be a hub for innovation, it will house major technology firms, fintech hubs of banks like OCBC and UOB, and will be seamlessly integrated with the newly opened Punggol Coast MRT station. What sets PDD apart from other smart districts is its Open Digital
    • sur It's Groundhog Day (Again & Again & Again)

      Publié: 4 February 2025, 11:52am CET par Keir Clarke
      It was Groundhog Day on Sunday. Punxsutawney Phil of Gobbler’s Knob saw his shadow, and according to tradition, this means there will be six more weeks of winter.However, Punxsutawney Phil's prognosis of an extended winter was not universally accepted by all the groundhogs of North America. This is why you need the Groundhog Map.If you don’t trust Punxsutawney Phil’s forecast, the Groundhog Map
    • sur Mappery: A World of Neighbours

      Publié: 4 February 2025, 11:00am CET

      Another Pan Am poster, those guys had style.

    • sur Paul Ramsey: WKB EMPTY

      Publié: 3 February 2025, 5:00pm CET

      I have been watching the codification of spatial data types into GeoParquet and now GeoIceberg with some interest, since the work is near and dear to my heart.

      Writing a disk serialization for PostGIS is basically an act of format standardization – albeit a standard with only one consumer – and many of the same issues that the Parquet and Iceberg implementations are thinking about are ones I dealt with too.

      Here is an easy one: if you are going to use well-known binary for your serialiation (as GeoPackage, and GeoParquet do) you have to wrestle with the fact that the ISO/OGC standard for WKB does not describe a standard way to represent empty geometries.

      Empty

      Empty geometries come up frequently in the OGC/ISO standards, and they are simple to generate in real operations – just subtract a big thing from a small thing.

      SELECT ST_AsText(ST_Difference(
      	'POLYGON((0 0, 1 0, 1 1, 0 1, 0 0))',
      	'POLYGON((-1 -1, 3 -1, 3 3, -1 3, -1 -1))'
      	))
      

      If you have a data set and are running operations on it, eventually you will generate some empties.

      Which means your software needs to know how to store and transmit them.

      Which means you need to know how to encode them in WKB.

      And the standard is no help.

      But I am!

      WKB Commonalities

      All WKB geometries start with 1-byte “byte order flag” followed by a 4-byte “geometry type”.

      enum wkbByteOrder  {
          wkbXDR = 0, // Big Endian
          wkbNDR = 1  // Little Endian
      };
      

      The byte order flag signals which “byte order” all the other numbers will be encoded with. Most modern hardware uses “least significant byte first” (aka “little endian”) ordering, so usually the value will be “1”, but readers must expect to occasionally get “big endian” encoded data.

      enum wkbGeometryType {
          wkbPoint = 1,
          wkbLineString = 2,
          wkbPolygon = 3,
          wkbMultiPoint = 4,
          wkbMultiLineString = 5,
          wkbMultiPolygon = 6,
          wkbGeometryCollection = 7
      };
      

      The type number is an integer from 1 to 7, in the indicated byte order.

      Collections

      Collections are easy! GeometryCollection, MultiPolygon, MultiLineString and MultiPoint all have a WKB structure like this:

      wkbCollection {
          byte    byteOrder;
          uint32  wkbType;
          uint32  numWkbSubGeometries;
          WKBGeometry wkbSubGeometries[numWkbSubGeometries];
      }
      

      The way to signal an empty collection is to set its numGeometries value to zero.

      So for example, a MULTIPOLYGON EMPTY would look like this (all examples in little endian, spaces added between elements for legibility, using hex encoding).

      01 06000000 00000000
      

      The elements are:

      • The byte order flag
      • The geometry type (6 == MultiPolygon)
      • The number of sub-geometries (zero)
      Polygons and LineStrings

      The Polygon and LineString types are also very easy, because after their type number they both have a count of sub-objects (rings in the case of Polygon, points in the case of LineString) which can be set to zero to indicate an empty geometry.

      For a LineString:

      01 02000000 00000000
      

      For a Polygon:

      01 03000000 00000000
      

      It is possible to create a Polygon made up of a non-zero number of empty linear rings. Is this construction empty? Probably. Should you make one of them? Probably not, since POLYGON EMPTY describes the case much more simply.

      Points

      Saving the best for last!

      One of the strange blind spots of the ISO/OGC standards is the WKB Point. There is an standard text representation for an empty point, POINT EMPTY. But there nowhere in the standard a description of a WKB empty point, and the WKB structure of a point doesn’t really leave any place to hide one.

      WKBPoint {
          byte    byteOrder;
          uint32  wkbType; // 1
          double x;
          double y;
      };
      

      After the standard byte order flag and type number, the serialization goes directly into the coordinates. There’s no place to put in a zero.

      In PostGIS we established our own add-on to the WKB standard, so we could successfully round-trip a POINT EMPTY through WKB – empty points are to be represented as a point with all coordinates set to the IEEE NaN value.

      Here is a little-endian empty point.

      01 01000000 000000000000F87F 000000000000F87F
      

      And a big-endian one.

      00 00000001 7FF8000000000000 7FF8000000000000
      

      Most open source implementations of WKB have converged on this standardization of POINT EMPTY. The most common alternate behaviour is to convert POINT EMPTY object, which are not representable, into MULTIPOINT EMPTY objects, which are. This might be confusing (an empty point would round-trip back to something with a completely different type number).

      In general, empty geometries create a lot of “angels dancing on the head of a pin” cases for functions that otherwise have very deterministic results.

      • “What is the distance in meters between a point and an empty polygon?” Zero? Infinity? NULL? NaN?
      • “What geometry type is the interesection of an empty polygon and empty line?” Do I care? I do if I am writing a database system and have to provide an answer.

      Over time the PostGIS project collated our intuitions and implementations in this wiki page of empty geometry handling rules.

      The trouble with empty handling is that there are simultaneously a million different combinations of possibilities, and extremely low numbers of people actually exercising that code line. So it’s a massive time suck. We have basically been handling them on an “as needed” basis, as people open tickets on them.

      Other Databases
      • SQL Server changes POINT EMPTY to MULTIPOINT EMPTY when generating WKB.
        SELECT Geometry::STGeomFromText('POINT EMPTY',4326).STAsBinary()
        
        0x010400000000000000
        
      • MariaDB and SnowFlake return NULL for a POINT EMPTY WKB.
        SELECT ST_AsBinary(ST_GeomFromText('POINT EMPTY'))
        
        NULL
        
    • sur Mappery: Pan American World Airways

      Publié: 3 February 2025, 11:00am CET
      Pièce jointe: [télécharger]

      There is something exquisite and nostalgic about this old Pan Am logo

    • sur Synchronized Street View Tours

      Publié: 3 February 2025, 10:09am CET par Keir Clarke
      Introducing Street View AnimatorWho doesn’t enjoy exploring the world on Street View? I can’t begin to calculate the number of hours I’ve spent on Google Maps, virtually wandering the streets of New York, Paris, and Rome. Street View has also given me the chance to explore some of the ancient wonders of the world, such as the Pyramids of Giza, the rock city of Petra, and the temple complex of
    • sur Mappery: Weekend Round the World

      Publié: 2 February 2025, 11:00am CET

      There are a few coming up from the National Air and Space Museum in Washington, this place was heaven for map loving air and space nerds like me. This poster dates from the late 1940’s, pretty is an understatement.

    • sur Millions Flee War, Floods, and Persecution

      Publié: 1 February 2025, 11:55am CET par Keir Clarke
      In 2023 nearly 5.5 million Ukrainians were forced to leave their homes because of the Russian invasion. In the same year, over 6 million refugees fled Pakistan following the devastating 2022 floods. Additionally, the ongoing war in Syria displaced over 3 million people, forcing them to seek refuge abroad.In total, 27,320,316 people were displaced in 2023 and forced to seek a new life in a new
    • sur Mappery: Native Foods Feed the World

      Publié: 1 February 2025, 11:00am CET

      This was also in the display at the National Museum of the American Indian in NYC.
      “Over generations, Native Americans harnessed the potential of natural grasses, trees, bushes, and even cactus to breed edible crops. Today four of the top ten crops that feed the world originally came from Native American farmers: corn, potatoes, cassava, and tomatoes.”

    • sur Free and Open Source GIS Ramblings: Geocomputation with Python: Now in Print!

      Publié: 31 January 2025, 6:56pm CET

      Today, I’m super excited to share with you the announcement that our open source textbook “Geocomputation with Python” has finally arrived in print and is now available for purchase from Routledge.com, Amazon.com, Amazon.co.uk, and other booksellers.

      “Geocomputation with Python” (or geocompy for short) covers the entire range of standard GIS operations for both vector and raster data models. Each section and chapter builds on the previous. If you’re just starting out with Python to work with geographic data, we hope that the book will be an excellent place to start.

      Of course, you can still find the online version of the book at py.geocompx.org.

      The book is open-source and you can find the code on GitHub. This ensures that the content is reproducible, transparent, and accessible. It also lets you interact with the project by opening issues and submitting pull requests.

    • sur Mappery: Native Innovation

      Publié: 31 January 2025, 11:00am CET

      Saw this at the National Museum of the American Indian in New York, it illustrates some of the inventions that we take for granted nowadays which originated in America before colonisation.

      “Native people of the Americas changed the world with their scientific discoveries and inventions. Today their innovations continue to influence our daily lives.”

    • sur Rain and Snow Effects for Mapbox

      Publié: 31 January 2025, 10:01am CET par Keir Clarke
      Mapbox GL now offers the option to add dynamic rain and snow effects to your maps. These new visual weather effects use particle animations to create realistic precipitation on any Mapbox GL map.You can easily add these effects to your maps using the following functions in your JavaScript code:map.setRain or map.setSnowBoth the rain and snow effects come with several customizable parameters
    • sur The USA is Closing for Business

      Publié: 30 January 2025, 11:19am CET par Keir Clarke
      This animated map from the Lowy Institute shows whether the USA or China was the larger trading partner for countries around the world each year this century (up to 2023). The map provides a stark visualization of the economic shift away from the United States and toward China in the 21st century.According to the Lowy Institute, around "70 per cent of economies trade more with China than
    • sur Where's the Gulf of Mexico?

      Publié: 29 January 2025, 6:10pm CET par Keir Clarke
      The Google Maps team has introduced a new 'Coding Challenge' for prospective members of the department. It is essential that all employees of Google Geo are able to track down and deport illegal place-name labels from the company's flagship mapping platform.If you are in the process of applying for a position at Google Maps or are interested in joining the team in the future, you can prepare by
    • sur Automatically Mapping YouTube Videos

      Publié: 29 January 2025, 11:51am CET par Keir Clarke
      YouTube is an incredible resource for discovering new places, whether through travel vlogs, historical documentaries, or guided walking tours. However, manually noting down locations mentioned in a video can be time-consuming and inefficient. What if there were an easier way to extract and map these locations automatically?Using the allStara Video AIThe allStara Video AI offers several
    • sur The New World Order

      Publié: 28 January 2025, 10:49am CET par Keir Clarke
      Press Release: Google Unveils "New World Order Google Map"FOR IMMEDIATE RELEASEContact: [Press Office]Phone: [123-456-7890]Email: [press@google.com]MOUNTAIN VIEW, CA – [1/28/2025] – Last night, Quisling, the parent company of Google, announced a bold and controversial change to its flagship product, Google Maps. We revealed that the "Gulf of Mexico" would be renamed to the "Gulf of America,".
    • sur GeoTools Team: GeoTools 32.2 Released

      Publié: 27 January 2025, 8:49pm CET
      GeoTools 32.2 released The GeoTools team is pleased to announce the release of the latest stable version of GeoTools 32.2: geotools-32.2-bin.zip geotools-32.2-doc.zip geotools-32.2-userguide.zip geotools-32.2-project.zip This release is also available from the OSGeo Maven Repositoryand is made in conjunction with GeoServer 2.26.2 and GeoWebCache 1.26.2. We are grateful to Jody Garnett (GeoCat)
    • sur The MAGA Plugin for Interactive Maps

      Publié: 27 January 2025, 8:30pm CET par Keir Clarke
      The MAGA plug-in for the Maplibre mapping library must now be used to ensure that all maps comply with the geographical dictats of the Orange Overlord.To conform to the new geographical proclamations of the Trump Ministry of Geographical Truth, please ensure that you follow the steps below before publishing any new maps:Step 1: Include maga.js in Your ProjectDownload the maga.js file
    • sur Dive into Your Maritime History

      Publié: 27 January 2025, 12:13pm CET par Keir Clarke
      The marine area of the UK has played a pivotal role in shaping the country's history. The seas surrounding the UK are home to a wealth of historical treasures, including submerged prehistoric landscapes, shipwrecks, crashed aircraft, and maritime industrial structures. Unfortunately the historical collections, which document these sites, are dispersed across various government organizations,
    • sur Mappery: Lyon after the rain

      Publié: 27 January 2025, 11:00am CET

      Joe Davies shared this picture, saying: The rain made this 3D model of Lyon even better!

      I am happy to see the neighbourhood I used to live in is not flooded.

    • sur GRASS GIS: GRASS Annual Report 2024

      Publié: 27 January 2025, 9:12am CET
      There has been a lot of activity in 2024, so let’s recap the achievements and highlight the awesome community behind GRASS GIS! Community Meeting The annual GRASS GIS Community Meeting was held once again in the Czech Republic, this time at the NC State European Center in Prague. The meeting brought together users, supporters, contributors, power users and developers to collaborate and chart the future of the project. Thanks to the support from the U.
    • sur GeoServer Team: GeoServer 2.26.2 Release

      Publié: 27 January 2025, 1:00am CET

      GeoServer 2.26.2 release is now available with downloads (bin, war, windows), along with docs and extensions.

      This is a stable release of GeoServer recommended for production use. GeoServer 2.26.2 is made in conjunction with GeoTools 32.2, GeoWebCache 1.26.2, and ImageIO-Ext 1.4.14.

      Thanks to Jody Garnett for making this release.

      Security Considerations

      This release addresses security vulnerabilities and is recommended.

      • CVE-2024-38524 Moderate

      See project security policy for more information on how security vulnerabilities are managed.

      File System Sandbox Isolation

      A file system sandbox is used to limit access for GeoServer Administrators and Workspace Administrators to specified file folders.

      • A system sandbox is established using GEOSERVER_FILESYSTEM_SANDBOX application property, and applies to the entire application, limiting GeoServer administrators to the <sandbox> folder, and individual workspace administrators into isolated <sandbox>/<workspace> folders.

      • A regular sandbox can be configured from the Security > Data screen, and is used to limit individual workspace administrators into <sandbox>/<workspace> folders to avoid accessing each others files.

      Thanks to Andrea (GeoSolutions) for this important improvement at the bequest of Munich RE.

      Developer Updates Palantir formatter

      A nice update for GeoServer developers is an updated formatter that is both wider at 120 columns, and plays well with the use of lamda expressions.

      List<TemplateBuilder> filtered = children.stream()
              .filter(b -> b instanceof DynamicValueBuilder || b instanceof SourceBuilder)
              .collect(Collectors.toList());
      

      Thanks to Andrea for this improvement, and coordinating the change across all active branches.

      Release notes

      New Features:

      • GEOS-11616 GSIP 229 - File system access isolation
      • GEOS-11644 Introducing the rest/security/acl/catalog/reload rest endpoint

      Improvement:

      • GEOS-11612 Add system property support for Proxy base URL -> use headers activation
      • GEOS-11615 Update to Imageio-EXT 1.4.14
      • GEOS-11683 MapML WMS Features Coordinate Precision Should be adjusted based on scale

      Bug:

      • GEOS-11636 Store panels won’t always show feedback in target panels
      • GEOS-11494 WFS GetFeature request with a propertyname parameter fails when layer attributes are customized (removed or reordered)
      • GEOS-11606 geofence-server imports obsolete asm dep
      • GEOS-11611 When Extracting the WFS Service Name from the HTTP Request A Slash Before the Question Marks Causes Issues
      • GEOS-11630 REST API throws HTTP 500 When Security Metadata Has Null Attributes
      • GEOS-11643 WCS input read limits can be fooled by geotiff reader
      • GEOS-11647 Restore “quiet on not found” configuration for REST in global settings
      • GEOS-11649 welcome page per-layer is not respecting global service enablement
      • GEOS-11672 GWC virtual services available with empty contents
      • GEOS-11681 MapML raster GetFeatureInfo not working

      Task:

      • GEOS-11608 Update Bouncy Castle Crypto package from bcprov-jdk15on:1.69 to bcprov-jdk18on:1.79
      • GEOS-11631 Update MySQL driver to 9.1.0
      • GEOS-11650 Update dependencies for monitoring-kafka module
      • GEOS-11659 Apply Palantir Java format on GeoServer
      • GEOS-11671 Upgrade H3 dependency to 3.7.3
      • GEOS-11685 Bump jetty.version from 9.4.56.v20240826 to 9.4.57.v20241219

      For the complete list see 2.26.2 release notes.

      Community Updates

      Community module development:

      • GEOS-11635 Add support for opaque auth tokens in OpenID connect
      • GEOS-11637 DGGS min/max resolution settings stop working after restart
      • GEOS-11680 Azure COG assembly lacks mandatory libraries, won’t work
      • GEOS-11686 Clickhouse DGGS stores cannot properly read dates
      • GEOS-11687 OGC API packages contain gs-web-core
      • GEOS-11691 Smart data loader accepts bigint and bigserial but not int8 postgresql type alias

      Community modules are shared as source code to encourage collaboration. If a topic being explored is of interest to you, please contact the module developer to offer assistance.

      About GeoServer 2.26 Series

      Additional information on GeoServer 2.26 series:

      Release notes: ( 2.26.2 | 2.26.1 | 2.26.0 | 2.26-M0 )

    • sur Mappery: Leicester

      Publié: 26 January 2025, 11:00am CET

      Dean shared this one of many maps of Leicester carved into the cities streets

    • sur Your Local Business Chatbots

      Publié: 25 January 2025, 1:03pm CET par Keir Clarke
      Mapchat: Exploring AI-Powered Conversations with Local BusinessesMapchat is a new interactive map that enables users to chat with AI-powered chatbots connected to businesses in their local area.Simply zoom in on a location on Mapchat, press the 'Search Map' button, and markers will appear, pinpointing local businesses. Then, by clicking on any of these markers, you can initiate a
    • sur Biographical Mapping

      Publié: 24 January 2025, 10:09am CET par Keir Clarke
      If you've ever dreamed of walking in the footsteps of your favorite historical figures, then Maptale is the map for you. This new platform lets you explore the life journeys of significant historical and contemporary figures, as laid out on an interactive map.What Maptale OffersAt its heart, Maptale is a collection of mapped biographies, with each map showcasing the life journey of a notable
    • sur GeoGuessing Reimagined

      Publié: 23 January 2025, 11:39am CET par Keir Clarke
      World Guesser is yet another alternative to the ever-popular GeoGuessr Street View game.Like GeoGuessr, World Guesser drops you into a random location and asks you to guess where you are based solely on the clues you can find in Google’s Street View imagery. The gameplay is divided into two main phases:Investigate:This is where the detective work happens. Navigate through the surroundings to
    • sur Mappery: All about Santa Catalina

      Publié: 23 January 2025, 11:00am CET

      I want to thank ?Wanmei for sharing this coaster and the other photos. As a MacOS user, I knew about Catalina, and I still use the beautiful photo as a background. I am happy to share the maps of this Island.

    • sur Mappery: The map is not the territory

      Publié: 22 January 2025, 11:00am CET

      “El mapa no és el territori. Una cartografia creativa del Raval” is a piece observable from many physical and imaginary points of view of Raval neighbourhood in Barcelona – from Raf of course, our number one correspondent in Barcelona!

    • sur Your Personal AI Travel Guide

      Publié: 21 January 2025, 11:20am CET par Keir Clarke
      Imagine wandering through a city with your very own AI travel guide, ready to reveal the stories behind every landmark, monument, or hidden gem you encounter. With Google’s Talking Tours, this vision takes a significant step closer to becoming a reality.Google Talking Tours offers a fascinating glimpse into the future of AI-driven travel guidance. Developed as part of a collaboration between
    • sur Mappery: Pilot’s Guide

      Publié: 21 January 2025, 11:00am CET

      We haven’t had anything from Ken for a while, so let’s remedy that with this 1964 pilot’s guide marked “Not for navigation”

    • sur GeoSolutions: GeoServer 3 Crowdfunding Reaches Major Step: 80% Funding Completion

      Publié: 21 January 2025, 10:00am CET

      You must be logged into the site to view this content.

    • sur GeoCat: GeoServer 3 Crowdfunding Campaign Reaches Major Step: 80% Funding Completion

      Publié: 21 January 2025, 10:00am CET

      The GeoServer 3 crowdfunding campaign has made remarkable progress, reaching 80% of its financing goal. A significant boost came from a single €100,000 pledge, underscoring the value of this essential upgrade to the GeoServer platform. With just €112,000 left to raise, now is the time to join the movement and ensure the success of this critical project.80% Funded GeoServer 3 Crowdfunding Campaign

      A Campaign with Global Outreach

      This initiative, led by a consortium of 3 key companies Camptocamp, GeoCat, and GeoSolutions, has garnered backing from a wide range of contributors, including public institutions, large companies, SMEs and individuals from various countries. The campaign’s extensive outreach demonstrates GeoServer’s importance to a broad spectrum of users worldwide. GeoServer has become a cornerstone in geospatial applications across industries and borders, and this campaign reflects its far-reaching impact.

      Why GeoServer 3 Matters

      The necessity of implementing GeoServer 3 has never been greater. This major upgrade will deliver:

      • Future-proof performance to handle growing data and processing demands.
      • Enhanced image processing for better visualization and analysis.
      • Improved security to safeguard critical geospatial systems.
      • A modernized user experience for easier access and usability.

      Without these enhancements, users and providers risk facing limitations in scalability, performance, functionality, and security. Achieving this upgrade will ensure GeoServer remains a leading tool in the geospatial industry, empowering your open-source Spatial Data Infrastructure (SDI) based on GeoServer to innovate continuously while providing secure, high-performance services. This will position your organization at the forefront of geospatial technology.

      A Few More Months to Make a Difference

      The campaign will continue until spring, providing a limited window for additional financial contributions. While the international team of core contributors is ready to start the migration, we are waiting for the complete budget allocation to begin, in line with the rules of this crowdfunding campaign. To accommodate many entities currently finalizing their budgets, we have planned to let the campaign run for a few more months. This is an excellent opportunity for your organization to support the future of GeoServer and demonstrate your commitment to open-source geospatial solutions.

      Every Contribution Counts

      With €112,000 still needed to meet the target, every pledge—big or small—matters. Whether you’re a public institution, a large company or an SME, your support can make a difference. Reaching this goal would be a remarkable achievement, building on the strong progress made so far and ensuring the future of GeoServer 3 becomes a reality.

      For any questions or to discuss how you can contribute, please email us or fill out the form to pledge your support. Together, we can achieve this milestone and continue building a sustainable, innovative future for geospatial technology.

      Thanks to all organizations and individuals that have mobilized themselves, contributed financially, or spread the word to make this campaign a success.

      GeoServer 3 Sponsors 

      Individual donations: Abhijit Gujar, Laurent Bourgès.

      The post GeoServer 3 Crowdfunding Campaign Reaches Major Step: 80% Funding Completion appeared first on GeoCat bv.

    • sur GeoServer Team: GeoServer 3 Crowdfunding Campaign Reaches Major Step: 80% Funding Completion

      Publié: 21 January 2025, 1:00am CET

      The GeoServer 3 crowdfunding campaign has made remarkable progress, reaching 80% of its financing goal. A significant boost came from a single €100,000 pledge, underscoring the value of this essential upgrade to the GeoServer platform. With just €112,000 left to raise, now is the time to join the movement and ensure the success of this critical project.

      80% Funded GeoServer 3 Crowrdfunding Campaign

      A Campaign with Global Outreach

      This initiative, led by a consortium of 3 key companies Camptocamp, GeoCat, and GeoSolutions, has garnered backing from a wide range of contributors, including public institutions, large companies, SMEs and individuals from various countries. The campaign’s extensive outreach demonstrates GeoServer’s importance to a broad spectrum of users worldwide. GeoServer has become a cornerstone in geospatial applications across industries and borders, and this campaign reflects its far-reaching impact.

      Why GeoServer 3 Matters

      The necessity of implementing GeoServer 3 has never been greater. This major upgrade will deliver:

      • Future-proof performance to handle growing data and processing demands.
      • Enhanced image processing for better visualization and analysis.
      • Improved security to safeguard critical geospatial systems.
      • A modernized user experience for easier access and usability.

      Without these enhancements, users and providers risk facing limitations in scalability, performance, functionality, and security. Achieving this upgrade will ensure GeoServer remains a leading tool in the geospatial industry, empowering your open-source Spatial Data Infrastructure (SDI) based on GeoServer to innovate continuously while providing secure, high-performance services. This will position your organization at the forefront of geospatial technology.

      A Few More Months to Make a Difference

      The campaign will continue until spring, providing a limited window for additional financial contributions. While the international team of core contributors is ready to start the migration, we are waiting for the complete budget allocation to begin, in line with the rules of this crowdfunding campaign. To accommodate many entities currently finalizing their budgets, we have planned to let the campaign run for a few more months. This is an excellent opportunity for your organization to support the future of GeoServer and demonstrate your commitment to open-source geospatial solutions.

      Every Contribution Counts

      With €112,000 still needed to meet the target, every pledge—big or small—matters. Whether you’re a public institution, a large company or an SME, your support can make a difference. Reaching this goal would be a remarkable achievement, building on the strong progress made so far and ensuring the future of GeoServer 3 becomes a reality.

      For any questions or to discuss how you can contribute, please email us or fill out the form to pledge your support. Together, we can achieve this milestone and continue building a sustainable, innovative future for geospatial technology.

      Thanks to all organizations and individuals that have mobilized themselves, contributed financially, or spread the word to make this campaign a success.

      The following organisations have pledged their support:

      Individual donations: Abhijit Gujar, Laurent Bourgès.

    • sur Introducing Terra Draw

      Publié: 20 January 2025, 3:01pm CET par Keir Clarke
      James Milner has released a new JavaScript library designed to add drawing tools to various online map developer platforms. While most popular mapping platforms offer built-in drawing tools or have add-on drawing libraries, Terra Draw is specifically created to work cross-platform, seamlessly integrating with many popular mapping libraries.Terra Draw is a powerful JavaScript library that
    • sur GeoGuessr for History Buffs

      Publié: 18 January 2025, 10:29am CET par Keir Clarke
      Can you guess the date and location of the historical event taking place in these two AI generated videos? If you can then you might just become the Time Portal champion of the world.Time Portal is a fun and innovative online game that challenges you to pinpoint the time and place of significant historical moments. If you’re a fan of history and love games like GeoGuessr, this one’s for you.At
    • sur PostGIS Development: PostGIS 3.5.2

      Publié: 18 January 2025, 1:00am CET

      The PostGIS Team is pleased to release PostGIS 3.5.2.

      This version requires PostgreSQL 12 - 17, GEOS 3.8 or higher, and Proj 6.1+. To take advantage of all features, GEOS 3.12+ is needed. SFCGAL 1.4+ is needed to enable postgis_sfcgal support. To take advantage of all SFCGAL features, SFCGAL 1.5+ is needed.

      3.5.2

      This release is a bug fix release that includes bug fixes since PostGIS 3.5.1.

    • sur Mappery: Mapped in Cardboard

      Publié: 17 January 2025, 11:00am CET

      Wijfi said “I think this counts as a @mappery #mapsinthewild even though it’s a pretend place. Seen at #massmoca

      “Known for her rich aesthetic and highly detailed constructions, Robin Frohardt is a theater and film director whose work uses recognizable materials-often trash- to create richly detailed worlds that consider the relationship between capitalism and the resulting environmental catastrophe. The tactile quality of cardboard, the low-fi animation effects, rich sound, and dynamic lighting combine to create a cinematic expression that defies the humbleness of the material. Frohardt began using cardboard with the Cardboard Institute of Technology, a collective of artists creating immersive cardboard environments in San Francisco in the early 2000s. Her first cardboard film, Fitzcardboardaldo, premiered in 2013 at the Telluride Film Festival. Seen here is her second cardboard film, Bag, which premiered in 2018 and is a part of her larger work, The Plastic Bag Store.”

      A close up view of what the cardboard map looks like from the city looking out towards the countryside.

    • sur Roads, Railways, Runways & Rivers

      Publié: 17 January 2025, 10:34am CET par Keir Clarke
      I have been inspired by OpenSkiStats' Which Way do You Ski to create my own interactive map for visualizing the orientations of roads, railways, runways, and rivers in towns and cities around the world.In Which Way Do You Ski, OpenSkiStats created a series of "compass rose" visualizations that illustrate the strong poleward tendency of ski runs across the globe. These ski slope orientation
    • sur Kartoza: Rendering Points as a Heatmap in GeoServer

      Publié: 17 January 2025, 1:00am CET
      Rendering Points as a Heatmap in GeoServer


      I was assigned the task of rendering a points layer as a heatmap on GeoServer. The client provided a QGIS style that they wanted replicated using an SLD (Styled Layer Descriptor). Initially, they attempted to export the QGIS style directly as an SLD and upload it to GeoServer. However, this approach failed because QGIS generated the heatmap SLD as:


      <?xml version="1.0" encoding="UTF-8"?><StyledLayerDescriptor xmlns="http://www.opengis.net/sld" xsi:schemaLocation="http://www.opengis.net/sld [schemas.opengis.net] xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.1.0" xmlns:ogc="http://www.opengis.net/ogc" xmlns:se="http://www.opengis.net/se">  <NamedLayer>    <se:Name>Current_Layer</se:Name>    <UserStyle>      <se:Name>Current_style</se:Name>      <se:FeatureTypeStyle>        <!--FeatureRenderer heatmapRenderer not implemented yet-->      </se:FeatureTypeStyle>    </UserStyle>  </NamedLayer></StyledLayerDescriptor>


      The main issue was the line:

      <!--FeatureRenderer heatmapRenderer not implemented yet-->

      , indicating that the style was essentially saved as blank or non-renderable. This was simply how the style was exported from QGIS.


      The first step in addressing the request was to visit the GeoServer Styling Manual and see if there was any example documentation that could help. There was an explanation of how to generate a heatmap style in the Rendering Transformations' Heatmap Generation documentation as well as an example of a heatmap SLD.


      Using the example from the documentation as a basis, I made a few adjustments to ensure the style met the client’s requirements. Here is what the initial heatmap style looked like:


      <?xml version="1.0" encoding="ISO-8859-1"?><StyledLayerDescriptor version="1.0.0"    xsi:schemaLocation="http://www.opengis.net/sld StyledLayerDescriptor.xsd"    xmlns="http://www.opengis.net/sld"    xmlns:ogc="http://www.opengis.net/ogc"    xmlns:xlink="http://www.w3.org/1999/xlink"    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">  <NamedLayer>    <Name>Heatmap Style</Name>    <UserStyle>      <Title>Heatmap Style</Title>      <Abstract></Abstract>      <FeatureTypeStyle>        <Transformation>          <ogc:Function name="vec:Heatmap">            <ogc:Function name="parameter">              <ogc:Literal>data</ogc:Literal>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>weightAttr</ogc:Literal>              <ogc:Literal>geometry</ogc:Literal>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>radiusPixels</ogc:Literal>              <ogc:Literal>75</ogc:Literal> <!-- Spread of heatmap around points, set a number below 100 to reduce spread of heatmap -->            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>pixelsPerCell</ogc:Literal>              <ogc:Literal>5</ogc:Literal> <!-- Set a small number here to generate a higher resolution heatmap -->            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>outputBBOX</ogc:Literal>              <ogc:Function name="env">                <ogc:Literal>wms_bbox</ogc:Literal>              </ogc:Function>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>outputWidth</ogc:Literal>              <ogc:Function name="env">                <ogc:Literal>wms_width</ogc:Literal>              </ogc:Function>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>outputHeight</ogc:Literal>              <ogc:Function name="env">                <ogc:Literal>wms_height</ogc:Literal>              </ogc:Function>            </ogc:Function>          </ogc:Function>        </Transformation>        <Rule>          <RasterSymbolizer>            <Geometry>              <ogc:PropertyName>geometry</ogc:PropertyName>            </Geometry>            <Opacity>0.5</Opacity>            <ColorMap type="ramp"> <!-- The quantity specifies the percentage of the data range on which to change the colour -->              <ColorMapEntry color="#FFFFFF" quantity="0" label="" opacity="0"/> <!-- This is needed to have empty areas around the heatmap 'islands' -->              <ColorMapEntry color="#4444FF" quantity=".1" label=""/>              <ColorMapEntry color="#00FFAE" quantity=".3" label=""/>              <ColorMapEntry color="#FF0000" quantity=".5" label="" />              <ColorMapEntry color="#FFAE00" quantity=".75" label=""/>              <ColorMapEntry color="#FFFF00" quantity="1.0" label="" />            </ColorMap>          </RasterSymbolizer>        </Rule>      </FeatureTypeStyle>    </UserStyle>  </NamedLayer></StyledLayerDescriptor>


      Inline comments were added to the SLD to help the client understand which lines they could modify if needed.


      The primary adjustments made to the example style are as follows:


      - Setting the `weightAttr` as `geometry` so that specified input attribute is the geometry of the various points.

      - Adjusting the `radiusPixels` and the `pixelsPerCell` values.

      - Adding additional stops in the colour ramp.

      - Changing the hexcodes of the colours in the colour ramp to be the same as the example heatmap.


      While generating the heatmap style, an issue frequently occurred with GeoServer’s built-in style previewer, which did not display the style accurately. As a result, I had to check the results on the front-end map after every change. This limitation is evident in the screenshot below, where the GeoServer preview lacks a proper front-end to display the styled dummy data, making it appear different from how it would look on an actual map.



      The generated heatmap looked like this when rendered correctly (this is dummy data and not the actual data):



      The client was pleased with the heatmap but later requested additional functionality: displaying the relative counts of the various heatmap surfaces. This prompted me to research whether anyone had implemented something similar that I could use as a reference. After an extensive search yielded no results, I decided to experiment and create a custom SLD to meet the client’s requirements.


      I had previously been shown and used the Point Stacker logic in GeoServer to do clustered symbol displays so I used this as my base logic. The whole logic behind the clustered labelling display didn't need to be complex. All the labels would be the same size, and font, and they just needed to display a relative count.


      Given these criteria, I modified my existing Point Stacker logic to be simplified and it looked like this:


          <FeatureTypeStyle>      <Transformation>        <ogc:Function name="gs:PointStacker">          <ogc:Function name="parameter">            <ogc:Literal>data</ogc:Literal>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>cellSize</ogc:Literal>            <ogc:Literal>20</ogc:Literal>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>outputBBOX</ogc:Literal>            <ogc:Function name="env">           <ogc:Literal>wms_bbox</ogc:Literal>            </ogc:Function>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>outputWidth</ogc:Literal>            <ogc:Function name="env">           <ogc:Literal>wms_width</ogc:Literal>            </ogc:Function>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>outputHeight</ogc:Literal>            <ogc:Function name="env">              <ogc:Literal>wms_height</ogc:Literal>            </ogc:Function>          </ogc:Function>        </ogc:Function>      </Transformation>     <Rule>        <Name>Clusters</Name>        <Title>Clusters</Title>        <ogc:Filter>          <ogc:PropertyIsGreaterThanOrEqualTo>            <ogc:PropertyName>count</ogc:PropertyName>            <ogc:Literal>5</ogc:Literal>          </ogc:PropertyIsGreaterThanOrEqualTo>        </ogc:Filter>        <TextSymbolizer>          <Label>            <ogc:PropertyName>count</ogc:PropertyName>          </Label>          <Font>            <CssParameter name="font-family">Arial</CssParameter>            <CssParameter name="font-size">10</CssParameter>            <CssParameter name="font-weight">bold</CssParameter>          </Font>          <LabelPlacement>            <PointPlacement>              <AnchorPoint>                <AnchorPointX>0</AnchorPointX>                <AnchorPointY>0</AnchorPointY>              </AnchorPoint>            </PointPlacement>          </LabelPlacement>          <Halo>             <Radius>0.4</Radius>             <Fill>               <CssParameter name="fill">#000000</CssParameter>               <CssParameter name="fill-opacity">1</CssParameter>             </Fill>          </Halo>          <Fill>            <CssParameter name="fill">#FFFFFF</CssParameter>            <CssParameter name="fill-opacity">1.0</CssParameter>          </Fill>        </TextSymbolizer>      </Rule>    </FeatureTypeStyle>


      There is only one clustering rule as having different sized circles symbolizing different sized clusters was not needed. The `cellSize` was set to 20 map units so that all points within a grid cell of 20x20 map units get clustered together. The `count` property was set to be greater than or equal to 5, as during the creation of the style, it became apparent that labelling all of the clusters with fewer than 5 points overcrowded the map visually and did not add any more information.


      The next step was combining the logic for the heatmap and the labelled clusters. After multiple failed attempts, I found that I couldn't combine the two logics into one `FeatureTypeStyle` and needed two separate `FeatureTypeStyle` groups. From there I then played around with the ordering of the `FeatureTypeStyle` logic and learnt that the heatmap style needed to come first in the SLD.


      All the attempts led to this style:


      <?xml version="1.0" encoding="ISO-8859-1"?> <StyledLayerDescriptor version="1.0.0"  xsi:schemaLocation="http://www.opengis.net/sld StyledLayerDescriptor.xsd"  xmlns="http://www.opengis.net/sld"  xmlns:ogc="http://www.opengis.net/ogc"  xmlns:xlink="http://www.w3.org/1999/xlink"  xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"  xmlns:se="http://www.opengis.net/se">  <NamedLayer>   <Name>Cluster points</Name>   <UserStyle>   <!-- Styles can have names, titles and abstracts -->    <Title>Clustered points</Title>    <Abstract>Styling using cluster points server side</Abstract>    <FeatureTypeStyle>        <Transformation>          <ogc:Function name="vec:Heatmap">            <ogc:Function name="parameter">              <ogc:Literal>data</ogc:Literal>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>weightAttr</ogc:Literal>              <ogc:Literal>geometry</ogc:Literal>            </ogc:Function>            <!-- Set a very small radius or remove this parameter -->            <ogc:Function name="parameter">              <ogc:Literal>radiusPixels</ogc:Literal>              <ogc:Literal>75</ogc:Literal> <!-- Reduced radius -->            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>pixelsPerCell</ogc:Literal>              <ogc:Literal>5</ogc:Literal>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>outputBBOX</ogc:Literal>              <ogc:Function name="env">                <ogc:Literal>wms_bbox</ogc:Literal>              </ogc:Function>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>outputWidth</ogc:Literal>              <ogc:Function name="env">                <ogc:Literal>wms_width</ogc:Literal>              </ogc:Function>            </ogc:Function>            <ogc:Function name="parameter">              <ogc:Literal>outputHeight</ogc:Literal>              <ogc:Function name="env">                <ogc:Literal>wms_height</ogc:Literal>              </ogc:Function>            </ogc:Function>          </ogc:Function>        </Transformation>        <Rule>          <RasterSymbolizer>            <Geometry>              <ogc:PropertyName>geometry</ogc:PropertyName>            </Geometry>            <Opacity>0.5</Opacity>            <ColorMap type="ramp">              <ColorMapEntry color="#FFFFFF" quantity="0" label="" opacity="0"/>              <ColorMapEntry color="#4444FF" quantity=".1" label=""/>              <ColorMapEntry color="#00FFAE" quantity=".3" label=""/>              <ColorMapEntry color="#FF0000" quantity=".5" label="" />              <ColorMapEntry color="#FFAE00" quantity=".75" label=""/>              <ColorMapEntry color="#FFFF00" quantity="1.0" label="" />            </ColorMap>          </RasterSymbolizer>        </Rule>      </FeatureTypeStyle>    <!-- Clustering and labelling logic -->    <FeatureTypeStyle>      <Transformation>        <ogc:Function name="gs:PointStacker">          <ogc:Function name="parameter">            <ogc:Literal>data</ogc:Literal>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>cellSize</ogc:Literal>            <ogc:Literal>20</ogc:Literal>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>outputBBOX</ogc:Literal>            <ogc:Function name="env">           <ogc:Literal>wms_bbox</ogc:Literal>            </ogc:Function>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>outputWidth</ogc:Literal>            <ogc:Function name="env">           <ogc:Literal>wms_width</ogc:Literal>            </ogc:Function>          </ogc:Function>          <ogc:Function name="parameter">            <ogc:Literal>outputHeight</ogc:Literal>            <ogc:Function name="env">              <ogc:Literal>wms_height</ogc:Literal>            </ogc:Function>          </ogc:Function>        </ogc:Function>      </Transformation>     <Rule>        <Name>Clusters</Name>        <Title>Clusters</Title>        <ogc:Filter>          <ogc:PropertyIsGreaterThanOrEqualTo>            <ogc:PropertyName>count</ogc:PropertyName>            <ogc:Literal>5</ogc:Literal>          </ogc:PropertyIsGreaterThanOrEqualTo>        </ogc:Filter>        <TextSymbolizer>          <Label>            <ogc:PropertyName>count</ogc:PropertyName>          </Label>          <Font>            <CssParameter name="font-family">Arial</CssParameter>            <CssParameter name="font-size">10</CssParameter>            <CssParameter name="font-weight">bold</CssParameter>          </Font>          <LabelPlacement>            <PointPlacement>              <AnchorPoint>                <AnchorPointX>0</AnchorPointX>                <AnchorPointY>0</AnchorPointY>              </AnchorPoint>            </PointPlacement>          </LabelPlacement>          <Halo>             <Radius>0.4</Radius>             <Fill>               <CssParameter name="fill">#000000</CssParameter>               <CssParameter name="fill-opacity">1</CssParameter>             </Fill>          </Halo>          <Fill>            <CssParameter name="fill">#FFFFFF</CssParameter>            <CssParameter name="fill-opacity">1.0</CssParameter>          </Fill>        </TextSymbolizer>      </Rule>    </FeatureTypeStyle>  </UserStyle> </NamedLayer></StyledLayerDescriptor>


      This style renders the points as a heatmap using the `geometry` attribute for weighting and then displays labels for clusters of points that are larger than 5. It looks like this (Again, this is dummy data and not the actual data):



      The style is functional and has been approved by the client. However, I would like to revisit the labelling logic to better align it with the heatmap styling. Specifically, I aim to have the labels correspond to the colour breaks in the heatmap rather than relying on a separate clustering logic.

    • sur Mappery: Wellington Botanic Garden

      Publié: 16 January 2025, 11:00am CET

      Cartodataviz shared this 3d topographic map of a part of the botanic garden in Wellington

    • sur An Extremely Distorted Map of the US Election

      Publié: 16 January 2025, 10:18am CET par Keir Clarke
      Following the publication of its Extremely Detailed Map of the 2016 Election, the New York Times was widely criticized for visually misrepresenting the election results. Despite this backlash, the newspaper chose to repeat the error after the 2020 election - and has now done so again!The New York Times recently released its Extremely Detailed Map of the 2024 Election. According to the NYT,
    • sur Jackie Ng: Announcing: mapguide-react-layout 0.14.10 and MapGuide Maestro 6.0m13

      Publié: 15 January 2025, 3:21pm CET

      We start the new year with a double-header release of:

      • MapGuide Maestro 6.0m13
      • mapguide-react-layout 0.14.10
      What prompted these new releases other than (it's long overdue)?
      Namely, it is to do with a notification I received about the coming deprecation (and eventual shutdown) of the epsg.io service that both pieces of software use to do proj4 projection lookups for any given EPSG code. This service will shutdown in Feburary (next month) and transition over to the MapTiler coordinates API. This new API requires an API key to use their services.
      In the context of these 2 projects, the API key requirement introduces too much friction.
      • If I take up the offer to use MapTiler, I have to register and bake my API key into both Maestro and mapguide-react-layout and am now responsible for API usage/monitoring under this key from users I have no control over. Last thing I want to deal with is bug reports from users because, let's say for example: proj4 lookup is broken because the API is no longer accessible for my API key due to quota exceeded. I just don't want to deal with such a scenario.
      • Which means the alternative is to change the code to the extent that users can "bring their own API key", taking such API key usage/monitoring concerns out of my hands. This too is also too much hassle. I just want to do EPSG code to proj4 lookups nothing more nothing less!
      If I was building a bespoke/custom mapping application for a client with EPSG > proj4 lookup functionality, then this API key requirement would not have been an issue, but this is not the case here.
      So in light of these concerns, instead of moving to MapTiler coordinates. Instead I have opted to use spatialreference.org to do EPSG -> proj4 lookups. No API keys are required there.
      So since this was the main driver for needing to put out new releases of MapGuide Maestro and mapguide-react-layout, we might as well take this opportunity to lump in some other fixes and minor changes, which are detailed below.mapguide-react-layout changes(reworked) Stamen and (new) StadiaMaps supportStamen tiled layer support was broken for some time since it was taken over by Stadia Maps. I had already taken care of this in the VSCode map preview extension which had the same problem. But for mapguide-react-layout, the fix was a bit different due to it not using the latest version of OpenLayers and it is too much work right now to update to the latest OpenLayers in mapguide-react-layout.
      So what was done for mapguide-react-layout instead is to create these Stamen tile layers as XYZ layers  instead of using the (now broken for that OL release) Stamen tile source. This works because Stamen tiles are ultimately tilesets using the XYZ web mercator scheme. The only other changes is that a Stadia Maps API key is required. So if your appdef defines one or more Stamen tile layers and you didn't specify an API key, you'll get the same startup warning you get when you have Bing Maps layers and didn't specify a Bing Maps API key

      But if you do provide a Stadia Maps API key, you'll get the Stamen layers you've seen before.

      Since a Stadia Maps API key is now required, we've also added support for other tilesets provided by Stadia Maps, like:
      Alidade Smooth

      Alidade Smooth Dark

      Alidade Satellite

      Outdoors

      So if you are loading your mapguide-react-layout viewer from a Flexible Layout document, where do you need to specify this new Stadia Maps API key?
      That's where the new release of MapGuide Maestro comes in to help!MapGuide Maestro ChangesStamen Maps (changed) and Stadia Maps (new) supportThe Fusion Editor has reworked Stamen Maps support and added support for Stadia Maps

      You'll notice that Stamen and Stadia Maps have 2 variants for every layer.
      • A specialized version
      • An XYZ layer variant ("... as XYZ")
      What is the deal with this?
      This was done so that if you are still authoring Flexible Layouts for Fusion instead of mapguide-react-layout, you can still view Stamen and Stadia Maps layers in Fusion through the existing XYZ layer support that is available in Fusion as demonstrated in the screenshot below, using the Stadia Maps alidade_smooth_dark tileset + API key.

      So depending on the context:
      If you are authoring a Flexible Layout for Fusion, choose the "... as XYZ" version and enter the Stadia Maps API key when prompted.
      Otherwise, if you are authoring a Flexible Layout for mapguide-react-layout, choose the specialized version and enter the Stadia Maps API key in the provided field

      This release of mapguide-react-layout will read the Stadia Maps API key from this new setting in the Flexible Layout when initializing with Stamen and Stadia Maps tile layers.
      Using spatialreference.org for EPSG > proj4 lookupsAs stated above, the projection management dialog of the Fusion Editor now uses spatialreference.org for resolving proj4 strings from EPSG codes

      Other changes
      • WMS Feature Source Editor: Improved the responsiveness and usability of the Advanced Configuration Dialog
      • You can finally copy (ctrl-c) content in the IronPython console!!! You can now truly iterate on automation scripts by finally being able to copy the snippets of working Python code you just entered and eval-ed.
      Download

    • sur GeoSolutions: GeoSolutions at GeoWeek Feb 10-12 (Booth 1543): Cesium/3D Tiles Support in MapStore

      Publié: 15 January 2025, 12:24pm CET

      You must be logged into the site to view this content.

    • sur Mappery: Dona Lina

      Publié: 15 January 2025, 11:00am CET

      Erik spotted this on his vacation in Seville

    • sur Global Ski Slope Orientations

      Publié: 15 January 2025, 9:51am CET par Keir Clarke
      OpenSkiStats has analyzed ski trail maps to determine the direction of travel for ski trails worldwide. In Which Way do You Ski OpenSkiStats has used ski trail maps to determine the direction of travel of all ski trails in ski resorts around the globe. By gathering the coordinates of all trail segments, connecting these points, and treating each segment as a vector scaled by its
    • sur Notable Memorial Map

      Publié: 14 January 2025, 11:24am CET par Keir Clarke
      Notable MemorialsThis morning, I created a map of memorials in central London.My Notable Memorials map displays the names of individuals with memorials in central London, many of which are blue plaque memorials.While there’s nothing particularly groundbreaking about the map itself (although seeing the names of individuals rather than just markers is quite engaging), what
    • sur Mappery: Rail Post Office Network

      Publié: 14 January 2025, 11:00am CET

      Oliver Leroy said “Doing some trains nerd tourism, very hard to imagine how big the industry was before and how fast the change happened #mapsinthewild

      I couldn’t resist some nerdy research and found this

    • sur OPENGIS.ch: Visualizing Ideas: From circles to planets to story arcs

      Publié: 14 January 2025, 6:00am CET

      My first day at OPENGIS.ch back in September wasn’t what you usually expect when starting at a new workplace. Instead of diving head first into some complex code repository or reading up on company policies, I found myself scribbling lines and circles onto paper.

      The OPENGIS.ch team was meeting in Bern at Puzzle ITC / We Are Cube for a workshop on visualizing ideas, hosted by Mayra and Jürgen from We Are Cube. For a few hours, a room full of slightly unsure, but mostly intrigued geo ninjas armed with pencils and paper discovered a new way to express their ideas through simple visuals.

      Hard at work during the workshop Getting Started: Persuading the «I-Can’t-Draw-For-My-Life» Crowd

      Entering the meeting room, some felt slightly threatened by the pencils on the table, but we were quickly assured that no one was expected to become the next Picasso – just to visualize ideas. Easy, right?

      Visualizations help us understand, remember, and process ideas better than text or numbers can. Our brains are wired to process images far quicker than text. Being able to sketch ideas is a great skill, so let’s do it!

      But for some of us, artistic expression is limited to drawing UML diagrams, and even that can be outsourced to code (see this nifty little tool called Mermaid). So, when it came time to draw our favorite animals as a warm-up, some people were a bit out of their comfort zone. But we soon learned that there are many neat tricks and strategies to make visualizing ideas easier.

      The Basics: Shapes, Containers, Arrows, Expressions

      After getting over the stress of drawing animals, it was time to get into the basics. Jürgen explained that everything can be visualized using just a handful of simple shapes: circles, squares, triangles, and lines.

      Basic shapes and lines

      By adding a few details to these shapes, we can visualize many different objects without getting lost in the complexity of reality. And suddenly, a circle can be a hole in the paper, a plate or planet earth.

      Evolution of a circle from ball to hole in the paper, planet and plate

      To then visualize even more complex ideas, only three basic elements are needed – containers (like rectangles or circles), arrows, and facial expressions. Containers represent the things we care about (whether that’s a person, an object, or an idea). Arrows help us show the relationships or flow between them. And facial expressions, well, they capture emotion.

      By using these basic elements we build complex ideas – no high-level artistic skill required!

      The Story Arc: Put your idea into a story

      Now that we were a bit more comfortable with expressing ourselves on paper, we were introduced to the Story Arc. It’s a framework that helps structure a narrative visually. Whether you’re presenting a project, brainstorming a new product, or explaining a complex process, having a clear story structure makes everything easier to understand and remember.

      So the last task of the day was to invent a story and visualize it. With nothing more than some simple circles, squiggly lines and lots of imagination, we were able to convey our stories with ease. The results were some catchy tales about empty phone batteries, juggling demanding job tasks or flying to the moon to solve a customer problem.

      Story arc of geo ninjas solving customer problems by going to the moon; surely a sci-fi story better than the new Dune movie. Conclusion: The power of visualizing Ideas

      Turns out, visualizing ideas isn’t just for artists! Whether it’s brainstorming a new product or explaining a complex concept, simple visual tools can make ideas clearer and more memorable.

      A light bulb moment for all participants

      So, the next time you’re staring at a blank whiteboard or trying to figure out the best way to pitch an idea, just remember: grab a pencil, draw a circle, and let your imagination go wild. 

      Thanks, Mayra and Jürgen from We Are Cube – you’ve taught us that even non-artists can visualize ideas, and it’s all just a handful of simple shapes away!

    • sur Camptocamp: Odoo Store Locator Module: Supporting Local Collaboration with Open Source Innovation

      Publié: 14 January 2025, 1:00am CET
      Pièce jointe: [télécharger]
      When Onestein, an Odoo partner based in Breda, Netherlands, approached Camptocamp, they had a unique request: to create a store location module for the Odoo ERP system, complete with an interactive map.
    • sur QGIS Blog: Plugin Update – December, 2024

      Publié: 13 January 2025, 6:56pm CET

      In December, there were 37 new plugins published in the QGIS plugin repository.

      Here follows the quick overview in reverse chronological order. If any of the names or short descriptions catches your attention, you can find the direct link to the plugin page in the table below:

      Filtra Selecionados | Filter Selected
      Filtra a camada ativa com base nas feições selecionadas, considerando a estrutura e os tipos de campos para uma filtragem otimizada. | Filters the active layer based on selected features, considering the structure and field types for optimized filtering.
      French Point Elevation
      Récupère l’altitude à partir du RGE ALTI® (IGN, FRANCE).
      RAVI
      Remote Analysis of Vegetation Indices.
      MGBInputTool
      This plugin prepares the data for the MGB-IPH model.
      Integrator us?ug danych przestrzennych
      Narz?dzie stworzone dla u?ytkowników QGIS, które umo?liwia szybki i bezpo?redni dost?p do danych przestrzennych pochodz?cych z oficjalnej ewidencji zbiorów i us?ug danych przestrzennych kraju (EZiUDP). To najlepszy sposób pracy z polskimi danymi przestrzennymi, je?li na co dzie? z nich korzystasz.
      Basemaps
      A QGIS plugin to load multiple online basemap services.
      Hypsometric Curve
      Calcola la curva ipsometrica di un bacino idrografico partendo da un layer DEM e da un layer vettoriale contenente il poligono che delimita il bacino stesso. Puoi assegnare la banda di colore per la definizione delle quote altimetriche del terreno, inserire il numero per suddividere l’area del bacino delimitato dal poligono, per la definizione degli intervalli delle quote altimetriche. *** English: Calculate the hypsometric curve of a hydrographic basin starting from a DEM layer and a vector layer containing the polygon that delimits the basin itself. You can assign the color band to define the elevations of the terrain, enter the number to divide the area of ??the basin delimited by the polygon, to define the intervals of the elevations.
      Mapa Glebowo-Rolnicza
      Wtyczka do wizualizacji mapy glebowo rolniczej.
      Geosimulation Land Changes
      This plugin is a tool used in spatial modeling to predict changes in land cover or land use.
      CityForge
      CityForge is a QGIS plugin for reconstructing 3D buildings from footprint and point cloud into CityJSON files.
      qgis_otp_multi_isochrone_plugin
      Make Isochrone with OpenTripPlanner Ver1.5.
      HVLSP merge packages
      This plugin merges high-value large-scale Geopackage files provided by the Open maps for Europe 2 (OME2) project.
      sz_processing
      Susceptibility Zoning plugin.
      Osm Map Matching
      Plugin aligning route points with OpenStreetMap roads, including OSM fields.
      Accessibility calculator
      Accessibility Calculations.
      APNCad
      Applicatif destiné à la prise de notes sur tablette numérique lors des opérations de terrain réalisées pendant le remaniement cadastral. APNCad est le fruit de la collaboration entre Jean-Noël MARCHAL de la BNIC de Nancy et Marius FRANÇOIS-MARCHAL.
      QuODK
      A link between ODK Central data and QGIS.
      EODH Workflows
      Access and run workflows on the EODH.
      Next Print
      This plugin makes it easy to print using templates and text.
      DataAW
      DataAW compares two files using area-weighted data.
      WIMS Integrate
      Aggregates WIMS field data with Web Services.
      Wurman Dots
      Create Wurman Dots using a square or hexagonal grid.
      qgis_color_ramp_generator
      Generate QGIS color ramp XML files.
      variablePanel
      Displays project variables in a dedicated panel.
      Siligites
      Plugin pour l’étude de la proximité entre des sites archéologiques et les formations géologiques à silicites qui leur sont liées.
      Q4TS
      QGIS for TELEMAC-SALOME is a pre-processing of open-TELEMAC meshes: mesh creation, mesh modification, mesh interpolation, creation of boundary condition file.
      Dissect and dissolve overlaps (SAGA NextGen)
      Detect, zoom to, dissect and dissolve overlaps in one polygon layer.
      TiffSlider
      This plugin lets you switch effortlessly between .tiff-layers in your chosen group via horizontal slider. It was mainly scripted to visualize GPR radargrams to depict the change of ground structure.
      Offset Lines
      This plugin lets you offset lines parallel to its original in a variable distance.
      Quick BDL
      Pobieranie obiektów GUS/BDL (EN: Downloading objects from the Central Statistical Office of Poland / Local Data Bank).
      RoutesComposer
      Composer of roads from network of segments.
      GeoParquet Downloader (Overture, Source & Custom Cloud)
      This plugin connects to cloud-based GeoParquet data and downloads the portion in the current viewport.
      Prettier Maps
      Style your QGIS maps.
      OpenDRIVE Map Viewer
      This plugin adds support to visualize OpenDRIVE maps to QGIS.
      geo_easyprint
      ?????????
      Territory Analysis
      This is an example of a plugin for creating an automated report on a comprehensive analysis of the territory using remote sensing data.
      Surface Water Storage
      This plugin generates the inundation area and elevation-area-volume graph for an area.

    • sur Mappery: Curiositi

      Publié: 13 January 2025, 11:00am CET

      Raf spotted this shop sign in Pamplona

    • sur LA Fires Damage Inspections Dashboard

      Publié: 13 January 2025, 10:19am CET par Keir Clarke
      Around 105,000 Los Angeles residents remain under mandatory evacuation orders, with an additional 87,000 under evacuation warnings. Many of these residents are uncertain and deeply concerned about the safety of their homes. So far, more than 12,000 buildings have been destroyed by the Los Angeles fires.To provide clarity and transparency, the County of Los Angeles has published preliminary maps
    • sur Nick Bearman: FOSS4G 2024 - Belém, Brazil

      Publié: 13 January 2025, 1:00am CET

      I was very lucky to be able to attend FOSS4G 2024, in Belém, Brazil on 2nd - 8th December 2024. Belém is a fantastic city, and due to host COP30 in November 2025, with lots of construction on going. FOSS4G has a wonderful community and a great variety of talks - have a look at the agenda to see the different topics under discussion.

      Tri-lingual welcome, in Portugese, Spanish and English at FOSS4G 2024

      The first two days were workshops, and I attended XYZ Cloud MAPPing 101 presented by Dennis Bauszus, and Community Drone Mapping by Ivan Buendi?a Gayton. In some ways I find the workshops the most useful element of the conference because it gives you time to dig in to a specific piece of software and learn some new skills, something I am quite poor at doing during my usual ‘day job’! I learnt some new useful skills in both workshops. Dennis has also shared the XYZ Mapping workshop materials if you have more discipline than me(!) and can work through it on your own:

      The Drone workshop was also fascinating, and Ivan did a great job of both teaching us how to fly a drone (easier than I thought) and how to help local communities leverage the power of drones (& wider GIS skills) for their own benefit.

      The main conference itself was in the Hanger Convention Centre and it was a great international conference. The laid back approach of FOSS4G always creates a lovely atmosphere and it was a great opportunity to get to know new people in the FOSS4G world, and catch up with people I have met at previous events. Community is one of the key things that I love about this group, with people very willing to help each other out. Uber is a key method of transportation in Brazil, and with a number of the evening social events in the city centre, we usually clubbed together at the hotel reception for an Uber to get us there, and back afterwards!

      The variety of talks was incredible, with fascinating applications of FOSS4G tools, discussions on the interaction of academia and FOSS4G and personal reflections on people’s FOSS4G journeys. I particularly Kim Durante’s talk on FAIR Principles for Geospatial Data Curation which might have some very useful ideas for a project I am working on at the moment, and Veronica Andreo’s talk, From field biology to the GRASS GIS board - an open source journey about how she got involved in the GRASS GIS project.

      I met one lady from Brazil and this was her first international, English speaking conference. She was really enjoying herself and it was a great introduction to the FOSS4G community for her.

      One thing that came across to me was the variety of open source projects, and how some projects seem to be doing very similar things. Two examples that come to mind are QField and Mergin Maps, both of which allow users to collect data in a QGIS project in the field on their phone, and process that data back in the office. Another pair would be QGIS and GRASS GIS, both arguably great quality Desktop GIS tools, and there are many other examples too.

      Initially I wondered why there were so many similar tools like this, when it might make more sense to combine effort and focus on one tool, rather than splitting our effort over two? However after a bit of reflection I discovered a) that often two similar tools have differences that make them more useful to different audiences. For example, QField is a more flexible field data collection tool, and Mergin Maps is easier to get up and running with. Also, b) having multiple tools reflects the market approach of encouraging development and innovation, with the best tool ‘winning’. In this context winning is not by having the highest revenues or the highest profits, but by having communities of users and developers. If a project doesn’t have a good group of users and/or a good group of developers interested in keeping the project up to date, then gradually it will fall out of use. I was not expecting to see an example of a capitalist based market in the open source community, but here it is!

      I also had the opportunity to met Katja Haferkorn, who is the coordinator for FOSSGIS e.V. FOSSGIS e.V. is the OSGeo Local Chapter for German-speaking countries - D-A-CH, i.e. Germany, Austria and the german speaking part of Switzerland. FOSSGIS e.V. is also the German local chapter for OpenStreetMap. FOSSGIS e.V. is quite unique in that they are a local chapter who has a paid coordinator - Katja - and it was fascinating to hear her experiences. As OSGeo:UK Chair, one of the questions I asked her was about diversity within Local Chapters, and OSGeo as a whole. This is an issue for them as well and it is a aspect of membership that has been challenging the whole community for a while. Katja has written a great blog post about the conference. It is in German, but Google Translate does a reasonable job of translating it into English.

      Working at the Code Sprint, thanks to Felipe Barros for the photo

      The last two days of the conference was the Code Sprint. This is a chance to meet people working on different open source GIS projects and learn how to contribute to different elements of the projects. I had a great chat with Silvina Meritano and Andrés Duhour about using R as a GIS. Silvina was keen to develop her mapping skills in R, and Andrés had already developed an R package (which he presented at the conference: osmlanduseR) and spent a bit of time learning about and contributing to the new tmap library examples. Tmap version 4 is coming out (blog post coming soon!) and I needed to updated my material for this new version. I also spent some time looking at the Las Calles De Las Mujeres project, which looks at the proportion of streets named after women (rather than men) in a range of Spanish speaking countries. Silvina and I had a go at creating a version in R that could automate some more of the process to apply this to different cities in English speaking countries.

      The internet connection at the code sprint was a little variable, so we had some challenges and had to resort to using the “sneaker net” occasionally - using a USB stick to transfer data between us! Fortunately we never had to resort to playing truco - a card game played in Argentina when the internet doesn’t work and you have nothing else to do!

      Conference group photo

      Thanks very much to everyone involved in organising the conference. Many more photos are on Flickr. The conference was a fantastic experience, and if you ever have the opportunity to go to a FOSS4G conference, anywhere, do take it!

      If you want help or advice on any open source geospatial tool, or are interested in Introductory or Advanced GIS training in QGIS or R, please do contact me.

    • sur GeoServer Team: GeoServer 2025 Roadmap

      Publié: 13 January 2025, 1:00am CET

      Happy new year and welcome to 2025 from the GeoServer team!

      Last year we started something different for our project - sharing our 2024 roadmap plans with our community and asking for resources (participation and funding) to accomplish some challenging goals. We would like to provide an update for 2025 and a few words on our experience in 2024.

      The GeoServer project is supported and maintained thanks to the hard work of volunteers and the backing of public institutions and companies providing professional support.

      GeoServer was started in 2001 by a non-profit technology incubator. Subsequent years has seen the project supported by larger companies with investors and venture capital. This support is no longer available - and without this cushion we must rely on our community to play a greater role in the success of the project.

      We are seeking a healthy balance in 2025 and are asking for support in the following areas:

      • Maintenance: The GeoServer team uses extensive automation, quality assurance tools, and policy of dropping modules to “right size” the project to match developer resources.

        However maintenance costs for software markedly increased in 2024 as did time devoted to security vulnerabilities. This causes the components used by GeoServer to be updated more frequently, and with greater urgency.

        ?? Community members can answer questions on geoserver-user forum, reproduce issues as they are reported, and verify fixes.

        ?? Developers are encouraged to get started by reviewing pull-requests to learn what is needed, and then move on to fixing issues.

      • Security Vulnerabilities: GeoServer works with an established a coordinated vulnerability disclosure policy, with clear guidelines for individuals to particpate based on trust, similar to how committers are managed. Our 2024 experience with CVE-2024-36401 highlights the importance of this activity for our community and service providers.

        ?? Trusted volunteers can help mind geoserver-security email list, and help reproduce vulnerabilities as they are reported. We also seek developer capacity and funding to address confirmed vulnerabilities.

      • Releases: Regular release and community testing is a key success factor for open source projects and is an important priority for GeoServer. Peter has done a great job updating the release instructions, and many of the tasks are automated, making this activity far easier for new volunteers.

        ?? Developers and Service Providers are asked to make time available to to assist with the release process.

        Asking our community to test release candidates ahead of each major release has been discontinued due to lack of response. The GeoServer team operates with a time-boxed release model so it is predictable when testing will be expected.

        ?? Community members and Service Providers are asked to help test nightly builds ahead of major releases in March and April.

      • Testing: Testing of new functionality and technology updates is an important quality assurance activity We have had some success asking downstream projects directly to test when facing technical-challenges in 2023.

        ?? We anticipate extensive testing will be required for GeoServer 3 and ask everyone to plan some time to test out nightly builds with your own data and infrastructure during the course of this activity.

      • Sponsorship: In 2023 we made a deliberate effort to “get over being shy” and ask for financial support, setting up a sponsorship page, and listing sponsors on our home page.

        The response has not been in keeping with the operational costs of our project and we seek ideas on input on an appropriate approach.

        ?? We ask for your financial assistance in 2025 (see bottom of page for recommendations).

      The above priorities of maintenance, testing and sponsorship represent the normal operations of an open-source project. This post is provided as a reminder, and a call to action for our community.

      2025 Roadmap Planning CITE Certification

      Our CITE Certification was lost some years ago, due to vandalism of a build server, and we would like to see certification restored.

      OGC CITE Certification is important for two reasons:

      • Provides a source of black-box testing ensuring that each GeoServer release behaves as intended.
      • Provides a logo and visibility for the project helping to promote the use of open standards.

      Recent progress on this activity:

      • As part of a Camptocamp organized OGCAPI - Features sprint Gabriel was able setup a GitHub workflow restoring the use of CITE testing for black-box testing of GeoServer. Gabriel focused on OGC API - Features certification but found WMS 1.1 and WCS 1.1 tests would also pass out of the box, providing a setup for running the tests in each new pull request.
      • Andrea made further progress certifying the output produced by GeoServer, restoring the WMS 1.3, WFS 1.0 and WFS 1.1 tests, as well as upgrading the test engine to the latest production release. In addition, CITE tests that weren’t run in the past have been added, like WFS 2.0 and GeoTIFF, while other new tests are in progress, like WCS 2.0, WMTS 1.0 and GeoPackage.
      • The Open Source Geospatial Foundation provides hosting for OSGeo Projects. Peter is looking into this opportunity which would allow the project to be certified and once again be a reference implementation.

      ?? Please reach out on the developer forum and ask how you can help support this activity.

      GeoServer 3

      GeoServer 3 is being developed to address crucial challenges and ensure that GeoServer remains a reliable and secure platform for the future.

      Staying up-to-date with the latest technology is no longer optional — it’s essential. Starting with spring-framework-6, each update requiring several others to occur at the same time.

      GeoServer 3 Updates

      Our community is responding to this challenge but needs your support to be successful:

      • Brad and David have made considerable progress on Wicket UI updates over the course of 2024, and with Steve’s effort on Content Security Policy compliance (CSP headers are enabled by default in newer versions of Wicket).

      • Andreas Watermeyer (ITS Digital Solutions) has been steadily working on Spring Security 5.8 update and corresponding OAuth2 Secuirty Module replacements.

      • Consortium of Camptocamp, GeoSolutions and GeoCat have responded to our roadmap challenge with a bold GeoServer 3 Crowdfunding. The crowd funding is presently in phase one collecting pledges, when goal is reached phase two will collect funds and start development.

        Check out the crowdfunding page for details, faq, including overview of project plan.

        GeoServer 3 Milestones

      ?? Pledge support for GeoServer 3 Crowdfunding using email or form.

      ?? Developers please reach out on the developer forum if you have capacity to work on this activity.

      ?? Testers GeoServer 3 will need testing with your data and environment over the course of development.

      Service Providers

      Service providers bring GeoServer technology to a wider audience. We recognize core-contributors who take on an ongoing responsibility for the GeoServer project on our home page, along with a listing of commercial support on our website. We encourage service providers offering GeoServer support to be added to this list.

      Helping meet project roadmap planning goals and objectives is a good way for service providers to gain experience with the project and represent their customers in our community. We recognize service providers that contribute to the sustainability of GeoServer as experienced providers.

      ?? We encourage service providers to directly take project maintenance and testing activities, and financially support the project if they do not have capacity to participate directly.

      Sponsorship Opportunities

      The GeoServer Project Steering Committee uses your financial support to fund maintenance activities, code sprints, and research and development that is beyond the reach of an individual contributor.

      GeoServer recognizes your financial support on our home page, sponsorship page and in release notes and presentations. GeoServer is part of the Open Source Geospatial Foundation and your financial support of the project is reflected on the OSGeo sponsorship page.

      Recommendations:

      • Individuals can use Donate via GitHub Sponsors to have their repository badged as supporting OSGeo.
      • Individuals who offer GeoServer services should consider $50 USD a month to be listed as a bronze Sponsor on the OSGeo website.
      • Organisations using GeoServer are encouraged to sponsor $50 USD a month to be listed as a bronze sponsor on the OSGeo website.
      • Organisations that offer GeoServer services should consider $250 a month to be listed as a silver sponsor on the OSGeo website.

      ?? For instructions on sponsorship see how to Sponsor via Open Source Geospatial Foundation.

      Further reading:

      Thanks to 2025 Sponsors:

    • sur Mappery: Candles and Globes

      Publié: 12 January 2025, 11:00am CET

      Raf shared this pic. ’Candles shelf decorated with globes at Les Topettes perfume shop in Barcelona Raval’

    • sur Free and Open Source GIS Ramblings: Trajectools 2.4 release

      Publié: 11 January 2025, 9:04pm CET

      In this new release, you will find new algorithms, default output styles, and other usability improvements, in particular for working with public transport schedules in GTFS format, including:

      • Added GTFS algorithms for extracting stops, fixes #43
      • Added default output styles for GTFS stops and segments c600060
      • Added Trajectory splitting at field value changes 286fdbd
      • Added option to add selected fields to output trajectories layer, fixes #53
      • Improved UI of the split by observation gap algorithm, fixes #36

      Note: To use this new version of Trajectools, please upgrade your installation of MovingPandas to >= 0.21.2, e.g. using

      import pip; pip.main(['install', '--upgrade', 'movingpandas'])

      or

      conda install movingpandas==0.21.2

    • sur The Big Foot Sightings Map

      Publié: 11 January 2025, 11:31am CET par Keir Clarke
      In October 2004, Rodney Frank Williams's daughters reported hearing what they described as "a combination of a whale and a dinosaur" coming from the state forestland near their home in Joyce, Washington. Upon further investigation, Williams discovered a footprint "much like a large wide human print dressed in a moccasin." Additional incidents, including a mysteriously moved pumpkin, led
    • sur Los Angeles Wildfire Maps

      Publié: 9 January 2025, 10:33am CET par Keir Clarke
      Five wildfires are currently burning in Los Angeles. At the time of writing, three of the fires remain uncontained. So far, the fires have claimed at least five lives, and 137,000 people have been evacuated. Over 1,000 structures, including many homes, have also been lost. Genasys Protect's evacuation management tool provides an interactive map where Los Angeles residents can access evacuation
    • sur The House Price Map

      Publié: 8 January 2025, 11:13am CET par Keir Clarke
      One of my favorite pastimes is searching for houses for sale in the UK and Europe. I love trawling real estate sites and discovering what kind of property I could buy if I sold my small terraced house in London. As a result of this almost daily exploration of real estate listings, you might say I have become obsessed with house prices and the cost of property in different areas of the UK.Which
    • sur Le blog de Geomatys: 2024 chez Geomatys

      Publié: 23 December 2024, 11:23am CET
      2024 chez Geomatys
      • 23/12/2024
      • Jordan Serviere
      Notre retrospective de l'année

      Alors que 2024 s’achève, Geomatys se distingue une fois de plus comme un acteur clé dans le domaine de l’information géospatiale, des systèmes d’information environnementale et de la défense. Cette année a été marquée par des avancées technologiques concrètes, des reconnaissances importantes et des collaborations stratégiques qui ont renforcé notre position dans des secteurs en constante évolution. Retour sur ces douze mois faits de projets ambitieux et de réalisations collectives.

      Examind C2 : réinvention de la gestion tactique

      Le lancement d’Examind C2 représente une étape cruciale en 2024, tant pour Geomatys que pour les secteurs de la défense, de la cybersécurité et de la gestion de crise. Cette plateforme de Commande et Contrôle (C2), conçue pour répondre aux besoins complexes des environnements multi-milieux et multi-champs, se distingue par son interopérabilité avancée et son traitement en quasi-temps réel. Les visualisations dynamiques qu’elle propose offrent une supériorité informationnelle essentielle pour optimiser les prises de décision dans des situations critiques. Avec des capacités étendues en traitement de données spatiales, Examind C2 anticipe également les attentes futures des utilisateurs. Pour une analyse approfondie de ses capacités et de ses cas d’utilisation, rendez-vous sur le site officiel.

      AQUALIT : vers une gestion durable de l’eau potable

      En 2024, Geomatys a franchi une nouvelle étape avec la commercialisation d’AQUALIT, une plateforme novatrice destinée à l’analyse des mesures d’eau. Conçue spécifiquement pour les producteurs d’eau potable, AQUALIT leur fournit des outils puissants pour surveiller, analyser et optimiser la qualité de leurs ressources. Cette solution intègre des fonctionnalités avancées en gestion des données hydrologiques, en analyse prédictive et en visualisation cartographique. Dans un contexte où la gestion durable de l’eau est devenue un enjeu prioritaire, AQUALIT illustre parfaitement l’engagement de Geomatys en faveur de l’environnement et de l’innovation. Pour en savoir plus et découvrir toutes ses fonctionnalités, consultez le site d’AQUALIT.

      OPAT devient ShoreInt : une évolution pour mieux répondre aux besoins côtiers

      En 2024, notre projet OPAT a connu une évolution majeure en devenant ShoreInt. Cette transition reflète notre désir d’offrir une solution toujours plus adaptée aux enjeux complexes de la gestion des zones côtières. ShoreInt intègre des données issues de technologies comme l’AIS, les images satellites et la modélisation spatiale pour fournir une analyse précise des activités maritimes et des dynamiques environnementales. Avec une interface ergonomique et des outils avancés de visualisation, ShoreInt est conçu pour aider les décisionnaires à gérer les interactions complexes entre les activités humaines et les écosystèmes côtiers. Pour en savoir plus sur cette solution innovante, consultez le site de ShoreInt.

      Lauréat du Concours d’innovation avec Epiwise

      Un des temps forts de 2024 est sans conteste la distinction obtenue par Geomatys pour son projet Epiwise lors des Concours d’innovation de l’État. Soutenu par France 2030, ce projet épidémiologique figure parmi les 177 initiatives lauréates reconnues pour leur potentiel à transformer durablement leur secteur. Cette récompense reflète notre capacité à innover tout en répondant à des besoins sociétaux majeurs, tels que la prévention des pandémies et la modélisation épidémiologique. En s’appuyant sur des technologies de machine learning et de traitement des big data, Epiwise offre des perspectives nouvelles pour la santé publique.

      Collaboration et continuité : une stratégie collective

      Au-delà de ces projets phares, Geomatys a maintenu en 2024 un rythme soutenu de collaboration dans des initiatives d’envergure. Parmi elles, FairEase, le portail Géosud et nos partenariats stratégiques avec Mercator Ocean et l’Office Français de la Biodiversité. Ces travaux, axés sur la valorisation des données spatiales, l’interopérabilité et la gestion des ressources naturelles, témoignent de notre engagement à développer des solutions ouvertes, accessibles et adaptées aux enjeux environnementaux contemporains. Ces projets, loin de s’arrêter en 2024, constituent un socle solide pour notre développement en 2025 et au-delà.

      Et en 2025...

      Alors que nous nous tournons vers 2025, Geomatys se prépare à renforcer son impact et à ouvrir de nouvelles perspectives. En poursuivant nos investissements dans la recherche et le développement, notamment en télédétection, modélisation environnementale et gestion des données massives, nous ambitionnons de créer des solutions toujours plus performantes et adaptées aux besoins d’un monde en mutation rapide. L’année à venir sera marquée par le renforcement de nos relations avec nos partenaires stratégiques, dans une perspective de collaboration continue et durable. Nous adressons nos sincères remerciements à nos collaborateurs, dont l’engagement et les compétences sont le moteur de nos réussites, ainsi qu’à nos clients et partenaires pour leur soutien indéfectible. Ensemble, faisons de 2025 une année riche en projets et accomplissements. Toute l’équipe vous souhaite de très belles fêtes de fin d’année. Rendez-vous en 2025 !

      Menu logo-geomatys Linkedin Twitter Youtube

      The post 2024 chez Geomatys first appeared on Geomatys.

    • sur Mapping Marine Traffic

      Publié: 23 December 2024, 10:10am CET par Keir Clarke
      Esri's interactive map U.S. Vessel Traffic offers a captivating visualization of activity on U.S. waterways, underscoring the vital role marine traffic plays in commerce, travel, and environmental management. Over the past decade, vessel traffic in the U.S. has seen significant growth, with annual cargo shipments reaching 2.3 billion tons.Esri's interactive map leverages Automatic
    • sur The Taco Bell Interstate Map

      Publié: 21 December 2024, 11:29am CET par Keir Clarke
      If you insist on only eating at a Taco Bell while driving cross-country then you need Think Outside the Bun. Think Outside the Bus is an interactive map of Taco Bell locations across the United States. For Taco Bell enthusiasts, this map is an invaluable tool, showing which states, cities, and even interstates offer the best access to affordable Mexican-inspired cuisine.The map uses the size of
    • sur Moon 2.0

      Publié: 20 December 2024, 3:57pm CET par Keir Clarke
      NASA is planning a crewed Moon landing in 2027, while the China National Space Administration (CNSA) aims to land astronauts on the Moon by 2030. India, too, has announced plans to send a person to the Moon by 2040.This renewed interest in our closest celestial neighbor suggests that the lunar surface will soon be home to even more human-made objects. Currently, nearly 1,000 items from Earth
    • sur Mappery: How far have you flown from Tartu

      Publié: 20 December 2024, 11:00am CET

      Ivan Sanchez Ortega spottted this big wall map in Tartu airport. People have placed coloured dots representing the furthest distance they have flown from Tartu. Not sure if the colours have added significance.

    • sur TorchGeo: v0.6.2

      Publié: 20 December 2024, 12:22am CET
      TorchGeo 0.6.2 Release Notes

      This is a bugfix release. There are no new features or API changes with respect to the 0.6.1 release.

      This release doubles the number of TorchGeo tutorials, making it easier than ever to learn TorchGeo! All tutorials have been reorganized as follows:

      • Getting Started: background material on PyTorch, geospatial data, and TorchGeo
      • Basic Usage: basic concepts and components of TorchGeo and how to use them
      • Case Studies: end-to-end workflows for common remote sensing use cases
      • Customization: customizing TorchGeo to meet your needs, and contributing back those changes

      If you have a use case that is not yet documented, please consider contributing a new Case Study tutorial!

      Dependencies
      • pyvista: no support for VTK 9.4 yet (#2431)
      • rasterio: 1.4.3+ is now supported (#2442)
      Datasets
      • Chesapeake 7/13: remove references to removed classes (#2388)
      • Chesapeake CVPR: fix download link (#2445)
      • EuroSAT: fix order of Sentinel-2 bands (#2480)
      • EuroSAT: redistribute split files on Hugging Face (#2432)
      • Forest Damage: fix _verify docstring (#2401)
      • Million-AID: fix _verify docstring (#2401)
      • UC Merced: redistribute split files on Hugging Face (#2433)
      • Utilities: remove defaultdict from collation functions (#2398)
      Models
      • Add bands metadata to all pre-trained weights (#2376)
      Scripts
      • SSL4EO: Sentinel-2 name changed on GEE (#2421)
      Tests
      • CI: more human-readable cache names (#2426)
      • Models: test that bands match expected dimensions (#2383)
      Documentation
      • Docs: update alternatives (#2437)
      • Docs: reorganize tutorial hierarchy (#2439)
      • Add Introduction to PyTorch tutorial (#2440, #2467)
      • Add Introduction to Geospatial Data tutorial (#2446, #2467)
      • Add Introduction to TorchGeo tutorial (#2457)
      • Add TorchGeo CLI tutorial (#2479)
      • Add Earth Surface Water tutorial (#960)
      • Add contribution tutorial for Non-Geo Datasets (#2451, #2469)
      • Add contribution tutorial for Data Modules (#2452)
      • Add consistent author and copyright info to all tutorials (#2478)
      • Update tutorial for transforms and pretrained weights (#2454)
      • README: correct syntax highlighting for console code (#2482)
      • README: root -> paths for GeoDatasets (#2438)
      Contributors

      This release is thanks to the following contributors:

      @adamjstewart
      @calebrob6
      @cordmaur
      @giswqs
      @hfangcat
      @InderParmar
      @lhackel-tub
      @nilsleh
      @yichiac

    • sur GeoTools Team: GeoTools 31.5

      Publié: 19 December 2024, 11:09am CET
      GeoTools 31.5 released The GeoTools team is pleased to announce the release of the latest maintenance version of&nbsp;&nbsp;GeoTools 31.5: geotools-31.5-bin.zip geotools-31.5-doc.zip geotools-31.5-userguide.zip geotools-31.5-project.zip This release is also available from the&nbsp;&nbsp;OSGeo Maven Repository&nbsp;and is made in conjunction with GeoServer
    • sur The Coldest Day of the Year

      Publié: 19 December 2024, 11:04am CET par Keir Clarke
      Did you know the coldest day of the year doesn’t arrive at the same time for everyone in the U.S.? While Groveland, California, is shivering through its chilliest day today, parts of the East Coast are still weeks away from their coldest temperatures. This is because the coldest day of the year, on average, occurs at least a month earlier on the western seaboard than on the eastern seaboard of
    • sur An Earth Powered by the Sun

      Publié: 18 December 2024, 11:02am CET par Keir Clarke
      Australia's ABC has used data from TransitionZero to map out the astonishing growth in solar energy around the world. Using machine learning to analyze global satellite imagery, TransitionZero has discovered that solar farms now cover approximately 19,000 square kilometers of the Earth. And the number of solar installations is doubling every three years.Using a 3D globe of the Earth, ABC has
    • sur Mappery: Global Fire Pit

      Publié: 18 December 2024, 11:00am CET
      Pièce jointe: [télécharger]

      Alfons shared this, he asked “Is this meant to be macabre, cynical or educational?”

    • sur GeoServer Team: GeoServer 2.25.5 Release

      Publié: 18 December 2024, 1:00am CET

      GeoServer 2.25.5 release is now available with downloads (bin, war, windows), along with docs and extensions.

      This is a maintenance release of GeoServer providing existing installations with minor updates and bug fixes. GeoServer 2.25.5 is made in conjunction with GeoTools 31.5, and GeoWebCache 1.25.3. The final release of the 2.25 series is planned for February 2025, please start making plans for an upgrade to 2.26.x or newer.

      Thanks to Andrea Aime (GeoSolutions) for making this release.

      Release notes

      Improvement:

      • GEOS-11612 Add system property support for Proxy base URL -> use headers activation
      • GEOS-11616 GSIP 229 - File system access isolation
      • GEOS-11644 Introducing the rest/security/acl/catalog/reload rest endpoint

      Bug:

      • GEOS-11494 WFS GetFeature request with a propertyname parameter fails when layer attributes are customized (removed or reordered)
      • GEOS-11606 geofence-server imports obsolete asm dep
      • GEOS-11611 When Extracting the WFS Service Name from the HTTP Request A Slash Before the Question Marks Causes Issues
      • GEOS-11643 WCS input read limits can be fooled by geotiff reader

      Task:

      • GEOS-11609 Bump XStream from 1.4.20 to 1.4.21
      • GEOS-11610 Update Jetty from 9.4.55.v20240627 to 9.4.56.v20240826
      • GEOS-11631 Update MySQL driver to 9.1.0

      For the complete list see 2.25.5 release notes.

      Community Updates

      Community module development:

      • GEOS-11635 Add support for opaque auth tokens in OpenID connect
      • GEOS-11637 DGGS min/max resolution settings stop working after restart

      Community modules are shared as source code to encourage collaboration. If a topic being explored is of interest to you, please contact the module developer to offer assistance.

      About GeoServer 2.25 Series

      Additional information on GeoServer 2.25 series:

      Release notes: ( 2.25.5 | 2.25.4 | 2.25.3 | 2.25.2 | 2.25.1 | 2.25.0 | 2.25-RC )

    • sur The CEO Murder Map

      Publié: 17 December 2024, 2:41pm CET par Keir Clarke
      For the past two weeks, the United States has been reeling from the shocking murder of Brian Thompson in New York. As a data scientist, my instinct is always to ask how data can help make sense of what, on the surface, appears to be a senseless act of violence.To that end, I have created the CEO Murder Map, to identify potential geographical patterns in the murders of millionaire executives
    • sur OSGeo Announcements: [OSGeo-Announce] pgRouting graduates OSGeo Incubation

      Publié: 17 December 2024, 1:25pm CET

      [https:]]

      OSGeo welcomes pgRouting to its growing ecosystem of projects.

      OSGeo is pleased to announce that pgRouting has graduated from incubation and is now a full-fledged OSGeo project.

      pgRouting is an open-source extension in the PostGIS / PostgreSQL geospatial database, providing geospatial routing functionality.

      Graduating incubation includes fulfilling requirements for open community operation, a responsible project governance model, code provenance, and general good project operation. Graduation is the OSGeo seal of approval for a project and gives potential users and the community at large an added confidence in the viability and safety of the project.

      The pgRouitng Steering Committee collectively recognizes this as a big progressive step for the project.

      pgRouting has been an active contributor and participant to various open source initiatives inside and outside OSGeo such as FOSS4G, OSGeo Code Sprints, OGC Code Sprints, Joint OSGeo-OGC-ASF (Apache Software Foundation) Code Sprints, and Google Summer of Code.

      The pgRouitng PSC says, “We are excited about the future of the project within the OSGeo’s project ecosystem. We have been working to have a community of developers for the project sustainability. It is our honor to be an OSGeo project”.

      The pgRouting PSC would like to thank our mentor, Angelos Tzotsos, and the OSGeo Incubation Committee for their assistance during this Incubator process.

      Congratulations to the pgRouting community!

      About pgRouting

      pgRouting extends the PostGIS / PostgreSQL geospatial database to provide geospatial routing functionality. It is written in C++, C and SQL.

      It is an open source PostgreSQL extension which implements several graph algorithms.

      pgRouting library contains the following features:

      • All Pairs Shortest Path algorithms: Floyd-Warshall and Johnson’s Algorithm
      • Shortest Path and bi-directional algorithms: Dijkstra, A*
      • Graph components, analysis and contraction algorithms.
      • Traveling Sales Person
      • Graph components, analysis and contraction algorithms.
      • Shortest Path with turn restrictions

      pgRouting is able to process geospatial and non geospatial graphs.

      It’s processing extension execute a number of existing graph algorithms based on reliable software and libraries. It is written in such a way that gives the ability to hook a new graph algorithm in a clean way including the connection code to the database.

      The pgRouting functions are standardized in terms of parameter types and names, decreasing the learning curve of a user.

      pgRouting is very flexible with graph data input, in an inner SQL query and output with standardized column names, so you can process almost any kind of graph data stored in the database.

      About OSGeo

      The Open Source Geospatial Foundation is not-for-profit organization to “empower everyone with open source geospatial‘. The software foundation directly supports projects serving as an outreach and advocacy organization providing financial, organizational and legal support for the open source geospatial community.

      OSGeo works with Re:Earth, QFieldCloud, GeoCat, T-Kartor, and other sponsors, along with our partners to foster an open approach to software, standards, data, and education.

      2 posts - 2 participants

      Read full topic

    • sur Mappery: London cap

      Publié: 17 December 2024, 11:00am CET

      I found these caps in Camden, London. The coordinates point to the well-known Harrods of London.

    • sur Free and Open Source GIS Ramblings: Urban Mobility Insights with MovingPandas & CARTO in Snowflake

      Publié: 17 December 2024, 10:59am CET

      Today, I want to point out a blog post over at

      [https:]]

      written together with my fellow co-authors and EMERALDS project team member Argyrios Kyrgiazos.

      For the technically inclined, the highlight are the presented UDFs in Snowflake to process and transform the trajectory data.

    • sur The WaterwayMap

      Publié: 16 December 2024, 2:59pm CET par Keir Clarke
      The WaterwayMap is a visually beautiful interactive map that uses OpenStreetMap data to visualize the structure and flow of rivers around the world.At its core, WaterwayMap utilizes the directional data of waterways recorded in OpenStreetMap (OSM). In OSM, waterways are represented as ways - ordered lists of nodes that indicate the sequence and direction of flow. WWM uses this
    • sur Draw Your Neighborhood

      Publié: 14 December 2024, 10:29am CET par Keir Clarke
      DETROITography has released an innovative interactive map that allows Detroit residents to outline their neighborhoods based on their personal perceptions. The aim of the Detroit Neighborhoods Mapping Tool is 'to collectively map neighborhoods as an image of the city in maps and words'.The tool starts with a blank base map, devoid of predefined neighborhood names or boundaries. Users are
    • sur QGIS Blog: Plugin Update – November, 2024

      Publié: 14 December 2024, 10:24am CET

      November was a really productive month, with a remarkable total of 43 new plugins published in QGIS plugin repository. In addition there are 3 more plugins from October listed here, which somehow were missed, and for that we apologize to their authors.

      Here follows the quick overview in reverse chronological order. If any of the names or short descriptions catches your attention, you can find the direct link to the plugin page in the table below:

      All Geocoders At Once
      Plugin accumulating most popular geocoders.
      ODK Connect
      Connect to ODK Central, fetch submissions, and visualize field data on QGIS maps. Supports filtering, spatial analysis, and data export.
      Web Service Plugin
      Wtyczka umo?liwia prezentacj? danych z serwisów WMS, WMTS, WFS i WCS w postaci warstw w QGIS. Wtyczka wykorzystuje dane z Ewidencji Zbiorów i Us?ug oraz strony geoportal.gov.pl
      Polygon grouper
      This plugin groups polygons together.
      GeoCAR
      Cadastro Ambiental Rural.
      Not-So-QT-DEM
      TauDEM 5.3 processing provider.
      GeocodeCN
      ????????????????
      EN: A plug-in that converts addresses into latitude and longitude coordinates.
      Feature Navigator
      Este plugin permite navegar entre entidades en una capa activa de QGIS con botones de anterior y siguiente.
      Movement Analysis
      Toolbox for raster based movement analysis: least-cost path, accumulated cost surface, accessibility.
      Graphab3
      Graphab3 for QGIS.
      SGTool
      Simple Potential Field Processing.
      FieldColorCoder
      Easily apply color codes to layers based on selected field values.
      NGP Connect
      Plugin to store files in Lantmäteriet National Geodata Platform with external storage for the attachment widget in features attribute form.
      Projection Factors Redux
      Calculates various cartographic projection properties as a raster layer.
      ArqueoTransectas
      Este complemento genera transectas arqueológicas (líneas horizontales o verticales) dentro de un área definida. Puede ser útil para estudios de campo y proyectos arqueológicos.
      BROnodig
      Plugin om BRO data te downloaden en plotten.
      Arches Project
      A plugin that links QGIS to an Arches project.
      Field annotations
      Make annotations and photos in the field.
      qCEPHEE
      Plugin QGIS for CEPHEE.
      Water Network Tools for Resilience (WNTR) Integration
      A QGIS Plugin for the WNTR piped water network modelling package. Allows the preparation of water network models and visualisation of simulation results within QGIS.
      FitLoader
      A simple plugin to import FIT files.
      EasyDEM
      Get Digital Elevation Model (DEM) datasets from multiple sources with Google Earth Engine API and load it as raster layer.
      Si Kataster
      EN: SiKataster is a tool for accessing cadastral parcel data from the Real Estate Cadastre of the Surveying and Mapping Authority of the Republic of Slovenia (GURS). The plugin is designed to record information about the source and the date of data acquisition into the metadata of the layers it creates. The data and web service are provided by GURS.
      SI: SiKataster je orodje za dostop do podatkov o parcelah v Katastru nepremi?nin Geodetske uprave Republike Slovenije (GURS). Vti?nik je zasnovan na na?in, da v metapodatke slojev, ki jih ustvari, zapiše informacije o viru in datumu prevzema podatkov. Podatke in spletni servis zagotavlja GURS.
      Shred Layer Plugin
      This plugin allows users to “shred” a layer. Can be used to delete unnecessary layers or when you do not want to leave evidence. Cut layers can also be scattered on the map.
      otsusmethod
      This plugin applies Otsu’s method for automated thresholding and segmentation of raster data.
      Split Lines By Points
      Split Lines By Points.
      ???????
      ???????????
      EN: A collection of functions to implement graphics processing
      Easy Feature Selector
      The Easy Feature Selector plugin for QGIS is a practical tool designed to simplify interactions with vector data.
      GenSimPlot
      Generator of simulation plots.
      LockCanvasZoom
      The Lock and Unlock Canvas Zoom Plugin for QGIS is designed to provide users with a simple way to lock and unlock the zoom position on the map canvas. This plugin offers a toggle button that allows users to easily switch between locked and unlocked states for the map canvas zoom.
      GWAT – Watershed Analysis Toolbox by Geomeletitiki
      Semi-automated Hydrological Basin Analysis toolbox.
      GeoPEC
      GeoPEC é um software científico para avaliação da acurácia posicional de dados espaciais
      Esporta Tab su file CSV
      Esporta la tabella del layer vettoriale selezionato su un file CSV.
      transform_coords
      Transform decimal/grade-minute-second coordinates to UTM. Can also make points on the selected coordinates.
      Geocoder CartoCiudad
      CartoCiudad ofrece direcciones postales, topónimos, poblaciones y límites administrativos de España.
      Multi Raster Transparency Pixel Setter
      Set transparency pixel for multiple raster layers.
      InSAR Explorer
      InSAR Explorer is a QGIS plugin that allows for dynamic visualization and analysis of InSAR time series data.
      Vgrid
      Vgrid – Global Geocoding Systems.
      Profile Manager
      Makes handling profiles easy by giving you an UI to easily import settings from one profile to another.
      QGIS2Mapbender
      QGIS plugin to populate Mapbender with WMS services from QGIS Server.
      PLU Versionning
      Outil de suivi des versions de numérisation des documents d’urbanisme au format CNIG.
      Snowflake Connector for QGIS
      This package includes the Snowflake Connector for QGIS.
      Count Routes
      This plugin provides algorithms of network analysis.
      QuickRectangleCreator
      QuickRectangleCreator allows you to create a rectangle quickly and easily, preset sizes, snap to grid and rotate on the fly.
      AlgoMaps
      PL: Plugin Algolytics do standaryzacji danych adresowych i geokodowania.
      EN: Algolytics Plugin for Address Data Standardization and Geocoding.
      Kue
      Kue is an embedded AI assistant inside QGIS.

    • sur gvSIG Batoví: Añadimos una nueva publicación para consulta

      Publié: 13 December 2024, 1:08pm CET
    • sur SIG Libre Uruguay: Nuevo libro: «La amenaza mundial de la sequía: tendencias de aridez a nivel regional y mundial, y proyecciones futuras»

      Publié: 13 December 2024, 1:01pm CET

      Compartimos un nuevo libro de sumo interés elaborado por la Convención de las Naciones Unidas de Lucha contra la Desertificación (CNULD). El mismo cuenta con numerosa información geoespacial, muy útil para una gran variedad de campos de investigación.

    • sur The Real-Time GPS Spoofing Map

      Publié: 13 December 2024, 11:09am CET par Keir Clarke
      Airlines around the world are reporting an increase in GPS spoofing and jamming incidents. GPS spoofing involves deliberately transmitting false GPS signals to trick a GPS receiver into believing it is in the wrong location. This manipulation can lead to navigation errors and pose significant security risks.GPS jamming, on the other hand, involves intentionally blocking or interfering with GPS